Merge remote-tracking branch 'aosp/upstream-master' into rebase_tf
Test: mm
Change-Id: I0c740e25f348d9c6d4d32c910cf11b7d07584d50
diff --git a/Android.bp b/Android.bp
new file mode 100644
index 0000000..81dbbb9
--- /dev/null
+++ b/Android.bp
@@ -0,0 +1,21 @@
+// Copyright (C) 2017 The Android Open Source Project
+//
+// Licensed under the Apache License, Version 2.0 (the "License");
+// you may not use this file except in compliance with the License.
+// You may obtain a copy of the License at
+//
+// http://www.apache.org/licenses/LICENSE-2.0
+//
+// Unless required by applicable law or agreed to in writing, software
+// distributed under the License is distributed on an "AS IS" BASIS,
+// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+// See the License for the specific language governing permissions and
+// limitations under the License.
+
+cc_library_headers {
+ name: "tensorflow_headers",
+ export_include_dirs: ["."],
+ vendor_available: true,
+}
+
+subdirs = ["tensorflow/lite"]
diff --git a/METADATA b/METADATA
new file mode 100644
index 0000000..d452eff
--- /dev/null
+++ b/METADATA
@@ -0,0 +1,29 @@
+name: "TensorFlow"
+description:
+ "TensorFlow is an open source software library for numerical computation "
+ "using data flow graphs. The graph nodes represent mathematical operations, "
+ "while the graph edges represent the multidimensional data arrays (tensors) "
+ "that flow between them. This flexible architecture lets you deploy "
+ "computation to one or more CPUs or GPUs in a desktop, server, or mobile "
+ "device without rewriting code. TensorFlow also includes TensorBoard, a "
+ "data visualization toolkit. "
+ " "
+ "TensorFlow was originally developed by researchers and engineers working "
+ "on the Google Brain team within Google's Machine Intelligence Research "
+ "organization for the purposes of conducting machine learning and deep "
+ "neural networks research. The system is general enough to be applicable in "
+ "a wide variety of other domains, as well."
+
+third_party {
+ url {
+ type: HOMEPAGE
+ value: "https://github.com/tensorflow/tensorflow"
+ }
+ url {
+ type: GIT
+ value: "https://github.com/tensorflow/tensorflow"
+ }
+ version: "v1.4.0"
+ last_upgrade_date { year: 2017 month: 11 day: 13 }
+ license_type: NOTICE
+}
diff --git a/third_party/android/BUILD b/MODULE_LICENSE_APACHE2
similarity index 100%
rename from third_party/android/BUILD
rename to MODULE_LICENSE_APACHE2
diff --git a/third_party/mkl/LICENSE b/NOTICE
similarity index 98%
rename from third_party/mkl/LICENSE
rename to NOTICE
index 9c8f3ea..15ae421 100644
--- a/third_party/mkl/LICENSE
+++ b/NOTICE
@@ -1,3 +1,5 @@
+Copyright 2017 The TensorFlow Authors. All rights reserved.
+
Apache License
Version 2.0, January 2004
http://www.apache.org/licenses/
@@ -178,7 +180,7 @@
APPENDIX: How to apply the Apache License to your work.
To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "{}"
+ boilerplate notice, with the fields enclosed by brackets "[]"
replaced with your own identifying information. (Don't include
the brackets!) The text should be enclosed in the appropriate
comment syntax for the file format. We also recommend that a
@@ -186,7 +188,7 @@
same "printed page" as the copyright notice for easier
identification within third-party archives.
- Copyright {yyyy} {name of copyright owner}
+ Copyright 2017, The TensorFlow Authors.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -198,4 +200,4 @@
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
- limitations under the License.
\ No newline at end of file
+ limitations under the License.
diff --git a/OWNERS b/OWNERS
new file mode 100644
index 0000000..317217f
--- /dev/null
+++ b/OWNERS
@@ -0,0 +1,5 @@
+# Default owners are top 3 active developers of the past 1 or 2 years
+# or people with more than 10 commits last year.
+# Please update this list if you find better owner candidates.
+miaowang@google.com
+kuantung@google.com
diff --git a/tensorflow/contrib/lite/allocation.h b/tensorflow/contrib/lite/allocation.h
new file mode 100644
index 0000000..f0dcffe
--- /dev/null
+++ b/tensorflow/contrib/lite/allocation.h
@@ -0,0 +1,98 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+// Main abstraction controlling the tflite interpreter.
+// See context.h for the API for defining operations (TfLiteRegistration).
+#ifndef TENSORFLOW_CONTRIB_LITE_ALLOCATION_H_
+#define TENSORFLOW_CONTRIB_LITE_ALLOCATION_H_
+
+#include <cstdio>
+#include <cstdlib>
+#include <vector>
+#include "tensorflow/contrib/lite/c/c_api_internal.h"
+#include "tensorflow/contrib/lite/core/api/error_reporter.h"
+#include "tensorflow/contrib/lite/simple_memory_arena.h"
+
+namespace tflite {
+
+using std::string;
+
+// A memory allocation handle. This could be a mmap or shared memory.
+class Allocation {
+ public:
+ Allocation(ErrorReporter* error_reporter) : error_reporter_(error_reporter) {}
+ virtual ~Allocation() {}
+
+ // Base pointer of this allocation
+ virtual const void* base() const = 0;
+ // Size in bytes of the allocation
+ virtual size_t bytes() const = 0;
+ // Whether the allocation is valid
+ virtual bool valid() const = 0;
+
+ protected:
+ ErrorReporter* error_reporter_;
+};
+
+class MMAPAllocation : public Allocation {
+ public:
+ MMAPAllocation(const char* filename, ErrorReporter* error_reporter);
+ virtual ~MMAPAllocation();
+ const void* base() const override;
+ size_t bytes() const override;
+ bool valid() const override;
+
+ static bool IsSupported();
+
+ protected:
+ // Data required for mmap.
+ int mmap_fd_ = -1; // mmap file descriptor
+ const void* mmapped_buffer_;
+ size_t buffer_size_bytes_ = 0;
+};
+
+class FileCopyAllocation : public Allocation {
+ public:
+ FileCopyAllocation(const char* filename, ErrorReporter* error_reporter);
+ virtual ~FileCopyAllocation();
+ const void* base() const override;
+ size_t bytes() const override;
+ bool valid() const override;
+
+ private:
+ // Data required for mmap.
+ std::unique_ptr<const char[]> copied_buffer_;
+ size_t buffer_size_bytes_ = 0;
+};
+
+class MemoryAllocation : public Allocation {
+ public:
+ // Allocates memory with the pointer and the number of bytes of the memory.
+ // The pointer has to remain alive and unchanged until the destructor is
+ // called.
+ MemoryAllocation(const void* ptr, size_t num_bytes,
+ ErrorReporter* error_reporter);
+ virtual ~MemoryAllocation();
+ const void* base() const override;
+ size_t bytes() const override;
+ bool valid() const override;
+
+ private:
+ const void* buffer_;
+ size_t buffer_size_bytes_ = 0;
+};
+
+} // namespace tflite
+
+#endif // TENSORFLOW_CONTRIB_LITE_ALLOCATION_H_
diff --git a/tensorflow/contrib/lite/kernels/internal/common.h b/tensorflow/contrib/lite/kernels/internal/common.h
new file mode 100644
index 0000000..aaa3c05
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/internal/common.h
@@ -0,0 +1,271 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+#ifndef TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_COMMON_H_
+#define TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_COMMON_H_
+
+#ifndef ALLOW_SLOW_GENERIC_DEPTHWISECONV_FALLBACK
+#ifdef GEMMLOWP_ALLOW_SLOW_SCALAR_FALLBACK
+#define ALLOW_SLOW_GENERIC_DEPTHWISECONV_FALLBACK
+#endif
+#endif
+
+#ifndef USE_NEON
+#if defined(__ARM_NEON__) || defined(__ARM_NEON)
+#define USE_NEON
+#include <arm_neon.h>
+#endif
+
+#if defined __GNUC__ && defined __SSE4_1__
+// TODO: Uncomment once NEON_2_SSE.h is imported to Android
+// #define USE_NEON
+
+#define OPTIMIZED_OPS_H__IGNORE_DEPRECATED_DECLARATIONS
+#pragma GCC diagnostic push
+#pragma GCC diagnostic ignored "-Wdeprecated-declarations"
+#pragma GCC diagnostic ignored "-Wattributes"
+
+#pragma GCC diagnostic push
+#pragma GCC diagnostic ignored "-Wnarrowing"
+#pragma GCC diagnostic ignored "-Wsequence-point"
+
+// TODO: Uncomment once NEON_2_SSE.h is imported to Android
+// #include "NEON_2_SSE.h"
+
+#pragma GCC diagnostic pop
+#endif
+#endif
+
+#include "fixedpoint/fixedpoint.h"
+#include "tensorflow/contrib/lite/kernels/internal/types.h"
+
+namespace tflite {
+
+inline void GetActivationMinMax(FusedActivationFunctionType ac,
+ float* output_activation_min,
+ float* output_activation_max) {
+ switch (ac) {
+ case FusedActivationFunctionType::kNone:
+ *output_activation_min = std::numeric_limits<float>::lowest();
+ *output_activation_max = std::numeric_limits<float>::max();
+ break;
+ case FusedActivationFunctionType::kRelu:
+ *output_activation_min = 0.f;
+ *output_activation_max = std::numeric_limits<float>::max();
+ break;
+ case FusedActivationFunctionType::kRelu1:
+ *output_activation_min = -1.f;
+ *output_activation_max = 1.f;
+ break;
+ case FusedActivationFunctionType::kRelu6:
+ *output_activation_min = 0.f;
+ *output_activation_max = 6.f;
+ break;
+ }
+}
+
+inline float ActivationFunctionWithMinMax(float x, float output_activation_min,
+ float output_activation_max) {
+ return std::min(std::max(x, output_activation_min), output_activation_max);
+}
+
+// Legacy function, left for compatibility only.
+template <FusedActivationFunctionType Ac>
+float ActivationFunction(float x) {
+ float output_activation_min, output_activation_max;
+ GetActivationMinMax(Ac, &output_activation_min, &output_activation_max);
+ return ActivationFunctionWithMinMax(x, output_activation_min,
+ output_activation_max);
+}
+
+inline int32 MultiplyByQuantizedMultiplierSmallerThanOneExp(
+ int32 x, int32 quantized_multiplier, int left_shift) {
+ using gemmlowp::RoundingDivideByPOT;
+ using gemmlowp::SaturatingRoundingDoublingHighMul;
+ return RoundingDivideByPOT(
+ SaturatingRoundingDoublingHighMul(x, quantized_multiplier), -left_shift);
+}
+
+inline int32 MultiplyByQuantizedMultiplierGreaterThanOne(
+ int32 x, int32 quantized_multiplier, int left_shift) {
+ using gemmlowp::SaturatingRoundingDoublingHighMul;
+ return SaturatingRoundingDoublingHighMul(x * (1 << left_shift),
+ quantized_multiplier);
+}
+
+inline int32 MultiplyByQuantizedMultiplier(int32 x, int32 quantized_multiplier,
+ int shift) {
+ using gemmlowp::RoundingDivideByPOT;
+ using gemmlowp::SaturatingRoundingDoublingHighMul;
+ int left_shift = shift > 0 ? shift : 0;
+ int right_shift = shift > 0 ? 0 : -shift;
+ return RoundingDivideByPOT(SaturatingRoundingDoublingHighMul(
+ x * (1 << left_shift), quantized_multiplier),
+ right_shift);
+}
+
+template <typename T>
+int CountLeadingZeros(T integer_input) {
+ static_assert(std::is_unsigned<T>::value,
+ "Only unsigned integer types handled.");
+#if defined(__GNUC__)
+ return integer_input ? __builtin_clz(integer_input) : 0;
+#else
+ const T one_in_leading_positive = static_cast<T>(1)
+ << (std::numeric_limits<T>::digits - 1);
+ int leading_zeros = 0;
+ while (integer_input < one_in_leading_positive) {
+ integer_input <<= 1;
+ ++leading_zeros;
+ }
+ return leading_zeros;
+#endif
+}
+
+// DO NOT USE THIS STRUCT FOR NEW FUNCTIONALITY BEYOND IMPLEMENTING
+// BROADCASTING.
+//
+// NdArrayDesc<N> describes the shape and memory layout of an N-dimensional
+// rectangular array of numbers.
+//
+// NdArrayDesc<N> is basically identical to Dims<N> defined in types.h.
+// However, as Dims<N> is to be deprecated, this class exists as an adaptor
+// to enable simple unoptimized implementations of element-wise broadcasting
+// operations.
+template <int N>
+struct NdArrayDesc {
+ // The "extent" of each dimension. Indices along dimension d must be in the
+ // half-open interval [0, extents[d]).
+ int extents[N];
+
+ // The number of *elements* (not bytes) between consecutive indices of each
+ // dimension.
+ int strides[N];
+};
+
+// DO NOT USE THIS FUNCTION FOR NEW FUNCTIONALITY BEYOND IMPLEMENTING
+// BROADCASTING.
+//
+// Same as Offset(), except takes as NdArrayDesc<N> instead of Dims<N>.
+inline int SubscriptToIndex(const NdArrayDesc<4>& desc, int i0, int i1, int i2,
+ int i3) {
+ TFLITE_DCHECK(i0 >= 0 && i0 < desc.extents[0]);
+ TFLITE_DCHECK(i1 >= 0 && i1 < desc.extents[1]);
+ TFLITE_DCHECK(i2 >= 0 && i2 < desc.extents[2]);
+ TFLITE_DCHECK(i3 >= 0 && i3 < desc.extents[3]);
+ return i0 * desc.strides[0] + i1 * desc.strides[1] + i2 * desc.strides[2] +
+ i3 * desc.strides[3];
+}
+
+// Given the dimensions of the operands for an element-wise binary broadcast,
+// adjusts them so that they can be directly iterated over with simple loops.
+// Returns the adjusted dims as instances of NdArrayDesc in 'desc0_out' and
+// 'desc1_out'. 'desc0_out' and 'desc1_out' cannot be nullptr.
+//
+// This function assumes that the two input shapes are compatible up to
+// broadcasting and the shorter one has already been prepended with 1s to be the
+// same length. E.g., if shape0 is (1, 16, 16, 64) and shape1 is (1, 64),
+// shape1 must already have been prepended to be (1, 1, 1, 64). Recall that
+// Dims<N> refer to shapes in reverse order. In this case, input0_dims will be
+// (64, 16, 16, 1) and input1_dims will be (64, 1, 1, 1).
+//
+// When two shapes are compatible up to broadcasting, for each dimension d,
+// the input extents are either equal, or one of them is 1.
+//
+// This function performs the following for each dimension d:
+// - If the extents are equal, then do nothing since the loop that walks over
+// both of the input arrays is correct.
+// - Otherwise, one (and only one) of the extents must be 1. Say extent0 is 1
+// and extent1 is e1. Then set extent0 to e1 and stride0 *to 0*. This allows
+// array0 to be referenced *at any index* in dimension d and still access the
+// same slice.
+template <int N>
+inline void NdArrayDescsForElementwiseBroadcast(const Dims<N>& input0_dims,
+ const Dims<N>& input1_dims,
+ NdArrayDesc<N>* desc0_out,
+ NdArrayDesc<N>* desc1_out) {
+ TFLITE_DCHECK(desc0_out != nullptr);
+ TFLITE_DCHECK(desc1_out != nullptr);
+
+ // Copy dims to desc.
+ for (int i = 0; i < N; ++i) {
+ desc0_out->extents[i] = input0_dims.sizes[i];
+ desc0_out->strides[i] = input0_dims.strides[i];
+ desc1_out->extents[i] = input1_dims.sizes[i];
+ desc1_out->strides[i] = input1_dims.strides[i];
+ }
+
+ // Walk over each dimension. If the extents are equal do nothing.
+ // Otherwise, set the desc with extent 1 to have extent equal to the other and
+ // stride 0.
+ for (int i = 0; i < N; ++i) {
+ const int extent0 = ArraySize(input0_dims, i);
+ const int extent1 = ArraySize(input1_dims, i);
+ if (extent0 != extent1) {
+ if (extent0 == 1) {
+ desc0_out->strides[i] = 0;
+ desc0_out->extents[i] = extent1;
+ } else {
+ TFLITE_DCHECK_EQ(extent1, 1);
+ desc1_out->strides[i] = 0;
+ desc1_out->extents[i] = extent0;
+ }
+ }
+ }
+}
+
+template <int N>
+inline void NdArrayDescsForElementwiseBroadcast(
+ const RuntimeShape& input0_shape, const RuntimeShape& input1_shape,
+ NdArrayDesc<N>* desc0_out, NdArrayDesc<N>* desc1_out) {
+ TFLITE_DCHECK(desc0_out != nullptr);
+ TFLITE_DCHECK(desc1_out != nullptr);
+
+ auto extended_input0_shape = RuntimeShape::ExtendedShape(N, input0_shape);
+ auto extended_input1_shape = RuntimeShape::ExtendedShape(N, input1_shape);
+
+ // Copy dims to desc, calculating strides.
+ int desc0_stride = 1;
+ int desc1_stride = 1;
+ for (int i = N - 1; i >= 0; --i) {
+ desc0_out->extents[i] = extended_input0_shape.Dims(i);
+ desc0_out->strides[i] = desc0_stride;
+ desc0_stride *= extended_input0_shape.Dims(i);
+ desc1_out->extents[i] = extended_input1_shape.Dims(i);
+ desc1_out->strides[i] = desc1_stride;
+ desc1_stride *= extended_input1_shape.Dims(i);
+ }
+
+ // Walk over each dimension. If the extents are equal do nothing.
+ // Otherwise, set the desc with extent 1 to have extent equal to the other and
+ // stride 0.
+ for (int i = 0; i < N; ++i) {
+ const int extent0 = extended_input0_shape.Dims(i);
+ const int extent1 = extended_input1_shape.Dims(i);
+ if (extent0 != extent1) {
+ if (extent0 == 1) {
+ desc0_out->strides[i] = 0;
+ desc0_out->extents[i] = extent1;
+ } else {
+ TFLITE_DCHECK_EQ(extent1, 1);
+ desc1_out->strides[i] = 0;
+ desc1_out->extents[i] = extent0;
+ }
+ }
+ }
+}
+
+} // namespace tflite
+
+#endif // TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_COMMON_H_
diff --git a/tensorflow/contrib/lite/kernels/internal/optimized/cpu_check.h b/tensorflow/contrib/lite/kernels/internal/optimized/cpu_check.h
new file mode 100644
index 0000000..e72fdcc
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/internal/optimized/cpu_check.h
@@ -0,0 +1,56 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+#ifndef TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_CPU_CHECK_H_
+#define TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_CPU_CHECK_H_
+
+namespace tflite {
+
+#ifdef __ANDROID__
+
+// Runtime check for Neon support on Android.
+inline bool TestCPUFeatureNeon() {
+#if defined(__aarch64__) || defined(__ARM_NEON__)
+ // ARM-64 always has NEON support.
+ return true;
+#else
+ return false;
+#endif
+}
+
+#elif defined USE_NEON || defined __ARM_NEON
+
+inline bool TestCPUFeatureNeon() { return true; }
+
+#else
+
+inline bool TestCPUFeatureNeon() { return false; }
+
+#endif
+
+} // namespace tflite
+
+// NEON_OR_PORTABLE(SomeFunc, arcs) calls NeonSomeFunc(args) if Neon is both
+// enabled at build time and detected at runtime, or PortableSomeFunc(args)
+// otherwise.
+#ifdef __ARM_ARCH_5TE__
+// Neon isn't available at all on ARMv5.
+#define NEON_OR_PORTABLE(funcname, ...) Portable##funcname(__VA_ARGS__)
+#else
+#define NEON_OR_PORTABLE(funcname, ...) \
+ TestCPUFeatureNeon() ? Neon##funcname(__VA_ARGS__) \
+ : Portable##funcname(__VA_ARGS__)
+#endif
+
+#endif // TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_CPU_CHECK_H_
diff --git a/tensorflow/contrib/lite/kernels/internal/optimized/eigen_spatial_convolutions.h b/tensorflow/contrib/lite/kernels/internal/optimized/eigen_spatial_convolutions.h
new file mode 100644
index 0000000..5726a0d
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/internal/optimized/eigen_spatial_convolutions.h
@@ -0,0 +1,229 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+
+// Copied from tensorflow/core/kernels/eigen_spatial_convolutions.h.
+// TODO(petewarden) - move this to a common location in Eigen itself.
+
+#ifndef TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_SPATIAL_CONVOLUTIONS_H_
+#define TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_SPATIAL_CONVOLUTIONS_H_
+
+#define EIGEN_USE_CUSTOM_THREAD_POOL
+#define EIGEN_USE_THREADS
+
+// NOTE: Eigen is slightly different internally and externally. We need to
+// hack the unsupported/Eigen/CXX11/Tensor header instantiation macros at
+// specific places, so we need two copies of the hacked file, one for
+// internal and one for external.
+// If you have trouble simply undef out the reducer macro e.g.
+// TFLITE_REDUCE_INSTANTIATIONS_GOOGLE, but be aware this will make
+// the binary much bigger!
+#define TFLITE_REDUCE_INSTANTIATIONS_OPEN_SOURCE
+#define Eigen EigenForTFLite
+#if defined(TFLITE_REDUCE_INSTANTIATIONS_GOOGLE)
+#include "tensorflow/contrib/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_google.h"
+#elif defined(TFLITE_REDUCE_INSTANTIATIONS_OPEN_SOURCE)
+#include "tensorflow/contrib/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h"
+#else
+#include "unsupported/Eigen/CXX11/Tensor"
+#endif
+
+namespace Eigen {
+
+/** SpatialConvolution
+ * \ingroup CXX11_NeuralNetworks_Module
+ *
+ * \brief Applies a 2D convolution over a multichannel input image.
+ *
+ * The input parameter is expected to be a tensor with a rank of 3 or more
+ * (channels, height, width, and optionally others)
+ * The kernel parameter is expected to be a 4D tensor (filters, channels,
+ * kernel_height, kernel_width)
+ * The input and the kernel must both be in col-major layout. The result will
+ * also be in col-major layout.
+ *
+ * If col_in_stride, row_in_stride > 1, then applies convolution with holes
+ * (aka atrous convolution), sampling every col_in_stride, row_in_stride input
+ * pixels.
+ *
+ * The result can be assigned to a tensor of rank equal to the rank of the
+ * input. The dimensions of the result will be filters, height, width (and
+ * others if applicable).
+ *
+ * It is possible to swap the order of the width and height dimensions provided
+ * that the same order is used in the input, the kernel, and the output.
+ *
+ */
+template <typename Input, typename Kernel>
+EIGEN_DEVICE_FUNC
+ EIGEN_ALWAYS_INLINE static const typename internal::conditional<
+ internal::traits<Input>::Layout == ColMajor,
+ TensorReshapingOp<
+ const DSizes<typename internal::traits<Input>::Index,
+ internal::traits<Input>::NumDimensions>,
+ const TensorContractionOp<
+ const array<IndexPair<typename internal::traits<Input>::Index>,
+ 1>,
+ const TensorReshapingOp<
+ const DSizes<typename internal::traits<Input>::Index, 2>,
+ const Kernel>,
+ const TensorReshapingOp<
+ const DSizes<typename internal::traits<Input>::Index, 2>,
+ const TensorImagePatchOp<Dynamic, Dynamic,
+ const Input> > > >,
+ TensorReshapingOp<
+ const DSizes<typename internal::traits<Input>::Index,
+ internal::traits<Input>::NumDimensions>,
+ const TensorContractionOp<
+ const array<IndexPair<typename internal::traits<Input>::Index>,
+ 1>,
+ const TensorReshapingOp<
+ const DSizes<typename internal::traits<Input>::Index, 2>,
+ const TensorImagePatchOp<Dynamic, Dynamic, const Input> >,
+ const TensorReshapingOp<
+ const DSizes<typename internal::traits<Input>::Index, 2>,
+ const Kernel> > > >::type
+ SpatialConvolution(const Input& input, const Kernel& kernel,
+ const DenseIndex row_stride = 1,
+ const DenseIndex col_stride = 1,
+ const PaddingType padding_type = PADDING_SAME,
+ const DenseIndex row_in_stride = 1,
+ const DenseIndex col_in_stride = 1) {
+ typedef typename internal::traits<Input>::Index TensorIndex;
+ TensorRef<Tensor<typename internal::traits<Input>::Scalar,
+ internal::traits<Input>::NumDimensions,
+ internal::traits<Input>::Layout, TensorIndex> >
+ in(input);
+ TensorRef<Tensor<typename internal::traits<Kernel>::Scalar,
+ internal::traits<Kernel>::NumDimensions,
+ internal::traits<Kernel>::Layout, TensorIndex> >
+ kern(kernel);
+
+ EIGEN_STATIC_ASSERT(
+ internal::traits<Input>::Layout == internal::traits<Kernel>::Layout,
+ YOU_MADE_A_PROGRAMMING_MISTAKE);
+ const bool isColMajor = (internal::traits<Input>::Layout == ColMajor);
+
+ const int NumDims = internal::traits<Input>::NumDimensions;
+
+ // Number of filters to apply. This is the same as the output depth of the
+ // result
+ const TensorIndex kernelFilters =
+ isColMajor ? kern.dimensions()[0] : kern.dimensions()[3];
+ // Number of channels. This is the same as the input depth.
+ const TensorIndex kernelChannels =
+ isColMajor ? kern.dimensions()[1] : kern.dimensions()[2];
+ const TensorIndex kernelRows =
+ isColMajor ? kern.dimensions()[2] : kern.dimensions()[1];
+ const TensorIndex kernelCols =
+ isColMajor ? kern.dimensions()[3] : kern.dimensions()[0];
+
+ const DenseIndex kernelRowsEff =
+ kernelRows + (kernelRows - 1) * (row_in_stride - 1);
+ const DenseIndex kernelColsEff =
+ kernelCols + (kernelCols - 1) * (col_in_stride - 1);
+
+ array<IndexPair<TensorIndex>, 1> contract_dims;
+ contract_dims[0] = IndexPair<TensorIndex>(1, 0);
+
+ const TensorIndex InputRows =
+ isColMajor ? in.dimension(1) : in.dimension(NumDims - 2);
+ const TensorIndex InputCols =
+ isColMajor ? in.dimension(2) : in.dimension(NumDims - 3);
+
+ TensorIndex out_height;
+ TensorIndex out_width;
+ switch (padding_type) {
+ case PADDING_VALID:
+ out_height = numext::ceil((InputRows - kernelRowsEff + 1.f) /
+ static_cast<float>(row_stride));
+ out_width = numext::ceil((InputCols - kernelColsEff + 1.f) /
+ static_cast<float>(col_stride));
+ break;
+ case PADDING_SAME:
+ out_height = numext::ceil(InputRows / static_cast<float>(row_stride));
+ out_width = numext::ceil(InputCols / static_cast<float>(col_stride));
+ break;
+ default:
+ // Initialize unused variables to avoid a compiler warning
+ out_height = 0;
+ out_width = 0;
+ eigen_assert(false && "unexpected padding");
+ }
+
+ // Molds the output of the patch extraction code into a 2d tensor:
+ // - the first dimension (dims[0]): the patch values to be multiplied with the
+ // kernels
+ // - the second dimension (dims[1]): everything else
+ DSizes<TensorIndex, 2> pre_contract_dims;
+ if (isColMajor) {
+ pre_contract_dims[0] = kernelChannels * kernelRows * kernelCols;
+ pre_contract_dims[1] = out_height * out_width;
+ for (int i = 3; i < NumDims; ++i) {
+ pre_contract_dims[1] *= in.dimension(i);
+ }
+ } else {
+ pre_contract_dims[1] = kernelChannels * kernelRows * kernelCols;
+ pre_contract_dims[0] = out_height * out_width;
+ for (int i = 0; i < NumDims - 3; ++i) {
+ pre_contract_dims[0] *= in.dimension(i);
+ }
+ }
+
+ // Molds the output of the contraction into the shape expected by the used
+ // (assuming this is ColMajor):
+ // - 1st dim: kernel filters
+ // - 2nd dim: output height
+ // - 3rd dim: output width
+ // - 4th dim and beyond: everything else including batch size
+ DSizes<TensorIndex, NumDims> post_contract_dims;
+ if (isColMajor) {
+ post_contract_dims[0] = kernelFilters;
+ post_contract_dims[1] = out_height;
+ post_contract_dims[2] = out_width;
+ for (int i = 3; i < NumDims; ++i) {
+ post_contract_dims[i] = in.dimension(i);
+ }
+ } else {
+ post_contract_dims[NumDims - 1] = kernelFilters;
+ post_contract_dims[NumDims - 2] = out_height;
+ post_contract_dims[NumDims - 3] = out_width;
+ for (int i = 0; i < NumDims - 3; ++i) {
+ post_contract_dims[i] = in.dimension(i);
+ }
+ }
+
+ DSizes<TensorIndex, 2> kernel_dims;
+ if (isColMajor) {
+ kernel_dims[0] = kernelFilters;
+ kernel_dims[1] = kernelChannels * kernelRows * kernelCols;
+ } else {
+ kernel_dims[0] = kernelChannels * kernelRows * kernelCols;
+ kernel_dims[1] = kernelFilters;
+ }
+ // TODO(yangke): choose() is defined in TensorContraction.h -- consider
+ // moving it to somewhere more "common".
+ return input
+ .extract_image_patches(kernelRows, kernelCols, row_stride, col_stride,
+ row_in_stride, col_in_stride, padding_type)
+ .reshape(pre_contract_dims)
+ .contract(kernel.reshape(kernel_dims), contract_dims)
+ .reshape(post_contract_dims);
+}
+
+} // end namespace Eigen
+
+// clang-format on
+
+#endif // TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_SPATIAL_CONVOLUTIONS_H_
diff --git a/tensorflow/contrib/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_google.h b/tensorflow/contrib/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_google.h
new file mode 100644
index 0000000..17f0ffd
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_google.h
@@ -0,0 +1,143 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+#ifndef TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_TENSOR_REDUCED_INSTANTIATIONS_GOOGLE_H_
+#define TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_TENSOR_REDUCED_INSTANTIATIONS_GOOGLE_H_
+
+#define EIGEN_USE_CUSTOM_THREAD_POOL
+#define EIGEN_USE_THREADS
+
+// clang-format off
+
+#include <stdint.h>
+
+#include <cstddef>
+#include <cstring>
+#include <cmath>
+#include <random>
+#include <atomic>
+#include <condition_variable> // NOLINT(build/c++11)
+#include <mutex> // NOLINT(build/c++11)
+#include <thread> // NOLINT(build/c++11)
+#include <functional>
+
+#ifdef _WIN32
+#include <windows.h>
+#elif defined(__APPLE__)
+#include <mach/mach_time.h>
+#else
+#include <time.h>
+#endif
+
+
+// Because some programs may link Eigen in through other frameworks with
+// different flags, we can run into multiple definition issues if we don't have
+// a private namespace for our versions. This is a nasty hack, but a similar
+// approach is used elsewhere to handle the problem, so it should be stable.
+#define Eigen EigenForTFLite
+
+#include "Eigen/src/Core/util/StaticAssert.h"
+#include "unsupported/Eigen/CXX11/Core"
+#include "unsupported/Eigen/SpecialFunctions"
+
+#include "Eigen/src/Core/util/DisableStupidWarnings.h"
+
+#include "Eigen/Core"
+
+// Beware: the order of the include matters to some compilers. For example
+// TensorIndexList.h should be included before TensorDimensions.h in order to
+// use index lists to encode tensor dimensions when compiling with llvm.
+// We're defining this ourselves rather than using the Eigen Tensor header file
+// so that we can alter the macro definition of TENSOR_CONTRACTION_DISPATCH to
+// reduce binary size.
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorForwardDeclarations.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorMeta.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorCostModel.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/ThreadPoolInterface.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceType.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorNonBlockingThreadPool.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorIndexList.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDimensionList.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDimensions.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorInitializer.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorTraits.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorRandom.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorFunctors.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorUInt128.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorIntDiv.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorBlock.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorGlobalFunctions.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorStats.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorBase.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorEvaluator.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorExpr.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorReduction.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorArgMax.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorConcatenation.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionMappers.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionBlocking.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContraction.h"
+#undef TENSOR_CONTRACTION_DISPATCH
+#define TENSOR_CONTRACTION_DISPATCH(METHOD, ALIGNMENT, ARGS) \
+ if (this->m_lhs_inner_dim_contiguous && \
+ this->m_rhs_inner_dim_contiguous && \
+ !this->m_rhs_inner_dim_reordered) { \
+ METHOD<true, true, false, ALIGNMENT> ARGS; \
+ } else { \
+ eigen_assert(false && "Unsupported contraction formats"); \
+ }
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionThreadPool.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionCuda.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorConversion.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorConvolution.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorFFT.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorPatch.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorImagePatch.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorVolumePatch.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorBroadcasting.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorChipping.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorInflation.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorLayoutSwap.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorMorphing.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorPadding.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorReverse.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorShuffling.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorStriding.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorCustomOp.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorEvalTo.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorForcedEval.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorGenerator.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorAssign.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorScan.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorExecutor.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDevice.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorStorage.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/Tensor.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorFixedSize.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorMap.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorRef.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorReductionCuda.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorIO.h"
+
+#include "Eigen/src/Core/util/ReenableStupidWarnings.h"
+#endif // TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_TENSOR_REDUCED_INSTANTIATIONS_GOOGLE_H_
diff --git a/tensorflow/contrib/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h b/tensorflow/contrib/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h
new file mode 100644
index 0000000..3141cd3
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h
@@ -0,0 +1,169 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+
+// This is essentially unsupported/CXX11/Eigen/Tensor.h
+// TODO(petewarden) - move this to a common location in Eigen itself.
+
+// clang-format off
+
+
+#ifndef TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_TENSOR_REDUCED_INSTANTIATIONS_OSS_H_
+#define TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_TENSOR_REDUCED_INSTANTIATIONS_OSS_H_
+
+
+#include "Eigen/Core"
+
+#if defined(EIGEN_USE_SYCL)
+#undef min
+#undef max
+#undef isnan
+#undef isinf
+#undef isfinite
+#include <CL/sycl.hpp>
+#include <iostream>
+#include <map>
+#include <memory>
+#include <utility>
+#endif
+#include <cmath>
+#include <cstddef>
+#include <cstring>
+
+
+
+
+
+#ifdef _WIN32
+typedef __int16 int16_t;
+typedef unsigned __int16 uint16_t;
+typedef __int32 int32_t;
+typedef unsigned __int32 uint32_t;
+typedef __int64 int64_t;
+typedef unsigned __int64 uint64_t;
+#include <windows.h>
+#else
+#include <stdint.h>
+#include <unistd.h>
+#endif
+
+#if __cplusplus > 199711 || EIGEN_COMP_MSVC >= 1900
+#include <random>
+#endif
+
+#ifdef _WIN32
+#include <windows.h>
+#elif defined(__APPLE__)
+#include <mach/mach_time.h>
+#else
+#include <time.h>
+#endif
+
+// #if defined(EIGEN_USE_LIBXSMM)
+// #include "libxsmm.h"
+// #endif
+
+#ifdef EIGEN_USE_THREADS
+#include "unsupported/Eigen/CXX11/ThreadPool"
+#endif
+
+
+#include "Eigen/src/Core/util/DisableStupidWarnings.h"
+
+#include "unsupported/Eigen/SpecialFunctions"
+#include "unsupported/Eigen/CXX11/src/util/CXX11Meta.h"
+#include "unsupported/Eigen/CXX11/src/util/MaxSizeVector.h"
+
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorMacros.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorForwardDeclarations.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorMeta.h"
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorFunctors.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorCostModel.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceDefault.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceThreadPool.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceCuda.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceSycl.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorIndexList.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDimensionList.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDimensions.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorInitializer.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorTraits.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorRandom.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorUInt128.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorIntDiv.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorGlobalFunctions.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorBase.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorEvaluator.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorExpr.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorReduction.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorReductionCuda.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorArgMax.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorConcatenation.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionMapper.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionBlocking.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContraction.h"
+
+#undef TENSOR_CONTRACTION_DISPATCH
+#define TENSOR_CONTRACTION_DISPATCH(METHOD, ALIGNMENT, ARGS) \
+ if (this->m_lhs_inner_dim_contiguous && \
+ this->m_rhs_inner_dim_contiguous && \
+ !this->m_rhs_inner_dim_reordered) { \
+ METHOD<true, true, false, ALIGNMENT> ARGS; \
+ } else { \
+ eigen_assert(false && "Unsupported contraction formats"); \
+ }
+
+
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionThreadPool.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionCuda.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorConversion.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorConvolution.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorFFT.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorPatch.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorImagePatch.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorVolumePatch.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorBroadcasting.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorChipping.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorInflation.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorLayoutSwap.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorMorphing.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorPadding.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorReverse.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorShuffling.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorStriding.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorCustomOp.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorEvalTo.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorForcedEval.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorGenerator.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorAssign.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorScan.h"
+// No TensorTrace.h exsists in current Eigen project in Android.
+// TODO: uncomment once Eigen got updated.
+// #include "unsupported/Eigen/CXX11/src/Tensor/TensorTrace.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorSycl.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorExecutor.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDevice.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorStorage.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/Tensor.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorFixedSize.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorMap.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorRef.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorIO.h"
+
+#include "Eigen/src/Core/util/ReenableStupidWarnings.h"
+
+
+#endif // TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_EIGEN_TENSOR_REDUCED_INSTANTIATIONS_OSS_H_
diff --git a/tensorflow/contrib/lite/kernels/internal/optimized/optimized_ops.h b/tensorflow/contrib/lite/kernels/internal/optimized/optimized_ops.h
new file mode 100644
index 0000000..c86e549
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/internal/optimized/optimized_ops.h
@@ -0,0 +1,6564 @@
+/* Copyright 2018 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+#ifndef TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_OPTIMIZED_OPS_H_
+#define TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_OPTIMIZED_OPS_H_
+
+#include <assert.h>
+#include <stdint.h>
+#include <sys/types.h>
+#include <algorithm>
+#include <cmath>
+#include <limits>
+#include <memory>
+#include <tuple>
+#include <type_traits>
+
+#include "Eigen/Core"
+#include "unsupported/Eigen/CXX11/Tensor"
+#include "fixedpoint/fixedpoint.h"
+#include "public/gemmlowp.h"
+#include "tensorflow/contrib/lite/kernels/internal/common.h"
+#include "tensorflow/contrib/lite/kernels/internal/quantization_util.h"
+#include "tensorflow/contrib/lite/kernels/internal/reference/reference_ops.h"
+#include "tensorflow/contrib/lite/kernels/internal/round.h"
+#include "tensorflow/contrib/lite/kernels/internal/strided_slice_logic.h"
+#include "tensorflow/contrib/lite/kernels/internal/tensor_utils.h"
+#include "tensorflow/contrib/lite/kernels/internal/types.h"
+
+namespace tflite {
+namespace optimized_ops {
+
+// Unoptimized reference ops:
+using reference_ops::ArgMax;
+using reference_ops::ArgMinMax;
+using reference_ops::Broadcast4DSlowGreater;
+using reference_ops::Broadcast4DSlowGreaterEqual;
+using reference_ops::Broadcast4DSlowGreaterEqualWithScaling;
+using reference_ops::Broadcast4DSlowGreaterWithScaling;
+using reference_ops::Broadcast4DSlowLess;
+using reference_ops::Broadcast4DSlowLessEqual;
+using reference_ops::Broadcast4DSlowLessEqualWithScaling;
+using reference_ops::Broadcast4DSlowLessWithScaling;
+using reference_ops::BroadcastAdd4DSlow;
+using reference_ops::BroadcastGreater;
+using reference_ops::BroadcastGreaterEqual;
+using reference_ops::BroadcastLess;
+using reference_ops::BroadcastLessEqual;
+using reference_ops::BroadcastMul4DSlow;
+using reference_ops::BroadcastSub4DSlow;
+using reference_ops::Concatenation;
+using reference_ops::DepthConcatenation;
+using reference_ops::Dequantize;
+using reference_ops::Div;
+using reference_ops::FakeQuant;
+using reference_ops::Gather;
+using reference_ops::Greater;
+using reference_ops::GreaterEqual;
+using reference_ops::GreaterEqualWithScaling;
+using reference_ops::GreaterWithScaling;
+using reference_ops::Less;
+using reference_ops::LessEqual;
+using reference_ops::LessEqualWithScaling;
+using reference_ops::LessWithScaling;
+using reference_ops::Mean;
+using reference_ops::RankOneSelect;
+using reference_ops::Relu1;
+using reference_ops::Relu6;
+using reference_ops::ReluX;
+using reference_ops::Select;
+using reference_ops::SpaceToBatchND;
+using reference_ops::Split;
+using reference_ops::StridedSlice;
+using reference_ops::TensorFlowSplit;
+using reference_ops::Transpose;
+
+// TODO(b/80247582) Remove this constant.
+// This will be phased out as the shifts are revised with more thought. Use of a
+// constant enables us to track progress on this work.
+//
+// Used to convert from old-style shifts (right) to new-style (left).
+static constexpr int kReverseShift = -1;
+
+// Make a local VectorMap typedef allowing to map a float array
+// as a Eigen vector expression. The std::conditional here is to
+// construct the suitable Eigen type for the constness of the
+// data. Indeed, for const data, we need to produce
+// Eigen::Map<const Eigen::Matrix<float, ...>>
+// and not the more straightforward
+// Eigen::Map<Eigen::Matrix<const float, ...>>
+template <typename Scalar>
+using VectorMap = typename std::conditional<
+ std::is_const<Scalar>::value,
+ Eigen::Map<const Eigen::Matrix<typename std::remove_const<Scalar>::type,
+ Eigen::Dynamic, 1>>,
+ Eigen::Map<Eigen::Matrix<Scalar, Eigen::Dynamic, 1>>>::type;
+
+template <typename Scalar>
+VectorMap<Scalar> MapAsVector(Scalar* data, const RuntimeShape& shape) {
+ const int size = shape.FlatSize();
+ return VectorMap<Scalar>(data, size, 1);
+}
+
+template <typename Scalar, int N>
+VectorMap<Scalar> MapAsVector(Scalar* data, const Dims<N>& dims) {
+ const int size = FlatSize(dims);
+ return VectorMap<Scalar>(data, size, 1);
+}
+
+// Make a local VectorMap typedef allowing to map a float array
+// as a Eigen matrix expression. The same explanation as for VectorMap
+// above also applies here.
+template <typename Scalar>
+using MatrixMap = typename std::conditional<
+ std::is_const<Scalar>::value,
+ Eigen::Map<const Eigen::Matrix<typename std::remove_const<Scalar>::type,
+ Eigen::Dynamic, Eigen::Dynamic>>,
+ Eigen::Map<Eigen::Matrix<Scalar, Eigen::Dynamic, Eigen::Dynamic>>>::type;
+
+template <typename Scalar>
+MatrixMap<Scalar> MapAsMatrixWithLastDimAsRows(Scalar* data,
+ const RuntimeShape& shape) {
+ const int dims_count = shape.DimensionsCount();
+ const int rows = shape.Dims(dims_count - 1);
+ const int cols = FlatSizeSkipDim(shape, dims_count - 1);
+ return MatrixMap<Scalar>(data, rows, cols);
+}
+
+template <typename Scalar>
+MatrixMap<Scalar> MapAsMatrixWithFirstDimAsCols(Scalar* data,
+ const RuntimeShape& shape) {
+ const int cols = shape.Dims(0);
+ const int rows = FlatSizeSkipDim(shape, 0);
+ return MatrixMap<Scalar>(data, rows, cols);
+}
+
+template <typename Scalar, int N>
+MatrixMap<Scalar> MapAsMatrixWithFirstDimAsRows(Scalar* data,
+ const Dims<N>& dims) {
+ const int rows = dims.sizes[0];
+ int cols = 1;
+ for (int d = 1; d < N; d++) {
+ cols *= dims.sizes[d];
+ }
+ return MatrixMap<Scalar>(data, rows, cols);
+}
+
+template <typename Scalar, int N>
+MatrixMap<Scalar> MapAsMatrixWithLastDimAsCols(Scalar* data,
+ const Dims<N>& dims) {
+ const int cols = dims.sizes[N - 1];
+ int rows = 1;
+ for (int d = 0; d < N - 1; d++) {
+ rows *= dims.sizes[d];
+ }
+ return MatrixMap<Scalar>(data, rows, cols);
+}
+
+template <typename Scalar>
+using ArrayMap = typename std::conditional<
+ std::is_const<Scalar>::value,
+ Eigen::Map<const Eigen::Array<typename std::remove_const<Scalar>::type,
+ Eigen::Dynamic, Eigen::Dynamic>>,
+ Eigen::Map<Eigen::Array<Scalar, Eigen::Dynamic, Eigen::Dynamic>>>::type;
+
+template <typename Scalar, int N>
+ArrayMap<Scalar> MapAsArrayWithFirstDimAsRows(Scalar* data,
+ const Dims<N>& dims) {
+ const int rows = dims.sizes[0];
+ int cols = 1;
+ for (int d = 1; d < N; d++) {
+ cols *= dims.sizes[d];
+ }
+ return ArrayMap<Scalar>(data, rows, cols);
+}
+
+template <typename Scalar>
+ArrayMap<Scalar> MapAsArrayWithLastDimAsRows(Scalar* data,
+ const RuntimeShape& shape) {
+ const int dims_count = shape.DimensionsCount();
+ const int rows = shape.Dims(dims_count - 1);
+ const int cols = FlatSizeSkipDim(shape, dims_count - 1);
+ return ArrayMap<Scalar>(data, rows, cols);
+}
+
+// Copied from tensorflow/core/framework/tensor_types.h
+template <typename T, int NDIMS = 1, typename IndexType = Eigen::DenseIndex>
+struct TTypes {
+ // Rank-1 tensor (vector) of scalar type T.
+ typedef Eigen::TensorMap<Eigen::Tensor<T, 1, Eigen::RowMajor, IndexType>,
+ Eigen::Aligned>
+ Flat;
+ typedef Eigen::TensorMap<
+ Eigen::Tensor<const T, 2, Eigen::RowMajor, IndexType>>
+ UnalignedConstMatrix;
+};
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+// TODO(b/62193649): this function is only needed as long
+// as we have the --variable_batch hack.
+template <typename Scalar, int N>
+MatrixMap<Scalar> MapAsMatrixWithGivenNumberOfRows(Scalar* data,
+ const Dims<N>& dims,
+ int rows) {
+ const int flatsize = FlatSize(dims);
+ TFLITE_DCHECK((flatsize % rows) == 0);
+ const int cols = flatsize / rows;
+ return MatrixMap<Scalar>(data, rows, cols);
+}
+
+// TODO(b/62193649): this function is only needed as long
+// as we have the --variable_batch hack.
+template <typename Scalar>
+MatrixMap<Scalar> MapAsMatrixWithGivenNumberOfRows(Scalar* data,
+ const RuntimeShape& shape,
+ int rows) {
+ const int flatsize = shape.FlatSize();
+ TFLITE_DCHECK_EQ(flatsize % rows, 0);
+ const int cols = flatsize / rows;
+ return MatrixMap<Scalar>(data, rows, cols);
+}
+
+// This is like the template-parameter version, except that the power-of-two is
+// passed as a function parameter. The template version is to be preferred,
+// since some target hardware optimizations depend on the range of the exponent.
+template <typename IntegerType>
+IntegerType SaturatingRoundingMultiplyByPOTParam(IntegerType x, int exponent) {
+ if (exponent == 0) {
+ return x;
+ }
+ using ScalarIntegerType =
+ typename gemmlowp::FixedPointRawTypeTraits<IntegerType>::ScalarRawType;
+ const IntegerType min =
+ gemmlowp::Dup<IntegerType>(std::numeric_limits<ScalarIntegerType>::min());
+ const IntegerType max =
+ gemmlowp::Dup<IntegerType>(std::numeric_limits<ScalarIntegerType>::max());
+ const int ScalarIntegerTypeBits = 8 * sizeof(ScalarIntegerType);
+
+ const std::int32_t threshold =
+ ((1 << (ScalarIntegerTypeBits - 1 - exponent)) - 1);
+ const IntegerType positive_mask =
+ gemmlowp::MaskIfGreaterThan(x, gemmlowp::Dup<IntegerType>(threshold));
+ const IntegerType negative_mask =
+ gemmlowp::MaskIfLessThan(x, gemmlowp::Dup<IntegerType>(-threshold));
+
+ IntegerType result = gemmlowp::ShiftLeft(x, exponent);
+ result = gemmlowp::SelectUsingMask(positive_mask, max, result);
+ result = gemmlowp::SelectUsingMask(negative_mask, min, result);
+ return result;
+}
+
+// This is like the template-parameter version, except that the power-of-two is
+// passed as a function parameter. See raw-integer version for further comments.
+template <typename tRawType, int tIntegerBits>
+gemmlowp::FixedPoint<tRawType, tIntegerBits>
+SaturatingRoundingMultiplyByPOTParam(
+ gemmlowp::FixedPoint<tRawType, tIntegerBits> a, int exponent) {
+ return gemmlowp::FixedPoint<tRawType, tIntegerBits>::FromRaw(
+ SaturatingRoundingMultiplyByPOTParam(a.raw(), exponent));
+}
+
+inline bool AreSameDims(const Dims<4>& dims1, const Dims<4>& dims2) {
+ for (int i = 0; i < 4; i++) {
+ if (dims1.sizes[i] != dims2.sizes[i]) {
+ return false;
+ }
+ }
+ return true;
+}
+
+inline void AddBiasAndEvalActivationFunction(float output_activation_min,
+ float output_activation_max,
+ const RuntimeShape& bias_shape,
+ const float* bias_data,
+ const RuntimeShape& array_shape,
+ float* array_data) {
+#ifdef USE_NEON
+ gemmlowp::ScopedProfilingLabel label("AddBiasAndEvalActivationFunction");
+ const int bias_size = bias_shape.FlatSize();
+ const int array_size = array_shape.FlatSize();
+ TFLITE_DCHECK_EQ((array_size % bias_size), 0);
+ float* array_ptr = array_data;
+ float* array_end_ptr = array_ptr + array_size;
+ const auto activation_min = vdupq_n_f32(output_activation_min);
+ const auto activation_max = vdupq_n_f32(output_activation_max);
+ for (; array_ptr != array_end_ptr; array_ptr += bias_size) {
+ int i = 0;
+ for (; i <= bias_size - 16; i += 16) {
+ auto b0 = vld1q_f32(bias_data + i);
+ auto b1 = vld1q_f32(bias_data + i + 4);
+ auto b2 = vld1q_f32(bias_data + i + 8);
+ auto b3 = vld1q_f32(bias_data + i + 12);
+ auto a0 = vld1q_f32(array_ptr + i);
+ auto a1 = vld1q_f32(array_ptr + i + 4);
+ auto a2 = vld1q_f32(array_ptr + i + 8);
+ auto a3 = vld1q_f32(array_ptr + i + 12);
+ auto x0 = vaddq_f32(a0, b0);
+ auto x1 = vaddq_f32(a1, b1);
+ auto x2 = vaddq_f32(a2, b2);
+ auto x3 = vaddq_f32(a3, b3);
+ x0 = vmaxq_f32(activation_min, x0);
+ x1 = vmaxq_f32(activation_min, x1);
+ x2 = vmaxq_f32(activation_min, x2);
+ x3 = vmaxq_f32(activation_min, x3);
+ x0 = vminq_f32(activation_max, x0);
+ x1 = vminq_f32(activation_max, x1);
+ x2 = vminq_f32(activation_max, x2);
+ x3 = vminq_f32(activation_max, x3);
+ vst1q_f32(array_ptr + i, x0);
+ vst1q_f32(array_ptr + i + 4, x1);
+ vst1q_f32(array_ptr + i + 8, x2);
+ vst1q_f32(array_ptr + i + 12, x3);
+ }
+ for (; i <= bias_size - 4; i += 4) {
+ auto b = vld1q_f32(bias_data + i);
+ auto a = vld1q_f32(array_ptr + i);
+ auto x = vaddq_f32(a, b);
+ x = vmaxq_f32(activation_min, x);
+ x = vminq_f32(activation_max, x);
+ vst1q_f32(array_ptr + i, x);
+ }
+ for (; i < bias_size; i++) {
+ array_ptr[i] = ActivationFunctionWithMinMax(array_ptr[i] + bias_data[i],
+ output_activation_min,
+ output_activation_max);
+ }
+ }
+#else // not NEON
+ gemmlowp::ScopedProfilingLabel label("AddBiasAndEvalActivationFunction");
+ const int bias_size = bias_shape.FlatSize();
+ const int array_size = array_shape.FlatSize();
+ TFLITE_DCHECK_EQ((array_size % bias_size), 0);
+ for (int array_offset = 0; array_offset < array_size;
+ array_offset += bias_size) {
+ for (int i = 0; i < bias_size; i++) {
+ array_data[array_offset + i] = ActivationFunctionWithMinMax(
+ array_data[array_offset + i] + bias_data[i], output_activation_min,
+ output_activation_max);
+ }
+ }
+#endif
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void AddBiasAndEvalActivationFunction(const float* bias_data,
+ const Dims<4>& bias_dims,
+ float* array_data,
+ const Dims<4>& array_dims,
+ float output_activation_min,
+ float output_activation_max) {
+ AddBiasAndEvalActivationFunction(output_activation_min, output_activation_max,
+ DimsToShape(bias_dims), bias_data,
+ DimsToShape(array_dims), array_data);
+}
+
+// Note: This to be converted to RuntimeShapes along with Conv.
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+void AddBiasAndEvalActivationFunction(const float* bias_data,
+ const Dims<4>& bias_dims,
+ float* array_data,
+ const Dims<4>& array_dims) {
+ float output_activation_min, output_activation_max;
+ GetActivationMinMax(Ac, &output_activation_min, &output_activation_max);
+ AddBiasAndEvalActivationFunction(bias_data, bias_dims, array_data, array_dims,
+ output_activation_min,
+ output_activation_max);
+}
+
+template <typename Lhs, typename Rhs, typename Result>
+void Gemm(const Eigen::MatrixBase<Lhs>& lhs, const Eigen::MatrixBase<Rhs>& rhs,
+ Eigen::MatrixBase<Result>* result) {
+ if (rhs.cols() == 1) {
+ gemmlowp::ScopedProfilingLabel label("GEMV");
+ result->col(0).noalias() = lhs * rhs.col(0);
+ } else {
+ gemmlowp::ScopedProfilingLabel label("GEMM");
+ result->noalias() = lhs * rhs;
+ }
+}
+
+inline void optimized_ops_preload_l1_stream(const uint8* ptr) {
+#ifdef GEMMLOWP_ARM_64
+ asm volatile("prfm pldl1strm, [%[ptr]]\n" ::[ptr] "r"(ptr) :);
+#else
+ gemmlowp::Prefetch(ptr);
+#endif
+}
+
+inline void optimized_ops_preload_l1_keep(const uint8* ptr) {
+#ifdef GEMMLOWP_ARM_64
+ asm volatile("prfm pldl1keep, [%[ptr]]\n" ::[ptr] "r"(ptr) :);
+#else
+ gemmlowp::Prefetch(ptr);
+#endif
+}
+
+#ifdef GEMMLOWP_NEON
+// In the common case of batch size 1, a fully-connected node degenerates
+// to a matrix*vector product. LSTM cells contain a fully-connected node;
+// when quantized, this becomes a special type of GEMV operation where
+// the output is 16bit-quantized, thus needs its own special path.
+inline void GEMVForLstmCell(const RuntimeShape& input_shape,
+ const uint8* input_data,
+ const RuntimeShape& weights_shape,
+ const uint8* weights_data, uint8 weights_zero_point,
+ const RuntimeShape& bias_shape,
+ const int32* bias_data, int32 accum_multiplier,
+ int accum_shift, const RuntimeShape& output_shape,
+ int16* output_data) {
+ gemmlowp::ScopedProfilingLabel label("GEMVForLstmCell");
+ TFLITE_DCHECK_GE(input_shape.DimensionsCount(), 1);
+ TFLITE_DCHECK_GE(weights_shape.DimensionsCount(), 2);
+ TFLITE_DCHECK_GE(output_shape.DimensionsCount(), 1);
+ const int output_dim_count = output_shape.DimensionsCount();
+ const int weights_dim_count = weights_shape.DimensionsCount();
+ TFLITE_DCHECK_EQ(FlatSizeSkipDim(output_shape, output_dim_count - 1), 1);
+ const int input_size = FlatSizeSkipDim(input_shape, 0);
+ const int output_size = MatchingDim(weights_shape, weights_dim_count - 2,
+ output_shape, output_dim_count - 1);
+ // This special fast path for quantized LSTM cells does not try to support
+ // odd sizes that we haven't encountered in any LSTM cell, that would
+ // require special code (that would go untested until any LSTM cell
+ // exercises it). We just guard our assumptions about size evenness with
+ // the following assertions.
+ TFLITE_DCHECK(!(output_size % 4));
+ TFLITE_DCHECK(!(input_size % 8));
+ const int32* bias_ptr = bias_data;
+ int16* output_ptr = output_data;
+ for (int out = 0; out < output_size; out += 4) {
+ int32x4_t acc_0 = vdupq_n_s32(0);
+ int32x4_t acc_1 = vdupq_n_s32(0);
+ int32x4_t acc_2 = vdupq_n_s32(0);
+ int32x4_t acc_3 = vdupq_n_s32(0);
+ const int16x8_t input_offset_vec = vdupq_n_s16(-128);
+ const int16x8_t weights_offset_vec = vdupq_n_s16(-weights_zero_point);
+ int in = 0;
+ // Handle 16 levels of depth at a time.
+ for (; in <= input_size - 16; in += 16) {
+ const uint8x16_t input_val_u8 = vld1q_u8(input_data + in);
+ const uint8* weights_ptr = weights_data + in + out * input_size;
+ uint8x16_t weights_val_u8_0 = vld1q_u8(weights_ptr + 0 * input_size);
+ uint8x16_t weights_val_u8_1 = vld1q_u8(weights_ptr + 1 * input_size);
+ uint8x16_t weights_val_u8_2 = vld1q_u8(weights_ptr + 2 * input_size);
+ uint8x16_t weights_val_u8_3 = vld1q_u8(weights_ptr + 3 * input_size);
+ int16x8_t input_val_0, input_val_1;
+ const uint8x8_t low = vget_low_u8(input_val_u8);
+ const uint8x8_t high = vget_high_u8(input_val_u8);
+ input_val_0 = vreinterpretq_s16_u16(vmovl_u8(low));
+ input_val_1 = vreinterpretq_s16_u16(vmovl_u8(high));
+ input_val_0 = vaddq_s16(input_val_0, input_offset_vec);
+ input_val_1 = vaddq_s16(input_val_1, input_offset_vec);
+ int16x8_t weights_val_0_0, weights_val_1_0, weights_val_2_0,
+ weights_val_3_0;
+ int16x8_t weights_val_0_1, weights_val_1_1, weights_val_2_1,
+ weights_val_3_1;
+ weights_val_0_0 = vaddq_s16(
+ vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(weights_val_u8_0))),
+ weights_offset_vec);
+ weights_val_0_1 = vaddq_s16(
+ vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(weights_val_u8_0))),
+ weights_offset_vec);
+ weights_val_1_0 = vaddq_s16(
+ vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(weights_val_u8_1))),
+ weights_offset_vec);
+ weights_val_1_1 = vaddq_s16(
+ vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(weights_val_u8_1))),
+ weights_offset_vec);
+ weights_val_2_0 = vaddq_s16(
+ vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(weights_val_u8_2))),
+ weights_offset_vec);
+ weights_val_2_1 = vaddq_s16(
+ vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(weights_val_u8_2))),
+ weights_offset_vec);
+ weights_val_3_0 = vaddq_s16(
+ vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(weights_val_u8_3))),
+ weights_offset_vec);
+ weights_val_3_1 = vaddq_s16(
+ vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(weights_val_u8_3))),
+ weights_offset_vec);
+ acc_0 = vmlal_s16(acc_0, vget_low_s16(weights_val_0_0),
+ vget_low_s16(input_val_0));
+ acc_1 = vmlal_s16(acc_1, vget_low_s16(weights_val_1_0),
+ vget_low_s16(input_val_0));
+ acc_2 = vmlal_s16(acc_2, vget_low_s16(weights_val_2_0),
+ vget_low_s16(input_val_0));
+ acc_3 = vmlal_s16(acc_3, vget_low_s16(weights_val_3_0),
+ vget_low_s16(input_val_0));
+ acc_0 = vmlal_s16(acc_0, vget_high_s16(weights_val_0_0),
+ vget_high_s16(input_val_0));
+ acc_1 = vmlal_s16(acc_1, vget_high_s16(weights_val_1_0),
+ vget_high_s16(input_val_0));
+ acc_2 = vmlal_s16(acc_2, vget_high_s16(weights_val_2_0),
+ vget_high_s16(input_val_0));
+ acc_3 = vmlal_s16(acc_3, vget_high_s16(weights_val_3_0),
+ vget_high_s16(input_val_0));
+ acc_0 = vmlal_s16(acc_0, vget_low_s16(weights_val_0_1),
+ vget_low_s16(input_val_1));
+ acc_1 = vmlal_s16(acc_1, vget_low_s16(weights_val_1_1),
+ vget_low_s16(input_val_1));
+ acc_2 = vmlal_s16(acc_2, vget_low_s16(weights_val_2_1),
+ vget_low_s16(input_val_1));
+ acc_3 = vmlal_s16(acc_3, vget_low_s16(weights_val_3_1),
+ vget_low_s16(input_val_1));
+ acc_0 = vmlal_s16(acc_0, vget_high_s16(weights_val_0_1),
+ vget_high_s16(input_val_1));
+ acc_1 = vmlal_s16(acc_1, vget_high_s16(weights_val_1_1),
+ vget_high_s16(input_val_1));
+ acc_2 = vmlal_s16(acc_2, vget_high_s16(weights_val_2_1),
+ vget_high_s16(input_val_1));
+ acc_3 = vmlal_s16(acc_3, vget_high_s16(weights_val_3_1),
+ vget_high_s16(input_val_1));
+ }
+ // Handle 8 levels of depth at a time.
+ for (; in < input_size; in += 8) {
+ const uint8x8_t input_val_u8 = vld1_u8(input_data + in);
+ const uint8* weights_ptr = weights_data + in + out * input_size;
+ uint8x8_t weights_val_u8_0 = vld1_u8(weights_ptr + 0 * input_size);
+ uint8x8_t weights_val_u8_1 = vld1_u8(weights_ptr + 1 * input_size);
+ uint8x8_t weights_val_u8_2 = vld1_u8(weights_ptr + 2 * input_size);
+ uint8x8_t weights_val_u8_3 = vld1_u8(weights_ptr + 3 * input_size);
+ int16x8_t input_val;
+ input_val = vreinterpretq_s16_u16(vmovl_u8(input_val_u8));
+ input_val = vaddq_s16(input_val, input_offset_vec);
+ int16x8_t weights_val_0, weights_val_1, weights_val_2, weights_val_3;
+ weights_val_0 =
+ vaddq_s16(vreinterpretq_s16_u16(vmovl_u8(weights_val_u8_0)),
+ weights_offset_vec);
+ weights_val_1 =
+ vaddq_s16(vreinterpretq_s16_u16(vmovl_u8(weights_val_u8_1)),
+ weights_offset_vec);
+ weights_val_2 =
+ vaddq_s16(vreinterpretq_s16_u16(vmovl_u8(weights_val_u8_2)),
+ weights_offset_vec);
+ weights_val_3 =
+ vaddq_s16(vreinterpretq_s16_u16(vmovl_u8(weights_val_u8_3)),
+ weights_offset_vec);
+ acc_0 = vmlal_s16(acc_0, vget_low_s16(weights_val_0),
+ vget_low_s16(input_val));
+ acc_1 = vmlal_s16(acc_1, vget_low_s16(weights_val_1),
+ vget_low_s16(input_val));
+ acc_2 = vmlal_s16(acc_2, vget_low_s16(weights_val_2),
+ vget_low_s16(input_val));
+ acc_3 = vmlal_s16(acc_3, vget_low_s16(weights_val_3),
+ vget_low_s16(input_val));
+ acc_0 = vmlal_s16(acc_0, vget_high_s16(weights_val_0),
+ vget_high_s16(input_val));
+ acc_1 = vmlal_s16(acc_1, vget_high_s16(weights_val_1),
+ vget_high_s16(input_val));
+ acc_2 = vmlal_s16(acc_2, vget_high_s16(weights_val_2),
+ vget_high_s16(input_val));
+ acc_3 = vmlal_s16(acc_3, vget_high_s16(weights_val_3),
+ vget_high_s16(input_val));
+ }
+ // Horizontally reduce accumulators
+ int32x2_t pairwise_reduced_acc_0, pairwise_reduced_acc_1,
+ pairwise_reduced_acc_2, pairwise_reduced_acc_3;
+ pairwise_reduced_acc_0 =
+ vpadd_s32(vget_low_s32(acc_0), vget_high_s32(acc_0));
+ pairwise_reduced_acc_1 =
+ vpadd_s32(vget_low_s32(acc_1), vget_high_s32(acc_1));
+ pairwise_reduced_acc_2 =
+ vpadd_s32(vget_low_s32(acc_2), vget_high_s32(acc_2));
+ pairwise_reduced_acc_3 =
+ vpadd_s32(vget_low_s32(acc_3), vget_high_s32(acc_3));
+ const int32x2_t reduced_lo =
+ vpadd_s32(pairwise_reduced_acc_0, pairwise_reduced_acc_1);
+ const int32x2_t reduced_hi =
+ vpadd_s32(pairwise_reduced_acc_2, pairwise_reduced_acc_3);
+ int32x4_t reduced = vcombine_s32(reduced_lo, reduced_hi);
+ // Add bias values.
+ int32x4_t bias_vec = vld1q_s32(bias_ptr);
+ bias_ptr += 4;
+ reduced = vaddq_s32(reduced, bias_vec);
+ int left_shift = accum_shift > 0 ? accum_shift : 0;
+ int right_shift = accum_shift > 0 ? 0 : -accum_shift;
+ reduced = vshlq_s32(reduced, vdupq_n_s32(left_shift));
+ // Multiply by the fixed-point multiplier.
+ reduced = vqrdmulhq_n_s32(reduced, accum_multiplier);
+ // Rounding-shift-right.
+ using gemmlowp::RoundingDivideByPOT;
+ reduced = RoundingDivideByPOT(reduced, right_shift);
+ // Narrow values down to 16 bit signed.
+ const int16x4_t res16 = vqmovn_s32(reduced);
+ vst1_s16(output_ptr, res16);
+ output_ptr += 4;
+ }
+}
+#endif
+
+#ifdef GEMMLOWP_NEON
+inline void GEMVForLstmCellWithSymmetricRange(
+ const RuntimeShape& input_shape, const uint8* input_data,
+ const RuntimeShape& weights_shape, const uint8* weights_data,
+ const RuntimeShape& bias_shape, const int32* bias_data,
+ int32 accum_multiplier, int accum_shift, const RuntimeShape& output_shape,
+ int16* output_data) {
+ gemmlowp::ScopedProfilingLabel label("GEMVForLstmCellWithSymmetricRange");
+ TFLITE_DCHECK_GE(input_shape.DimensionsCount(), 1);
+ TFLITE_DCHECK_GE(weights_shape.DimensionsCount(), 2);
+ TFLITE_DCHECK_GE(output_shape.DimensionsCount(), 1);
+ const int output_dim_count = output_shape.DimensionsCount();
+ const int weights_dim_count = weights_shape.DimensionsCount();
+ TFLITE_DCHECK_EQ(FlatSizeSkipDim(output_shape, output_dim_count - 1), 1);
+ const int input_size = FlatSizeSkipDim(input_shape, 0);
+ const int output_size = MatchingDim(weights_shape, weights_dim_count - 2,
+ output_shape, output_dim_count - 1);
+ // This special fast path for quantized LSTM cells does not try to support
+ // odd sizes that we haven't encountered in any LSTM cell, that would
+ // require special code (that would go untested until any LSTM cell
+ // exercises it). We just guard our assumptions about size evenness with
+ // the following assertions.
+ TFLITE_DCHECK(!(output_size % 4));
+ TFLITE_DCHECK(!(input_size % 64));
+ const int32* bias_ptr = bias_data;
+ int16* output_ptr = output_data;
+ const uint8x16_t signbit = vdupq_n_u8(0x80);
+ for (int in = 0; in < input_size; in += 32) {
+ optimized_ops_preload_l1_keep(input_data + in);
+ }
+ const int left_shift = accum_shift > 0 ? accum_shift : 0;
+ const int right_shift = accum_shift > 0 ? 0 : -accum_shift;
+ for (int out = 0; out < output_size; out += 4) {
+ // Load the bias values
+ int32x4_t bias_vec = vld1q_s32(bias_ptr);
+ bias_ptr += 4;
+
+ // Clear accumulators. We use 2 accumulator registers per row,
+ // for 4 rows. row_accumRN is the N-th accumulator for row R.
+ int32x4_t row_accum00 = vdupq_n_s32(0);
+ int32x4_t row_accum01 = vdupq_n_s32(0);
+ int32x4_t row_accum10 = vdupq_n_s32(0);
+ int32x4_t row_accum11 = vdupq_n_s32(0);
+ int32x4_t row_accum20 = vdupq_n_s32(0);
+ int32x4_t row_accum21 = vdupq_n_s32(0);
+ int32x4_t row_accum30 = vdupq_n_s32(0);
+ int32x4_t row_accum31 = vdupq_n_s32(0);
+
+ // kReadAhead parametrizes how far ahead we prefetch weights into L1 cache.
+ const int kReadAhead = 512;
+ // Prefetch the first weights values.
+ for (int k = 0; k < kReadAhead; k += 64) {
+ optimized_ops_preload_l1_stream(weights_data + (out + 0) * input_size +
+ k);
+ optimized_ops_preload_l1_stream(weights_data + (out + 1) * input_size +
+ k);
+ optimized_ops_preload_l1_stream(weights_data + (out + 2) * input_size +
+ k);
+ optimized_ops_preload_l1_stream(weights_data + (out + 3) * input_size +
+ k);
+ }
+ // Loop along the rows, handling 64 bytes per iteration because that's
+ // cache line size on most current ARM-architecture CPUs.
+ for (int in = 0; in < input_size; in += 64) {
+ // Prefetch some future weights values.
+ optimized_ops_preload_l1_stream(weights_data + (out + 0) * input_size +
+ in + kReadAhead);
+ optimized_ops_preload_l1_stream(weights_data + (out + 1) * input_size +
+ in + kReadAhead);
+ optimized_ops_preload_l1_stream(weights_data + (out + 2) * input_size +
+ in + kReadAhead);
+ optimized_ops_preload_l1_stream(weights_data + (out + 3) * input_size +
+ in + kReadAhead);
+
+ // We will use 2 local 16-bit accumulators per row, for 2 rows.
+ // See below (*) for the rationale of processing only 2 rows at a time.
+ // local_accumRN is the N-th local accumulator for row R.
+ int16x8_t local_accum00;
+ int16x8_t local_accum01;
+ int16x8_t local_accum10;
+ int16x8_t local_accum11;
+
+ // Load 64 bytes of input activations values. Convert to signed int8
+ // by flipping the sign bit (i.e. subtracting 128, the required
+ // zero_point value).
+ int8x16_t input0 = vreinterpretq_s8_u8(
+ veorq_u8(signbit, vld1q_u8(input_data + in + 16 * 0)));
+ int8x16_t input1 = vreinterpretq_s8_u8(
+ veorq_u8(signbit, vld1q_u8(input_data + in + 16 * 1)));
+ int8x16_t input2 = vreinterpretq_s8_u8(
+ veorq_u8(signbit, vld1q_u8(input_data + in + 16 * 2)));
+ int8x16_t input3 = vreinterpretq_s8_u8(
+ veorq_u8(signbit, vld1q_u8(input_data + in + 16 * 3)));
+
+ // Beginning of the core accumulation. Notice how while we have 4
+ // rows to process, this code is taking care of only 2 rows at a time,
+ // thus being divided into two parts looking similar ("Rows 0 and 1" and
+ // "Rows 2 and 3").
+ //
+ // (*) The rationale for handling only 2 rows at a time is to avoid
+ // cache aliasing issues on 4-way set-associative L1-cache CPUs, such
+ // as Cortex-A53. With sufficiently large, power-of-two matrix dimensions,
+ // we may find ourselves in a situation where rows alias each other in
+ // the L1 cache, and moreover may also mutually alias with the input
+ // activations. If we try to load 4 rows at a time, together with the
+ // input activations, that may be 5 mutually-aliasing vectors, resulting
+ // in constant mutual eviction from L1 cache. Handling 2 rows at a time
+ // here largely mitigates these issues, and seems at least to be very
+ // effective on Cortex-A53:
+ // Before After
+ // big (Cortex-A73) 2.85 ms 2.85 ms
+ // little (Cortex-A53) 11.0 ms 5.16 ms
+
+ // Rows 0 and 1:
+ // Load 64 bytes of weights values from each row. Convert to signed int8
+ // by flipping the sign bit (i.e. subtracting 128, the required
+ // zero_point value).
+ int8x16_t weights00 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 0) * input_size + in + 16 * 0)));
+ int8x16_t weights01 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 0) * input_size + in + 16 * 1)));
+ int8x16_t weights02 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 0) * input_size + in + 16 * 2)));
+ int8x16_t weights03 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 0) * input_size + in + 16 * 3)));
+ int8x16_t weights10 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 1) * input_size + in + 16 * 0)));
+ int8x16_t weights11 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 1) * input_size + in + 16 * 1)));
+ int8x16_t weights12 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 1) * input_size + in + 16 * 2)));
+ int8x16_t weights13 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 1) * input_size + in + 16 * 3)));
+ // Multiply-accumulate into local 16-bit accumulators.
+ // We can accumulate two products without overflow because weights are
+ // required to never be -128, so each product is at most 127^2 in absolute
+ // value.
+ local_accum00 = vmull_s8(vget_low_s8(weights00), vget_low_s8(input0));
+ local_accum01 = vmull_s8(vget_low_s8(weights01), vget_low_s8(input1));
+ local_accum10 = vmull_s8(vget_low_s8(weights10), vget_low_s8(input0));
+ local_accum11 = vmull_s8(vget_low_s8(weights11), vget_low_s8(input1));
+ local_accum00 = vmlal_s8(local_accum00, vget_high_s8(weights00),
+ vget_high_s8(input0));
+ local_accum01 = vmlal_s8(local_accum01, vget_high_s8(weights01),
+ vget_high_s8(input1));
+ local_accum10 = vmlal_s8(local_accum10, vget_high_s8(weights10),
+ vget_high_s8(input0));
+ local_accum11 = vmlal_s8(local_accum11, vget_high_s8(weights11),
+ vget_high_s8(input1));
+ // Pairwise add and accumulate into 32-bit accumulators
+ row_accum00 = vpadalq_s16(row_accum00, local_accum00);
+ row_accum01 = vpadalq_s16(row_accum01, local_accum01);
+ row_accum10 = vpadalq_s16(row_accum10, local_accum10);
+ row_accum11 = vpadalq_s16(row_accum11, local_accum11);
+ // Multiply-accumulate into local 16-bit accumulators.
+ // We can accumulate two products without overflow because weights are
+ // required to never be -128, so each product is at most 127^2 in absolute
+ // value.
+ local_accum00 = vmull_s8(vget_low_s8(weights02), vget_low_s8(input2));
+ local_accum01 = vmull_s8(vget_low_s8(weights03), vget_low_s8(input3));
+ local_accum10 = vmull_s8(vget_low_s8(weights12), vget_low_s8(input2));
+ local_accum11 = vmull_s8(vget_low_s8(weights13), vget_low_s8(input3));
+ local_accum00 = vmlal_s8(local_accum00, vget_high_s8(weights02),
+ vget_high_s8(input2));
+ local_accum01 = vmlal_s8(local_accum01, vget_high_s8(weights03),
+ vget_high_s8(input3));
+ local_accum10 = vmlal_s8(local_accum10, vget_high_s8(weights12),
+ vget_high_s8(input2));
+ local_accum11 = vmlal_s8(local_accum11, vget_high_s8(weights13),
+ vget_high_s8(input3));
+ // Pairwise add and accumulate into 32-bit accumulators
+ row_accum00 = vpadalq_s16(row_accum00, local_accum00);
+ row_accum01 = vpadalq_s16(row_accum01, local_accum01);
+ row_accum10 = vpadalq_s16(row_accum10, local_accum10);
+ row_accum11 = vpadalq_s16(row_accum11, local_accum11);
+
+ // Rows 2 and 3:
+ // Load 64 bytes of weights values from each row. Convert to signed int8
+ // by flipping the sign bit (i.e. subtracting 128, the required
+ // zero_point value).
+ weights00 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 2) * input_size + in + 16 * 0)));
+ weights01 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 2) * input_size + in + 16 * 1)));
+ weights02 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 2) * input_size + in + 16 * 2)));
+ weights03 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 2) * input_size + in + 16 * 3)));
+ weights10 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 3) * input_size + in + 16 * 0)));
+ weights11 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 3) * input_size + in + 16 * 1)));
+ weights12 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 3) * input_size + in + 16 * 2)));
+ weights13 = vreinterpretq_s8_u8(veorq_u8(
+ signbit,
+ vld1q_u8(weights_data + (out + 3) * input_size + in + 16 * 3)));
+ // Multiply-accumulate into local 16-bit accumulators.
+ // We can accumulate two products without overflow because weights are
+ // required to never be -128, so each product is at most 127^2 in absolute
+ // value.
+ local_accum00 = vmull_s8(vget_low_s8(weights00), vget_low_s8(input0));
+ local_accum01 = vmull_s8(vget_low_s8(weights01), vget_low_s8(input1));
+ local_accum10 = vmull_s8(vget_low_s8(weights10), vget_low_s8(input0));
+ local_accum11 = vmull_s8(vget_low_s8(weights11), vget_low_s8(input1));
+ local_accum00 = vmlal_s8(local_accum00, vget_high_s8(weights00),
+ vget_high_s8(input0));
+ local_accum01 = vmlal_s8(local_accum01, vget_high_s8(weights01),
+ vget_high_s8(input1));
+ local_accum10 = vmlal_s8(local_accum10, vget_high_s8(weights10),
+ vget_high_s8(input0));
+ local_accum11 = vmlal_s8(local_accum11, vget_high_s8(weights11),
+ vget_high_s8(input1));
+ // Pairwise add and accumulate into 32-bit accumulators
+ row_accum20 = vpadalq_s16(row_accum20, local_accum00);
+ row_accum21 = vpadalq_s16(row_accum21, local_accum01);
+ row_accum30 = vpadalq_s16(row_accum30, local_accum10);
+ row_accum31 = vpadalq_s16(row_accum31, local_accum11);
+ // Multiply-accumulate into local 16-bit accumulators.
+ // We can accumulate two products without overflow because weights are
+ // required to never be -128, so each product is at most 127^2 in absolute
+ // value.
+ local_accum00 = vmull_s8(vget_low_s8(weights02), vget_low_s8(input2));
+ local_accum01 = vmull_s8(vget_low_s8(weights03), vget_low_s8(input3));
+ local_accum10 = vmull_s8(vget_low_s8(weights12), vget_low_s8(input2));
+ local_accum11 = vmull_s8(vget_low_s8(weights13), vget_low_s8(input3));
+ local_accum00 = vmlal_s8(local_accum00, vget_high_s8(weights02),
+ vget_high_s8(input2));
+ local_accum01 = vmlal_s8(local_accum01, vget_high_s8(weights03),
+ vget_high_s8(input3));
+ local_accum10 = vmlal_s8(local_accum10, vget_high_s8(weights12),
+ vget_high_s8(input2));
+ local_accum11 = vmlal_s8(local_accum11, vget_high_s8(weights13),
+ vget_high_s8(input3));
+ // Pairwise add and accumulate into 32-bit accumulators
+ row_accum20 = vpadalq_s16(row_accum20, local_accum00);
+ row_accum21 = vpadalq_s16(row_accum21, local_accum01);
+ row_accum30 = vpadalq_s16(row_accum30, local_accum10);
+ row_accum31 = vpadalq_s16(row_accum31, local_accum11);
+ }
+
+ row_accum00 = vaddq_s32(row_accum00, row_accum01);
+ row_accum10 = vaddq_s32(row_accum10, row_accum11);
+ row_accum20 = vaddq_s32(row_accum20, row_accum21);
+ row_accum30 = vaddq_s32(row_accum30, row_accum31);
+ // Horizontally reduce accumulators
+ int32x2_t pairwise_reduced_acc_0, pairwise_reduced_acc_1,
+ pairwise_reduced_acc_2, pairwise_reduced_acc_3;
+ pairwise_reduced_acc_0 =
+ vpadd_s32(vget_low_s32(row_accum00), vget_high_s32(row_accum00));
+ pairwise_reduced_acc_1 =
+ vpadd_s32(vget_low_s32(row_accum10), vget_high_s32(row_accum10));
+ pairwise_reduced_acc_2 =
+ vpadd_s32(vget_low_s32(row_accum20), vget_high_s32(row_accum20));
+ pairwise_reduced_acc_3 =
+ vpadd_s32(vget_low_s32(row_accum30), vget_high_s32(row_accum30));
+ const int32x2_t reduced_lo =
+ vpadd_s32(pairwise_reduced_acc_0, pairwise_reduced_acc_1);
+ const int32x2_t reduced_hi =
+ vpadd_s32(pairwise_reduced_acc_2, pairwise_reduced_acc_3);
+ int32x4_t reduced = vcombine_s32(reduced_lo, reduced_hi);
+ // Add bias values.
+ reduced = vaddq_s32(reduced, bias_vec);
+ reduced = vshlq_s32(reduced, vdupq_n_s32(left_shift));
+ // Multiply by the fixed-point multiplier.
+ reduced = vqrdmulhq_n_s32(reduced, accum_multiplier);
+ // Rounding-shift-right.
+ using gemmlowp::RoundingDivideByPOT;
+ reduced = RoundingDivideByPOT(reduced, right_shift);
+ // Narrow values down to 16 bit signed.
+ const int16x4_t res16 = vqmovn_s32(reduced);
+ vst1_s16(output_ptr, res16);
+ output_ptr += 4;
+ }
+}
+#endif
+
+inline void FullyConnected(
+ const FullyConnectedParams& params, const RuntimeShape& input_shape,
+ const float* input_data, const RuntimeShape& weights_shape,
+ const float* weights_data, const RuntimeShape& bias_shape,
+ const float* bias_data, const RuntimeShape& output_shape,
+ float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("FullyConnected");
+ const float output_activation_min = params.float_activation_min;
+ const float output_activation_max = params.float_activation_max;
+
+ // TODO(b/62193649): this convoluted shape computation (determining
+ // input_rows from the weights_dims, then MapAsMatrixWithGivenNumberOfRows)
+ // is because the current --variable_batch hack consists in overwriting the
+ // 3rd dimension with the runtime batch size, as we don't keep track for each
+ // array of which dimension is the batch dimension in it.
+ // When that is fixed, this should become:
+ // const auto input_matrix_map =
+ // MapAsMatrixWithFirstDimAsRows(input_data, input_dims);
+ const int dims_count = weights_shape.DimensionsCount();
+ const int input_rows = weights_shape.Dims(dims_count - 1);
+ const auto input_matrix_map =
+ MapAsMatrixWithGivenNumberOfRows(input_data, input_shape, input_rows);
+ const auto filter_matrix_map =
+ MapAsMatrixWithLastDimAsRows(weights_data, weights_shape);
+ auto output_matrix_map =
+ MapAsMatrixWithLastDimAsRows(output_data, output_shape);
+
+ Gemm(filter_matrix_map.transpose(), input_matrix_map, &output_matrix_map);
+ AddBiasAndEvalActivationFunction(output_activation_min, output_activation_max,
+ bias_shape, bias_data, output_shape,
+ output_data);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void FullyConnected(const float* input_data, const Dims<4>& input_dims,
+ const float* weights_data,
+ const Dims<4>& weights_dims, const float* bias_data,
+ const Dims<4>& bias_dims,
+ float output_activation_min,
+ float output_activation_max, float* output_data,
+ const Dims<4>& output_dims) {
+ tflite::FullyConnectedParams op_params;
+ op_params.float_activation_min = output_activation_min;
+ op_params.float_activation_max = output_activation_max;
+
+ FullyConnected(op_params, DimsToShape(input_dims), input_data,
+ DimsToShape(weights_dims), weights_data,
+ DimsToShape(bias_dims), bias_data, DimsToShape(output_dims),
+ output_data);
+}
+
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+void FullyConnected(const float* input_data, const Dims<4>& input_dims,
+ const float* weights_data, const Dims<4>& weights_dims,
+ const float* bias_data, const Dims<4>& bias_dims,
+ float* output_data, const Dims<4>& output_dims) {
+ float output_activation_min, output_activation_max;
+ GetActivationMinMax(Ac, &output_activation_min, &output_activation_max);
+ FullyConnected(input_data, input_dims, weights_data, weights_dims, bias_data,
+ bias_dims, output_activation_min, output_activation_max,
+ output_data, output_dims);
+}
+
+#ifdef USE_NEON
+inline void FullyConnectedAsGEMV(
+ const RuntimeShape& input_shape, const uint8* input_data,
+ int32 input_offset, const RuntimeShape& filter_shape,
+ const uint8* filter_data, int32 filter_offset,
+ const RuntimeShape& bias_shape, const int32* bias_data, int32 output_offset,
+ int32 output_multiplier, int output_shift, int32 output_activation_min,
+ int32 output_activation_max, const RuntimeShape& output_shape,
+ uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("FullyConnectedAsGEMV/8bit");
+ TFLITE_DCHECK_GE(input_shape.DimensionsCount(), 1);
+ TFLITE_DCHECK_GE(filter_shape.DimensionsCount(), 2);
+ TFLITE_DCHECK_GE(output_shape.DimensionsCount(), 1);
+ const int output_dim_count = output_shape.DimensionsCount();
+ const int filter_dim_count = filter_shape.DimensionsCount();
+ TFLITE_DCHECK_EQ(FlatSizeSkipDim(output_shape, output_dim_count - 1), 1);
+ const int input_size = FlatSizeSkipDim(input_shape, 0);
+ const int output_size = MatchingDim(filter_shape, filter_dim_count - 2,
+ output_shape, output_dim_count - 1);
+ static constexpr int kPeel = 4;
+ const bool shift_left = (output_shift > 0);
+ for (int k = 0; k < input_size; k += 64) {
+ optimized_ops_preload_l1_stream(input_data + k);
+ }
+ for (int k = 0; k < kPeel * input_size; k += 64) {
+ optimized_ops_preload_l1_stream(filter_data + k);
+ }
+ TFLITE_DCHECK(!(output_size % kPeel));
+ const int32* bias_ptr = bias_data;
+ uint8* output_ptr = output_data;
+ for (int out = 0; out < output_size; out += kPeel) {
+ int32x4_t acc[kPeel];
+ for (int k = 0; k < kPeel; k++) {
+ acc[k] = vdupq_n_s32(0);
+ }
+ const int16x8_t input_offset_vec = vdupq_n_s16(input_offset);
+ const int16x8_t filter_offset_vec = vdupq_n_s16(filter_offset);
+ int in = 0;
+ for (; in <= input_size - 16; in += 16) {
+ const uint8x16_t input_val_u8 = vld1q_u8(input_data + in);
+ uint8x16_t filter_val_u8[kPeel];
+ for (int k = 0; k < kPeel; k++) {
+ const uint8* filter_ptr = filter_data + in + (out + k) * input_size;
+ filter_val_u8[k] = vld1q_u8(filter_ptr);
+ optimized_ops_preload_l1_stream(filter_ptr + 64);
+ }
+ int16x8_t input_val[2];
+ const uint8x8_t low = vget_low_u8(input_val_u8);
+ const uint8x8_t high = vget_high_u8(input_val_u8);
+ input_val[0] = vreinterpretq_s16_u16(vmovl_u8(low));
+ input_val[1] = vreinterpretq_s16_u16(vmovl_u8(high));
+ input_val[0] = vaddq_s16(input_val[0], input_offset_vec);
+ input_val[1] = vaddq_s16(input_val[1], input_offset_vec);
+ int16x8_t filter_val[kPeel][2];
+ for (int k = 0; k < kPeel; k++) {
+ const uint8x8_t low = vget_low_u8(filter_val_u8[k]);
+ const uint8x8_t high = vget_high_u8(filter_val_u8[k]);
+ filter_val[k][0] = vreinterpretq_s16_u16(vmovl_u8(low));
+ filter_val[k][1] = vreinterpretq_s16_u16(vmovl_u8(high));
+ filter_val[k][0] = vaddq_s16(filter_val[k][0], filter_offset_vec);
+ filter_val[k][1] = vaddq_s16(filter_val[k][1], filter_offset_vec);
+ }
+ for (int p = 0; p < 2; p++) {
+ for (int k = 0; k < kPeel; k++) {
+ acc[k] = vmlal_s16(acc[k], vget_low_s16(filter_val[k][p]),
+ vget_low_s16(input_val[p]));
+ }
+ for (int k = 0; k < kPeel; k++) {
+ acc[k] = vmlal_s16(acc[k], vget_high_s16(filter_val[k][p]),
+ vget_high_s16(input_val[p]));
+ }
+ }
+ }
+ for (; in <= input_size - 8; in += 8) {
+ const uint8x8_t input_val_u8 = vld1_u8(input_data + in);
+ uint8x8_t filter_val_u8[kPeel];
+ for (int k = 0; k < kPeel; k++) {
+ const uint8* filter_ptr = filter_data + in + (out + k) * input_size;
+ filter_val_u8[k] = vld1_u8(filter_ptr);
+ }
+ int16x8_t input_val;
+ input_val = vreinterpretq_s16_u16(vmovl_u8(input_val_u8));
+ input_val = vaddq_s16(input_val, input_offset_vec);
+ int16x8_t filter_val[kPeel];
+ for (int k = 0; k < kPeel; k++) {
+ filter_val[k] = vreinterpretq_s16_u16(vmovl_u8(filter_val_u8[k]));
+ filter_val[k] = vaddq_s16(filter_val[k], filter_offset_vec);
+ }
+ for (int k = 0; k < kPeel; k++) {
+ acc[k] = vmlal_s16(acc[k], vget_low_s16(filter_val[k]),
+ vget_low_s16(input_val));
+ }
+ for (int k = 0; k < kPeel; k++) {
+ acc[k] = vmlal_s16(acc[k], vget_high_s16(filter_val[k]),
+ vget_high_s16(input_val));
+ }
+ }
+ if (in < input_size) {
+ int32 buf[4 * kPeel];
+ for (int k = 0; k < 4; k++) {
+ vst1q_s32(buf + 4 * k, acc[k]);
+ }
+ for (; in < input_size; in++) {
+ int lane = (in + 8 - input_size) % 4;
+ const int32 input_val = input_data[in] + input_offset;
+ for (int k = 0; k < kPeel; k++) {
+ int32 filter_val =
+ filter_data[in + (out + k) * input_size] + filter_offset;
+ buf[lane + 4 * k] += filter_val * input_val;
+ }
+ }
+ for (int k = 0; k < 4; k++) {
+ acc[k] = vld1q_s32(buf + 4 * k);
+ }
+ }
+
+ // Horizontally reduce accumulators
+ int32x2_t pairwise_reduced_acc[kPeel];
+ for (int k = 0; k < kPeel; k++) {
+ pairwise_reduced_acc[k] =
+ vpadd_s32(vget_low_s32(acc[k]), vget_high_s32(acc[k]));
+ }
+ static_assert(kPeel == 4, "the code below currently assumes kPeel = 4");
+ const int32x2_t reduced_lo =
+ vpadd_s32(pairwise_reduced_acc[0], pairwise_reduced_acc[1]);
+ const int32x2_t reduced_hi =
+ vpadd_s32(pairwise_reduced_acc[2], pairwise_reduced_acc[3]);
+ int32x4_t reduced = vcombine_s32(reduced_lo, reduced_hi);
+ // Add bias values.
+ int32x4_t bias_vec = vld1q_s32(bias_ptr);
+ bias_ptr += 4;
+ reduced = vaddq_s32(reduced, bias_vec);
+ if (shift_left) {
+ const int32 multiplier_power_of_two = 1 << output_shift;
+ reduced = vmulq_n_s32(reduced, multiplier_power_of_two);
+ reduced = vqrdmulhq_n_s32(reduced, output_multiplier);
+ } else {
+ // Multiply by the fixed-point multiplier.
+ reduced = vqrdmulhq_n_s32(reduced, output_multiplier);
+ // Rounding-shift-right.
+ using gemmlowp::RoundingDivideByPOT;
+ reduced = RoundingDivideByPOT(reduced, -output_shift);
+ }
+ // Add the output offset.
+ const int32x4_t output_offset_vec = vdupq_n_s32(output_offset);
+ reduced = vaddq_s32(reduced, output_offset_vec);
+ // Narrow values down to 16 bit signed.
+ const int16x4_t res16 = vqmovn_s32(reduced);
+ // Narrow values down to 8 bit unsigned, saturating.
+ uint8x8_t res8 = vqmovun_s16(vcombine_s16(res16, res16));
+ // Apply the clamping from the activation function
+ res8 = vmax_u8(res8, vdup_n_u8(output_activation_min));
+ res8 = vmin_u8(res8, vdup_n_u8(output_activation_max));
+ // Store results to destination. Assumes 32bit alignment.
+ vst1_lane_u32(reinterpret_cast<uint32*>(output_ptr),
+ vreinterpret_u32_u8(res8), 0);
+ output_ptr += kPeel;
+ }
+}
+#endif // USE_NEON
+
+struct GemmlowpOutputPipeline {
+ typedef gemmlowp::VectorMap<const int32, gemmlowp::VectorShape::Col>
+ ColVectorMap;
+ typedef std::tuple<gemmlowp::OutputStageBiasAddition<ColVectorMap>,
+ gemmlowp::OutputStageScaleInt32ByFixedPointAndExponent,
+ gemmlowp::OutputStageClamp,
+ gemmlowp::OutputStageSaturatingCastToUint8>
+ Pipeline;
+ static Pipeline MakeExp(const int32* bias_data, int output_rows,
+ int32 output_offset, int32 output_multiplier,
+ int output_left_shift, int32 output_activation_min,
+ int32 output_activation_max) {
+ ColVectorMap bias_vector(bias_data, output_rows);
+ gemmlowp::OutputStageBiasAddition<ColVectorMap> bias_addition_stage;
+ bias_addition_stage.bias_vector = bias_vector;
+ gemmlowp::OutputStageScaleInt32ByFixedPointAndExponent quantize_down_stage;
+ quantize_down_stage.result_offset_after_shift = output_offset;
+ quantize_down_stage.result_fixedpoint_multiplier = output_multiplier;
+ quantize_down_stage.result_exponent = output_left_shift;
+ gemmlowp::OutputStageClamp clamp_stage;
+ clamp_stage.min = output_activation_min;
+ clamp_stage.max = output_activation_max;
+ gemmlowp::OutputStageSaturatingCastToUint8 saturating_cast_stage;
+ return std::make_tuple(bias_addition_stage, quantize_down_stage,
+ clamp_stage, saturating_cast_stage);
+ }
+};
+
+inline void FullyConnected(
+ const FullyConnectedParams& params, const RuntimeShape& input_shape,
+ const uint8* input_data, const RuntimeShape& filter_shape,
+ const uint8* filter_data, const RuntimeShape& bias_shape,
+ const int32* bias_data, const RuntimeShape& output_shape,
+ uint8* output_data, gemmlowp::GemmContext* gemm_context) {
+ gemmlowp::ScopedProfilingLabel label("FullyConnected/8bit");
+ const int32 input_offset = params.input_offset;
+ const int32 filter_offset = params.weights_offset;
+ const int32 output_offset = params.output_offset;
+ const int32 output_multiplier = params.output_multiplier;
+ const int output_shift = params.output_shift;
+ const int32 output_activation_min = params.quantized_activation_min;
+ const int32 output_activation_max = params.quantized_activation_max;
+ TFLITE_DCHECK_GE(filter_shape.DimensionsCount(), 2);
+ TFLITE_DCHECK_GE(output_shape.DimensionsCount(), 1);
+ // TODO(benoitjacob): This really should be:
+ // const int batches = ArraySize(output_dims, 1);
+ // but the current --variable_batch hack consists in overwriting the 3rd
+ // dimension with the runtime batch size, as we don't keep track for each
+ // array of which dimension is the batch dimension in it.
+ const int output_dim_count = output_shape.DimensionsCount();
+ const int filter_dim_count = filter_shape.DimensionsCount();
+ const int batches = FlatSizeSkipDim(output_shape, output_dim_count - 1);
+#ifdef USE_NEON
+ const int output_size = MatchingDim(filter_shape, filter_dim_count - 2,
+ output_shape, output_dim_count - 1);
+ if (batches == 1 && !(output_size % 4)) {
+ return FullyConnectedAsGEMV(
+ input_shape, input_data, input_offset, filter_shape, filter_data,
+ filter_offset, bias_shape, bias_data, output_offset, output_multiplier,
+ output_shift, output_activation_min, output_activation_max,
+ output_shape, output_data);
+ }
+#endif // USE_NEON
+ const int filter_rows = filter_shape.Dims(filter_dim_count - 2);
+ const int filter_cols = filter_shape.Dims(filter_dim_count - 1);
+ TFLITE_DCHECK_EQ(filter_shape.FlatSize(), filter_rows * filter_cols);
+ const int output_rows = output_shape.Dims(output_dim_count - 1);
+ TFLITE_DCHECK_EQ(output_rows, filter_rows);
+ TFLITE_DCHECK_EQ(bias_shape.FlatSize(), output_rows);
+
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::RowMajor> filter_matrix(
+ filter_data, output_rows, filter_cols, filter_cols);
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::ColMajor> input_matrix(
+ input_data, filter_cols, batches, filter_cols);
+ gemmlowp::MatrixMap<uint8, gemmlowp::MapOrder::ColMajor> output_matrix(
+ output_data, output_rows, batches, output_rows);
+ const auto& output_pipeline = GemmlowpOutputPipeline::MakeExp(
+ bias_data, output_rows, output_offset, output_multiplier, output_shift,
+ output_activation_min, output_activation_max);
+ gemmlowp::GemmWithOutputPipeline<uint8, uint8,
+ gemmlowp::L8R8WithLhsNonzeroBitDepthParams>(
+ gemm_context, filter_matrix, input_matrix, &output_matrix, filter_offset,
+ input_offset, output_pipeline);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void FullyConnected(const uint8* input_data, const Dims<4>& input_dims,
+ int32 input_offset, const uint8* filter_data,
+ const Dims<4>& filter_dims, int32 filter_offset,
+ const int32* bias_data, const Dims<4>& bias_dims,
+ int32 output_offset, int32 output_multiplier,
+ int output_shift, int32 output_activation_min,
+ int32 output_activation_max, uint8* output_data,
+ const Dims<4>& output_dims,
+ gemmlowp::GemmContext* gemm_context) {
+ tflite::FullyConnectedParams op_params;
+ op_params.input_offset = input_offset;
+ op_params.weights_offset = filter_offset;
+ op_params.output_offset = output_offset;
+ op_params.output_multiplier = output_multiplier;
+ // Legacy ops used mixed left and right shifts. Now all are +ve-means-left.
+ op_params.output_shift = kReverseShift * output_shift;
+ op_params.quantized_activation_min = output_activation_min;
+ op_params.quantized_activation_max = output_activation_max;
+
+ FullyConnected(op_params, DimsToShape(input_dims), input_data,
+ DimsToShape(filter_dims), filter_data, DimsToShape(bias_dims),
+ bias_data, DimsToShape(output_dims), output_data,
+ gemm_context);
+}
+
+inline void FullyConnected(
+ const FullyConnectedParams& params, const RuntimeShape& input_shape,
+ const uint8* input_data, const RuntimeShape& filter_shape,
+ const uint8* filter_data, const RuntimeShape& bias_shape,
+ const int32* bias_data_int32, const RuntimeShape& output_shape,
+ int16* output_data, gemmlowp::GemmContext* gemm_context) {
+ gemmlowp::ScopedProfilingLabel label("FullyConnected/Uint8Int16");
+ const int32 input_offset = params.input_offset;
+ const int32 filter_offset = params.weights_offset;
+ const int32 output_offset = params.output_offset;
+ const int32 output_multiplier = params.output_multiplier;
+ const int output_shift = params.output_shift;
+ const int32 output_activation_min = params.quantized_activation_min;
+ const int32 output_activation_max = params.quantized_activation_max;
+ // This is a copy of the reference implementation. We do not currently have a
+ // properly optimized version.
+ (void)gemm_context; // only used in properly optimized code.
+ TFLITE_DCHECK_LE(output_activation_min, output_activation_max);
+ TFLITE_DCHECK_EQ(output_offset, 0);
+ TFLITE_DCHECK_GE(filter_shape.DimensionsCount(), 2);
+ TFLITE_DCHECK_GE(output_shape.DimensionsCount(), 1);
+
+ // TODO(benoitjacob): This really should be:
+ // const int batches = ArraySize(output_dims, 1);
+ // but the current --variable_batch hack consists in overwriting the 3rd
+ // dimension with the runtime batch size, as we don't keep track for each
+ // array of which dimension is the batch dimension in it.
+ const int output_dim_count = output_shape.DimensionsCount();
+ const int filter_dim_count = filter_shape.DimensionsCount();
+ const int batches = FlatSizeSkipDim(output_shape, output_dim_count - 1);
+ const int output_depth = MatchingDim(filter_shape, filter_dim_count - 2,
+ output_shape, output_dim_count - 1);
+ const int accum_depth = filter_shape.Dims(filter_dim_count - 1);
+
+ // Implementation of the fully connected node suited to the inside of an LSTM
+ // cell. The operands are 8-bit integers, the accumulators are internally
+ // 32bit integers, and the output is 16-bit fixed-point with 3 integer bits so
+ // the output range is [-2^3, 2^3] == [-8, 8]. The rationale for that
+ // is explained in the function comment above.
+#ifdef GEMMLOWP_NEON
+ if (batches == 1 && input_offset == -128 && output_activation_min == -32768 &&
+ output_activation_max == 32767) {
+ if (filter_offset == -128 && !(output_depth % 4) && !(accum_depth % 64)) {
+ GEMVForLstmCellWithSymmetricRange(
+ input_shape, input_data, filter_shape, filter_data, bias_shape,
+ bias_data_int32, output_multiplier, output_shift, output_shape,
+ output_data);
+ return;
+ }
+ if (!(output_depth % 4) && !(accum_depth % 8)) {
+ GEMVForLstmCell(input_shape, input_data, filter_shape, filter_data,
+ filter_offset, bias_shape, bias_data_int32,
+ output_multiplier, output_shift, output_shape,
+ output_data);
+ return;
+ }
+ }
+#endif
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::RowMajor> weights_matrix(
+ filter_data, output_depth, accum_depth);
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::ColMajor> input_matrix(
+ input_data, accum_depth, batches);
+ gemmlowp::MatrixMap<int16, gemmlowp::MapOrder::ColMajor> output_matrix(
+ output_data, output_depth, batches);
+ typedef gemmlowp::VectorMap<const int32, gemmlowp::VectorShape::Col>
+ ColVectorMap;
+ ColVectorMap bias_vector(bias_data_int32, output_depth);
+ gemmlowp::OutputStageBiasAddition<ColVectorMap> bias_addition_stage;
+ bias_addition_stage.bias_vector = bias_vector;
+ gemmlowp::OutputStageScaleInt32ByFixedPointAndExponent scale_stage;
+ scale_stage.result_offset_after_shift = 0;
+ scale_stage.result_fixedpoint_multiplier = output_multiplier;
+ // Note that this shift is negated wrt ordinary FC.
+ scale_stage.result_exponent = output_shift;
+ gemmlowp::OutputStageClamp clamp_stage;
+ clamp_stage.min = output_activation_min;
+ clamp_stage.max = output_activation_max;
+ gemmlowp::OutputStageSaturatingCastToInt16 saturating_cast_int16_stage;
+ auto output_pipeline =
+ std::make_tuple(bias_addition_stage, scale_stage, clamp_stage,
+ saturating_cast_int16_stage);
+ gemmlowp::GemmWithOutputPipeline<uint8, int16,
+ gemmlowp::L8R8WithLhsNonzeroBitDepthParams>(
+ gemm_context, weights_matrix, input_matrix, &output_matrix, filter_offset,
+ input_offset, output_pipeline);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void FullyConnected(
+ const uint8* input_data, const Dims<4>& input_dims, int32 input_offset,
+ const uint8* filter_data, const Dims<4>& filter_dims, int32 filter_offset,
+ const int32* bias_data_int32, const Dims<4>& bias_dims, int32 output_offset,
+ int32 output_multiplier, int output_shift, int32 output_activation_min,
+ int32 output_activation_max, int16* output_data, const Dims<4>& output_dims,
+ gemmlowp::GemmContext* gemm_context) {
+ tflite::FullyConnectedParams op_params;
+ op_params.input_offset = input_offset;
+ op_params.weights_offset = filter_offset;
+ op_params.output_offset = output_offset;
+ op_params.output_multiplier = output_multiplier;
+ // Legacy ops used mixed left and right shifts. Now all are +ve-means-left.
+ op_params.output_shift = kReverseShift * output_shift;
+ op_params.quantized_activation_min = output_activation_min;
+ op_params.quantized_activation_max = output_activation_max;
+
+ FullyConnected(op_params, DimsToShape(input_dims), input_data,
+ DimsToShape(filter_dims), filter_data, DimsToShape(bias_dims),
+ bias_data_int32, DimsToShape(output_dims), output_data,
+ gemm_context);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+void FullyConnected(const uint8* input_data, const Dims<4>& input_dims,
+ int32 input_offset, const uint8* filter_data,
+ const Dims<4>& filter_dims, int32 filter_offset,
+ const int32* bias_data, const Dims<4>& bias_dims,
+ int32 output_offset, int32 output_multiplier,
+ int output_shift, int32 output_activation_min,
+ int32 output_activation_max, uint8* output_data,
+ const Dims<4>& output_dims,
+ gemmlowp::GemmContext* gemm_context) {
+ static_assert(Ac == FusedActivationFunctionType::kNone ||
+ Ac == FusedActivationFunctionType::kRelu ||
+ Ac == FusedActivationFunctionType::kRelu6 ||
+ Ac == FusedActivationFunctionType::kRelu1,
+ "");
+ FullyConnected(input_data, input_dims, input_offset, filter_data, filter_dims,
+ filter_offset, bias_data, bias_dims, output_offset,
+ output_multiplier, output_shift, output_activation_min,
+ output_activation_max, output_data, output_dims, gemm_context);
+}
+
+// Internal function doing the actual arithmetic work for
+// ShuffledFullyConnected.
+// May be called either directly by it (single-threaded case) or may be used
+// as the 'task' for worker threads to run (multi-threaded case, see
+// ShuffledFullyConnectedWorkerTask below).
+inline void ShuffledFullyConnectedWorkerImpl(
+ const uint8* shuffled_input_workspace_data,
+ const int8* shuffled_weights_data, int batches, int output_depth,
+ int output_stride, int accum_depth, const int32* bias_data,
+ int32 output_multiplier, int output_shift, int16* output_data) {
+#if defined USE_NEON
+ const int8* shuffled_weights_ptr = shuffled_weights_data;
+ if (batches == 1) {
+ const int right_shift = output_shift > 0 ? 0 : -output_shift;
+ const int left_shift = output_shift > 0 ? output_shift : 0;
+ for (int c = 0; c < output_depth; c += 4) {
+ // Accumulation loop.
+ int32x4_t row_accum0 = vdupq_n_s32(0);
+ int32x4_t row_accum1 = vdupq_n_s32(0);
+ int32x4_t row_accum2 = vdupq_n_s32(0);
+ int32x4_t row_accum3 = vdupq_n_s32(0);
+ for (int d = 0; d < accum_depth; d += 16) {
+ int8x16_t weights0 = vld1q_s8(shuffled_weights_ptr + 0);
+ int8x16_t weights1 = vld1q_s8(shuffled_weights_ptr + 16);
+ int8x16_t weights2 = vld1q_s8(shuffled_weights_ptr + 32);
+ int8x16_t weights3 = vld1q_s8(shuffled_weights_ptr + 48);
+ shuffled_weights_ptr += 64;
+ int8x16_t input =
+ vreinterpretq_s8_u8(vld1q_u8(shuffled_input_workspace_data + d));
+ int16x8_t local_accum0 =
+ vmull_s8(vget_low_s8(weights0), vget_low_s8(input));
+ int16x8_t local_accum1 =
+ vmull_s8(vget_low_s8(weights1), vget_low_s8(input));
+ int16x8_t local_accum2 =
+ vmull_s8(vget_low_s8(weights2), vget_low_s8(input));
+ int16x8_t local_accum3 =
+ vmull_s8(vget_low_s8(weights3), vget_low_s8(input));
+ local_accum0 =
+ vmlal_s8(local_accum0, vget_high_s8(weights0), vget_high_s8(input));
+ local_accum1 =
+ vmlal_s8(local_accum1, vget_high_s8(weights1), vget_high_s8(input));
+ local_accum2 =
+ vmlal_s8(local_accum2, vget_high_s8(weights2), vget_high_s8(input));
+ local_accum3 =
+ vmlal_s8(local_accum3, vget_high_s8(weights3), vget_high_s8(input));
+ row_accum0 = vpadalq_s16(row_accum0, local_accum0);
+ row_accum1 = vpadalq_s16(row_accum1, local_accum1);
+ row_accum2 = vpadalq_s16(row_accum2, local_accum2);
+ row_accum3 = vpadalq_s16(row_accum3, local_accum3);
+ }
+ // Horizontally reduce accumulators
+ int32x2_t pairwise_reduced_acc_0, pairwise_reduced_acc_1,
+ pairwise_reduced_acc_2, pairwise_reduced_acc_3;
+ pairwise_reduced_acc_0 =
+ vpadd_s32(vget_low_s32(row_accum0), vget_high_s32(row_accum0));
+ pairwise_reduced_acc_1 =
+ vpadd_s32(vget_low_s32(row_accum1), vget_high_s32(row_accum1));
+ pairwise_reduced_acc_2 =
+ vpadd_s32(vget_low_s32(row_accum2), vget_high_s32(row_accum2));
+ pairwise_reduced_acc_3 =
+ vpadd_s32(vget_low_s32(row_accum3), vget_high_s32(row_accum3));
+ const int32x2_t reduced_lo =
+ vpadd_s32(pairwise_reduced_acc_0, pairwise_reduced_acc_1);
+ const int32x2_t reduced_hi =
+ vpadd_s32(pairwise_reduced_acc_2, pairwise_reduced_acc_3);
+ int32x4_t reduced = vcombine_s32(reduced_lo, reduced_hi);
+ // Add bias values.
+ int32x4_t bias_vec = vld1q_s32(bias_data + c);
+ reduced = vaddq_s32(reduced, bias_vec);
+ reduced = vshlq_s32(reduced, vdupq_n_s32(left_shift));
+ // Multiply by the fixed-point multiplier.
+ reduced = vqrdmulhq_n_s32(reduced, output_multiplier);
+ // Rounding-shift-right.
+ using gemmlowp::RoundingDivideByPOT;
+ reduced = RoundingDivideByPOT(reduced, right_shift);
+ // Narrow values down to 16 bit signed.
+ const int16x4_t res16 = vqmovn_s32(reduced);
+ vst1_s16(output_data + c, res16);
+ }
+ } else if (batches == 4) {
+ const int right_shift = output_shift > 0 ? 0 : -output_shift;
+ const int left_shift = output_shift > 0 ? output_shift : 0;
+ for (int c = 0; c < output_depth; c += 4) {
+ const int8* shuffled_input_ptr =
+ reinterpret_cast<const int8*>(shuffled_input_workspace_data);
+ // Accumulation loop.
+ int32x4_t row_accum00 = vdupq_n_s32(0);
+ int32x4_t row_accum10 = vdupq_n_s32(0);
+ int32x4_t row_accum20 = vdupq_n_s32(0);
+ int32x4_t row_accum30 = vdupq_n_s32(0);
+ int32x4_t row_accum01 = vdupq_n_s32(0);
+ int32x4_t row_accum11 = vdupq_n_s32(0);
+ int32x4_t row_accum21 = vdupq_n_s32(0);
+ int32x4_t row_accum31 = vdupq_n_s32(0);
+ int32x4_t row_accum02 = vdupq_n_s32(0);
+ int32x4_t row_accum12 = vdupq_n_s32(0);
+ int32x4_t row_accum22 = vdupq_n_s32(0);
+ int32x4_t row_accum32 = vdupq_n_s32(0);
+ int32x4_t row_accum03 = vdupq_n_s32(0);
+ int32x4_t row_accum13 = vdupq_n_s32(0);
+ int32x4_t row_accum23 = vdupq_n_s32(0);
+ int32x4_t row_accum33 = vdupq_n_s32(0);
+ for (int d = 0; d < accum_depth; d += 16) {
+ int8x16_t weights0 = vld1q_s8(shuffled_weights_ptr + 0);
+ int8x16_t weights1 = vld1q_s8(shuffled_weights_ptr + 16);
+ int8x16_t weights2 = vld1q_s8(shuffled_weights_ptr + 32);
+ int8x16_t weights3 = vld1q_s8(shuffled_weights_ptr + 48);
+ shuffled_weights_ptr += 64;
+ int8x16_t input0 = vld1q_s8(shuffled_input_ptr + 0);
+ int8x16_t input1 = vld1q_s8(shuffled_input_ptr + 16);
+ int8x16_t input2 = vld1q_s8(shuffled_input_ptr + 32);
+ int8x16_t input3 = vld1q_s8(shuffled_input_ptr + 48);
+ shuffled_input_ptr += 64;
+ int16x8_t local_accum0, local_accum1, local_accum2, local_accum3;
+#define TFLITE_SHUFFLED_FC_ACCUM(B) \
+ local_accum0 = vmull_s8(vget_low_s8(weights0), vget_low_s8(input##B)); \
+ local_accum1 = vmull_s8(vget_low_s8(weights1), vget_low_s8(input##B)); \
+ local_accum2 = vmull_s8(vget_low_s8(weights2), vget_low_s8(input##B)); \
+ local_accum3 = vmull_s8(vget_low_s8(weights3), vget_low_s8(input##B)); \
+ local_accum0 = \
+ vmlal_s8(local_accum0, vget_high_s8(weights0), vget_high_s8(input##B)); \
+ local_accum1 = \
+ vmlal_s8(local_accum1, vget_high_s8(weights1), vget_high_s8(input##B)); \
+ local_accum2 = \
+ vmlal_s8(local_accum2, vget_high_s8(weights2), vget_high_s8(input##B)); \
+ local_accum3 = \
+ vmlal_s8(local_accum3, vget_high_s8(weights3), vget_high_s8(input##B)); \
+ row_accum0##B = vpadalq_s16(row_accum0##B, local_accum0); \
+ row_accum1##B = vpadalq_s16(row_accum1##B, local_accum1); \
+ row_accum2##B = vpadalq_s16(row_accum2##B, local_accum2); \
+ row_accum3##B = vpadalq_s16(row_accum3##B, local_accum3);
+
+ TFLITE_SHUFFLED_FC_ACCUM(0)
+ TFLITE_SHUFFLED_FC_ACCUM(1)
+ TFLITE_SHUFFLED_FC_ACCUM(2)
+ TFLITE_SHUFFLED_FC_ACCUM(3)
+
+#undef TFLITE_SHUFFLED_FC_ACCUM
+ }
+ // Horizontally reduce accumulators
+
+#define TFLITE_SHUFFLED_FC_STORE(B) \
+ { \
+ int32x2_t pairwise_reduced_acc_0, pairwise_reduced_acc_1, \
+ pairwise_reduced_acc_2, pairwise_reduced_acc_3; \
+ pairwise_reduced_acc_0 = \
+ vpadd_s32(vget_low_s32(row_accum0##B), vget_high_s32(row_accum0##B)); \
+ pairwise_reduced_acc_1 = \
+ vpadd_s32(vget_low_s32(row_accum1##B), vget_high_s32(row_accum1##B)); \
+ pairwise_reduced_acc_2 = \
+ vpadd_s32(vget_low_s32(row_accum2##B), vget_high_s32(row_accum2##B)); \
+ pairwise_reduced_acc_3 = \
+ vpadd_s32(vget_low_s32(row_accum3##B), vget_high_s32(row_accum3##B)); \
+ const int32x2_t reduced_lo = \
+ vpadd_s32(pairwise_reduced_acc_0, pairwise_reduced_acc_1); \
+ const int32x2_t reduced_hi = \
+ vpadd_s32(pairwise_reduced_acc_2, pairwise_reduced_acc_3); \
+ int32x4_t reduced = vcombine_s32(reduced_lo, reduced_hi); \
+ int32x4_t bias_vec = vld1q_s32(bias_data + c); \
+ reduced = vaddq_s32(reduced, bias_vec); \
+ reduced = vshlq_s32(reduced, vdupq_n_s32(left_shift)); \
+ reduced = vqrdmulhq_n_s32(reduced, output_multiplier); \
+ using gemmlowp::RoundingDivideByPOT; \
+ reduced = RoundingDivideByPOT(reduced, right_shift); \
+ const int16x4_t res16 = vqmovn_s32(reduced); \
+ vst1_s16(output_data + c + B * output_stride, res16); \
+ }
+
+ TFLITE_SHUFFLED_FC_STORE(0);
+ TFLITE_SHUFFLED_FC_STORE(1);
+ TFLITE_SHUFFLED_FC_STORE(2);
+ TFLITE_SHUFFLED_FC_STORE(3);
+
+#undef TFLITE_SHUFFLED_FC_STORE
+ }
+ } else {
+ TFLITE_DCHECK(false);
+ return;
+ }
+#else
+ if (batches == 1) {
+ int16* output_ptr = output_data;
+ // Shuffled weights have had their sign bit (0x80) pre-flipped (xor'd)
+ // so that just reinterpreting them as int8 values is equivalent to
+ // subtracting 128 from them, thus implementing for free the subtraction of
+ // the zero_point value 128.
+ const int8* shuffled_weights_ptr =
+ reinterpret_cast<const int8*>(shuffled_weights_data);
+ // Likewise, we preshuffled and pre-xored the input data above.
+ const int8* shuffled_input_data =
+ reinterpret_cast<const int8*>(shuffled_input_workspace_data);
+ for (int c = 0; c < output_depth; c += 4) {
+ // Internal accumulation.
+ // Initialize accumulator with the bias-value.
+ int32 accum[4] = {0};
+ // Accumulation loop.
+ for (int d = 0; d < accum_depth; d += 16) {
+ for (int i = 0; i < 4; i++) {
+ for (int j = 0; j < 16; j++) {
+ int8 input_val = shuffled_input_data[d + j];
+ int8 weights_val = *shuffled_weights_ptr++;
+ accum[i] += weights_val * input_val;
+ }
+ }
+ }
+ for (int i = 0; i < 4; i++) {
+ // Add bias value
+ int acc = accum[i] + bias_data[c + i];
+ // Down-scale the final int32 accumulator to the scale used by our
+ // (16-bit, typically 3 integer bits) fixed-point format. The quantized
+ // multiplier and shift here have been pre-computed offline
+ // (e.g. by toco).
+ acc =
+ MultiplyByQuantizedMultiplier(acc, output_multiplier, output_shift);
+ // Saturate, cast to int16, and store to output array.
+ acc = std::max(acc, -32768);
+ acc = std::min(acc, 32767);
+ output_ptr[c + i] = acc;
+ }
+ }
+ } else if (batches == 4) {
+ int16* output_ptr = output_data;
+ // Shuffled weights have had their sign bit (0x80) pre-flipped (xor'd)
+ // so that just reinterpreting them as int8 values is equivalent to
+ // subtracting 128 from them, thus implementing for free the subtraction of
+ // the zero_point value 128.
+ const int8* shuffled_weights_ptr =
+ reinterpret_cast<const int8*>(shuffled_weights_data);
+ // Likewise, we preshuffled and pre-xored the input data above.
+ const int8* shuffled_input_data =
+ reinterpret_cast<const int8*>(shuffled_input_workspace_data);
+ for (int c = 0; c < output_depth; c += 4) {
+ const int8* shuffled_input_ptr = shuffled_input_data;
+ // Accumulation loop.
+ // Internal accumulation.
+ // Initialize accumulator with the bias-value.
+ int32 accum[4][4];
+ for (int i = 0; i < 4; i++) {
+ for (int b = 0; b < 4; b++) {
+ accum[i][b] = 0;
+ }
+ }
+ for (int d = 0; d < accum_depth; d += 16) {
+ for (int i = 0; i < 4; i++) {
+ for (int b = 0; b < 4; b++) {
+ for (int j = 0; j < 16; j++) {
+ int8 input_val = shuffled_input_ptr[16 * b + j];
+ int8 weights_val = shuffled_weights_ptr[16 * i + j];
+ accum[i][b] += weights_val * input_val;
+ }
+ }
+ }
+ shuffled_input_ptr += 64;
+ shuffled_weights_ptr += 64;
+ }
+ for (int i = 0; i < 4; i++) {
+ for (int b = 0; b < 4; b++) {
+ // Add bias value
+ int acc = accum[i][b] + bias_data[c + i];
+ // Down-scale the final int32 accumulator to the scale used by our
+ // (16-bit, typically 3 integer bits) fixed-point format. The
+ // quantized multiplier and shift here have been pre-computed offline
+ // (e.g. by toco).
+ acc = MultiplyByQuantizedMultiplier(acc, output_multiplier,
+ output_shift);
+ // Saturate, cast to int16, and store to output array.
+ acc = std::max(acc, -32768);
+ acc = std::min(acc, 32767);
+ output_ptr[b * output_stride + c + i] = acc;
+ }
+ }
+ }
+ } else {
+ TFLITE_DCHECK(false);
+ return;
+ }
+#endif
+}
+
+// Wraps ShuffledFullyConnectedWorkerImpl into a Task class
+// to allow using gemmlowp's threadpool.
+struct ShuffledFullyConnectedWorkerTask : gemmlowp::Task {
+ ShuffledFullyConnectedWorkerTask(const uint8* input_data,
+ const int8* shuffled_weights_data,
+ int batches, int output_depth,
+ int output_stride, int accum_depth,
+ const int32* bias_data,
+ int32 output_multiplier, int output_shift,
+ int16* output_data)
+ : input_data_(input_data),
+ shuffled_weights_data_(shuffled_weights_data),
+ batches_(batches),
+ output_depth_(output_depth),
+ output_stride_(output_stride),
+ accum_depth_(accum_depth),
+ bias_data_(bias_data),
+ output_multiplier_(output_multiplier),
+ output_shift_(output_shift),
+ output_data_(output_data) {}
+
+ void Run() override {
+ ShuffledFullyConnectedWorkerImpl(
+ input_data_, shuffled_weights_data_, batches_, output_depth_,
+ output_stride_, accum_depth_, bias_data_, output_multiplier_,
+ output_shift_, output_data_);
+ }
+
+ const uint8* input_data_;
+ const int8* shuffled_weights_data_;
+ int batches_;
+ int output_depth_;
+ int output_stride_;
+ int accum_depth_;
+ const int32* bias_data_;
+ int32 output_multiplier_;
+ int output_shift_;
+ int16* output_data_;
+};
+
+inline void ShuffledFullyConnected(
+ const FullyConnectedParams& params, const RuntimeShape& input_shape,
+ const uint8* input_data, const RuntimeShape& weights_shape,
+ const uint8* shuffled_weights_data, const RuntimeShape& bias_shape,
+ const int32* bias_data, const RuntimeShape& output_shape,
+ int16* output_data, uint8* shuffled_input_workspace_data,
+ gemmlowp::GemmContext* gemm_context) {
+ gemmlowp::ScopedProfilingLabel label("ShuffledFullyConnected/8bit");
+ const int32 output_multiplier = params.output_multiplier;
+ const int output_shift = params.output_shift;
+ const int32 output_activation_min = params.quantized_activation_min;
+ const int32 output_activation_max = params.quantized_activation_max;
+ (void)gemm_context; // only used in optimized code.
+ TFLITE_DCHECK_EQ(output_activation_min, -32768);
+ TFLITE_DCHECK_EQ(output_activation_max, 32767);
+ TFLITE_DCHECK_GE(input_shape.DimensionsCount(), 1);
+ TFLITE_DCHECK_GE(weights_shape.DimensionsCount(), 2);
+ TFLITE_DCHECK_GE(output_shape.DimensionsCount(), 1);
+ // TODO(benoitjacob): This really should be:
+ // const int batches = ArraySize(output_dims, 1);
+ // but the current --variable_batch hack consists in overwriting the 3rd
+ // dimension with the runtime batch size, as we don't keep track for each
+ // array of which dimension is the batch dimension in it.
+ const int output_dim_count = output_shape.DimensionsCount();
+ const int weights_dim_count = weights_shape.DimensionsCount();
+ const int batches = FlatSizeSkipDim(output_shape, output_dim_count - 1);
+ const int output_depth = MatchingDim(weights_shape, weights_dim_count - 2,
+ output_shape, output_dim_count - 1);
+ const int accum_depth = weights_shape.Dims(weights_dim_count - 1);
+ TFLITE_DCHECK((accum_depth % 16) == 0);
+ TFLITE_DCHECK((output_depth % 4) == 0);
+ // Shuffled weights have had their sign bit (0x80) pre-flipped (xor'd)
+ // so that just reinterpreting them as int8 values is equivalent to
+ // subtracting 128 from them, thus implementing for free the subtraction of
+ // the zero_point value 128.
+ const int8* int8_shuffled_weights_data =
+ reinterpret_cast<const int8*>(shuffled_weights_data);
+
+ // Shuffling and xoring of input activations into the workspace buffer
+ if (batches == 1) {
+#ifdef USE_NEON
+ const uint8x16_t signbit = vdupq_n_u8(0x80);
+ for (int i = 0; i < accum_depth; i += 16) {
+ uint8x16_t val = vld1q_u8(input_data + i);
+ val = veorq_u8(val, signbit);
+ vst1q_u8(shuffled_input_workspace_data + i, val);
+ }
+#else
+ for (int i = 0; i < accum_depth; i++) {
+ shuffled_input_workspace_data[i] = input_data[i] ^ 0x80;
+ }
+#endif
+ } else if (batches == 4) {
+ uint8* shuffled_input_workspace_ptr = shuffled_input_workspace_data;
+ int c = 0;
+#ifdef USE_NEON
+ const uint8x16_t signbit = vdupq_n_u8(0x80);
+ for (c = 0; c < accum_depth; c += 16) {
+ const uint8* src_data_ptr = input_data + c;
+ uint8x16_t val0 = vld1q_u8(src_data_ptr + 0 * accum_depth);
+ uint8x16_t val1 = vld1q_u8(src_data_ptr + 1 * accum_depth);
+ uint8x16_t val2 = vld1q_u8(src_data_ptr + 2 * accum_depth);
+ uint8x16_t val3 = vld1q_u8(src_data_ptr + 3 * accum_depth);
+ val0 = veorq_u8(val0, signbit);
+ val1 = veorq_u8(val1, signbit);
+ val2 = veorq_u8(val2, signbit);
+ val3 = veorq_u8(val3, signbit);
+ vst1q_u8(shuffled_input_workspace_ptr + 0, val0);
+ vst1q_u8(shuffled_input_workspace_ptr + 16, val1);
+ vst1q_u8(shuffled_input_workspace_ptr + 32, val2);
+ vst1q_u8(shuffled_input_workspace_ptr + 48, val3);
+ shuffled_input_workspace_ptr += 64;
+ }
+#else
+ for (c = 0; c < accum_depth; c += 16) {
+ for (int b = 0; b < 4; b++) {
+ const uint8* src_data_ptr = input_data + b * accum_depth + c;
+ for (int j = 0; j < 16; j++) {
+ uint8 src_val = *src_data_ptr++;
+ // Flip the sign bit, so that the kernel will only need to
+ // reinterpret these uint8 values as int8, getting for free the
+ // subtraction of the zero_point value 128.
+ uint8 dst_val = src_val ^ 0x80;
+ *shuffled_input_workspace_ptr++ = dst_val;
+ }
+ }
+ }
+#endif
+ } else {
+ TFLITE_DCHECK(false);
+ return;
+ }
+
+ static constexpr int kKernelRows = 4;
+ const int thread_count = gemmlowp::HowManyThreads<kKernelRows>(
+ gemm_context->max_num_threads(), output_depth, batches, accum_depth);
+ if (thread_count == 1) {
+ // Single-thread case: do the computation on the current thread, don't
+ // use a threadpool
+ ShuffledFullyConnectedWorkerImpl(
+ shuffled_input_workspace_data, int8_shuffled_weights_data, batches,
+ output_depth, output_depth, accum_depth, bias_data, output_multiplier,
+ output_shift, output_data);
+ return;
+ }
+
+ // Multi-threaded case: use the gemmlowp context's threadpool.
+ TFLITE_DCHECK_GT(thread_count, 1);
+ std::vector<gemmlowp::Task*> tasks(thread_count);
+ const int kRowsPerWorker =
+ gemmlowp::RoundUp<kKernelRows>(output_depth / thread_count);
+ int row_start = 0;
+ for (int i = 0; i < thread_count; i++) {
+ int row_end = std::min(output_depth, row_start + kRowsPerWorker);
+ tasks[i] = new ShuffledFullyConnectedWorkerTask(
+ shuffled_input_workspace_data,
+ int8_shuffled_weights_data + row_start * accum_depth, batches,
+ row_end - row_start, output_depth, accum_depth, bias_data + row_start,
+ output_multiplier, output_shift, output_data + row_start);
+ row_start = row_end;
+ }
+ TFLITE_DCHECK_EQ(row_start, output_depth);
+ gemm_context->workers_pool()->Execute(tasks);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void ShuffledFullyConnected(
+ const uint8* input_data, const Dims<4>& input_dims,
+ const uint8* shuffled_weights_data, const Dims<4>& weights_dims,
+ const int32* bias_data, const Dims<4>& bias_dims, int32 output_multiplier,
+ int output_shift, int32 output_activation_min, int32 output_activation_max,
+ int16* output_data, const Dims<4>& output_dims,
+ uint8* shuffled_input_workspace_data, gemmlowp::GemmContext* gemm_context) {
+ tflite::FullyConnectedParams op_params;
+ op_params.output_multiplier = output_multiplier;
+ // Legacy ops used mixed left and right shifts. Now all are +ve-means-left.
+ op_params.output_shift = kReverseShift * output_shift;
+ op_params.quantized_activation_min = output_activation_min;
+ op_params.quantized_activation_max = output_activation_max;
+
+ ShuffledFullyConnected(op_params, DimsToShape(input_dims), input_data,
+ DimsToShape(weights_dims), shuffled_weights_data,
+ DimsToShape(bias_dims), bias_data,
+ DimsToShape(output_dims), output_data,
+ shuffled_input_workspace_data, gemm_context);
+}
+
+template <typename T>
+inline void ExtractPatchIntoBufferColumn(const RuntimeShape& input_shape, int w,
+ int h, int b, int kheight, int kwidth,
+ int stride_width, int stride_height,
+ int pad_width, int pad_height,
+ int in_width, int in_height,
+ int in_depth, int single_buffer_length,
+ int buffer_id, const T* in_data,
+ T* conv_buffer_data, uint8 zero_byte) {
+ gemmlowp::ScopedProfilingLabel label("ExtractPatchIntoBufferColumn");
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ // This chunk of code reshapes all the inputs corresponding to
+ // output (b, h, w) to a column vector in conv_buffer(:, buffer_id).
+ const int kwidth_times_indepth = kwidth * in_depth;
+ const int inwidth_times_indepth = in_width * in_depth;
+ const int ih_ungated_start = h * stride_height - pad_height;
+ const int ih_ungated_end = (ih_ungated_start + kheight);
+ const int ih_end = std::min(ih_ungated_end, in_height);
+ const int iw_ungated_start = w * stride_width - pad_width;
+ const int iw_ungated_end = (iw_ungated_start + kwidth);
+ const int iw_end = std::min(iw_ungated_end, in_width);
+ // If the patch is off the edge of the input image, skip writing those rows
+ // and columns from the patch into the output array.
+ const int h_offset = std::max(0, -ih_ungated_start);
+ const int w_offset = std::max(0, -iw_ungated_start);
+ const int ih_start = std::max(0, ih_ungated_start);
+ const int iw_start = std::max(0, iw_ungated_start);
+ const int single_row_num =
+ std::min(kwidth - w_offset, in_width - iw_start) * in_depth;
+ const int output_row_offset = (buffer_id * single_buffer_length);
+ int out_offset =
+ output_row_offset + (h_offset * kwidth + w_offset) * in_depth;
+ int in_offset = Offset(input_shape, b, ih_start, iw_start, 0);
+
+ // Express all of the calculations as padding around the input patch.
+ const int top_padding = h_offset;
+ const int bottom_padding = (ih_ungated_end - ih_end);
+ const int left_padding = w_offset;
+ const int right_padding = (iw_ungated_end - iw_end);
+ assert(single_row_num ==
+ ((kwidth - (left_padding + right_padding)) * in_depth));
+
+ // Write out zeroes to the elements representing the top rows of the input
+ // patch that are off the edge of the input image.
+ if (top_padding > 0) {
+ const int top_row_elements = (top_padding * kwidth * in_depth);
+ memset(conv_buffer_data + output_row_offset, zero_byte,
+ (top_row_elements * sizeof(T)));
+ }
+
+ // If the patch is on the interior of the input image horizontally, just copy
+ // over the rows sequentially, otherwise add zero padding at the start or end.
+ if ((left_padding == 0) && (right_padding == 0)) {
+ for (int ih = ih_start; ih < ih_end; ++ih) {
+ memcpy(conv_buffer_data + out_offset, in_data + in_offset,
+ single_row_num * sizeof(T));
+ out_offset += kwidth_times_indepth;
+ in_offset += inwidth_times_indepth;
+ }
+ } else {
+ for (int ih = ih_start; ih < ih_end; ++ih) {
+ if (left_padding > 0) {
+ const int left_start = (out_offset - (left_padding * in_depth));
+ memset(conv_buffer_data + left_start, zero_byte,
+ (left_padding * in_depth * sizeof(T)));
+ }
+ memcpy(conv_buffer_data + out_offset, in_data + in_offset,
+ single_row_num * sizeof(T));
+ if (right_padding > 0) {
+ const int right_start = (out_offset + single_row_num);
+ memset(conv_buffer_data + right_start, zero_byte,
+ (right_padding * in_depth * sizeof(T)));
+ }
+ out_offset += kwidth_times_indepth;
+ in_offset += inwidth_times_indepth;
+ }
+ }
+
+ // If the bottom of the patch falls off the input image, pad the values
+ // representing those input rows with zeroes.
+ if (bottom_padding > 0) {
+ const int bottom_row_elements = (bottom_padding * kwidth * in_depth);
+ const int bottom_start =
+ output_row_offset +
+ ((top_padding + (ih_end - ih_start)) * kwidth * in_depth);
+ memset(conv_buffer_data + bottom_start, zero_byte,
+ (bottom_row_elements * sizeof(T)));
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+template <typename T>
+inline void ExtractPatchIntoBufferColumn(
+ const Dims<4>& input_dims, int w, int h, int b, int kheight, int kwidth,
+ int stride_width, int stride_height, int pad_width, int pad_height,
+ int in_width, int in_height, int in_depth, int single_buffer_length,
+ int buffer_id, const T* in_data, T* conv_buffer_data, uint8 zero_byte) {
+ ExtractPatchIntoBufferColumn(
+ DimsToShape(input_dims), w, h, b, kheight, kwidth, stride_width,
+ stride_height, pad_width, pad_height, in_width, in_height, in_depth,
+ single_buffer_length, buffer_id, in_data, conv_buffer_data, zero_byte);
+}
+
+template <typename T>
+void DilatedIm2col(const ConvParams& params, uint8 zero_byte,
+ const RuntimeShape& input_shape, const T* input_data,
+ const RuntimeShape& filter_shape,
+ const RuntimeShape& output_shape, T* im2col_data) {
+ const int stride_width = params.stride_width;
+ const int stride_height = params.stride_height;
+ const int dilation_width_factor = params.dilation_width_factor;
+ const int dilation_height_factor = params.dilation_height_factor;
+ const int pad_width = params.padding_values.width;
+ const int pad_height = params.padding_values.height;
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(filter_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+
+ // For dilated convolution, the input pixels are not contiguous therefore we
+ // can't use the same opitimizations as Im2Col(). Though note this code would
+ // work fine for the non-dilated case too (though likely a bit slower).
+ gemmlowp::ScopedProfilingLabel label("DilatedIm2col");
+ TFLITE_DCHECK(dilation_width_factor != 1 || dilation_height_factor != 1);
+ TFLITE_DCHECK(im2col_data);
+ const int batches = MatchingDim(input_shape, 0, output_shape, 0);
+ const int input_height = input_shape.Dims(1);
+ const int input_width = input_shape.Dims(2);
+ const int input_depth = MatchingDim(input_shape, 3, filter_shape, 3);
+ const int filter_height = filter_shape.Dims(1);
+ const int filter_width = filter_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+ const int output_width = output_shape.Dims(2);
+ MatchingDim(output_shape, 3, filter_shape, 0);
+
+ // Construct the MxN sized im2col matrix.
+ // The rows M, are sub-ordered B x H x W
+ const RuntimeShape row_shape({1, batches, output_height, output_width});
+ // The columns, N, are sub-ordered Kh x Kw x Din
+ const RuntimeShape col_shape({1, filter_height, filter_width, input_depth});
+ // Use dimensions M and N to construct dims for indexing directly into im2col
+ const RuntimeShape im2col_shape(
+ {1, 1, row_shape.FlatSize(), col_shape.FlatSize()});
+
+ // Loop through the output rows (B x H x W)
+ for (int batch = 0; batch < batches; ++batch) {
+ for (int out_y = 0; out_y < output_height; ++out_y) {
+ for (int out_x = 0; out_x < output_width; ++out_x) {
+ // Each im2col row is an output pixel. Arrange the input data in this
+ // row in an order we can conveniently multiply with the filter data.
+ int row_offset = Offset(row_shape, 0, batch, out_y, out_x);
+ const int in_x_origin = (out_x * stride_width) - pad_width;
+ const int in_y_origin = (out_y * stride_height) - pad_height;
+ // Loop through all the pixels of the filter (Kh x Kw)
+ for (int filter_y = 0; filter_y < filter_height; ++filter_y) {
+ const int in_y = in_y_origin + dilation_height_factor * filter_y;
+ if ((in_y >= 0) && (in_y < input_height)) {
+ // Filter row is within the input data.
+ // Loop through all the filter pixels in this row.
+ for (int filter_x = 0; filter_x < filter_width; ++filter_x) {
+ const int in_x = in_x_origin + dilation_width_factor * filter_x;
+ int col_offset = Offset(col_shape, 0, filter_y, filter_x, 0);
+ T* dst = im2col_data +
+ Offset(im2col_shape, 0, 0, row_offset, col_offset);
+ if ((in_x >= 0) && (in_x < input_width)) {
+ // Filter pixel is within the input, copy the input data.
+ T const* src =
+ input_data + Offset(input_shape, batch, in_y, in_x, 0);
+ memcpy(dst, src, input_depth * sizeof(T));
+ } else {
+ // Filter pixel is outside the input, zero it out.
+ memset(dst, zero_byte, input_depth * sizeof(T));
+ }
+ }
+ } else {
+ // Filter row is outside the input, zero out the entire filter row.
+ int col_offset = Offset(col_shape, 0, filter_y, 0, 0);
+ T* dst = im2col_data +
+ Offset(im2col_shape, 0, 0, row_offset, col_offset);
+ memset(dst, zero_byte, filter_width * input_depth * sizeof(T));
+ }
+ }
+ }
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+template <typename T>
+void DilatedIm2col(const T* input_data, const Dims<4>& input_dims,
+ const Dims<4>& filter_dims, int stride_width,
+ int stride_height, int dilation_width_factor,
+ int dilation_height_factor, int pad_width, int pad_height,
+ const Dims<4>& output_dims, uint8 zero_byte,
+ T* im2col_data) {
+ tflite::ConvParams op_params;
+ // Padding type is ignored, but still set.
+ op_params.padding_type = PaddingType::kSame;
+ op_params.padding_values.width = pad_width;
+ op_params.padding_values.height = pad_height;
+ op_params.stride_width = stride_width;
+ op_params.stride_height = stride_height;
+ op_params.dilation_width_factor = dilation_width_factor;
+ op_params.dilation_height_factor = dilation_height_factor;
+
+ DilatedIm2col(op_params, zero_byte, DimsToShape(input_dims), input_data,
+ DimsToShape(filter_dims), DimsToShape(output_dims),
+ im2col_data);
+}
+
+template <typename T>
+void Im2col(const ConvParams& params, int kheight, int kwidth, uint8 zero_byte,
+ const RuntimeShape& input_shape, const T* input_data,
+ const RuntimeShape& output_shape, T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Im2col");
+ const int stride_width = params.stride_width;
+ const int stride_height = params.stride_height;
+ const int pad_width = params.padding_values.width;
+ const int pad_height = params.padding_values.height;
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+
+ const int batches = MatchingDim(input_shape, 0, output_shape, 0);
+ const int input_depth = input_shape.Dims(3);
+ const int input_width = input_shape.Dims(2);
+ const int input_height = input_shape.Dims(1);
+ const int output_depth = output_shape.Dims(3);
+ const int output_width = output_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+
+ int buffer_id = 0;
+ // Loop over the output nodes.
+ for (int b = 0; b < batches; ++b) {
+ for (int h = 0; h < output_height; ++h) {
+ for (int w = 0; w < output_width; ++w) {
+ ExtractPatchIntoBufferColumn(
+ input_shape, w, h, b, kheight, kwidth, stride_width, stride_height,
+ pad_width, pad_height, input_width, input_height, input_depth,
+ output_depth, buffer_id, input_data, output_data, zero_byte);
+ ++buffer_id;
+ }
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+template <typename T>
+void Im2col(const T* input_data, const Dims<4>& input_dims, int stride_width,
+ int stride_height, int pad_width, int pad_height, int kheight,
+ int kwidth, uint8 zero_byte, T* output_data,
+ const Dims<4>& output_dims) {
+ tflite::ConvParams op_params;
+ // Padding type is ignored, but still set.
+ op_params.padding_type = PaddingType::kSame;
+ op_params.padding_values.width = pad_width;
+ op_params.padding_values.height = pad_height;
+ op_params.stride_width = stride_width;
+ op_params.stride_height = stride_height;
+ op_params.dilation_width_factor = 1;
+ op_params.dilation_height_factor = 1;
+
+ Im2col(op_params, kheight, kwidth, zero_byte, DimsToShape(input_dims),
+ input_data, DimsToShape(output_dims), output_data);
+}
+
+// legacy, for compatibility with old checked-in code
+template <typename T>
+void Im2col(const T* input_data, const Dims<4>& input_dims, int stride,
+ int pad_width, int pad_height, int kheight, int kwidth,
+ uint8 zero_byte, T* output_data, const Dims<4>& output_dims) {
+ Im2col(input_data, input_dims, stride, stride, pad_width, pad_height, kheight,
+ kwidth, zero_byte, output_data, output_dims);
+}
+
+inline void Conv(const ConvParams& params, const RuntimeShape& input_shape,
+ const float* input_data, const RuntimeShape& filter_shape,
+ const float* filter_data, const RuntimeShape& bias_shape,
+ const float* bias_data, const RuntimeShape& output_shape,
+ float* output_data, const RuntimeShape& im2col_shape,
+ float* im2col_data) {
+ const int stride_width = params.stride_width;
+ const int stride_height = params.stride_height;
+ const int dilation_width_factor = params.dilation_width_factor;
+ const int dilation_height_factor = params.dilation_height_factor;
+ const float output_activation_min = params.float_activation_min;
+ const float output_activation_max = params.float_activation_max;
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(filter_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+
+ (void)im2col_data;
+ (void)im2col_shape;
+ gemmlowp::ScopedProfilingLabel label("Conv");
+
+ // NB: static_cast<float>(0x00000000h) == 0.0f
+ const uint8 float_zero_byte = 0x00;
+ const float* gemm_input_data = nullptr;
+ const RuntimeShape* gemm_input_shape = nullptr;
+ const int filter_width = filter_shape.Dims(2);
+ const int filter_height = filter_shape.Dims(1);
+ const bool need_dilated_im2col =
+ dilation_width_factor != 1 || dilation_height_factor != 1;
+ const bool need_im2col = stride_width != 1 || stride_height != 1 ||
+ filter_width != 1 || filter_height != 1;
+ if (need_dilated_im2col) {
+ DilatedIm2col(params, float_zero_byte, input_shape, input_data,
+ filter_shape, output_shape, im2col_data);
+ gemm_input_data = im2col_data;
+ gemm_input_shape = &im2col_shape;
+ } else if (need_im2col) {
+ TFLITE_DCHECK(im2col_data);
+ Im2col(params, filter_height, filter_width, float_zero_byte, input_shape,
+ input_data, im2col_shape, im2col_data);
+ gemm_input_data = im2col_data;
+ gemm_input_shape = &im2col_shape;
+ } else {
+ // TODO(aselle): We need to make sure to not send im2col if it is not
+ // needed.
+ TFLITE_DCHECK(!im2col_data);
+ gemm_input_data = input_data;
+ gemm_input_shape = &input_shape;
+ }
+
+ const auto im2col_matrix_map =
+ MapAsMatrixWithLastDimAsRows(gemm_input_data, *gemm_input_shape);
+ const auto filter_matrix_map =
+ MapAsMatrixWithFirstDimAsCols(filter_data, filter_shape);
+ auto output_matrix_map =
+ MapAsMatrixWithLastDimAsRows(output_data, output_shape);
+
+ Gemm(filter_matrix_map.transpose(), im2col_matrix_map, &output_matrix_map);
+
+ AddBiasAndEvalActivationFunction(output_activation_min, output_activation_max,
+ bias_shape, bias_data, output_shape,
+ output_data);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void Conv(const float* input_data, const Dims<4>& input_dims,
+ const float* filter_data, const Dims<4>& filter_dims,
+ const float* bias_data, const Dims<4>& bias_dims,
+ int stride_width, int stride_height, int dilation_width_factor,
+ int dilation_height_factor, int pad_width, int pad_height,
+ float output_activation_min, float output_activation_max,
+ float* output_data, const Dims<4>& output_dims,
+ float* im2col_data, const Dims<4>& im2col_dims) {
+ tflite::ConvParams op_params;
+ // Padding type is ignored, but still set.
+ op_params.padding_type = PaddingType::kSame;
+ op_params.padding_values.width = pad_width;
+ op_params.padding_values.height = pad_height;
+ op_params.stride_width = stride_width;
+ op_params.stride_height = stride_height;
+ op_params.dilation_width_factor = dilation_width_factor;
+ op_params.dilation_height_factor = dilation_height_factor;
+ op_params.float_activation_min = output_activation_min;
+ op_params.float_activation_max = output_activation_max;
+
+ Conv(op_params, DimsToShape(input_dims), input_data, DimsToShape(filter_dims),
+ filter_data, DimsToShape(bias_dims), bias_data, DimsToShape(output_dims),
+ output_data, DimsToShape(im2col_dims), im2col_data);
+}
+
+inline void HybridConv(const ConvParams& params, float* scaling_factors_ptr,
+ const RuntimeShape& input_shape,
+ const int8_t* input_data,
+ const RuntimeShape& filter_shape,
+ const int8_t* filter_data,
+ const RuntimeShape& bias_shape, const float* bias_data,
+ const RuntimeShape& output_shape, float* output_data,
+ const RuntimeShape& im2col_shape, int8_t* im2col_data) {
+ const int stride_width = params.stride_width;
+ const int stride_height = params.stride_height;
+ const float output_activation_min = params.float_activation_min;
+ const float output_activation_max = params.float_activation_max;
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(filter_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+
+ const int batch_size = input_shape.Dims(0);
+ const int filter_width = filter_shape.Dims(2);
+ const int filter_height = filter_shape.Dims(1);
+
+ const int8_t* gemm_input_data = nullptr;
+ int num_input;
+ const bool need_im2col = stride_width != 1 || stride_height != 1 ||
+ filter_width != 1 || filter_height != 1;
+
+ if (need_im2col) {
+ TFLITE_DCHECK(im2col_data);
+ // symmetric quantization assumes zero point of 0.
+ const int input_zero_point = 0;
+
+ Im2col(params, filter_height, filter_width, input_zero_point, input_shape,
+ input_data, im2col_shape, im2col_data);
+ gemm_input_data = im2col_data;
+ num_input = im2col_shape.FlatSize();
+ } else {
+ TFLITE_DCHECK(!im2col_data);
+ gemm_input_data = input_data;
+ num_input = input_shape.FlatSize();
+ }
+
+ // Flatten 4D matrices into 2D matrices for matrix multiplication.
+
+ // Flatten so that each filter has its own row.
+ const int filter_rows = filter_shape.Dims(0);
+ const int filter_cols = FlatSizeSkipDim(filter_shape, 0);
+
+ // In MatrixBatchVectorMultiplyAccumulate, each output value is the
+ // dot product of one row of the first matrix with one row of the second
+ // matrix. Therefore, the number of cols in each matrix are equivalent.
+ //
+ // After Im2Col, each input patch becomes a row.
+ const int gemm_input_cols = filter_cols;
+ const int gemm_input_rows = num_input / gemm_input_cols;
+
+ const int output_cols = output_shape.Dims(3);
+ const int output_rows = FlatSizeSkipDim(output_shape, 3);
+ TFLITE_DCHECK_EQ(output_cols, filter_rows);
+ TFLITE_DCHECK_EQ(output_rows, gemm_input_rows);
+ TFLITE_DCHECK_EQ(bias_shape.Dims(3), output_cols);
+ TFLITE_DCHECK_EQ(bias_shape.Dims(2), 1);
+ TFLITE_DCHECK_EQ(bias_shape.Dims(1), 1);
+ TFLITE_DCHECK_EQ(bias_shape.Dims(0), 1);
+
+ // MatrixBatchVectorMultiplyAccumulate assumes that each row of the second
+ // input matrix has its own scale factor. This code duplicates the scale
+ // factors for each row in the same batch.
+ const int rows_per_batch = gemm_input_rows / batch_size;
+ for (int i = gemm_input_rows - 1; i >= 0; --i) {
+ scaling_factors_ptr[i] = scaling_factors_ptr[i / rows_per_batch];
+ }
+
+ tensor_utils::ZeroVector(output_data, output_rows * output_cols);
+
+ tensor_utils::MatrixBatchVectorMultiplyAccumulate(
+ filter_data, filter_rows, filter_cols, gemm_input_data,
+ scaling_factors_ptr, /*n_batch=*/gemm_input_rows, output_data,
+ /*result_stride=*/1);
+
+ AddBiasAndEvalActivationFunction(output_activation_min, output_activation_max,
+ bias_shape, bias_data, output_shape,
+ output_data);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void HybridConv(const int8_t* input_data, const Dims<4>& input_dims,
+ const int8_t* filter_data, const Dims<4>& filter_dims,
+ const float* bias_data, const Dims<4>& bias_dims,
+ int stride_width, int stride_height, int pad_width,
+ int pad_height, float* scaling_factors_ptr,
+ float output_activation_min, float output_activation_max,
+ float* output_data, const Dims<4>& output_dims,
+ int8_t* im2col_data, const Dims<4>& im2col_dims) {
+ tflite::ConvParams op_params;
+ // Padding type is ignored, but still set.
+ op_params.padding_type = PaddingType::kSame;
+ op_params.padding_values.width = pad_width;
+ op_params.padding_values.height = pad_height;
+ op_params.stride_width = stride_width;
+ op_params.stride_height = stride_height;
+ op_params.float_activation_min = output_activation_min;
+ op_params.float_activation_max = output_activation_max;
+
+ HybridConv(op_params, scaling_factors_ptr, DimsToShape(input_dims),
+ input_data, DimsToShape(filter_dims), filter_data,
+ DimsToShape(bias_dims), bias_data, DimsToShape(output_dims),
+ output_data, DimsToShape(im2col_dims), im2col_data);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+template <FusedActivationFunctionType Ac>
+void Conv(const float* input_data, const Dims<4>& input_dims,
+ const float* filter_data, const Dims<4>& filter_dims,
+ const float* bias_data, const Dims<4>& bias_dims, int stride_width,
+ int stride_height, int dilation_width_factor,
+ int dilation_height_factor, int pad_width, int pad_height,
+ float* output_data, const Dims<4>& output_dims, float* im2col_data,
+ const Dims<4>& im2col_dims) {
+ float output_activation_min, output_activation_max;
+ GetActivationMinMax(Ac, &output_activation_min, &output_activation_max);
+ Conv(input_data, input_dims, filter_data, filter_dims, bias_data, bias_dims,
+ stride_width, stride_height, dilation_width_factor,
+ dilation_height_factor, pad_width, pad_height, output_activation_min,
+ output_activation_max, output_data, output_dims, im2col_data,
+ im2col_dims);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+void Conv(const float* input_data, const Dims<4>& input_dims,
+ const float* filter_data, const Dims<4>& filter_dims,
+ const float* bias_data, const Dims<4>& bias_dims, int stride_width,
+ int stride_height, int pad_width, int pad_height, float* output_data,
+ const Dims<4>& output_dims, float* im2col_data,
+ const Dims<4>& im2col_dims) {
+ float output_activation_min, output_activation_max;
+ GetActivationMinMax(Ac, &output_activation_min, &output_activation_max);
+ Conv(input_data, input_dims, filter_data, filter_dims, bias_data, bias_dims,
+ stride_width, stride_height, 1, 1, pad_width, pad_height,
+ output_activation_min, output_activation_max, output_data, output_dims,
+ im2col_data, im2col_dims);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+void Conv(const float* input_data, const Dims<4>& input_dims,
+ const float* filter_data, const Dims<4>& filter_dims,
+ const float* bias_data, const Dims<4>& bias_dims, int stride,
+ int pad_width, int pad_height, float* output_data,
+ const Dims<4>& output_dims, float* im2col_data,
+ const Dims<4>& im2col_dims) {
+ Conv<Ac>(input_data, input_dims, filter_data, filter_dims, bias_data,
+ bias_dims, stride, stride, 1, 1, pad_width, pad_height, output_data,
+ output_dims, im2col_data, im2col_dims);
+}
+
+inline void Conv(const ConvParams& params, const RuntimeShape& input_shape,
+ const uint8* input_data, const RuntimeShape& filter_shape,
+ const uint8* filter_data, const RuntimeShape& bias_shape,
+ const int32* bias_data, const RuntimeShape& output_shape,
+ uint8* output_data, const RuntimeShape& im2col_shape,
+ uint8* im2col_data, gemmlowp::GemmContext* gemm_context) {
+ gemmlowp::ScopedProfilingLabel label("Conv/8bit");
+ const int stride_width = params.stride_width;
+ const int stride_height = params.stride_height;
+ const int dilation_width_factor = params.dilation_width_factor;
+ const int dilation_height_factor = params.dilation_height_factor;
+ const int32 input_offset = params.input_offset;
+ const int32 filter_offset = params.weights_offset;
+ const int32 output_offset = params.output_offset;
+ const int32 output_multiplier = params.output_multiplier;
+ const int output_shift = params.output_shift;
+ const int32 output_activation_min = params.quantized_activation_min;
+ const int32 output_activation_max = params.quantized_activation_max;
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(filter_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+
+ const uint8* gemm_input_data = nullptr;
+ const RuntimeShape* gemm_input_shape = nullptr;
+ const int filter_width = filter_shape.Dims(2);
+ const int filter_height = filter_shape.Dims(1);
+ const bool need_dilated_im2col =
+ dilation_width_factor != 1 || dilation_height_factor != 1;
+ const bool need_im2col = stride_width != 1 || stride_height != 1 ||
+ filter_width != 1 || filter_height != 1;
+ if (need_dilated_im2col) {
+ TFLITE_DCHECK(im2col_data);
+ const int input_zero_point = -input_offset;
+ TFLITE_DCHECK_GE(input_zero_point, 0);
+ TFLITE_DCHECK_LE(input_zero_point, 255);
+ DilatedIm2col(params, input_zero_point, input_shape, input_data,
+ filter_shape, output_shape, im2col_data);
+ gemm_input_data = im2col_data;
+ gemm_input_shape = &im2col_shape;
+ } else if (need_im2col) {
+ TFLITE_DCHECK(im2col_data);
+ const int input_zero_point = -input_offset;
+ TFLITE_DCHECK_GE(input_zero_point, 0);
+ TFLITE_DCHECK_LE(input_zero_point, 255);
+ Im2col(params, filter_height, filter_width, input_zero_point, input_shape,
+ input_data, im2col_shape, im2col_data);
+ gemm_input_data = im2col_data;
+ gemm_input_shape = &im2col_shape;
+ } else {
+ TFLITE_DCHECK(!im2col_data);
+ gemm_input_data = input_data;
+ gemm_input_shape = &input_shape;
+ }
+
+ const int gemm_input_rows = gemm_input_shape->Dims(3);
+ // Using FlatSizeSkipDim causes segfault in some contexts (see b/79927784).
+ // The root cause has not yet been identified though. Same applies below for
+ // the other calls commented out. This is a partial rollback of cl/196819423.
+ // const int gemm_input_cols = FlatSizeSkipDim(*gemm_input_shape, 3);
+ const int gemm_input_cols = gemm_input_shape->Dims(0) *
+ gemm_input_shape->Dims(1) *
+ gemm_input_shape->Dims(2);
+ const int filter_rows = filter_shape.Dims(0);
+ // See b/79927784.
+ // const int filter_cols = FlatSizeSkipDim(filter_shape, 0);
+ const int filter_cols =
+ filter_shape.Dims(1) * filter_shape.Dims(2) * filter_shape.Dims(3);
+ const int output_rows = output_shape.Dims(3);
+ // See b/79927784.
+ // const int output_cols = FlatSizeSkipDim(output_shape, 3);
+ const int output_cols =
+ output_shape.Dims(0) * output_shape.Dims(1) * output_shape.Dims(2);
+ TFLITE_DCHECK_EQ(output_rows, filter_rows);
+ TFLITE_DCHECK_EQ(output_cols, gemm_input_cols);
+ TFLITE_DCHECK_EQ(filter_cols, gemm_input_rows);
+ TFLITE_DCHECK_EQ(bias_shape.FlatSize(), output_rows);
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::RowMajor> filter_matrix(
+ filter_data, filter_rows, filter_cols);
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::ColMajor> input_matrix(
+ gemm_input_data, gemm_input_rows, gemm_input_cols);
+ gemmlowp::MatrixMap<uint8, gemmlowp::MapOrder::ColMajor> output_matrix(
+ output_data, output_rows, output_cols);
+ const auto& output_pipeline = GemmlowpOutputPipeline::MakeExp(
+ bias_data, output_rows, output_offset, output_multiplier, output_shift,
+ output_activation_min, output_activation_max);
+ gemmlowp::GemmWithOutputPipeline<uint8, uint8,
+ gemmlowp::L8R8WithLhsNonzeroBitDepthParams>(
+ gemm_context, filter_matrix, input_matrix, &output_matrix, filter_offset,
+ input_offset, output_pipeline);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void Conv(const uint8* input_data, const Dims<4>& input_dims,
+ int32 input_offset, const uint8* filter_data,
+ const Dims<4>& filter_dims, int32 filter_offset,
+ const int32* bias_data, const Dims<4>& bias_dims,
+ int stride_width, int stride_height, int dilation_width_factor,
+ int dilation_height_factor, int pad_width, int pad_height,
+ int32 output_offset, int32 output_multiplier, int output_shift,
+ int32 output_activation_min, int32 output_activation_max,
+ uint8* output_data, const Dims<4>& output_dims,
+ uint8* im2col_data, const Dims<4>& im2col_dims,
+ gemmlowp::GemmContext* gemm_context) {
+ tflite::ConvParams op_params;
+ // Padding type is ignored, but still set.
+ op_params.padding_type = PaddingType::kSame;
+ op_params.padding_values.width = pad_width;
+ op_params.padding_values.height = pad_height;
+ op_params.stride_width = stride_width;
+ op_params.stride_height = stride_height;
+ op_params.dilation_width_factor = dilation_width_factor;
+ op_params.dilation_height_factor = dilation_height_factor;
+ op_params.input_offset = input_offset;
+ op_params.weights_offset = filter_offset;
+ op_params.output_offset = output_offset;
+ op_params.output_multiplier = output_multiplier;
+ // Legacy ops used mixed left and right shifts. Now all are +ve-means-left.
+ op_params.output_shift = kReverseShift * output_shift;
+ op_params.quantized_activation_min = output_activation_min;
+ op_params.quantized_activation_max = output_activation_max;
+
+ Conv(op_params, DimsToShape(input_dims), input_data, DimsToShape(filter_dims),
+ filter_data, DimsToShape(bias_dims), bias_data, DimsToShape(output_dims),
+ output_data, DimsToShape(im2col_dims), im2col_data, gemm_context);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void Conv(const uint8* input_data, const Dims<4>& input_dims,
+ int32 input_offset, const uint8* filter_data,
+ const Dims<4>& filter_dims, int32 filter_offset,
+ const int32* bias_data, const Dims<4>& bias_dims,
+ int stride_width, int stride_height, int pad_width,
+ int pad_height, int32 output_offset, int32 output_multiplier,
+ int output_shift, int32 output_activation_min,
+ int32 output_activation_max, uint8* output_data,
+ const Dims<4>& output_dims, uint8* im2col_data,
+ const Dims<4>& im2col_dims,
+ gemmlowp::GemmContext* gemm_context) {
+ Conv(input_data, input_dims, input_offset, filter_data, filter_dims,
+ filter_offset, bias_data, bias_dims, stride_width, stride_height, 1, 1,
+ pad_width, pad_height, output_offset, output_multiplier, output_shift,
+ output_activation_min, output_activation_max, output_data, output_dims,
+ im2col_data, im2col_dims, gemm_context);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+inline void Conv(const uint8* input_data, const Dims<4>& input_dims,
+ int32 input_offset, const uint8* filter_data,
+ const Dims<4>& filter_dims, int32 filter_offset,
+ const int32* bias_data, const Dims<4>& bias_dims,
+ int stride_width, int stride_height, int pad_width,
+ int pad_height, int32 output_offset, int32 output_multiplier,
+ int output_shift, int32 output_activation_min,
+ int32 output_activation_max, uint8* output_data,
+ const Dims<4>& output_dims, uint8* im2col_data,
+ const Dims<4>& im2col_dims,
+ gemmlowp::GemmContext* gemm_context) {
+ static_assert(Ac == FusedActivationFunctionType::kNone ||
+ Ac == FusedActivationFunctionType::kRelu ||
+ Ac == FusedActivationFunctionType::kRelu6 ||
+ Ac == FusedActivationFunctionType::kRelu1,
+ "");
+ if (Ac == FusedActivationFunctionType::kNone) {
+ TFLITE_DCHECK_EQ(output_activation_min, 0);
+ TFLITE_DCHECK_EQ(output_activation_max, 255);
+ }
+ Conv(input_data, input_dims, input_offset, filter_data, filter_dims,
+ filter_offset, bias_data, bias_dims, stride_width, stride_height,
+ pad_width, pad_height, output_offset, output_multiplier, output_shift,
+ output_activation_min, output_activation_max, output_data, output_dims,
+ im2col_data, im2col_dims, gemm_context);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+void Conv(const uint8* input_data, const Dims<4>& input_dims,
+ int32 input_offset, const uint8* filter_data,
+ const Dims<4>& filter_dims, int32 filter_offset,
+ const int32* bias_data, const Dims<4>& bias_dims, int stride,
+ int pad_width, int pad_height, int32 output_offset,
+ int32 output_multiplier, int output_shift,
+ int32 output_activation_min, int32 output_activation_max,
+ uint8* output_data, const Dims<4>& output_dims, uint8* im2col_data,
+ const Dims<4>& im2col_dims, gemmlowp::GemmContext* gemm_context) {
+ static_assert(Ac == FusedActivationFunctionType::kNone ||
+ Ac == FusedActivationFunctionType::kRelu ||
+ Ac == FusedActivationFunctionType::kRelu6 ||
+ Ac == FusedActivationFunctionType::kRelu1,
+ "");
+ Conv(input_data, input_dims, input_offset, filter_data, filter_dims,
+ filter_offset, bias_data, bias_dims, stride, stride, pad_width,
+ pad_height, output_offset, output_multiplier, output_shift,
+ output_activation_min, output_activation_max, output_data, output_dims,
+ im2col_data, im2col_dims, gemm_context);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac, typename T>
+void Im2col(const T* input_data, const Dims<4>& input_dims, int stride,
+ int pad_width, int pad_height, int kheight, int kwidth,
+ uint8 zero_byte, T* output_data, const Dims<4>& output_dims) {
+ Im2col(input_data, input_dims, stride, stride, pad_width, pad_height, kheight,
+ kwidth, zero_byte, output_data, output_dims);
+}
+
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+void ConvAsGemm(const float* input_data, const Dims<4>& input_dims,
+ const float* filter_data, const Dims<4>& filter_dims,
+ const float* bias_data, const Dims<4>& bias_dims,
+ float* output_data, const Dims<4>& output_dims) {
+ gemmlowp::ScopedProfilingLabel label("ConvAsGemm");
+
+ const auto input_matrix_map =
+ MapAsMatrixWithFirstDimAsRows(input_data, input_dims);
+ const auto filter_matrix_map =
+ MapAsMatrixWithLastDimAsCols(filter_data, filter_dims);
+ auto output_matrix_map =
+ MapAsMatrixWithFirstDimAsRows(output_data, output_dims);
+
+ Gemm(filter_matrix_map.transpose(), input_matrix_map, &output_matrix_map);
+
+ AddBiasAndEvalActivationFunction<Ac>(bias_data, bias_dims, output_data,
+ output_dims);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// legacy, for compatibility with old checked-in code
+template <FusedActivationFunctionType Ac>
+void ConvAsGemm(const uint8* input_data, const Dims<4>& input_dims,
+ int32 input_offset, const uint8* filter_data,
+ const Dims<4>& filter_dims, int32 filter_offset,
+ const int32* bias_data, const Dims<4>& bias_dims,
+ int32 output_offset, int32 output_multiplier, int output_shift,
+ int32 output_activation_min, int32 output_activation_max,
+ uint8* output_data, const Dims<4>& output_dims,
+ gemmlowp::GemmContext* gemm_context) {
+ gemmlowp::ScopedProfilingLabel label("ConvAsGemm/8bit");
+ static_assert(Ac == FusedActivationFunctionType::kNone ||
+ Ac == FusedActivationFunctionType::kRelu ||
+ Ac == FusedActivationFunctionType::kRelu6 ||
+ Ac == FusedActivationFunctionType::kRelu1,
+ "");
+ const int input_rows = input_dims.sizes[0];
+ const int input_cols = FlatSizeSkipDim(input_dims, 0);
+ const int filter_rows = filter_dims.sizes[3];
+ const int filter_cols = FlatSizeSkipDim(filter_dims, 3);
+ const int output_rows = output_dims.sizes[0];
+ const int output_cols = FlatSizeSkipDim(output_dims, 0);
+ TFLITE_DCHECK_EQ(output_rows, filter_rows);
+ TFLITE_DCHECK_EQ(output_cols, input_cols);
+ TFLITE_DCHECK_EQ(filter_cols, input_rows);
+ TFLITE_DCHECK_EQ(bias_dims.sizes[0], output_rows);
+ TFLITE_DCHECK_EQ(bias_dims.sizes[1], 1);
+ TFLITE_DCHECK_EQ(bias_dims.sizes[2], 1);
+ TFLITE_DCHECK_EQ(bias_dims.sizes[3], 1);
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::RowMajor> filter_matrix(
+ filter_data, output_rows, filter_cols, filter_cols);
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::ColMajor> input_matrix(
+ input_data, filter_cols, output_cols, filter_cols);
+ gemmlowp::MatrixMap<uint8, gemmlowp::MapOrder::ColMajor> output_matrix(
+ output_data, output_rows, output_cols, output_rows);
+ const auto& output_pipeline = GemmlowpOutputPipeline::MakeExp(
+ bias_data, output_rows, output_offset, output_multiplier, -output_shift,
+ output_activation_min, output_activation_max);
+ gemmlowp::GemmWithOutputPipeline<uint8, uint8,
+ gemmlowp::L8R8WithLhsNonzeroBitDepthParams>(
+ gemm_context, filter_matrix, input_matrix, &output_matrix, filter_offset,
+ input_offset, output_pipeline);
+}
+
+template <typename T>
+inline void DepthToSpace(const tflite::DepthToSpaceParams& op_params,
+ const RuntimeShape& unextended_input_shape,
+ const T* input_data,
+ const RuntimeShape& unextended_output_shape,
+ T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("DepthToSpace");
+
+ TFLITE_DCHECK_LE(unextended_input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_shape.DimensionsCount(), 4);
+ const RuntimeShape input_shape =
+ RuntimeShape::ExtendedShape(4, unextended_input_shape);
+ const RuntimeShape output_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_shape);
+
+ const int input_depth = input_shape.Dims(3);
+ const int input_width = input_shape.Dims(2);
+ const int input_height = input_shape.Dims(1);
+
+ const int output_depth = output_shape.Dims(3);
+ const int batch_size = output_shape.Dims(0);
+
+ // Number of continuous values that we can copy in one interation.
+ const int stride = op_params.block_size * output_depth;
+
+ for (int batch = 0; batch < batch_size; ++batch) {
+ for (int in_h = 0; in_h < input_height; ++in_h) {
+ const T* input_ptr = input_data + Offset(input_shape, batch, in_h, 0, 0);
+ for (int offset_h = 0; offset_h < op_params.block_size; ++offset_h) {
+ const T* src = input_ptr;
+ for (int in_w = 0; in_w < input_width; ++in_w) {
+ memcpy(output_data, src, stride * sizeof(T));
+ output_data += stride;
+ src += input_depth;
+ }
+ input_ptr += stride;
+ }
+ }
+ }
+}
+
+template <typename T>
+inline void SpaceToDepth(const tflite::SpaceToDepthParams& op_params,
+ const RuntimeShape& unextended_input_shape,
+ const T* input_data,
+ const RuntimeShape& unextended_output_shape,
+ T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("SpaceToDepth");
+
+ TFLITE_DCHECK_LE(unextended_input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_shape.DimensionsCount(), 4);
+ const RuntimeShape input_shape =
+ RuntimeShape::ExtendedShape(4, unextended_input_shape);
+ const RuntimeShape output_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_shape);
+
+ const int output_depth = output_shape.Dims(3);
+ const int output_width = output_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+
+ const int input_depth = input_shape.Dims(3);
+ const int batch_size = input_shape.Dims(0);
+
+ // Number of continuous values that we can copy in one interation.
+ const int stride = op_params.block_size * input_depth;
+
+ for (int batch = 0; batch < batch_size; ++batch) {
+ for (int out_h = 0; out_h < output_height; ++out_h) {
+ T* output_ptr = output_data + Offset(output_shape, batch, out_h, 0, 0);
+ for (int offset_h = 0; offset_h < op_params.block_size; ++offset_h) {
+ T* dst = output_ptr;
+ for (int out_w = 0; out_w < output_width; ++out_w) {
+ memcpy(dst, input_data, stride * sizeof(T));
+ input_data += stride;
+ dst += output_depth;
+ }
+ output_ptr += stride;
+ }
+ }
+ }
+}
+
+inline void Relu(const RuntimeShape& input_shape, const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Relu (not fused)");
+
+ const auto input = MapAsVector(input_data, input_shape);
+ auto output = MapAsVector(output_data, output_shape);
+ output = input.cwiseMax(0.0f);
+}
+
+inline void L2Normalization(const tflite::L2NormalizationParams& op_params,
+ const RuntimeShape& input_shape,
+ const float* input_data,
+ const RuntimeShape& output_shape,
+ float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("L2Normalization");
+ const int trailing_dim = input_shape.DimensionsCount() - 1;
+ const int outer_size =
+ MatchingFlatSizeSkipDim(input_shape, trailing_dim, output_shape);
+ const int depth =
+ MatchingDim(input_shape, trailing_dim, output_shape, trailing_dim);
+ for (int i = 0; i < outer_size; ++i) {
+ float squared_l2_norm = 0;
+ for (int c = 0; c < depth; ++c) {
+ const float val = input_data[c];
+ squared_l2_norm += val * val;
+ }
+ const float l2_norm = std::sqrt(squared_l2_norm);
+ for (int c = 0; c < depth; ++c) {
+ *output_data = *input_data / l2_norm;
+ ++output_data;
+ ++input_data;
+ }
+ }
+}
+
+inline void GetInvSqrtQuantizedMultiplierExp(int32 input,
+ int32* output_inv_sqrt,
+ int* output_shift) {
+ *output_shift = 11;
+ while (input >= (1 << 29)) {
+ input /= 4;
+ ++*output_shift;
+ }
+ TFLITE_DCHECK_GT(input, 0);
+ const unsigned max_left_shift_bits =
+ CountLeadingZeros(static_cast<uint32>(input)) - 1;
+ const unsigned max_left_shift_bit_pairs = max_left_shift_bits / 2;
+ const unsigned left_shift_bit_pairs = max_left_shift_bit_pairs - 1;
+ *output_shift -= left_shift_bit_pairs;
+ input <<= 2 * left_shift_bit_pairs;
+ TFLITE_DCHECK_GE(input, (1 << 27));
+ TFLITE_DCHECK_LT(input, (1 << 29));
+ using gemmlowp::FixedPoint;
+ using gemmlowp::Rescale;
+ using gemmlowp::SaturatingRoundingMultiplyByPOT;
+ // Using 3 integer bits gives us enough room for the internal arithmetic in
+ // this Newton-Raphson iteration.
+ using F3 = FixedPoint<int32, 3>;
+ using F0 = FixedPoint<int32, 0>;
+ const F3 fixedpoint_input = F3::FromRaw(input >> 1);
+ const F3 fixedpoint_half_input =
+ SaturatingRoundingMultiplyByPOT<-1>(fixedpoint_input);
+ const F3 fixedpoint_half_three =
+ GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(F3, (1 << 28) + (1 << 27), 1.5);
+ // Newton-Raphson iteration
+ // Naive unoptimized starting guess: x = 1
+ F3 x = F3::One();
+ // Naive unoptimized number of iterations: 5
+ for (int i = 0; i < 5; i++) {
+ const F3 x3 = Rescale<3>(x * x * x);
+ x = Rescale<3>(fixedpoint_half_three * x - fixedpoint_half_input * x3);
+ }
+ const F0 fixedpoint_half_sqrt_2 =
+ GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(F0, 1518500250, std::sqrt(2.) / 2.);
+ x = x * fixedpoint_half_sqrt_2;
+ *output_inv_sqrt = x.raw();
+ if (*output_shift < 0) {
+ *output_inv_sqrt <<= -*output_shift;
+ *output_shift = 0;
+ }
+ // Convert right shift (right is positive) to left shift.
+ *output_shift *= kReverseShift;
+}
+
+inline void L2Normalization(const tflite::L2NormalizationParams& op_params,
+ const RuntimeShape& input_shape,
+ const uint8* input_data,
+ const RuntimeShape& output_shape,
+ uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("L2Normalization/8bit");
+ const int trailing_dim = input_shape.DimensionsCount() - 1;
+ const int depth =
+ MatchingDim(input_shape, trailing_dim, output_shape, trailing_dim);
+ const int outer_size =
+ MatchingFlatSizeSkipDim(input_shape, trailing_dim, output_shape);
+ const int32 input_zero_point = op_params.input_zero_point;
+ for (int i = 0; i < outer_size; ++i) {
+ int32 square_l2_norm = 0;
+ for (int c = 0; c < depth; c++) {
+ // Note that input_data advances by depth in the second pass below.
+ int32 diff = input_data[c] - input_zero_point;
+ square_l2_norm += diff * diff;
+ }
+ int32 inv_l2norm_multiplier;
+ int inv_l2norm_shift;
+ GetInvSqrtQuantizedMultiplierExp(square_l2_norm, &inv_l2norm_multiplier,
+ &inv_l2norm_shift);
+
+ for (int c = 0; c < depth; c++) {
+ int32 diff = *input_data - input_zero_point;
+ int32 rescaled_diff = MultiplyByQuantizedMultiplierSmallerThanOneExp(
+ 128 * diff, inv_l2norm_multiplier, inv_l2norm_shift);
+ int32 unclamped_output_val = 128 + rescaled_diff;
+ int32 output_val = std::min(255, std::max(0, unclamped_output_val));
+ *output_data = static_cast<uint8>(output_val);
+ ++input_data;
+ ++output_data;
+ }
+ }
+}
+
+inline void Add(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const float* input1_data,
+ const RuntimeShape& input2_shape, const float* input2_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Add");
+
+ int i = 0;
+ const int size = MatchingFlatSize(input1_shape, input2_shape, output_shape);
+#ifdef USE_NEON
+ const auto activation_min = vdupq_n_f32(params.float_activation_min);
+ const auto activation_max = vdupq_n_f32(params.float_activation_max);
+ for (; i <= size - 16; i += 16) {
+ auto a10 = vld1q_f32(input1_data + i);
+ auto a11 = vld1q_f32(input1_data + i + 4);
+ auto a12 = vld1q_f32(input1_data + i + 8);
+ auto a13 = vld1q_f32(input1_data + i + 12);
+ auto a20 = vld1q_f32(input2_data + i);
+ auto a21 = vld1q_f32(input2_data + i + 4);
+ auto a22 = vld1q_f32(input2_data + i + 8);
+ auto a23 = vld1q_f32(input2_data + i + 12);
+ auto x0 = vaddq_f32(a10, a20);
+ auto x1 = vaddq_f32(a11, a21);
+ auto x2 = vaddq_f32(a12, a22);
+ auto x3 = vaddq_f32(a13, a23);
+ x0 = vmaxq_f32(activation_min, x0);
+ x1 = vmaxq_f32(activation_min, x1);
+ x2 = vmaxq_f32(activation_min, x2);
+ x3 = vmaxq_f32(activation_min, x3);
+ x0 = vminq_f32(activation_max, x0);
+ x1 = vminq_f32(activation_max, x1);
+ x2 = vminq_f32(activation_max, x2);
+ x3 = vminq_f32(activation_max, x3);
+ vst1q_f32(output_data + i, x0);
+ vst1q_f32(output_data + i + 4, x1);
+ vst1q_f32(output_data + i + 8, x2);
+ vst1q_f32(output_data + i + 12, x3);
+ }
+ for (; i <= size - 4; i += 4) {
+ auto a1 = vld1q_f32(input1_data + i);
+ auto a2 = vld1q_f32(input2_data + i);
+ auto x = vaddq_f32(a1, a2);
+ x = vmaxq_f32(activation_min, x);
+ x = vminq_f32(activation_max, x);
+ vst1q_f32(output_data + i, x);
+ }
+#endif // NEON
+
+ for (; i < size; i++) {
+ auto x = input1_data[i] + input2_data[i];
+ output_data[i] = ActivationFunctionWithMinMax(
+ x, params.float_activation_min, params.float_activation_max);
+ }
+}
+
+// Element-wise add that can often be used for inner loop of broadcast add as
+// well as the non-broadcast add.
+inline void AddElementwise(int size, const ArithmeticParams& params,
+ const uint8* input1_data, const uint8* input2_data,
+ uint8* output_data) {
+ int i = 0;
+ TFLITE_DCHECK_GT(params.input1_offset, -256);
+ TFLITE_DCHECK_GT(params.input2_offset, -256);
+ TFLITE_DCHECK_LT(params.input1_offset, 256);
+ TFLITE_DCHECK_LT(params.input2_offset, 256);
+#ifdef USE_NEON
+ const auto output_activation_min_vector =
+ vdup_n_u8(params.quantized_activation_min);
+ const auto output_activation_max_vector =
+ vdup_n_u8(params.quantized_activation_max);
+ for (; i <= size - 8; i += 8) {
+ const auto input1_val_original = vld1_u8(input1_data + i);
+ const auto input2_val_original = vld1_u8(input2_data + i);
+ const auto input1_val_s16 =
+ vreinterpretq_s16_u16(vmovl_u8(input1_val_original));
+ const auto input2_val_s16 =
+ vreinterpretq_s16_u16(vmovl_u8(input2_val_original));
+ const auto input1_val =
+ vaddq_s16(input1_val_s16, vdupq_n_s16(params.input1_offset));
+ const auto input2_val =
+ vaddq_s16(input2_val_s16, vdupq_n_s16(params.input2_offset));
+ const auto input1_val_high = vget_high_s16(input1_val);
+ const auto input1_val_low = vget_low_s16(input1_val);
+ const auto input2_val_high = vget_high_s16(input2_val);
+ const auto input2_val_low = vget_low_s16(input2_val);
+ auto x11 = vmovl_s16(input1_val_low);
+ auto x12 = vmovl_s16(input1_val_high);
+ auto x21 = vmovl_s16(input2_val_low);
+ auto x22 = vmovl_s16(input2_val_high);
+ const auto left_shift_dup = vdupq_n_s32(params.left_shift);
+ x11 = vshlq_s32(x11, left_shift_dup);
+ x12 = vshlq_s32(x12, left_shift_dup);
+ x21 = vshlq_s32(x21, left_shift_dup);
+ x22 = vshlq_s32(x22, left_shift_dup);
+ x11 = vqrdmulhq_n_s32(x11, params.input1_multiplier);
+ x12 = vqrdmulhq_n_s32(x12, params.input1_multiplier);
+ x21 = vqrdmulhq_n_s32(x21, params.input2_multiplier);
+ x22 = vqrdmulhq_n_s32(x22, params.input2_multiplier);
+ const auto input1_shift_dup = vdupq_n_s32(params.input1_shift);
+ const auto input2_shift_dup = vdupq_n_s32(params.input2_shift);
+ x11 = vshlq_s32(x11, input1_shift_dup);
+ x12 = vshlq_s32(x12, input1_shift_dup);
+ x21 = vshlq_s32(x21, input2_shift_dup);
+ x22 = vshlq_s32(x22, input2_shift_dup);
+ auto s1 = vaddq_s32(x11, x21);
+ auto s2 = vaddq_s32(x12, x22);
+ s1 = vqrdmulhq_n_s32(s1, params.output_multiplier);
+ s2 = vqrdmulhq_n_s32(s2, params.output_multiplier);
+ using gemmlowp::RoundingDivideByPOT;
+ s1 = RoundingDivideByPOT(s1, -params.output_shift);
+ s2 = RoundingDivideByPOT(s2, -params.output_shift);
+ const auto s1_narrowed = vmovn_s32(s1);
+ const auto s2_narrowed = vmovn_s32(s2);
+ const auto s = vaddq_s16(vcombine_s16(s1_narrowed, s2_narrowed),
+ vdupq_n_s16(params.output_offset));
+ const auto clamped =
+ vmax_u8(output_activation_min_vector,
+ vmin_u8(output_activation_max_vector, vqmovun_s16(s)));
+ vst1_u8(output_data + i, clamped);
+ }
+#endif // NEON
+
+ for (; i < size; ++i) {
+ const int32 input1_val = params.input1_offset + input1_data[i];
+ const int32 input2_val = params.input2_offset + input2_data[i];
+ const int32 shifted_input1_val = input1_val * (1 << params.left_shift);
+ const int32 shifted_input2_val = input2_val * (1 << params.left_shift);
+ const int32 scaled_input1_val =
+ MultiplyByQuantizedMultiplierSmallerThanOneExp(
+ shifted_input1_val, params.input1_multiplier, params.input1_shift);
+ const int32 scaled_input2_val =
+ MultiplyByQuantizedMultiplierSmallerThanOneExp(
+ shifted_input2_val, params.input2_multiplier, params.input2_shift);
+ const int32 raw_sum = scaled_input1_val + scaled_input2_val;
+ const int32 raw_output =
+ MultiplyByQuantizedMultiplierSmallerThanOneExp(
+ raw_sum, params.output_multiplier, params.output_shift) +
+ params.output_offset;
+ const int32 clamped_output =
+ std::min(params.quantized_activation_max,
+ std::max(params.quantized_activation_min, raw_output));
+ output_data[i] = static_cast<uint8>(clamped_output);
+ }
+}
+
+inline void Add(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const uint8* input1_data,
+ const RuntimeShape& input2_shape, const uint8* input2_data,
+ const RuntimeShape& output_shape, uint8* output_data) {
+ TFLITE_DCHECK_LE(params.quantized_activation_min,
+ params.quantized_activation_max);
+ gemmlowp::ScopedProfilingLabel label("Add/8bit");
+ const int flat_size =
+ MatchingFlatSize(input1_shape, input2_shape, output_shape);
+
+ TFLITE_DCHECK_GT(params.input1_offset, -256);
+ TFLITE_DCHECK_GT(params.input2_offset, -256);
+ TFLITE_DCHECK_LT(params.input1_offset, 256);
+ TFLITE_DCHECK_LT(params.input2_offset, 256);
+ AddElementwise(flat_size, params, input1_data, input2_data, output_data);
+}
+
+inline void Add(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const int16* input1_data,
+ const RuntimeShape& input2_shape, const int16* input2_data,
+ const RuntimeShape& output_shape, int16* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Add/Int16");
+ TFLITE_DCHECK_LE(params.quantized_activation_min,
+ params.quantized_activation_max);
+
+ const int input1_shift = params.input1_shift;
+ const int flat_size =
+ MatchingFlatSize(output_shape, input1_shape, input2_shape);
+ const int16 output_activation_min = params.quantized_activation_min;
+ const int16 output_activation_max = params.quantized_activation_max;
+
+ TFLITE_DCHECK(input1_shift == 0 || params.input2_shift == 0);
+ TFLITE_DCHECK_LE(input1_shift, 0);
+ TFLITE_DCHECK_LE(params.input2_shift, 0);
+ const int16* not_shift_input = input1_shift == 0 ? input1_data : input2_data;
+ const int16* shift_input = input1_shift == 0 ? input2_data : input1_data;
+ const int input_right_shift =
+ input1_shift == 0 ? -params.input2_shift : -input1_shift;
+
+ for (int i = 0; i < flat_size; i++) {
+ // F0 uses 0 integer bits, range [-1, 1].
+ using F0 = gemmlowp::FixedPoint<std::int16_t, 0>;
+
+ F0 input_ready_scaled = F0::FromRaw(not_shift_input[i]);
+ F0 scaled_input = F0::FromRaw(
+ gemmlowp::RoundingDivideByPOT(shift_input[i], input_right_shift));
+ F0 result = gemmlowp::SaturatingAdd(scaled_input, input_ready_scaled);
+ const int16 raw_output = result.raw();
+ const int16 clamped_output = std::min(
+ output_activation_max, std::max(output_activation_min, raw_output));
+ output_data[i] = clamped_output;
+ }
+}
+
+inline void Add(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const int32* input1_data,
+ const RuntimeShape& input2_shape, const int32* input2_data,
+ const RuntimeShape& output_shape, int32* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Add/int32");
+
+ auto input1_map = MapAsVector(input1_data, input1_shape);
+ auto input2_map = MapAsVector(input2_data, input2_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ if (input1_shape == input2_shape) {
+ output_map.array() = input1_map.array() + input2_map.array();
+ } else if (input2_shape.FlatSize() == 1) {
+ auto scalar = input2_data[0];
+ output_map.array() = input1_map.array() + scalar;
+ } else if (input1_shape.FlatSize() == 1) {
+ auto scalar = input1_data[0];
+ output_map.array() = scalar + input2_map.array();
+ } else {
+ // Should not come here.
+ TFLITE_DCHECK(false);
+ }
+ output_map = output_map.cwiseMax(params.quantized_activation_min);
+ output_map = output_map.cwiseMin(params.quantized_activation_max);
+}
+
+inline void BroadcastAddFivefold(const ArithmeticParams& unswitched_params,
+ const RuntimeShape& unswitched_input1_shape,
+ const uint8* unswitched_input1_data,
+ const RuntimeShape& unswitched_input2_shape,
+ const uint8* unswitched_input2_data,
+ const RuntimeShape& output_shape,
+ uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("BroadcastAddFivefold/8bit");
+
+ ArithmeticParams switched_params = unswitched_params;
+ switched_params.input1_offset = unswitched_params.input2_offset;
+ switched_params.input1_multiplier = unswitched_params.input2_multiplier;
+ switched_params.input1_shift = unswitched_params.input2_shift;
+ switched_params.input2_offset = unswitched_params.input1_offset;
+ switched_params.input2_multiplier = unswitched_params.input1_multiplier;
+ switched_params.input2_shift = unswitched_params.input1_shift;
+
+ const bool use_unswitched =
+ unswitched_params.broadcast_category ==
+ tflite::BroadcastableOpCategory::kFirstInputBroadcastsFast;
+
+ const ArithmeticParams& params =
+ use_unswitched ? unswitched_params : switched_params;
+ const uint8* input1_data =
+ use_unswitched ? unswitched_input1_data : unswitched_input2_data;
+ const uint8* input2_data =
+ use_unswitched ? unswitched_input2_data : unswitched_input1_data;
+
+ // Fivefold nested loops. The second input resets its position for each
+ // iteration of the second loop. The first input resets its position at the
+ // beginning of the fourth loop. The innermost loop is an elementwise add of
+ // sections of the arrays.
+ uint8* output_data_ptr = output_data;
+ const uint8* input1_data_ptr = input1_data;
+ const uint8* input2_data_reset = input2_data;
+ int y0 = params.broadcast_shape[0];
+ int y1 = params.broadcast_shape[1];
+ int y2 = params.broadcast_shape[2];
+ int y3 = params.broadcast_shape[3];
+ int y4 = params.broadcast_shape[4];
+ for (int i0 = 0; i0 < y0; ++i0) {
+ const uint8* input2_data_ptr;
+ for (int i1 = 0; i1 < y1; ++i1) {
+ input2_data_ptr = input2_data_reset;
+ for (int i2 = 0; i2 < y2; ++i2) {
+ for (int i3 = 0; i3 < y3; ++i3) {
+ AddElementwise(y4, params, input1_data_ptr, input2_data_ptr,
+ output_data_ptr);
+ input2_data_ptr += y4;
+ output_data_ptr += y4;
+ }
+ input1_data_ptr += y4;
+ }
+ }
+ input2_data_reset = input2_data_ptr;
+ }
+}
+
+inline void Mul(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const float* input1_data,
+ const RuntimeShape& input2_shape, const float* input2_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Mul");
+ const float output_activation_min = params.float_activation_min;
+ const float output_activation_max = params.float_activation_max;
+
+ int i = 0;
+ const int size = MatchingFlatSize(input1_shape, input2_shape, output_shape);
+#ifdef USE_NEON
+ const auto activation_min = vdupq_n_f32(output_activation_min);
+ const auto activation_max = vdupq_n_f32(output_activation_max);
+ for (; i <= size - 16; i += 16) {
+ auto a10 = vld1q_f32(input1_data + i);
+ auto a11 = vld1q_f32(input1_data + i + 4);
+ auto a12 = vld1q_f32(input1_data + i + 8);
+ auto a13 = vld1q_f32(input1_data + i + 12);
+ auto a20 = vld1q_f32(input2_data + i);
+ auto a21 = vld1q_f32(input2_data + i + 4);
+ auto a22 = vld1q_f32(input2_data + i + 8);
+ auto a23 = vld1q_f32(input2_data + i + 12);
+ auto x0 = vmulq_f32(a10, a20);
+ auto x1 = vmulq_f32(a11, a21);
+ auto x2 = vmulq_f32(a12, a22);
+ auto x3 = vmulq_f32(a13, a23);
+
+ x0 = vmaxq_f32(activation_min, x0);
+ x1 = vmaxq_f32(activation_min, x1);
+ x2 = vmaxq_f32(activation_min, x2);
+ x3 = vmaxq_f32(activation_min, x3);
+ x0 = vminq_f32(activation_max, x0);
+ x1 = vminq_f32(activation_max, x1);
+ x2 = vminq_f32(activation_max, x2);
+ x3 = vminq_f32(activation_max, x3);
+
+ vst1q_f32(output_data + i, x0);
+ vst1q_f32(output_data + i + 4, x1);
+ vst1q_f32(output_data + i + 8, x2);
+ vst1q_f32(output_data + i + 12, x3);
+ }
+ for (; i <= size - 4; i += 4) {
+ auto a1 = vld1q_f32(input1_data + i);
+ auto a2 = vld1q_f32(input2_data + i);
+ auto x = vmulq_f32(a1, a2);
+
+ x = vmaxq_f32(activation_min, x);
+ x = vminq_f32(activation_max, x);
+
+ vst1q_f32(output_data + i, x);
+ }
+#endif // NEON
+
+ for (; i < size; i++) {
+ auto x = input1_data[i] * input2_data[i];
+ output_data[i] = ActivationFunctionWithMinMax(x, output_activation_min,
+ output_activation_max);
+ }
+}
+
+inline void Mul(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const int32* input1_data,
+ const RuntimeShape& input2_shape, const int32* input2_data,
+ const RuntimeShape& output_shape, int32* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Mul/int32/activation");
+
+ const int flat_size =
+ MatchingFlatSize(input1_shape, input2_shape, output_shape);
+ const int32 output_activation_min = params.quantized_activation_min;
+ const int32 output_activation_max = params.quantized_activation_max;
+ for (int i = 0; i < flat_size; ++i) {
+ output_data[i] = ActivationFunctionWithMinMax(
+ input1_data[i] * input2_data[i], output_activation_min,
+ output_activation_max);
+ }
+}
+
+inline void MulNoActivation(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape,
+ const int32* input1_data,
+ const RuntimeShape& input2_shape,
+ const int32* input2_data,
+ const RuntimeShape& output_shape,
+ int32* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Mul/int32");
+
+ auto input1_map = MapAsVector(input1_data, input1_shape);
+ auto input2_map = MapAsVector(input2_data, input2_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ if (input1_shape == input2_shape) {
+ output_map.array() = input1_map.array() * input2_map.array();
+ } else if (input2_shape.FlatSize() == 1) {
+ auto scalar = input2_data[0];
+ output_map.array() = input1_map.array() * scalar;
+ } else if (input1_shape.FlatSize() == 1) {
+ auto scalar = input1_data[0];
+ output_map.array() = scalar * input2_map.array();
+ } else {
+ // Should not come here.
+ TFLITE_DCHECK(false);
+ }
+}
+
+inline void Mul(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const int16* input1_data,
+ const RuntimeShape& input2_shape, const int16* input2_data,
+ const RuntimeShape& output_shape, int16* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Mul/Int16/NoActivation");
+ // This is a copy of the reference implementation. We do not currently have a
+ // properly optimized version.
+
+ const int flat_size =
+ MatchingFlatSize(input1_shape, input2_shape, output_shape);
+
+ for (int i = 0; i < flat_size; i++) {
+ // F0 uses 0 integer bits, range [-1, 1].
+ using F0 = gemmlowp::FixedPoint<std::int16_t, 0>;
+
+ F0 unclamped_result =
+ F0::FromRaw(input1_data[i]) * F0::FromRaw(input2_data[i]);
+ output_data[i] = unclamped_result.raw();
+ }
+}
+
+inline void Mul(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const int16* input1_data,
+ const RuntimeShape& input2_shape, const int16* input2_data,
+ const RuntimeShape& output_shape, uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Mul/Int16Uint8");
+ // This is a copy of the reference implementation. We do not currently have a
+ // properly optimized version.
+ const int32 output_activation_min = params.quantized_activation_min;
+ const int32 output_activation_max = params.quantized_activation_max;
+ const int32 output_offset = params.output_offset;
+ TFLITE_DCHECK_LE(output_activation_min, output_activation_max);
+
+ const int flat_size =
+ MatchingFlatSize(input1_shape, input2_shape, output_shape);
+
+ for (int i = 0; i < flat_size; i++) {
+ // F0 uses 0 integer bits, range [-1, 1].
+ using F0 = gemmlowp::FixedPoint<std::int16_t, 0>;
+
+ F0 unclamped_result =
+ F0::FromRaw(input1_data[i]) * F0::FromRaw(input2_data[i]);
+ int16 rescaled_result =
+ gemmlowp::RoundingDivideByPOT(unclamped_result.raw(), 8);
+ int16 clamped_result =
+ std::min<int16>(output_activation_max - output_offset, rescaled_result);
+ clamped_result =
+ std::max<int16>(output_activation_min - output_offset, clamped_result);
+ output_data[i] = output_offset + clamped_result;
+ }
+}
+
+// Element-wise mul that can often be used for inner loop of broadcast Mul as
+// well as the non-broadcast Mul.
+inline void MulElementwise(int size, const ArithmeticParams& params,
+ const uint8* input1_data, const uint8* input2_data,
+ uint8* output_data) {
+ int i = 0;
+ TFLITE_DCHECK_GT(params.input1_offset, -256);
+ TFLITE_DCHECK_LT(params.input1_offset, 256);
+ TFLITE_DCHECK_GT(params.input2_offset, -256);
+ TFLITE_DCHECK_LT(params.input2_offset, 256);
+ TFLITE_DCHECK_GT(params.output_offset, -256);
+ TFLITE_DCHECK_LT(params.output_offset, 256);
+#ifdef USE_NEON
+ const auto input1_offset_vector = vdupq_n_s16(params.input1_offset);
+ const auto input2_offset_vector = vdupq_n_s16(params.input2_offset);
+ const auto output_offset_vector = vdupq_n_s16(params.output_offset);
+ const auto output_activation_min_vector =
+ vdup_n_u8(params.quantized_activation_min);
+ const auto output_activation_max_vector =
+ vdup_n_u8(params.quantized_activation_max);
+ for (; i <= size - 8; i += 8) {
+ // We load / store 8 at a time, multiplying as two sets of 4 int32s.
+ const auto input1_val_original = vld1_u8(input1_data + i);
+ const auto input2_val_original = vld1_u8(input2_data + i);
+ const auto input1_val_s16 =
+ vreinterpretq_s16_u16(vmovl_u8(input1_val_original));
+ const auto input2_val_s16 =
+ vreinterpretq_s16_u16(vmovl_u8(input2_val_original));
+ const auto input1_val = vaddq_s16(input1_val_s16, input1_offset_vector);
+ const auto input2_val = vaddq_s16(input2_val_s16, input2_offset_vector);
+
+ const auto input1_val_low = vget_low_s16(input1_val);
+ const auto input1_val_high = vget_high_s16(input1_val);
+ const auto input2_val_low = vget_low_s16(input2_val);
+ const auto input2_val_high = vget_high_s16(input2_val);
+
+ auto p1 = vmull_s16(input2_val_low, input1_val_low);
+ auto p2 = vmull_s16(input2_val_high, input1_val_high);
+
+ p1 = vqrdmulhq_n_s32(p1, params.output_multiplier);
+ p2 = vqrdmulhq_n_s32(p2, params.output_multiplier);
+ using gemmlowp::RoundingDivideByPOT;
+ p1 = RoundingDivideByPOT(p1, -params.output_shift);
+ p2 = RoundingDivideByPOT(p2, -params.output_shift);
+
+ const auto p1_narrowed = vmovn_s32(p1);
+ const auto p2_narrowed = vmovn_s32(p2);
+ const auto p =
+ vaddq_s16(vcombine_s16(p1_narrowed, p2_narrowed), output_offset_vector);
+ const auto clamped =
+ vmax_u8(output_activation_min_vector,
+ vmin_u8(output_activation_max_vector, vqmovun_s16(p)));
+ vst1_u8(output_data + i, clamped);
+ }
+#endif // NEON
+
+ for (; i < size; ++i) {
+ const int32 input1_val = params.input1_offset + input1_data[i];
+ const int32 input2_val = params.input2_offset + input2_data[i];
+ const int32 unclamped_result =
+ params.output_offset +
+ MultiplyByQuantizedMultiplierSmallerThanOneExp(input1_val * input2_val,
+ params.output_multiplier,
+ params.output_shift);
+ const int32 clamped_output =
+ std::min(params.quantized_activation_max,
+ std::max(params.quantized_activation_min, unclamped_result));
+ output_data[i] = static_cast<uint8>(clamped_output);
+ }
+}
+
+// Broadcast mul that can often be used for inner loop of broadcast Mul.
+inline void MulSimpleBroadcast(int size, const ArithmeticParams& params,
+ const uint8 broadcast_value,
+ const uint8* input2_data, uint8* output_data) {
+ const int16 input1_val = params.input1_offset + broadcast_value;
+
+ int i = 0;
+ TFLITE_DCHECK_GT(params.input1_offset, -256);
+ TFLITE_DCHECK_LT(params.input1_offset, 256);
+ TFLITE_DCHECK_GT(params.input2_offset, -256);
+ TFLITE_DCHECK_LT(params.input2_offset, 256);
+ TFLITE_DCHECK_GT(params.output_offset, -256);
+ TFLITE_DCHECK_LT(params.output_offset, 256);
+#ifdef USE_NEON
+ const auto input2_offset_vector = vdupq_n_s16(params.input2_offset);
+ const auto output_offset_vector = vdupq_n_s16(params.output_offset);
+ const auto output_activation_min_vector =
+ vdup_n_u8(params.quantized_activation_min);
+ const auto output_activation_max_vector =
+ vdup_n_u8(params.quantized_activation_max);
+ for (; i <= size - 8; i += 8) {
+ // We load / store 8 at a time, multiplying as two sets of 4 int32s.
+ const auto input2_val_original = vld1_u8(input2_data + i);
+ const auto input2_val_s16 =
+ vreinterpretq_s16_u16(vmovl_u8(input2_val_original));
+ const auto input2_val = vaddq_s16(input2_val_s16, input2_offset_vector);
+
+ const auto input2_val_low = vget_low_s16(input2_val);
+ const auto input2_val_high = vget_high_s16(input2_val);
+
+ auto p1 = vmull_n_s16(input2_val_low, input1_val);
+ auto p2 = vmull_n_s16(input2_val_high, input1_val);
+
+ p1 = vqrdmulhq_n_s32(p1, params.output_multiplier);
+ p2 = vqrdmulhq_n_s32(p2, params.output_multiplier);
+ using gemmlowp::RoundingDivideByPOT;
+ p1 = RoundingDivideByPOT(p1, -params.output_shift);
+ p2 = RoundingDivideByPOT(p2, -params.output_shift);
+
+ const auto p1_narrowed = vmovn_s32(p1);
+ const auto p2_narrowed = vmovn_s32(p2);
+ const auto p =
+ vaddq_s16(vcombine_s16(p1_narrowed, p2_narrowed), output_offset_vector);
+ const auto clamped =
+ vmax_u8(output_activation_min_vector,
+ vmin_u8(output_activation_max_vector, vqmovun_s16(p)));
+ vst1_u8(output_data + i, clamped);
+ }
+#endif // NEON
+
+ for (; i < size; ++i) {
+ const int32 input2_val = params.input2_offset + input2_data[i];
+ const int32 unclamped_result =
+ params.output_offset +
+ MultiplyByQuantizedMultiplierSmallerThanOneExp(input1_val * input2_val,
+ params.output_multiplier,
+ params.output_shift);
+ const int32 clamped_output =
+ std::min(params.quantized_activation_max,
+ std::max(params.quantized_activation_min, unclamped_result));
+ output_data[i] = static_cast<uint8>(clamped_output);
+ }
+}
+
+inline void Mul(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape, const uint8* input1_data,
+ const RuntimeShape& input2_shape, const uint8* input2_data,
+ const RuntimeShape& output_shape, uint8* output_data) {
+ TFLITE_DCHECK_LE(params.quantized_activation_min,
+ params.quantized_activation_max);
+ gemmlowp::ScopedProfilingLabel label("Mul/8bit");
+ const int flat_size =
+ MatchingFlatSize(input1_shape, input2_shape, output_shape);
+
+ MulElementwise(flat_size, params, input1_data, input2_data, output_data);
+}
+
+inline void BroadcastMulFivefold(const ArithmeticParams& unswitched_params,
+ const RuntimeShape& unswitched_input1_shape,
+ const uint8* unswitched_input1_data,
+ const RuntimeShape& unswitched_input2_shape,
+ const uint8* unswitched_input2_data,
+ const RuntimeShape& output_shape,
+ uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("BroadcastMulFivefold/8bit");
+
+ ArithmeticParams switched_params = unswitched_params;
+ switched_params.input1_offset = unswitched_params.input2_offset;
+ switched_params.input2_offset = unswitched_params.input1_offset;
+
+ const bool use_unswitched =
+ unswitched_params.broadcast_category ==
+ tflite::BroadcastableOpCategory::kFirstInputBroadcastsFast;
+
+ const ArithmeticParams& params =
+ use_unswitched ? unswitched_params : switched_params;
+ const uint8* input1_data =
+ use_unswitched ? unswitched_input1_data : unswitched_input2_data;
+ const uint8* input2_data =
+ use_unswitched ? unswitched_input2_data : unswitched_input1_data;
+
+ // Fivefold nested loops. The second input resets its position for each
+ // iteration of the second loop. The first input resets its position at the
+ // beginning of the fourth loop. The innermost loop is an elementwise Mul of
+ // sections of the arrays.
+ uint8* output_data_ptr = output_data;
+ const uint8* input1_data_ptr = input1_data;
+ const uint8* input2_data_reset = input2_data;
+ int y0 = params.broadcast_shape[0];
+ int y1 = params.broadcast_shape[1];
+ int y2 = params.broadcast_shape[2];
+ int y3 = params.broadcast_shape[3];
+ int y4 = params.broadcast_shape[4];
+ if (y4 > 1) {
+ for (int i0 = 0; i0 < y0; ++i0) {
+ const uint8* input2_data_ptr;
+ for (int i1 = 0; i1 < y1; ++i1) {
+ input2_data_ptr = input2_data_reset;
+ for (int i2 = 0; i2 < y2; ++i2) {
+ for (int i3 = 0; i3 < y3; ++i3) {
+ MulElementwise(y4, params, input1_data_ptr, input2_data_ptr,
+ output_data_ptr);
+ input2_data_ptr += y4;
+ output_data_ptr += y4;
+ }
+ input1_data_ptr += y4;
+ }
+ }
+ input2_data_reset = input2_data_ptr;
+ }
+ } else {
+ for (int i0 = 0; i0 < y0; ++i0) {
+ const uint8* input2_data_ptr;
+ for (int i1 = 0; i1 < y1; ++i1) {
+ input2_data_ptr = input2_data_reset;
+ for (int i2 = 0; i2 < y2; ++i2) {
+ MulSimpleBroadcast(y3, params, *input1_data_ptr, input2_data_ptr,
+ output_data_ptr);
+ input2_data_ptr += y3;
+ output_data_ptr += y3;
+ ++input1_data_ptr;
+ }
+ }
+ input2_data_reset = input2_data_ptr;
+ }
+ }
+}
+
+// TODO(jiawen): We can implement BroadcastDiv on buffers of arbitrary
+// dimensionality if the runtime code does a single loop over one dimension
+// that handles broadcasting as the base case. The code generator would then
+// generate max(D1, D2) nested for loops.
+// TODO(benoitjacob): BroadcastDiv is intentionally duplicated from
+// reference_ops.h. Once an optimized version is implemented and NdArrayDesc<T>
+// is no longer referenced in this file, move NdArrayDesc<T> from types.h to
+// reference_ops.h.
+template <typename T>
+void BroadcastDiv4DSlow(const ArithmeticParams& params,
+ const RuntimeShape& unextended_input1_shape,
+ const T* input1_data,
+ const RuntimeShape& unextended_input2_shape,
+ const T* input2_data,
+ const RuntimeShape& unextended_output_shape,
+ T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("BroadcastDiv4DSlow");
+ T output_activation_min;
+ T output_activation_max;
+ GetActivationParams(params, &output_activation_min, &output_activation_max);
+
+ TFLITE_DCHECK_LE(unextended_input1_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_input2_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_shape.DimensionsCount(), 4);
+ const RuntimeShape output_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_shape);
+
+ NdArrayDesc<4> desc1;
+ NdArrayDesc<4> desc2;
+ NdArrayDescsForElementwiseBroadcast(unextended_input1_shape,
+ unextended_input2_shape, &desc1, &desc2);
+
+ // In Tensorflow, the dimensions are canonically named (batch_number, row,
+ // col, channel), with extents (batches, height, width, depth), with the
+ // trailing dimension changing most rapidly (channels has the smallest stride,
+ // typically 1 element).
+ //
+ // In generated C code, we store arrays with the dimensions reversed. The
+ // first dimension has smallest stride.
+ //
+ // We name our variables by their Tensorflow convention, but generate C code
+ // nesting loops such that the innermost loop has the smallest stride for the
+ // best cache behavior.
+ for (int b = 0; b < output_shape.Dims(0); ++b) {
+ for (int y = 0; y < output_shape.Dims(1); ++y) {
+ for (int x = 0; x < output_shape.Dims(2); ++x) {
+ for (int c = 0; c < output_shape.Dims(3); ++c) {
+ output_data[Offset(output_shape, b, y, x, c)] =
+ ActivationFunctionWithMinMax(
+ input1_data[SubscriptToIndex(desc1, b, y, x, c)] /
+ input2_data[SubscriptToIndex(desc2, b, y, x, c)],
+ output_activation_min, output_activation_max);
+ }
+ }
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy Dims<4>.
+template <typename T>
+void BroadcastDiv(const T* input1_data, const Dims<4>& input1_dims,
+ const T* input2_data, const Dims<4>& input2_dims,
+ T output_activation_min, T output_activation_max,
+ T* output_data, const Dims<4>& output_dims) {
+ tflite::ArithmeticParams op_params;
+ SetActivationParams(output_activation_min, output_activation_max, &op_params);
+
+ BroadcastDiv4DSlow(op_params, DimsToShape(input1_dims), input1_data,
+ DimsToShape(input2_dims), input2_data,
+ DimsToShape(output_dims), output_data);
+}
+
+// TODO(aselle): This is not actually optimized yet.
+inline void SubNonBroadcast(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape,
+ const float* input1_data,
+ const RuntimeShape& input2_shape,
+ const float* input2_data,
+ const RuntimeShape& output_shape,
+ float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("SubNonBroadcast");
+ const int flat_size =
+ MatchingFlatSize(input1_shape, input2_shape, output_shape);
+ for (int i = 0; i < flat_size; ++i) {
+ output_data[i] = ActivationFunctionWithMinMax(
+ input1_data[i] - input2_data[i], params.float_activation_min,
+ params.float_activation_max);
+ }
+}
+
+inline void SubWithActivation(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape,
+ const int32* input1_data,
+ const RuntimeShape& input2_shape,
+ const int32* input2_data,
+ const RuntimeShape& output_shape,
+ int32* output_data) {
+ gemmlowp::ScopedProfilingLabel label("SubWithActivation/int32");
+ const int flat_size =
+ MatchingFlatSize(input1_shape, input2_shape, input2_shape);
+ for (int i = 0; i < flat_size; ++i) {
+ output_data[i] = ActivationFunctionWithMinMax(
+ input1_data[i] - input2_data[i], params.quantized_activation_min,
+ params.quantized_activation_max);
+ }
+}
+
+inline void SubWithActivation(const ArithmeticParams& params,
+ const RuntimeShape& input1_shape,
+ const float* input1_data,
+ const RuntimeShape& input2_shape,
+ const float* input2_data,
+ const RuntimeShape& output_shape,
+ float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("SubWithActivation/float");
+ const int flat_size =
+ MatchingFlatSize(input1_shape, input2_shape, input2_shape);
+ for (int i = 0; i < flat_size; ++i) {
+ output_data[i] = ActivationFunctionWithMinMax(
+ input1_data[i] - input2_data[i], params.float_activation_min,
+ params.float_activation_max);
+ }
+}
+
+template <typename T>
+void Sub(const ArithmeticParams& params, const RuntimeShape& input1_shape,
+ const T* input1_data, const RuntimeShape& input2_shape,
+ const T* input2_data, const RuntimeShape& output_shape,
+ T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Sub");
+
+ auto input1_map = MapAsVector(input1_data, input1_shape);
+ auto input2_map = MapAsVector(input2_data, input2_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ if (input1_shape == input2_shape) {
+ output_map.array() = input1_map.array() - input2_map.array();
+ } else if (input1_shape.FlatSize() == 1) {
+ auto scalar = input1_data[0];
+ output_map.array() = scalar - input2_map.array();
+ } else if (input2_shape.FlatSize() == 1) {
+ auto scalar = input2_data[0];
+ output_map.array() = input1_map.array() - scalar;
+ } else {
+ BroadcastSub4DSlow(params, input1_shape, input1_data, input2_shape,
+ input2_data, output_shape, output_data);
+ }
+}
+
+inline void LstmCell(
+ const LstmCellParams& params, const RuntimeShape& unextended_input_shape,
+ const float* input_data, const RuntimeShape& unextended_prev_activ_shape,
+ const float* prev_activ_data, const RuntimeShape& weights_shape,
+ const float* weights_data, const RuntimeShape& unextended_bias_shape,
+ const float* bias_data, const RuntimeShape& unextended_prev_state_shape,
+ const float* prev_state_data,
+ const RuntimeShape& unextended_output_state_shape, float* output_state_data,
+ const RuntimeShape& unextended_output_activ_shape, float* output_activ_data,
+ const RuntimeShape& unextended_concat_temp_shape, float* concat_temp_data,
+ const RuntimeShape& unextended_activ_temp_shape, float* activ_temp_data) {
+ gemmlowp::ScopedProfilingLabel label("LstmCell");
+ TFLITE_DCHECK_LE(unextended_input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_prev_activ_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_bias_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_prev_state_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_state_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_activ_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_concat_temp_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_activ_temp_shape.DimensionsCount(), 4);
+ const RuntimeShape input_shape =
+ RuntimeShape::ExtendedShape(4, unextended_input_shape);
+ const RuntimeShape prev_activ_shape =
+ RuntimeShape::ExtendedShape(4, unextended_prev_activ_shape);
+ const RuntimeShape bias_shape =
+ RuntimeShape::ExtendedShape(4, unextended_bias_shape);
+ const RuntimeShape prev_state_shape =
+ RuntimeShape::ExtendedShape(4, unextended_prev_state_shape);
+ const RuntimeShape output_state_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_state_shape);
+ const RuntimeShape output_activ_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_activ_shape);
+ const RuntimeShape concat_temp_shape =
+ RuntimeShape::ExtendedShape(4, unextended_concat_temp_shape);
+ const RuntimeShape activ_temp_shape =
+ RuntimeShape::ExtendedShape(4, unextended_activ_temp_shape);
+ TFLITE_DCHECK_GE(weights_shape.DimensionsCount(), 2);
+
+ const int weights_dim_count = weights_shape.DimensionsCount();
+ MatchingDim( // batches
+ input_shape, 0, prev_activ_shape, 0, prev_state_shape, 0,
+ output_state_shape, 0, output_activ_shape, 0);
+ MatchingDim( // height
+ input_shape, 1, prev_activ_shape, 1, prev_state_shape, 1,
+ output_state_shape, 1, output_activ_shape, 1);
+ MatchingDim( // width
+ input_shape, 2, prev_activ_shape, 2, prev_state_shape, 2,
+ output_state_shape, 2, output_activ_shape, 2);
+ const int input_depth = input_shape.Dims(3);
+ const int prev_activ_depth = prev_activ_shape.Dims(3);
+ const int total_input_depth = prev_activ_depth + input_depth;
+ TFLITE_DCHECK_EQ(weights_shape.Dims(weights_dim_count - 1),
+ total_input_depth);
+ TFLITE_DCHECK_EQ(FlatSizeSkipDim(bias_shape, 3), 1);
+ const int intern_activ_depth =
+ MatchingDim(weights_shape, weights_dim_count - 2, bias_shape, 3);
+ TFLITE_DCHECK_EQ(weights_shape.FlatSize(),
+ intern_activ_depth * total_input_depth);
+ TFLITE_DCHECK_EQ(intern_activ_depth % 4, 0);
+ const int output_depth =
+ MatchingDim(prev_state_shape, 3, prev_activ_shape, 3, output_state_shape,
+ 3, output_activ_shape, 3);
+ TFLITE_DCHECK_EQ(output_depth, intern_activ_depth / 4);
+
+ // Concatenate prev_activ and input data together
+ std::vector<float const*> concat_input_arrays_data;
+ std::vector<RuntimeShape const*> concat_input_arrays_shapes;
+ concat_input_arrays_data.push_back(input_data);
+ concat_input_arrays_data.push_back(prev_activ_data);
+ concat_input_arrays_shapes.push_back(&input_shape);
+ concat_input_arrays_shapes.push_back(&prev_activ_shape);
+ tflite::ConcatenationParams concat_params;
+ concat_params.axis = 3;
+ concat_params.inputs_count = concat_input_arrays_data.size();
+ Concatenation(concat_params, &(concat_input_arrays_shapes[0]),
+ &(concat_input_arrays_data[0]), concat_temp_shape,
+ concat_temp_data);
+
+ // Fully connected
+ tflite::FullyConnectedParams fc_params;
+ fc_params.float_activation_min = std::numeric_limits<float>::lowest();
+ fc_params.float_activation_max = std::numeric_limits<float>::max();
+ FullyConnected(fc_params, concat_temp_shape, concat_temp_data, weights_shape,
+ weights_data, bias_shape, bias_data, activ_temp_shape,
+ activ_temp_data);
+
+ // Map raw arrays to Eigen arrays so we can use Eigen's optimized array
+ // operations.
+ ArrayMap<float> activ_temp_map =
+ MapAsArrayWithLastDimAsRows(activ_temp_data, activ_temp_shape);
+ auto input_gate_sm = activ_temp_map.block(0 * output_depth, 0, output_depth,
+ activ_temp_map.cols());
+ auto new_input_sm = activ_temp_map.block(1 * output_depth, 0, output_depth,
+ activ_temp_map.cols());
+ auto forget_gate_sm = activ_temp_map.block(2 * output_depth, 0, output_depth,
+ activ_temp_map.cols());
+ auto output_gate_sm = activ_temp_map.block(3 * output_depth, 0, output_depth,
+ activ_temp_map.cols());
+ ArrayMap<const float> prev_state_map =
+ MapAsArrayWithLastDimAsRows(prev_state_data, prev_state_shape);
+ ArrayMap<float> output_state_map =
+ MapAsArrayWithLastDimAsRows(output_state_data, output_state_shape);
+ ArrayMap<float> output_activ_map =
+ MapAsArrayWithLastDimAsRows(output_activ_data, output_activ_shape);
+
+ // Combined memory state and final output calculation
+ gemmlowp::ScopedProfilingLabel label2("MemoryStateAndFinalOutput");
+ output_state_map =
+ input_gate_sm.unaryExpr(Eigen::internal::scalar_sigmoid_op<float>()) *
+ new_input_sm.tanh() +
+ forget_gate_sm.unaryExpr(Eigen::internal::scalar_sigmoid_op<float>()) *
+ prev_state_map;
+ output_activ_map =
+ output_gate_sm.unaryExpr(Eigen::internal::scalar_sigmoid_op<float>()) *
+ output_state_map.tanh();
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void LstmCell(const float* input_data, const Dims<4>& input_dims,
+ const float* prev_activ_data,
+ const Dims<4>& prev_activ_dims, const float* weights_data,
+ const Dims<4>& weights_dims, const float* bias_data,
+ const Dims<4>& bias_dims, const float* prev_state_data,
+ const Dims<4>& prev_state_dims, float* output_state_data,
+ const Dims<4>& output_state_dims, float* output_activ_data,
+ const Dims<4>& output_activ_dims, float* concat_temp_data,
+ const Dims<4>& concat_temp_dims, float* activ_temp_data,
+ const Dims<4>& activ_temp_dims) {
+ tflite::LstmCellParams op_params;
+ // Float LSTM cell does not need parameters to be set: leave untouched.
+
+ LstmCell(op_params, DimsToShape(input_dims), input_data,
+ DimsToShape(prev_activ_dims), prev_activ_data,
+ DimsToShape(weights_dims), weights_data, DimsToShape(bias_dims),
+ bias_data, DimsToShape(prev_state_dims), prev_state_data,
+ DimsToShape(output_state_dims), output_state_data,
+ DimsToShape(output_activ_dims), output_activ_data,
+ DimsToShape(concat_temp_dims), concat_temp_data,
+ DimsToShape(activ_temp_dims), activ_temp_data);
+}
+
+// Quantized LSTM cell. Currently just a copy of the reference impl in
+// reference_ops.h. See the big function comment there, not replicating it
+// here.
+template <int StateIntegerBits>
+inline void LstmCell(
+ const LstmCellParams& params, const RuntimeShape& unextended_input_shape,
+ const uint8* input_data_uint8,
+ const RuntimeShape& unextended_prev_activ_shape,
+ const uint8* prev_activ_data_uint8, const RuntimeShape& weights_shape,
+ const uint8* weights_data_uint8, const RuntimeShape& unextended_bias_shape,
+ const int32* bias_data_int32,
+ const RuntimeShape& unextended_prev_state_shape,
+ const int16* prev_state_data_int16,
+ const RuntimeShape& unextended_output_state_shape,
+ int16* output_state_data_int16,
+ const RuntimeShape& unextended_output_activ_shape,
+ uint8* output_activ_data_uint8,
+ const RuntimeShape& unextended_concat_temp_shape,
+ uint8* concat_temp_data_uint8,
+ const RuntimeShape& unextended_activ_temp_shape,
+ int16* activ_temp_data_int16, gemmlowp::GemmContext* gemm_context) {
+ gemmlowp::ScopedProfilingLabel label(
+ "LstmCell/quantized (8bit external, 16bit internal)");
+ int32 weights_zero_point = params.weights_zero_point;
+ int32 accum_multiplier = params.accum_multiplier;
+ int accum_shift = params.accum_shift;
+ TFLITE_DCHECK_LE(unextended_input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_prev_activ_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_bias_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_prev_state_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_state_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_activ_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_concat_temp_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_activ_temp_shape.DimensionsCount(), 4);
+ const RuntimeShape input_shape =
+ RuntimeShape::ExtendedShape(4, unextended_input_shape);
+ const RuntimeShape prev_activ_shape =
+ RuntimeShape::ExtendedShape(4, unextended_prev_activ_shape);
+ const RuntimeShape bias_shape =
+ RuntimeShape::ExtendedShape(4, unextended_bias_shape);
+ const RuntimeShape prev_state_shape =
+ RuntimeShape::ExtendedShape(4, unextended_prev_state_shape);
+ const RuntimeShape output_state_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_state_shape);
+ const RuntimeShape output_activ_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_activ_shape);
+ const RuntimeShape concat_temp_shape =
+ RuntimeShape::ExtendedShape(4, unextended_concat_temp_shape);
+ const RuntimeShape activ_temp_shape =
+ RuntimeShape::ExtendedShape(4, unextended_activ_temp_shape);
+ TFLITE_DCHECK_GE(weights_shape.DimensionsCount(), 2);
+
+ // Gather dimensions information, and perform consistency checks.
+ const int weights_dim_count = weights_shape.DimensionsCount();
+ const int outer_size = MatchingFlatSizeSkipDim(
+ input_shape, 3, prev_activ_shape, prev_state_shape, output_state_shape,
+ output_activ_shape);
+ const int input_depth = input_shape.Dims(3);
+ const int prev_activ_depth = prev_activ_shape.Dims(3);
+ const int total_input_depth = prev_activ_depth + input_depth;
+ TFLITE_DCHECK_EQ(weights_shape.Dims(weights_dim_count - 1),
+ total_input_depth);
+ const int intern_activ_depth =
+ MatchingDim(weights_shape, weights_dim_count - 2, bias_shape, 3);
+ TFLITE_DCHECK_EQ(weights_shape.FlatSize(),
+ intern_activ_depth * total_input_depth);
+ TFLITE_DCHECK_EQ(FlatSizeSkipDim(bias_shape, 3), 1);
+ TFLITE_DCHECK_EQ(intern_activ_depth % 4, 0);
+ const int output_depth =
+ MatchingDim(prev_state_shape, 3, prev_activ_shape, 3, output_state_shape,
+ 3, output_activ_shape, 3);
+ TFLITE_DCHECK_EQ(output_depth, intern_activ_depth / 4);
+ const int fc_batches = FlatSizeSkipDim(activ_temp_shape, 3);
+ const int fc_output_depth =
+ MatchingDim(weights_shape, weights_dim_count - 2, activ_temp_shape, 3);
+ const int fc_accum_depth = total_input_depth;
+ TFLITE_DCHECK_EQ(fc_output_depth, 4 * output_depth);
+
+ // Depth-concatenate prev_activ and input data together.
+ uint8 const* concat_input_arrays_data[2] = {input_data_uint8,
+ prev_activ_data_uint8};
+ const RuntimeShape* concat_input_arrays_shapes[2] = {&input_shape,
+ &prev_activ_shape};
+ tflite::ConcatenationParams concat_params;
+ concat_params.axis = 3;
+ concat_params.inputs_count = 2;
+ Concatenation(concat_params, concat_input_arrays_shapes,
+ concat_input_arrays_data, concat_temp_shape,
+ concat_temp_data_uint8);
+
+ // Implementation of the fully connected node inside the LSTM cell.
+ // The operands are 8-bit integers, the accumulators are internally 32bit
+ // integers, and the output is 16-bit fixed-point with 3 integer bits so
+ // the output range is [-2^3, 2^3] == [-8, 8]. The rationale for that
+ // is explained in the function comment above.
+ bool gemm_already_performed = false;
+#ifdef GEMMLOWP_NEON
+ if (fc_batches == 1 && !(fc_output_depth % 4) && !(fc_accum_depth % 8)) {
+ GEMVForLstmCell(concat_temp_shape, concat_temp_data_uint8, weights_shape,
+ weights_data_uint8, weights_zero_point, bias_shape,
+ bias_data_int32, accum_multiplier, accum_shift,
+ activ_temp_shape, activ_temp_data_int16);
+ gemm_already_performed = true;
+ }
+#endif
+ if (!gemm_already_performed) {
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::RowMajor>
+ weights_matrix(weights_data_uint8, fc_output_depth, fc_accum_depth);
+ gemmlowp::MatrixMap<const uint8, gemmlowp::MapOrder::ColMajor> input_matrix(
+ concat_temp_data_uint8, fc_accum_depth, fc_batches);
+ gemmlowp::MatrixMap<int16, gemmlowp::MapOrder::ColMajor> output_matrix(
+ activ_temp_data_int16, fc_output_depth, fc_batches);
+ typedef gemmlowp::VectorMap<const int32, gemmlowp::VectorShape::Col>
+ ColVectorMap;
+ ColVectorMap bias_vector(bias_data_int32, fc_output_depth);
+ gemmlowp::OutputStageBiasAddition<ColVectorMap> bias_addition_stage;
+ bias_addition_stage.bias_vector = bias_vector;
+ gemmlowp::OutputStageScaleInt32ByFixedPointAndExponent scale_stage;
+ scale_stage.result_offset_after_shift = 0;
+ scale_stage.result_fixedpoint_multiplier = accum_multiplier;
+ scale_stage.result_exponent = accum_shift;
+ gemmlowp::OutputStageSaturatingCastToInt16 saturating_cast_int16_stage;
+ auto output_pipeline = std::make_tuple(bias_addition_stage, scale_stage,
+ saturating_cast_int16_stage);
+ gemmlowp::GemmWithOutputPipeline<
+ uint8, int16, gemmlowp::L8R8WithLhsNonzeroBitDepthParams>(
+ gemm_context, weights_matrix, input_matrix, &output_matrix,
+ -weights_zero_point, -128, output_pipeline);
+ }
+
+ // Rest of the LSTM cell: tanh and logistic math functions, and some adds
+ // and muls, all done in 16-bit fixed-point.
+ const int16* input_gate_input_ptr = activ_temp_data_int16;
+ const int16* input_modulation_gate_input_ptr =
+ activ_temp_data_int16 + output_depth;
+ const int16* forget_gate_input_ptr = activ_temp_data_int16 + 2 * output_depth;
+ const int16* output_gate_input_ptr = activ_temp_data_int16 + 3 * output_depth;
+ const int16* prev_state_ptr = prev_state_data_int16;
+ int16* output_state_data_ptr = output_state_data_int16;
+ uint8* output_activ_data_ptr = output_activ_data_uint8;
+
+ for (int b = 0; b < outer_size; ++b) {
+ int c = 0;
+#ifdef GEMMLOWP_NEON
+ for (; c <= output_depth - 8; c += 8) {
+ // Define the fixed-point data types that we will use here. All use
+ // int16 as the underlying integer type i.e. all are 16-bit fixed-point.
+ // They only differ by the number of integral vs. fractional bits,
+ // determining the range of values that they can represent.
+ //
+ // F0 uses 0 integer bits, range [-1, 1].
+ // This is the return type of math functions such as tanh, logistic,
+ // whose range is in [-1, 1].
+ using F0 = gemmlowp::FixedPoint<int16x8_t, 0>;
+ // F3 uses 3 integer bits, range [-8, 8].
+ // This is the range of the previous fully-connected node's output,
+ // which is our input here.
+ using F3 = gemmlowp::FixedPoint<int16x8_t, 3>;
+ // FS uses StateIntegerBits integer bits, range [-2^StateIntegerBits,
+ // 2^StateIntegerBits]. It's used to represent the internal state, whose
+ // number of integer bits is currently dictated by the model. See comment
+ // on the StateIntegerBits template parameter above.
+ using FS = gemmlowp::FixedPoint<int16x8_t, StateIntegerBits>;
+ // Implementation of input gate, using fixed-point logistic function.
+ F3 input_gate_input = F3::FromRaw(vld1q_s16(input_gate_input_ptr));
+ input_gate_input_ptr += 8;
+ F0 input_gate_output = gemmlowp::logistic(input_gate_input);
+ // Implementation of input modulation gate, using fixed-point tanh
+ // function.
+ F3 input_modulation_gate_input =
+ F3::FromRaw(vld1q_s16(input_modulation_gate_input_ptr));
+ input_modulation_gate_input_ptr += 8;
+ F0 input_modulation_gate_output =
+ gemmlowp::tanh(input_modulation_gate_input);
+ // Implementation of forget gate, using fixed-point logistic function.
+ F3 forget_gate_input = F3::FromRaw(vld1q_s16(forget_gate_input_ptr));
+ forget_gate_input_ptr += 8;
+ F0 forget_gate_output = gemmlowp::logistic(forget_gate_input);
+ // Implementation of output gate, using fixed-point logistic function.
+ F3 output_gate_input = F3::FromRaw(vld1q_s16(output_gate_input_ptr));
+ output_gate_input_ptr += 8;
+ F0 output_gate_output = gemmlowp::logistic(output_gate_input);
+ // Implementation of internal multiplication nodes, still in fixed-point.
+ F0 input_times_input_modulation =
+ input_gate_output * input_modulation_gate_output;
+ FS prev_state = FS::FromRaw(vld1q_s16(prev_state_ptr));
+ prev_state_ptr += 8;
+ FS prev_state_times_forget_state = forget_gate_output * prev_state;
+ // Implementation of internal addition node, saturating.
+ FS new_state = gemmlowp::SaturatingAdd(
+ gemmlowp::Rescale<StateIntegerBits>(input_times_input_modulation),
+ prev_state_times_forget_state);
+ // Implementation of last internal Tanh node, still in fixed-point.
+ // Since a Tanh fixed-point implementation is specialized for a given
+ // number or integer bits, and each specialization can have a substantial
+ // code size, and we already used above a Tanh on an input with 3 integer
+ // bits, and per the table in the above function comment there is no
+ // significant accuracy to be lost by clamping to [-8, +8] for a
+ // 3-integer-bits representation, let us just do that. This helps people
+ // porting this to targets where code footprint must be minimized.
+ F3 new_state_f3 = gemmlowp::Rescale<3>(new_state);
+ F0 output_activ_int16 = output_gate_output * gemmlowp::tanh(new_state_f3);
+ // Store the new internal state back to memory, as 16-bit integers.
+ // Note: here we store the original value with StateIntegerBits, not
+ // the rescaled 3-integer-bits value fed to tanh.
+ vst1q_s16(output_state_data_ptr, new_state.raw());
+ output_state_data_ptr += 8;
+ // Down-scale the output activations to 8-bit integers, saturating,
+ // and store back to memory.
+ int16x8_t rescaled_output_activ =
+ gemmlowp::RoundingDivideByPOT(output_activ_int16.raw(), 8);
+ int8x8_t int8_output_activ = vqmovn_s16(rescaled_output_activ);
+ uint8x8_t uint8_output_activ =
+ vadd_u8(vdup_n_u8(128), vreinterpret_u8_s8(int8_output_activ));
+ vst1_u8(output_activ_data_ptr, uint8_output_activ);
+ output_activ_data_ptr += 8;
+ }
+#endif
+ for (; c < output_depth; ++c) {
+ // Define the fixed-point data types that we will use here. All use
+ // int16 as the underlying integer type i.e. all are 16-bit fixed-point.
+ // They only differ by the number of integral vs. fractional bits,
+ // determining the range of values that they can represent.
+ //
+ // F0 uses 0 integer bits, range [-1, 1].
+ // This is the return type of math functions such as tanh, logistic,
+ // whose range is in [-1, 1].
+ using F0 = gemmlowp::FixedPoint<std::int16_t, 0>;
+ // F3 uses 3 integer bits, range [-8, 8].
+ // This is the range of the previous fully-connected node's output,
+ // which is our input here.
+ using F3 = gemmlowp::FixedPoint<std::int16_t, 3>;
+ // FS uses StateIntegerBits integer bits, range [-2^StateIntegerBits,
+ // 2^StateIntegerBits]. It's used to represent the internal state, whose
+ // number of integer bits is currently dictated by the model. See comment
+ // on the StateIntegerBits template parameter above.
+ using FS = gemmlowp::FixedPoint<std::int16_t, StateIntegerBits>;
+ // Implementation of input gate, using fixed-point logistic function.
+ F3 input_gate_input = F3::FromRaw(*input_gate_input_ptr++);
+ F0 input_gate_output = gemmlowp::logistic(input_gate_input);
+ // Implementation of input modulation gate, using fixed-point tanh
+ // function.
+ F3 input_modulation_gate_input =
+ F3::FromRaw(*input_modulation_gate_input_ptr++);
+ F0 input_modulation_gate_output =
+ gemmlowp::tanh(input_modulation_gate_input);
+ // Implementation of forget gate, using fixed-point logistic function.
+ F3 forget_gate_input = F3::FromRaw(*forget_gate_input_ptr++);
+ F0 forget_gate_output = gemmlowp::logistic(forget_gate_input);
+ // Implementation of output gate, using fixed-point logistic function.
+ F3 output_gate_input = F3::FromRaw(*output_gate_input_ptr++);
+ F0 output_gate_output = gemmlowp::logistic(output_gate_input);
+ // Implementation of internal multiplication nodes, still in fixed-point.
+ F0 input_times_input_modulation =
+ input_gate_output * input_modulation_gate_output;
+ FS prev_state = FS::FromRaw(*prev_state_ptr++);
+ FS prev_state_times_forget_state = forget_gate_output * prev_state;
+ // Implementation of internal addition node, saturating.
+ FS new_state = gemmlowp::SaturatingAdd(
+ gemmlowp::Rescale<StateIntegerBits>(input_times_input_modulation),
+ prev_state_times_forget_state);
+ // Implementation of last internal Tanh node, still in fixed-point.
+ // Since a Tanh fixed-point implementation is specialized for a given
+ // number or integer bits, and each specialization can have a substantial
+ // code size, and we already used above a Tanh on an input with 3 integer
+ // bits, and per the table in the above function comment there is no
+ // significant accuracy to be lost by clamping to [-8, +8] for a
+ // 3-integer-bits representation, let us just do that. This helps people
+ // porting this to targets where code footprint must be minimized.
+ F3 new_state_f3 = gemmlowp::Rescale<3>(new_state);
+ F0 output_activ_int16 = output_gate_output * gemmlowp::tanh(new_state_f3);
+ // Store the new internal state back to memory, as 16-bit integers.
+ // Note: here we store the original value with StateIntegerBits, not
+ // the rescaled 3-integer-bits value fed to tanh.
+ *output_state_data_ptr++ = new_state.raw();
+ // Down-scale the output activations to 8-bit integers, saturating,
+ // and store back to memory.
+ int16 rescaled_output_activ =
+ gemmlowp::RoundingDivideByPOT(output_activ_int16.raw(), 8);
+ int16 clamped_output_activ =
+ std::max<int16>(-128, std::min<int16>(127, rescaled_output_activ));
+ *output_activ_data_ptr++ = 128 + clamped_output_activ;
+ }
+ input_gate_input_ptr += 3 * output_depth;
+ input_modulation_gate_input_ptr += 3 * output_depth;
+ forget_gate_input_ptr += 3 * output_depth;
+ output_gate_input_ptr += 3 * output_depth;
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+template <int StateIntegerBits>
+void LstmCell(const uint8* input_data_uint8, const Dims<4>& input_dims,
+ const uint8* prev_activ_data_uint8,
+ const Dims<4>& prev_activ_dims, const uint8* weights_data_uint8,
+ const Dims<4>& weights_dims, const int32* bias_data_int32,
+ const Dims<4>& bias_dims, const int16* prev_state_data_int16,
+ const Dims<4>& prev_state_dims, int16* output_state_data_int16,
+ const Dims<4>& output_state_dims, uint8* output_activ_data_uint8,
+ const Dims<4>& output_activ_dims, uint8* concat_temp_data_uint8,
+ const Dims<4>& concat_temp_dims, int16* activ_temp_data_int16,
+ const Dims<4>& activ_temp_dims, int32 weights_zero_point,
+ int32 accum_multiplier, int accum_shift,
+ gemmlowp::GemmContext* gemm_context) {
+ tflite::LstmCellParams op_params;
+ op_params.weights_zero_point = weights_zero_point;
+ op_params.accum_multiplier = accum_multiplier;
+ op_params.accum_shift = accum_shift;
+
+ LstmCell<StateIntegerBits>(
+ op_params, DimsToShape(input_dims), input_data_uint8,
+ DimsToShape(prev_activ_dims), prev_activ_data_uint8,
+ DimsToShape(weights_dims), weights_data_uint8, DimsToShape(bias_dims),
+ bias_data_int32, DimsToShape(prev_state_dims), prev_state_data_int16,
+ DimsToShape(output_state_dims), output_state_data_int16,
+ DimsToShape(output_activ_dims), output_activ_data_uint8,
+ DimsToShape(concat_temp_dims), concat_temp_data_uint8,
+ DimsToShape(activ_temp_dims), activ_temp_data_int16, gemm_context);
+}
+
+inline int NodeOffset(int b, int h, int w, int height, int width) {
+ return (b * height + h) * width + w;
+}
+
+inline void AveragePool(const PoolParams& params,
+ const RuntimeShape& input_shape,
+ const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("AveragePool");
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+ const int batches = MatchingDim(input_shape, 0, output_shape, 0);
+ const int input_height = input_shape.Dims(1);
+ const int input_width = input_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+ const int output_width = output_shape.Dims(2);
+ const int stride_height = params.stride_height;
+ const int stride_width = params.stride_width;
+
+ // TODO(benoitjacob) make this a proper reference impl without Eigen!
+ const auto in_mat = MapAsMatrixWithLastDimAsRows(input_data, input_shape);
+ auto out_mat = MapAsMatrixWithLastDimAsRows(output_data, output_shape);
+ // TODO(benoitjacob) get rid of the dynamic memory allocation here!
+ Eigen::VectorXf out_count(out_mat.cols());
+ out_count.setZero();
+ // Prefill the output to 0.
+ out_mat.setZero();
+ for (int b = 0; b < batches; ++b) {
+ for (int h = 0; h < input_height; ++h) {
+ for (int w = 0; w < input_width; ++w) {
+ // (h_start, h_end) * (w_start, w_end) is the range that the input
+ // vector projects to.
+ int hpad = h + params.padding_values.height;
+ int wpad = w + params.padding_values.width;
+ int h_start = (hpad < params.filter_height)
+ ? 0
+ : (hpad - params.filter_height) / stride_height + 1;
+ int h_end = std::min(hpad / stride_height + 1, output_height);
+ int w_start = (wpad < params.filter_width)
+ ? 0
+ : (wpad - params.filter_width) / stride_width + 1;
+ int w_end = std::min(wpad / stride_width + 1, output_width);
+ // compute elementwise sum
+ for (int ph = h_start; ph < h_end; ++ph) {
+ for (int pw = w_start; pw < w_end; ++pw) {
+ int out_offset = NodeOffset(b, ph, pw, output_height, output_width);
+ out_mat.col(out_offset) +=
+ in_mat.col(NodeOffset(b, h, w, input_height, input_width));
+ out_count(out_offset)++;
+ }
+ }
+ }
+ }
+ }
+ // Divide the output by the actual number of elements being averaged over
+ TFLITE_DCHECK_GT(out_count.minCoeff(), 0);
+ out_mat.array().rowwise() /= out_count.transpose().array();
+
+ const int flat_size = output_shape.FlatSize();
+ for (int i = 0; i < flat_size; ++i) {
+ output_data[i] = ActivationFunctionWithMinMax(output_data[i],
+ params.float_activation_min,
+ params.float_activation_max);
+ }
+}
+
+inline void AveragePool(const PoolParams& params,
+ const RuntimeShape& input_shape,
+ const uint8* input_data,
+ const RuntimeShape& output_shape, uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("AveragePool/8bit");
+ TFLITE_DCHECK_LE(params.quantized_activation_min,
+ params.quantized_activation_max);
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+ const int batches = MatchingDim(input_shape, 0, output_shape, 0);
+ const int depth = MatchingDim(input_shape, 3, output_shape, 3);
+ const int input_height = input_shape.Dims(1);
+ const int input_width = input_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+ const int output_width = output_shape.Dims(2);
+ const int stride_height = params.stride_height;
+ const int stride_width = params.stride_width;
+ for (int batch = 0; batch < batches; ++batch) {
+ for (int out_y = 0; out_y < output_height; ++out_y) {
+ for (int out_x = 0; out_x < output_width; ++out_x) {
+ const int in_x_origin =
+ (out_x * stride_width) - params.padding_values.width;
+ const int in_y_origin =
+ (out_y * stride_height) - params.padding_values.height;
+ const int filter_x_start = std::max(0, -in_x_origin);
+ const int filter_x_end =
+ std::min(params.filter_width, input_width - in_x_origin);
+ const int filter_y_start = std::max(0, -in_y_origin);
+ const int filter_y_end =
+ std::min(params.filter_height, input_height - in_y_origin);
+ const int filter_count =
+ (filter_x_end - filter_x_start) * (filter_y_end - filter_y_start);
+ // 1280 required by Inception v3
+ static constexpr int kAccBufferMaxSize = 2048;
+ TFLITE_DCHECK_LE(depth, kAccBufferMaxSize);
+ uint16 acc[kAccBufferMaxSize];
+ memset(acc, 0, depth * sizeof(acc[0]));
+ const uint8* input_ptr =
+ input_data +
+ depth * (in_x_origin +
+ input_width * (in_y_origin + input_height * batch));
+ for (int fy = filter_y_start; fy < filter_y_end; fy++) {
+ const uint8* input_row_ptr =
+ input_ptr + depth * (fy * input_width + filter_x_start);
+ for (int fx = filter_x_start; fx < filter_x_end; fx++) {
+ int channel = 0;
+#ifdef USE_NEON
+ for (; channel <= depth - 16; channel += 16) {
+ uint16x8_t acc_reg[2];
+ for (int i = 0; i < 2; i++) {
+ acc_reg[i] = vld1q_u16(acc + channel + 8 * i);
+ }
+ uint8x16_t input_reg = vld1q_u8(input_row_ptr);
+ input_row_ptr += 16;
+ acc_reg[0] = vaddw_u8(acc_reg[0], vget_low_u8(input_reg));
+ acc_reg[1] = vaddw_u8(acc_reg[1], vget_high_u8(input_reg));
+ for (int i = 0; i < 2; i++) {
+ vst1q_u16(acc + channel + 8 * i, acc_reg[i]);
+ }
+ }
+ for (; channel <= depth - 8; channel += 8) {
+ uint16x8_t acc_reg = vld1q_u16(acc + channel);
+ uint8x8_t input_reg = vld1_u8(input_row_ptr);
+ input_row_ptr += 8;
+ acc_reg = vaddw_u8(acc_reg, input_reg);
+ vst1q_u16(acc + channel, acc_reg);
+ }
+#endif
+ for (; channel < depth; ++channel) {
+ acc[channel] += *input_row_ptr++;
+ }
+ }
+ }
+ uint8* output_ptr =
+ output_data + Offset(output_shape, batch, out_y, out_x, 0);
+ int channel = 0;
+#ifdef USE_NEON
+#define AVGPOOL_DIVIDING_BY(FILTER_COUNT) \
+ if (filter_count == FILTER_COUNT) { \
+ for (; channel <= depth - 8; channel += 8) { \
+ uint16 buf[8]; \
+ for (int i = 0; i < 8; i++) { \
+ buf[i] = (acc[channel + i] + FILTER_COUNT / 2) / FILTER_COUNT; \
+ } \
+ uint8x8_t buf8 = vqmovn_u16(vld1q_u16(buf)); \
+ buf8 = vmin_u8(buf8, vdup_n_u8(params.quantized_activation_max)); \
+ buf8 = vmax_u8(buf8, vdup_n_u8(params.quantized_activation_min)); \
+ vst1_u8(output_ptr + channel, buf8); \
+ } \
+ }
+ AVGPOOL_DIVIDING_BY(9)
+ AVGPOOL_DIVIDING_BY(15)
+#undef AVGPOOL_DIVIDING_BY
+ for (; channel <= depth - 8; channel += 8) {
+ uint16 buf[8];
+ for (int i = 0; i < 8; i++) {
+ buf[i] = (acc[channel + i] + filter_count / 2) / filter_count;
+ }
+ uint8x8_t buf8 = vqmovn_u16(vld1q_u16(buf));
+ buf8 = vmin_u8(buf8, vdup_n_u8(params.quantized_activation_max));
+ buf8 = vmax_u8(buf8, vdup_n_u8(params.quantized_activation_min));
+ vst1_u8(output_ptr + channel, buf8);
+ }
+#endif
+ for (; channel < depth; ++channel) {
+ uint16 a = (acc[channel] + filter_count / 2) / filter_count;
+ a = std::max<uint16>(a, params.quantized_activation_min);
+ a = std::min<uint16>(a, params.quantized_activation_max);
+ output_ptr[channel] = static_cast<uint8>(a);
+ }
+ }
+ }
+ }
+}
+
+inline void MaxPool(const PoolParams& params, const RuntimeShape& input_shape,
+ const float* input_data, const RuntimeShape& output_shape,
+ float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("MaxPool");
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+ const int batches = MatchingDim(input_shape, 0, output_shape, 0);
+ const int input_height = input_shape.Dims(1);
+ const int input_width = input_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+ const int output_width = output_shape.Dims(2);
+ const int stride_height = params.stride_height;
+ const int stride_width = params.stride_width;
+
+ const auto in_mat = MapAsMatrixWithLastDimAsRows(input_data, input_shape);
+ auto out_mat = MapAsMatrixWithLastDimAsRows(output_data, output_shape);
+ // Prefill the output to minimum representable float value
+ out_mat.setConstant(std::numeric_limits<float>::lowest());
+ for (int b = 0; b < batches; ++b) {
+ for (int h = 0; h < input_height; ++h) {
+ for (int w = 0; w < input_width; ++w) {
+ // (h_start, h_end) * (w_start, w_end) is the range that the input
+ // vector projects to.
+ int hpad = h + params.padding_values.height;
+ int wpad = w + params.padding_values.width;
+ int h_start = (hpad < params.filter_height)
+ ? 0
+ : (hpad - params.filter_height) / stride_height + 1;
+ int h_end = std::min(hpad / stride_height + 1, output_height);
+ int w_start = (wpad < params.filter_width)
+ ? 0
+ : (wpad - params.filter_width) / stride_width + 1;
+ int w_end = std::min(wpad / stride_width + 1, output_width);
+ // compute elementwise sum
+ for (int ph = h_start; ph < h_end; ++ph) {
+ for (int pw = w_start; pw < w_end; ++pw) {
+ int out_offset = NodeOffset(b, ph, pw, output_height, output_width);
+ out_mat.col(out_offset) =
+ out_mat.col(out_offset)
+ .cwiseMax(in_mat.col(
+ NodeOffset(b, h, w, input_height, input_width)));
+ }
+ }
+ }
+ }
+ }
+ const int flat_size = output_shape.FlatSize();
+ for (int i = 0; i < flat_size; ++i) {
+ output_data[i] = ActivationFunctionWithMinMax(output_data[i],
+ params.float_activation_min,
+ params.float_activation_max);
+ }
+}
+
+inline void MaxPool(const PoolParams& params, const RuntimeShape& input_shape,
+ const uint8* input_data, const RuntimeShape& output_shape,
+ uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("MaxPool/8bit");
+ TFLITE_DCHECK_LE(params.quantized_activation_min,
+ params.quantized_activation_max);
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+ const int batches = MatchingDim(input_shape, 0, output_shape, 0);
+ const int depth = MatchingDim(input_shape, 3, output_shape, 3);
+ const int input_height = input_shape.Dims(1);
+ const int input_width = input_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+ const int output_width = output_shape.Dims(2);
+ const int stride_height = params.stride_height;
+ const int stride_width = params.stride_width;
+ for (int batch = 0; batch < batches; ++batch) {
+ for (int out_y = 0; out_y < output_height; ++out_y) {
+ for (int out_x = 0; out_x < output_width; ++out_x) {
+ const int in_x_origin =
+ (out_x * stride_width) - params.padding_values.width;
+ const int in_y_origin =
+ (out_y * stride_height) - params.padding_values.height;
+ const int filter_x_start = std::max(0, -in_x_origin);
+ const int filter_x_end =
+ std::min(params.filter_width, input_width - in_x_origin);
+ const int filter_y_start = std::max(0, -in_y_origin);
+ const int filter_y_end =
+ std::min(params.filter_height, input_height - in_y_origin);
+ // 2048 required by Inception v3
+ static constexpr int kAccBufferMaxSize = 2048;
+ TFLITE_DCHECK_LE(depth, kAccBufferMaxSize);
+ uint8 acc[kAccBufferMaxSize];
+ memset(acc, 0, depth * sizeof(acc[0]));
+ const uint8* input_ptr =
+ input_data +
+ depth * (in_x_origin +
+ input_width * (in_y_origin + input_height * batch));
+ for (int fy = filter_y_start; fy < filter_y_end; fy++) {
+ const uint8* input_row_ptr =
+ input_ptr + depth * (fy * input_width + filter_x_start);
+ for (int fx = filter_x_start; fx < filter_x_end; fx++) {
+ int channel = 0;
+#ifdef USE_NEON
+ for (; channel <= depth - 16; channel += 16) {
+ uint8x16_t acc_reg = vld1q_u8(acc + channel);
+ uint8x16_t input_reg = vld1q_u8(input_row_ptr);
+ input_row_ptr += 16;
+ acc_reg = vmaxq_u8(acc_reg, input_reg);
+ vst1q_u8(acc + channel, acc_reg);
+ }
+
+ for (; channel <= depth - 8; channel += 8) {
+ uint8x8_t acc_reg = vld1_u8(acc + channel);
+ uint8x8_t input_reg = vld1_u8(input_row_ptr);
+ input_row_ptr += 8;
+ acc_reg = vmax_u8(acc_reg, input_reg);
+ vst1_u8(acc + channel, acc_reg);
+ }
+#endif
+ for (; channel < depth; ++channel) {
+ acc[channel] = std::max(acc[channel], *input_row_ptr++);
+ }
+ }
+ }
+ uint8* output_ptr =
+ output_data + Offset(output_shape, batch, out_y, out_x, 0);
+ int channel = 0;
+#ifdef USE_NEON
+ for (; channel <= depth - 16; channel += 16) {
+ uint8x16_t a = vld1q_u8(acc + channel);
+ a = vminq_u8(a, vdupq_n_u8(params.quantized_activation_max));
+ a = vmaxq_u8(a, vdupq_n_u8(params.quantized_activation_min));
+ vst1q_u8(output_ptr + channel, a);
+ }
+ for (; channel <= depth - 8; channel += 8) {
+ uint8x8_t a = vld1_u8(acc + channel);
+ a = vmin_u8(a, vdup_n_u8(params.quantized_activation_max));
+ a = vmax_u8(a, vdup_n_u8(params.quantized_activation_min));
+ vst1_u8(output_ptr + channel, a);
+ }
+#endif
+ for (; channel < depth; ++channel) {
+ uint8 a = acc[channel];
+ a = std::max<uint8>(a, params.quantized_activation_min);
+ a = std::min<uint8>(a, params.quantized_activation_max);
+ output_ptr[channel] = static_cast<uint8>(a);
+ }
+ }
+ }
+ }
+}
+
+inline void L2Pool(const PoolParams& params, const RuntimeShape& input_shape,
+ const float* input_data, const RuntimeShape& output_shape,
+ float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("L2Pool");
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+ const int batches = MatchingDim(input_shape, 0, output_shape, 0);
+ const int input_height = input_shape.Dims(1);
+ const int input_width = input_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+ const int output_width = output_shape.Dims(2);
+ const int stride_height = params.stride_height;
+ const int stride_width = params.stride_width;
+ // Actually carry out L2 Pool. Code is written in forward mode: we go through
+ // the input values once, and write to all the pooled regions that it maps to.
+ const auto in_mat = MapAsMatrixWithLastDimAsRows(input_data, input_shape);
+ auto out_mat = MapAsMatrixWithLastDimAsRows(output_data, output_shape);
+ Eigen::VectorXf in_square(in_mat.rows());
+ Eigen::VectorXf out_count(out_mat.cols());
+ out_count.setZero();
+ // Prefill the output to 0.
+ out_mat.setZero();
+ for (int b = 0; b < batches; ++b) {
+ for (int h = 0; h < input_height; ++h) {
+ for (int w = 0; w < input_width; ++w) {
+ // (h_start, h_end) * (w_start, w_end) is the range that the input
+ // vector projects to.
+ const int hpad = h + params.padding_values.height;
+ const int wpad = w + params.padding_values.width;
+ const int h_start =
+ (hpad < params.filter_height)
+ ? 0
+ : (hpad - params.filter_height) / stride_height + 1;
+ const int h_end = std::min(hpad / stride_height + 1, output_height);
+ const int w_start =
+ (wpad < params.filter_width)
+ ? 0
+ : (wpad - params.filter_width) / stride_width + 1;
+ const int w_end = std::min(wpad / stride_width + 1, output_width);
+ // pre-compute square
+ const int in_offset = w + input_width * (h + input_height * b);
+ in_square =
+ in_mat.col(in_offset).array() * in_mat.col(in_offset).array();
+ // compute elementwise sum of squares
+ for (int ph = h_start; ph < h_end; ++ph) {
+ for (int pw = w_start; pw < w_end; ++pw) {
+ const int out_offset = pw + output_width * (ph + output_height * b);
+ out_mat.col(out_offset) += in_square;
+ out_count(out_offset)++;
+ }
+ }
+ }
+ }
+ }
+
+ out_count = out_count.array().inverse();
+ out_mat =
+ (out_mat.array().rowwise() * out_count.transpose().array()).cwiseSqrt();
+
+ const int flat_size = output_shape.FlatSize();
+ for (int i = 0; i < flat_size; ++i) {
+ output_data[i] = ActivationFunctionWithMinMax(output_data[i],
+ params.float_activation_min,
+ params.float_activation_max);
+ }
+}
+
+inline void LocalResponseNormalization(
+ const tflite::LocalResponseNormalizationParams& op_params,
+ const RuntimeShape& input_shape, const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("LocalResponseNormalization");
+ MatchingFlatSize(input_shape, output_shape);
+
+ const auto data_in = MapAsMatrixWithLastDimAsRows(input_data, input_shape);
+ auto data_out = MapAsMatrixWithLastDimAsRows(output_data, output_shape);
+
+ // Carry out local response normalization, vector by vector.
+ // Since the data are stored column major, making row-wise operation
+ // probably not memory efficient anyway, we do an explicit for loop over
+ // the columns.
+ const int double_range = op_params.range * 2;
+ Eigen::VectorXf padded_square(data_in.rows() + double_range);
+ padded_square.setZero();
+ for (int r = 0; r < data_in.cols(); ++r) {
+ // Do local response normalization for data_in(:, r)
+ // first, compute the square and store them in buffer for repeated use
+ padded_square.block(op_params.range, 0, data_in.rows(), 1) =
+ data_in.col(r).cwiseProduct(data_in.col(r)) * op_params.alpha;
+ // Then, compute the scale and writes them to data_out
+ float accumulated_scale = 0;
+ for (int i = 0; i < double_range; ++i) {
+ accumulated_scale += padded_square(i);
+ }
+ for (int i = 0; i < data_in.rows(); ++i) {
+ accumulated_scale += padded_square(i + double_range);
+ data_out(i, r) = op_params.bias + accumulated_scale;
+ accumulated_scale -= padded_square(i);
+ }
+ }
+
+ // In a few cases, the pow computation could benefit from speedups.
+ if (op_params.beta == 1) {
+ data_out.array() = data_in.array() * data_out.array().inverse();
+ } else if (op_params.beta == 0.5) {
+ data_out.array() = data_in.array() * data_out.array().sqrt().inverse();
+ } else {
+ data_out.array() = data_in.array() * data_out.array().pow(-op_params.beta);
+ }
+}
+
+inline void Softmax(const SoftmaxParams& params,
+ const RuntimeShape& input_shape, const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Softmax");
+ MatchingFlatSize(input_shape, output_shape);
+
+ const auto in_mat = MapAsMatrixWithLastDimAsRows(input_data, input_shape);
+ auto out_mat = MapAsMatrixWithLastDimAsRows(output_data, output_shape);
+ // Compute the exponential first, removing the max coefficient for numerical
+ // stability.
+ out_mat =
+ (in_mat.rowwise() - in_mat.colwise().maxCoeff()).array() * params.beta;
+ // We are separating out the exp function so that exp can be vectorized.
+ out_mat = out_mat.array().exp();
+ // Normalize to get the activations.
+ Eigen::Array<float, 1, Eigen::Dynamic> scale =
+ out_mat.array().colwise().sum().inverse();
+ out_mat.array().rowwise() *= scale;
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void Softmax(const float* input_data, const RuntimeShape& input_shape,
+ float beta, float* output_data,
+ const RuntimeShape& output_shape) {
+ SoftmaxParams params;
+ params.beta = beta;
+ Softmax(params, input_shape, input_data, output_shape, output_data);
+}
+
+inline void Softmax(const SoftmaxParams& params,
+ const RuntimeShape& input_shape, const uint8* input_data,
+ const RuntimeShape& output_shape, uint8* output_data) {
+ const int32 input_beta_multiplier = params.input_multiplier;
+ const int32 input_beta_left_shift = params.input_left_shift;
+ const int diff_min = params.diff_min;
+ // The representation chosen for the input to the exp() function is Q5.26.
+ // We need to leave extra space since values that we skip might be as large as
+ // -32 before multiplying by input_beta_multiplier, and therefore as large as
+ // -16 afterwards. Note that exp(-8) is definitely not insignificant to
+ // accumulation, but exp(-16) definitely is.
+ static const int kScaledDiffIntegerBits = 5;
+ static const int kAccumulationIntegerBits = 12;
+ using FixedPointScaledDiff =
+ gemmlowp::FixedPoint<int32, kScaledDiffIntegerBits>;
+ using FixedPointAccum = gemmlowp::FixedPoint<int32, kAccumulationIntegerBits>;
+ using FixedPoint0 = gemmlowp::FixedPoint<int32, 0>;
+
+ gemmlowp::ScopedProfilingLabel label("Softmax/8bit");
+ const int trailing_dim = input_shape.DimensionsCount() - 1;
+ const int outer_size =
+ MatchingFlatSizeSkipDim(input_shape, trailing_dim, output_shape);
+ const int depth =
+ MatchingDim(input_shape, trailing_dim, output_shape, trailing_dim);
+
+ for (int b = 0; b < outer_size; ++b) {
+ const uint8* input_data_ptr = input_data + b * depth;
+ uint8* output_data_ptr = output_data + b * depth;
+
+ // Determine the largest entry in the current row
+ uint8 max_in_row = 0;
+ {
+ int c = 0;
+#ifdef USE_NEON
+ uint8x16_t max16_0 = vdupq_n_u8(0);
+ uint8x16_t max16_1 = vdupq_n_u8(0);
+ for (; c <= depth - 32; c += 32) {
+ max16_0 = vmaxq_u8(max16_0, vld1q_u8(input_data_ptr + c + 0));
+ max16_1 = vmaxq_u8(max16_1, vld1q_u8(input_data_ptr + c + 16));
+ }
+ uint8x16_t max16 = vmaxq_u8(max16_0, max16_1);
+ if (c <= depth - 16) {
+ max16 = vmaxq_u8(max16, vld1q_u8(input_data_ptr + c));
+ c += 16;
+ }
+ uint8x8_t max8 = vmax_u8(vget_low_u8(max16), vget_high_u8(max16));
+ if (c <= depth - 8) {
+ max8 = vmax_u8(max8, vld1_u8(input_data_ptr + c));
+ c += 8;
+ }
+ uint8x8_t max4 = vmax_u8(max8, vext_u8(max8, max8, 4));
+ uint8x8_t max2 = vmax_u8(max4, vext_u8(max4, max4, 2));
+ uint8x8_t max1 = vpmax_u8(max2, max2);
+ max_in_row = vget_lane_u8(max1, 0);
+#endif
+ for (; c < depth; ++c) {
+ max_in_row = std::max(max_in_row, input_data_ptr[c]);
+ }
+ }
+
+#ifdef USE_NEON
+ using FixedPointAccumInt32x4 =
+ gemmlowp::FixedPoint<int32x4_t, kAccumulationIntegerBits>;
+ using FixedPointScaledDiffInt32x4 =
+ gemmlowp::FixedPoint<int32x4_t, kScaledDiffIntegerBits>;
+ using FixedPoint0Int32x4 = gemmlowp::FixedPoint<int32x4_t, 0>;
+ FixedPoint0Int32x4 input_beta_multiplier_f0 =
+ FixedPoint0Int32x4::FromScalarRaw(input_beta_multiplier);
+ int16x8_t max_in_row_s16 = vdupq_n_s16(max_in_row);
+#endif
+
+ // Compute the sum of exponentials of the differences of entries in the
+ // current row from the largest entry in the current row.
+ FixedPointAccum sum_of_exps = FixedPointAccum::Zero();
+ {
+ int c = 0;
+#ifdef USE_NEON
+ int32x4_t diff_min_s32 = vdupq_n_s32(diff_min);
+ FixedPointAccumInt32x4 sum_of_exps_0 = FixedPointAccumInt32x4::Zero();
+ FixedPointAccumInt32x4 sum_of_exps_1 = FixedPointAccumInt32x4::Zero();
+ FixedPointAccumInt32x4 zeros = FixedPointAccumInt32x4::Zero();
+ for (; c <= depth - 8; c += 8) {
+ uint16x8_t input_u16 = vmovl_u8(vld1_u8(input_data_ptr + c));
+ int16x8_t input_diff_s16 =
+ vsubq_s16(vreinterpretq_s16_u16(input_u16), max_in_row_s16);
+ int32x4_t input_diff_s32_0 = vmovl_s16(vget_low_s16(input_diff_s16));
+ int32x4_t input_diff_s32_1 = vmovl_s16(vget_high_s16(input_diff_s16));
+ int32x4_t mask_0 =
+ gemmlowp::MaskIfGreaterThanOrEqual(input_diff_s32_0, diff_min_s32);
+ int32x4_t mask_1 =
+ gemmlowp::MaskIfGreaterThanOrEqual(input_diff_s32_1, diff_min_s32);
+ FixedPointScaledDiffInt32x4 scaled_diff_0 =
+ input_beta_multiplier_f0 *
+ FixedPointScaledDiffInt32x4::FromRaw(
+ gemmlowp::ShiftLeft(input_diff_s32_0, input_beta_left_shift));
+ FixedPointScaledDiffInt32x4 scaled_diff_1 =
+ input_beta_multiplier_f0 *
+ FixedPointScaledDiffInt32x4::FromRaw(
+ gemmlowp::ShiftLeft(input_diff_s32_1, input_beta_left_shift));
+ FixedPointAccumInt32x4 exps_0 =
+ gemmlowp::Rescale<kAccumulationIntegerBits>(
+ exp_on_negative_values(scaled_diff_0));
+ FixedPointAccumInt32x4 exps_1 =
+ gemmlowp::Rescale<kAccumulationIntegerBits>(
+ exp_on_negative_values(scaled_diff_1));
+ FixedPointAccumInt32x4 masked_exps_0 =
+ SelectUsingMask(mask_0, exps_0, zeros);
+ FixedPointAccumInt32x4 masked_exps_1 =
+ SelectUsingMask(mask_1, exps_1, zeros);
+ sum_of_exps_0 = sum_of_exps_0 + masked_exps_0;
+ sum_of_exps_1 = sum_of_exps_1 + masked_exps_1;
+ }
+ int32x4_t sum_of_exps_reduced_4 = (sum_of_exps_0 + sum_of_exps_1).raw();
+ int32x2_t sum_of_exps_reduced_2 =
+ vadd_s32(vget_low_s32(sum_of_exps_reduced_4),
+ vget_high_s32(sum_of_exps_reduced_4));
+ int32x2_t sum_of_exps_reduced_1 =
+ vpadd_s32(sum_of_exps_reduced_2, sum_of_exps_reduced_2);
+ sum_of_exps =
+ FixedPointAccum::FromRaw(vget_lane_s32(sum_of_exps_reduced_1, 0));
+#endif
+ for (; c < depth; ++c) {
+ int32 input_diff = static_cast<int32>(input_data_ptr[c]) - max_in_row;
+ if (input_diff >= diff_min) {
+ const int32 input_diff_rescaled =
+ MultiplyByQuantizedMultiplierGreaterThanOne(
+ input_diff, input_beta_multiplier, input_beta_left_shift);
+ const FixedPointScaledDiff scaled_diff_f8 =
+ FixedPointScaledDiff::FromRaw(input_diff_rescaled);
+ sum_of_exps =
+ sum_of_exps + gemmlowp::Rescale<kAccumulationIntegerBits>(
+ exp_on_negative_values(scaled_diff_f8));
+ }
+ }
+ }
+
+ // Compute the fixed-point multiplier and shift that we need to apply to
+ // perform a division by the above-computed sum-of-exponentials.
+ int32 fixed_sum_of_exps = sum_of_exps.raw();
+ int headroom_plus_one =
+ CountLeadingZeros(static_cast<uint32>(fixed_sum_of_exps));
+ // This is the number of bits to the left of the binary point above 1.0.
+ // Consider fixed_sum_of_exps=1.25. In that case shifted_scale=0.8 and
+ // no later adjustment will be needed.
+ int num_bits_over_unit = kAccumulationIntegerBits - headroom_plus_one;
+ int32 shifted_sum_minus_one = static_cast<int32>(
+ (static_cast<uint32>(fixed_sum_of_exps) << headroom_plus_one) -
+ (static_cast<uint32>(1) << 31));
+ FixedPoint0 shifted_scale = gemmlowp::one_over_one_plus_x_for_x_in_0_1(
+ FixedPoint0::FromRaw(shifted_sum_minus_one));
+
+ // Compute the quotients of exponentials of differences of entries in the
+ // current row from the largest entry, over the previously-computed sum of
+ // exponentials.
+ {
+ int c = 0;
+#ifdef USE_NEON
+ int16x8_t diff_min_s16 = vdupq_n_s16(diff_min);
+ for (; c <= depth - 8; c += 8) {
+ uint16x8_t input_u16 = vmovl_u8(vld1_u8(input_data_ptr + c));
+ int16x8_t input_diff_s16 =
+ vsubq_s16(vreinterpretq_s16_u16(input_u16), max_in_row_s16);
+ int32x4_t input_diff_s32_0 = vmovl_s16(vget_low_s16(input_diff_s16));
+ int32x4_t input_diff_s32_1 = vmovl_s16(vget_high_s16(input_diff_s16));
+ uint8x8_t mask = vmovn_u16(vcgeq_s16(input_diff_s16, diff_min_s16));
+ FixedPointScaledDiffInt32x4 scaled_diff_0 =
+ input_beta_multiplier_f0 *
+ FixedPointScaledDiffInt32x4::FromRaw(
+ gemmlowp::ShiftLeft(input_diff_s32_0, input_beta_left_shift));
+ FixedPointScaledDiffInt32x4 scaled_diff_1 =
+ input_beta_multiplier_f0 *
+ FixedPointScaledDiffInt32x4::FromRaw(
+ gemmlowp::ShiftLeft(input_diff_s32_1, input_beta_left_shift));
+ FixedPoint0Int32x4 exp_0 = exp_on_negative_values(scaled_diff_0);
+ FixedPoint0Int32x4 exp_1 = exp_on_negative_values(scaled_diff_1);
+ int32x4_t output_s32_0 = gemmlowp::RoundingDivideByPOT(
+ vqrdmulhq_n_s32(exp_0.raw(), shifted_scale.raw()),
+ num_bits_over_unit + 31 - 8);
+ int32x4_t output_s32_1 = gemmlowp::RoundingDivideByPOT(
+ vqrdmulhq_n_s32(exp_1.raw(), shifted_scale.raw()),
+ num_bits_over_unit + 31 - 8);
+ int16x8_t output_s16 =
+ vcombine_s16(vqmovn_s32(output_s32_0), vqmovn_s32(output_s32_1));
+ uint8x8_t output_u8 = vqmovun_s16(output_s16);
+ uint8x8_t masked_output = vbsl_u8(mask, output_u8, vdup_n_u8(0));
+ vst1_u8(output_data_ptr + c, masked_output);
+ }
+#endif
+ for (; c < depth; ++c) {
+ int32 input_diff = static_cast<int32>(input_data_ptr[c]) - max_in_row;
+ if (input_diff >= diff_min) {
+ const int32 input_diff_rescaled =
+ MultiplyByQuantizedMultiplierGreaterThanOne(
+ input_diff, input_beta_multiplier, input_beta_left_shift);
+ const FixedPointScaledDiff scaled_diff_f8 =
+ FixedPointScaledDiff::FromRaw(input_diff_rescaled);
+
+ FixedPoint0 exp_in_0 = exp_on_negative_values(scaled_diff_f8);
+ int32 unsat_output = gemmlowp::RoundingDivideByPOT(
+ (shifted_scale * exp_in_0).raw(), num_bits_over_unit + 31 - 8);
+
+ output_data_ptr[c] = std::max(std::min(unsat_output, 255), 0);
+
+ } else {
+ output_data_ptr[c] = 0;
+ }
+ }
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void Softmax(const uint8* input_data, const RuntimeShape& input_shape,
+ int32 input_beta_multiplier, int32 input_beta_left_shift,
+ int diff_min, uint8* output_data,
+ const RuntimeShape& output_shape) {
+ SoftmaxParams params;
+ params.input_multiplier = input_beta_multiplier;
+ params.input_left_shift = input_beta_left_shift;
+ params.diff_min = diff_min;
+ Softmax(params, input_shape, input_data, output_shape, output_data);
+}
+
+// TODO(myenik): This is the same as the reference implementation, not actually
+// optimized yet.
+inline void LogSoftmax(const SoftmaxParams& params,
+ const RuntimeShape& input_shape, const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("LogSoftmax");
+ const int trailing_dim = input_shape.DimensionsCount() - 1;
+ const int outer_size =
+ MatchingFlatSizeSkipDim(input_shape, trailing_dim, output_shape);
+ const int depth =
+ MatchingDim(input_shape, trailing_dim, output_shape, trailing_dim);
+
+ for (int i = 0; i < outer_size; ++i) {
+ const float* block_input_data = input_data + i * depth;
+ float* block_output_data = output_data + i * depth;
+ // Find max element value which we'll use to ensure numerical stability
+ // taking advantage of the following equality:
+ // log(exp(x[i])/sum(exp(x[i]))) == log(exp(x[i]+C)/sum(exp(x[i]+C)))
+ float max = std::numeric_limits<float>::lowest();
+ for (int c = 0; c < depth; ++c) {
+ max = std::max(max, block_input_data[c]);
+ }
+
+ // Compute sum.
+ float sum = 0.f;
+ for (int c = 0; c < depth; ++c) {
+ sum += std::exp(block_input_data[c] - max);
+ }
+
+ // Compute result.
+ const float log_sum = std::log(sum);
+ for (int c = 0; c < depth; ++c) {
+ block_output_data[c] = block_input_data[c] - max - log_sum;
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy
+inline void LogSoftmax(const float* input_data, const RuntimeShape& input_shape,
+ float* output_data, const RuntimeShape& output_shape) {
+ SoftmaxParams params;
+ // No params currently used for float LogSoftmax.
+ LogSoftmax(params, input_shape, input_data, output_shape, output_data);
+}
+
+template <int OutputIntegerBits, int InputIntegerBits>
+inline gemmlowp::FixedPoint<int32, OutputIntegerBits>
+log_x_for_x_greater_than_or_equal_to_1_impl(
+ gemmlowp::FixedPoint<int32, InputIntegerBits> input_val) {
+ // assert(__builtin_clz(0u) >= std::numeric_limits<uint32>::digits - 1);
+ // assert(__builtin_clz(0u) <= std::numeric_limits<uint32>::digits);
+ using FixedPoint0 = gemmlowp::FixedPoint<int32, 0>;
+ // The reason for accumulating the result with an extra bit of headroom is
+ // that z_pow_2_adj * log_2 might be saturated, and adding num_scaled *
+ // recip_denom will otherwise introduce an error.
+ static constexpr int kAccumIntegerBits = OutputIntegerBits + 1;
+ using FixedPointAccum = gemmlowp::FixedPoint<int32, kAccumIntegerBits>;
+
+ const FixedPoint0 log_2 = GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(
+ FixedPoint0, 1488522236, std::log(2.0));
+ const FixedPoint0 sqrt_sqrt_half = GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(
+ FixedPoint0, 1805811301, std::sqrt(std::sqrt(0.5)));
+ const FixedPoint0 sqrt_half = GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(
+ FixedPoint0, 1518500250, std::sqrt(0.5));
+ const FixedPoint0 one_quarter =
+ GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(FixedPoint0, 536870912, 1.0 / 4.0);
+
+ const FixedPoint0 alpha_n = GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(
+ FixedPoint0, 117049297, 11.0 / 240.0 * std::sqrt(std::sqrt(2.0)));
+ const FixedPoint0 alpha_d = GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(
+ FixedPoint0, 127690142, 1.0 / 20.0 * std::sqrt(std::sqrt(2.0)));
+ const FixedPoint0 alpha_i = GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(
+ FixedPoint0, 1057819769,
+ 2.0 / std::sqrt(std::sqrt(2.0)) - std::sqrt(std::sqrt(2.0)));
+ const FixedPoint0 alpha_f = GEMMLOWP_CHECKED_FIXEDPOINT_CONSTANT(
+ FixedPoint0, 638450708, 1.0 / 4.0 * std::sqrt(std::sqrt(2.0)));
+
+ const FixedPointAccum shifted_quarter =
+ gemmlowp::Rescale<kAccumIntegerBits>(one_quarter);
+
+ // Reinterpret the input value as Q0.31, because we will figure out the
+ // required shift "ourselves" instead of using, say, Rescale.
+ FixedPoint0 z_a = FixedPoint0::FromRaw(input_val.raw());
+ // z_a_pow_2 = input_integer_bits - z_a_headroom;
+ int z_a_headroom_plus_1 = CountLeadingZeros(static_cast<uint32>(z_a.raw()));
+ FixedPoint0 r_a_tmp =
+ SaturatingRoundingMultiplyByPOTParam(z_a, (z_a_headroom_plus_1 - 1));
+ const int32 r_a_raw =
+ SaturatingRoundingMultiplyByPOTParam((r_a_tmp * sqrt_half).raw(), 1);
+ // z_pow_2_adj = max(z_pow_2_a - 0.75, z_pow_2_b - 0.25);
+ // z_pow_2_adj = max(InputIntegerBits - z_a_headroom_plus_1 + 0.25,
+ // InputIntegerBits - z_b_headroom - 0.25);
+ const FixedPointAccum z_a_pow_2_adj = SaturatingAddNonGemmlowp(
+ FixedPointAccum::FromRaw(SaturatingRoundingMultiplyByPOTParam(
+ InputIntegerBits - z_a_headroom_plus_1, 31 - kAccumIntegerBits)),
+ shifted_quarter);
+
+ // z_b is treated like z_a, but premultiplying by sqrt(0.5).
+ FixedPoint0 z_b = z_a * sqrt_half;
+ int z_b_headroom = CountLeadingZeros(static_cast<uint32>(z_b.raw())) - 1;
+ const int32 r_b_raw =
+ SaturatingRoundingMultiplyByPOTParam(z_a.raw(), z_b_headroom);
+ const FixedPointAccum z_b_pow_2_adj = SaturatingSub(
+ FixedPointAccum::FromRaw(SaturatingRoundingMultiplyByPOTParam(
+ InputIntegerBits - z_b_headroom, 31 - kAccumIntegerBits)),
+ shifted_quarter);
+
+ const FixedPoint0 r = FixedPoint0::FromRaw(std::min(r_a_raw, r_b_raw));
+ const FixedPointAccum z_pow_2_adj = FixedPointAccum::FromRaw(
+ std::max(z_a_pow_2_adj.raw(), z_b_pow_2_adj.raw()));
+
+ const FixedPoint0 p = gemmlowp::RoundingHalfSum(r, sqrt_sqrt_half);
+ FixedPoint0 q = r - sqrt_sqrt_half;
+ q = q + q;
+
+ const FixedPoint0 common_sq = q * q;
+ const FixedPoint0 num = q * r + q * common_sq * alpha_n;
+ const FixedPoint0 denom_minus_one_0 =
+ p * (alpha_i + q + alpha_d * common_sq) + alpha_f * q;
+ const FixedPoint0 recip_denom =
+ one_over_one_plus_x_for_x_in_0_1(denom_minus_one_0);
+
+ const FixedPointAccum num_scaled = gemmlowp::Rescale<kAccumIntegerBits>(num);
+ return gemmlowp::Rescale<OutputIntegerBits>(z_pow_2_adj * log_2 +
+ num_scaled * recip_denom);
+}
+
+// Minimum output bits to accommodate log of maximum input range. It actually
+// does not matter if one considers, say, [-64,64] or [-64,64).
+//
+// For example, run this through Octave:
+// [0:127; ...
+// ceil(log(abs( log(2.^(0:127))+1 ))/log(2)); ...
+// ceil(log(abs( log(2.^(0:127))+1 ))/log(2))]
+constexpr int min_log_x_output_bits(int input_bits) {
+ return input_bits > 90
+ ? 7
+ : input_bits > 44
+ ? 6
+ : input_bits > 21
+ ? 5
+ : input_bits > 10
+ ? 4
+ : input_bits > 4 ? 3 : input_bits > 1 ? 2 : 1;
+}
+
+template <int OutputIntegerBits, int InputIntegerBits>
+inline gemmlowp::FixedPoint<int32, OutputIntegerBits>
+log_x_for_x_greater_than_or_equal_to_1(
+ gemmlowp::FixedPoint<int32, InputIntegerBits> input_val) {
+ static_assert(
+ OutputIntegerBits >= min_log_x_output_bits(InputIntegerBits),
+ "Output integer bits must be sufficent to accommodate logs of inputs.");
+ return log_x_for_x_greater_than_or_equal_to_1_impl<OutputIntegerBits,
+ InputIntegerBits>(
+ input_val);
+}
+
+// Currently just a copy of the reference code.
+inline void LogSoftmax(const SoftmaxParams& params,
+ const RuntimeShape& input_shape, const uint8* input_data,
+ const RuntimeShape& output_shape, uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("LogSoftmax/Uint8");
+ const int32 input_multiplier = params.input_multiplier;
+ const int32 input_left_shift = params.input_left_shift;
+ const int32 reverse_scaling_divisor = params.reverse_scaling_divisor;
+ const int32 reverse_scaling_right_shift = params.reverse_scaling_right_shift;
+ const int diff_min = params.diff_min;
+ // The representation chosen for the input to the exp() function is Q5.26.
+ // We need to leave extra space since values that we skip might be as large as
+ // -32 before multiplying by input_beta_multiplier, and therefore as large as
+ // -16 afterwards. Note that exp(-8) is definitely not insignificant to
+ // accumulation, but exp(-16) definitely is.
+ static constexpr int kScaledDiffIntegerBits = 5;
+ static constexpr int kAccumulationIntegerBits = 12;
+ static constexpr int kOutputIntegerBits = 4;
+ using FixedPointScaledDiff =
+ gemmlowp::FixedPoint<int32, kScaledDiffIntegerBits>;
+ using FixedPointAccum = gemmlowp::FixedPoint<int32, kAccumulationIntegerBits>;
+ using FixedPoint0 = gemmlowp::FixedPoint<int32, 0>;
+
+ const int trailing_dim = input_shape.DimensionsCount() - 1;
+ const int outer_size =
+ MatchingFlatSizeSkipDim(input_shape, trailing_dim, output_shape);
+ const int depth =
+ MatchingDim(input_shape, trailing_dim, output_shape, trailing_dim);
+
+ for (int i = 0; i < outer_size; ++i) {
+ const uint8* block_input_data = input_data + i * depth;
+ uint8* block_output_data = output_data + i * depth;
+ uint8 max_in_row = 0;
+ for (int c = 0; c < depth; ++c) {
+ max_in_row = std::max(max_in_row, block_input_data[c]);
+ }
+
+ FixedPointAccum sum_of_exps = FixedPointAccum::Zero();
+ for (int c = 0; c < depth; ++c) {
+ int32 input_diff = static_cast<int32>(block_input_data[c]) - max_in_row;
+ if (input_diff >= diff_min) {
+ const int32 input_diff_rescaled =
+ MultiplyByQuantizedMultiplierGreaterThanOne(
+ input_diff, input_multiplier, input_left_shift);
+ const FixedPointScaledDiff scaled_diff_f8 =
+ FixedPointScaledDiff::FromRaw(input_diff_rescaled);
+ sum_of_exps = sum_of_exps + gemmlowp::Rescale<kAccumulationIntegerBits>(
+ exp_on_negative_values(scaled_diff_f8));
+ }
+ }
+
+ const int32 fixed_log_sum_of_exps =
+ log_x_for_x_greater_than_or_equal_to_1<kScaledDiffIntegerBits>(
+ sum_of_exps)
+ .raw();
+
+ // rescaled_diff_min is smallest representable in
+ // Q(kScaledDiffIntegerBits).(31-kScaledDiffIntegerBits) plus the
+ // log-sub-exps that will be subtracted in the loop.
+ //
+ // The thresholds diff_min, etc are negative.
+ const int rescaled_diff_min =
+ fixed_log_sum_of_exps + std::numeric_limits<int32>::lowest();
+ const int adjusted_diff_min =
+ std::max(diff_min - 1, // Note use of > below instead of >= above.
+ MultiplyByQuantizedMultiplierSmallerThanOneExp(
+ rescaled_diff_min, reverse_scaling_divisor,
+ -reverse_scaling_right_shift));
+
+ for (int c = 0; c < depth; ++c) {
+ int32 input_diff = static_cast<int32>(block_input_data[c]) - max_in_row;
+ if (input_diff > adjusted_diff_min) {
+ const int32 input_diff_rescaled =
+ MultiplyByQuantizedMultiplierGreaterThanOne(
+ input_diff, input_multiplier, input_left_shift);
+ int32 unsat_output =
+ gemmlowp::RoundingDivideByPOT(
+ (input_diff_rescaled - fixed_log_sum_of_exps),
+ 31 - kScaledDiffIntegerBits - kOutputIntegerBits) +
+ 255;
+
+ block_output_data[c] = static_cast<uint8>(
+ std::max(std::min(unsat_output, static_cast<int32>(255)), 0));
+ } else {
+ // Set output to smallest value.
+ block_output_data[c] = 0;
+ }
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void LogSoftmax(const uint8* input_data, const RuntimeShape& input_shape,
+ int32 input_multiplier, int32 input_left_shift,
+ int32 reverse_scaling_divisor,
+ int32 reverse_scaling_right_shift, int diff_min,
+ uint8* output_data, const RuntimeShape& output_shape) {
+ SoftmaxParams params;
+ params.input_multiplier = input_multiplier;
+ params.input_left_shift = input_left_shift;
+ params.reverse_scaling_divisor = reverse_scaling_divisor;
+ params.reverse_scaling_right_shift = reverse_scaling_right_shift;
+ params.diff_min = diff_min;
+ LogSoftmax(params, input_shape, input_data, output_shape, output_data);
+}
+
+inline void Logistic(const RuntimeShape& input_shape, const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Logistic");
+ auto input_map = MapAsVector(input_data, input_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ output_map.array() =
+ input_map.array().unaryExpr(Eigen::internal::scalar_sigmoid_op<float>());
+}
+
+// Convenience version that allows, for example, generated-code calls to be
+// uniform between data types.
+inline void Logistic(const LogisticParams&, const RuntimeShape& input_shape,
+ const float* input_data, const RuntimeShape& output_shape,
+ float* output_data) {
+ // Drop params: not needed.
+ Logistic(input_shape, input_data, output_shape, output_data);
+}
+
+inline void Logistic(const LogisticParams& params,
+ const RuntimeShape& input_shape, const uint8* input_data,
+ const RuntimeShape& output_shape, uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Logistic/Uint8");
+ const int32 input_zero_point = params.input_zero_point;
+ const int32 input_range_radius = params.input_range_radius;
+ const int32 input_multiplier = params.input_multiplier;
+ const int input_left_shift = params.input_left_shift;
+ const int size = MatchingFlatSize(input_shape, output_shape);
+
+ int c = 0;
+#ifdef USE_NEON
+ // Handle 16 values at a time
+ for (; c <= size - 16; c += 16) {
+ // Read input uint8 values, cast to int16 and subtract input_zero_point
+ uint8x16_t input_val_u8 = vld1q_u8(input_data + c);
+ int16x8_t input_val_centered_0 =
+ vsubq_s16(vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(input_val_u8))),
+ vdupq_n_s16(input_zero_point));
+ int16x8_t input_val_centered_1 =
+ vsubq_s16(vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(input_val_u8))),
+ vdupq_n_s16(input_zero_point));
+
+ // Prepare the bit masks that we will use at the end to implement the logic
+ // that was expressed in the scalar code with branching:
+ // if (input_val_centered < -input_range_radius) {
+ // output_val = 0;
+ // } else if (input_val_centered > input_range_radius) {
+ // output_val = 255;
+ // } else {
+ // ...
+ uint16x8_t mask_rightclamp_0 =
+ vcgtq_s16(input_val_centered_0, vdupq_n_s16(input_range_radius));
+ uint16x8_t mask_rightclamp_1 =
+ vcgtq_s16(input_val_centered_1, vdupq_n_s16(input_range_radius));
+ uint16x8_t mask_leftclamp_0 =
+ vcgeq_s16(input_val_centered_0, vdupq_n_s16(-input_range_radius));
+ uint16x8_t mask_leftclamp_1 =
+ vcgeq_s16(input_val_centered_1, vdupq_n_s16(-input_range_radius));
+ uint8x16_t mask_rightclamp = vcombine_u8(vshrn_n_u16(mask_rightclamp_0, 8),
+ vshrn_n_u16(mask_rightclamp_1, 8));
+ uint8x16_t mask_leftclamp = vcombine_u8(vshrn_n_u16(mask_leftclamp_0, 8),
+ vshrn_n_u16(mask_leftclamp_1, 8));
+
+ // This performs what is expressed in the scalar code as
+ // const int32 input_val_rescaled =
+ // MultiplyByQuantizedMultiplierGreaterThanOne(
+ // input_val_centered, input_multiplier, input_left_shift);
+ int32x4_t input_val_rescaled_0 =
+ vshlq_s32(vmovl_s16(vget_low_s16(input_val_centered_0)),
+ vdupq_n_s32(input_left_shift));
+ int32x4_t input_val_rescaled_1 =
+ vshlq_s32(vmovl_s16(vget_high_s16(input_val_centered_0)),
+ vdupq_n_s32(input_left_shift));
+ int32x4_t input_val_rescaled_2 =
+ vshlq_s32(vmovl_s16(vget_low_s16(input_val_centered_1)),
+ vdupq_n_s32(input_left_shift));
+ int32x4_t input_val_rescaled_3 =
+ vshlq_s32(vmovl_s16(vget_high_s16(input_val_centered_1)),
+ vdupq_n_s32(input_left_shift));
+ input_val_rescaled_0 =
+ vqrdmulhq_n_s32(input_val_rescaled_0, input_multiplier);
+ input_val_rescaled_1 =
+ vqrdmulhq_n_s32(input_val_rescaled_1, input_multiplier);
+ input_val_rescaled_2 =
+ vqrdmulhq_n_s32(input_val_rescaled_2, input_multiplier);
+ input_val_rescaled_3 =
+ vqrdmulhq_n_s32(input_val_rescaled_3, input_multiplier);
+
+ // Invoke gemmlowp::logistic on FixedPoint wrapping int32x4_t
+ using FixedPoint4 = gemmlowp::FixedPoint<int32x4_t, 4>;
+ using FixedPoint0 = gemmlowp::FixedPoint<int32x4_t, 0>;
+ const FixedPoint4 input_val_f4_0 =
+ FixedPoint4::FromRaw(input_val_rescaled_0);
+ const FixedPoint4 input_val_f4_1 =
+ FixedPoint4::FromRaw(input_val_rescaled_1);
+ const FixedPoint4 input_val_f4_2 =
+ FixedPoint4::FromRaw(input_val_rescaled_2);
+ const FixedPoint4 input_val_f4_3 =
+ FixedPoint4::FromRaw(input_val_rescaled_3);
+ const FixedPoint0 output_val_f0_0 = gemmlowp::logistic(input_val_f4_0);
+ const FixedPoint0 output_val_f0_1 = gemmlowp::logistic(input_val_f4_1);
+ const FixedPoint0 output_val_f0_2 = gemmlowp::logistic(input_val_f4_2);
+ const FixedPoint0 output_val_f0_3 = gemmlowp::logistic(input_val_f4_3);
+
+ // Divide by 2^23 as in the scalar code
+ using gemmlowp::RoundingDivideByPOT;
+ int32x4_t output_val_s32_0 = RoundingDivideByPOT(output_val_f0_0.raw(), 23);
+ int32x4_t output_val_s32_1 = RoundingDivideByPOT(output_val_f0_1.raw(), 23);
+ int32x4_t output_val_s32_2 = RoundingDivideByPOT(output_val_f0_2.raw(), 23);
+ int32x4_t output_val_s32_3 = RoundingDivideByPOT(output_val_f0_3.raw(), 23);
+
+ // Cast output values to uint8, saturating
+ int16x8_t output_val_s16_0 = vcombine_s16(vqmovn_s32(output_val_s32_0),
+ vqmovn_s32(output_val_s32_1));
+ int16x8_t output_val_s16_1 = vcombine_s16(vqmovn_s32(output_val_s32_2),
+ vqmovn_s32(output_val_s32_3));
+ uint8x16_t output_val_u8 = vcombine_u8(vqmovun_s16(output_val_s16_0),
+ vqmovun_s16(output_val_s16_1));
+
+ // Perform the bit-masking with the bit masks computed at the beginning,
+ // see the comment there.
+ output_val_u8 = vorrq_u8(output_val_u8, mask_rightclamp);
+ output_val_u8 = vandq_u8(output_val_u8, mask_leftclamp);
+
+ // Store back to memory
+ vst1q_u8(output_data + c, output_val_u8);
+ }
+#endif
+ // Leftover loop: handle one value at a time with scalar code.
+ for (; c < size; ++c) {
+ const uint8 input_val_u8 = input_data[c];
+ const int32 input_val_centered =
+ static_cast<int32>(input_val_u8) - input_zero_point;
+ uint8 output_val;
+ if (input_val_centered < -input_range_radius) {
+ output_val = 0;
+ } else if (input_val_centered > input_range_radius) {
+ output_val = 255;
+ } else {
+ const int32 input_val_rescaled =
+ MultiplyByQuantizedMultiplierGreaterThanOne(
+ input_val_centered, input_multiplier, input_left_shift);
+ using FixedPoint4 = gemmlowp::FixedPoint<int32, 4>;
+ using FixedPoint0 = gemmlowp::FixedPoint<int32, 0>;
+ const FixedPoint4 input_val_f4 = FixedPoint4::FromRaw(input_val_rescaled);
+ const FixedPoint0 output_val_f0 = gemmlowp::logistic(input_val_f4);
+ using gemmlowp::RoundingDivideByPOT;
+ int32 output_val_s32 = RoundingDivideByPOT(output_val_f0.raw(), 23);
+ if (output_val_s32 == 256) {
+ output_val_s32 = 255;
+ }
+ TFLITE_DCHECK_GE(output_val_s32, 0);
+ TFLITE_DCHECK_LE(output_val_s32, 255);
+ output_val = static_cast<uint8>(output_val_s32);
+ }
+ output_data[c] = output_val;
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void Logistic(const uint8* input_data, const RuntimeShape& input_shape,
+ int32 input_zero_point, int32 input_range_radius,
+ int32 input_multiplier, int input_left_shift,
+ uint8* output_data, const RuntimeShape& output_shape) {
+ LogisticParams params;
+ params.input_zero_point = input_zero_point;
+ params.input_range_radius = input_range_radius;
+ params.input_multiplier = input_multiplier;
+ params.input_left_shift = input_left_shift;
+ Logistic(params, input_shape, input_data, output_shape, output_data);
+}
+
+inline void Logistic(const LogisticParams& params,
+ const RuntimeShape& input_shape, const int16* input_data,
+ const RuntimeShape& output_shape, int16* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Logistic/Int16");
+ const int flat_size = MatchingFlatSize(input_shape, output_shape);
+
+ for (int i = 0; i < flat_size; i++) {
+ }
+
+ int c = 0;
+ const int16* input_data_ptr = input_data;
+ int16* output_data_ptr = output_data;
+#ifdef GEMMLOWP_NEON
+ {
+ // F0 uses 0 integer bits, range [-1, 1].
+ // This is the return type of math functions such as tanh, logistic,
+ // whose range is in [-1, 1].
+ using F0 = gemmlowp::FixedPoint<int16x8_t, 0>;
+ // F3 uses 3 integer bits, range [-8, 8], the input range expected here.
+ using F3 = gemmlowp::FixedPoint<int16x8_t, 3>;
+
+ for (; c <= flat_size - 16; c += 16) {
+ F3 input0 = F3::FromRaw(vld1q_s16(input_data_ptr));
+ F3 input1 = F3::FromRaw(vld1q_s16(input_data_ptr + 8));
+ F0 output0 = gemmlowp::logistic(input0);
+ F0 output1 = gemmlowp::logistic(input1);
+ vst1q_s16(output_data_ptr, output0.raw());
+ vst1q_s16(output_data_ptr + 8, output1.raw());
+
+ input_data_ptr += 16;
+ output_data_ptr += 16;
+ }
+ for (; c <= flat_size - 8; c += 8) {
+ F3 input = F3::FromRaw(vld1q_s16(input_data_ptr));
+ F0 output = gemmlowp::logistic(input);
+ vst1q_s16(output_data_ptr, output.raw());
+
+ input_data_ptr += 8;
+ output_data_ptr += 8;
+ }
+ }
+#endif
+ {
+ // F0 uses 0 integer bits, range [-1, 1].
+ // This is the return type of math functions such as tanh, logistic,
+ // whose range is in [-1, 1].
+ using F0 = gemmlowp::FixedPoint<std::int16_t, 0>;
+ // F3 uses 3 integer bits, range [-8, 8], the input range expected here.
+ using F3 = gemmlowp::FixedPoint<std::int16_t, 3>;
+
+ for (; c < flat_size; ++c) {
+ F3 input = F3::FromRaw(*input_data_ptr);
+ F0 output = gemmlowp::logistic(input);
+ *output_data_ptr = output.raw();
+
+ ++input_data_ptr;
+ ++output_data_ptr;
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy version.
+inline void Logistic(const RuntimeShape& input_shape, const int16* input_data,
+ const RuntimeShape& output_shape, int16* output_data) {
+ LogisticParams params;
+ // No params currently needed by int16 Logistic.
+ Logistic(params, input_shape, input_data, output_shape, output_data);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy version.
+inline void Logistic(const int16* input_data, const RuntimeShape& input_shape,
+ int16* output_data, const RuntimeShape& output_shape) {
+ LogisticParams params;
+ // No params currently needed by int16 Logistic.
+ Logistic(params, input_shape, input_data, output_shape, output_data);
+}
+
+inline void Tanh(const RuntimeShape& input_shape, const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Tanh");
+ auto input_map = MapAsVector(input_data, input_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ output_map.array() = input_map.array().tanh();
+}
+
+// Convenience version that allows, for example, generated-code calls to be
+// uniform between data types.
+inline void Tanh(const TanhParams&, const RuntimeShape& input_shape,
+ const float* input_data, const RuntimeShape& output_shape,
+ float* output_data) {
+ // Drop params: not needed.
+ Tanh(input_shape, input_data, output_shape, output_data);
+}
+
+inline void Tanh(const TanhParams& params, const RuntimeShape& input_shape,
+ const uint8* input_data, const RuntimeShape& output_shape,
+ uint8* output_data) {
+ // Note that this is almost the exact same code as in Logistic().
+ gemmlowp::ScopedProfilingLabel label("Tanh");
+ const int32 input_zero_point = params.input_zero_point;
+ const int32 input_range_radius = params.input_range_radius;
+ const int32 input_multiplier = params.input_multiplier;
+ const int input_left_shift = params.input_left_shift;
+ const int size = MatchingFlatSize(input_shape, output_shape);
+
+ int c = 0;
+ int32_t output_zero_point = 128;
+#ifdef USE_NEON
+ // Handle 16 values at a time
+ for (; c <= size - 16; c += 16) {
+ // Read input uint8 values, cast to int16 and subtract input_zero_point
+ uint8x16_t input_val_u8 = vld1q_u8(input_data + c);
+ int16x8_t input_val_centered_0 =
+ vsubq_s16(vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(input_val_u8))),
+ vdupq_n_s16(input_zero_point));
+ int16x8_t input_val_centered_1 =
+ vsubq_s16(vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(input_val_u8))),
+ vdupq_n_s16(input_zero_point));
+
+ // Prepare the bit masks that we will use at the end to implement the logic
+ // that was expressed in the scalar code with branching:
+ // if (input_val_centered < -input_range_radius) {
+ // output_val = 0;
+ // } else if (input_val_centered > input_range_radius) {
+ // output_val = 255;
+ // } else {
+ // ...
+ uint16x8_t mask_rightclamp_0 =
+ vcgtq_s16(input_val_centered_0, vdupq_n_s16(input_range_radius));
+ uint16x8_t mask_rightclamp_1 =
+ vcgtq_s16(input_val_centered_1, vdupq_n_s16(input_range_radius));
+ uint16x8_t mask_leftclamp_0 =
+ vcgeq_s16(input_val_centered_0, vdupq_n_s16(-input_range_radius));
+ uint16x8_t mask_leftclamp_1 =
+ vcgeq_s16(input_val_centered_1, vdupq_n_s16(-input_range_radius));
+ uint8x16_t mask_rightclamp = vcombine_u8(vshrn_n_u16(mask_rightclamp_0, 8),
+ vshrn_n_u16(mask_rightclamp_1, 8));
+ uint8x16_t mask_leftclamp = vcombine_u8(vshrn_n_u16(mask_leftclamp_0, 8),
+ vshrn_n_u16(mask_leftclamp_1, 8));
+
+ // This performs what is expressed in the scalar code as
+ // const int32 input_val_rescaled =
+ // MultiplyByQuantizedMultiplierGreaterThanOne(
+ // input_val_centered, input_multiplier, input_left_shift);
+ int32x4_t input_val_rescaled_0 =
+ vshlq_s32(vmovl_s16(vget_low_s16(input_val_centered_0)),
+ vdupq_n_s32(input_left_shift));
+ int32x4_t input_val_rescaled_1 =
+ vshlq_s32(vmovl_s16(vget_high_s16(input_val_centered_0)),
+ vdupq_n_s32(input_left_shift));
+ int32x4_t input_val_rescaled_2 =
+ vshlq_s32(vmovl_s16(vget_low_s16(input_val_centered_1)),
+ vdupq_n_s32(input_left_shift));
+ int32x4_t input_val_rescaled_3 =
+ vshlq_s32(vmovl_s16(vget_high_s16(input_val_centered_1)),
+ vdupq_n_s32(input_left_shift));
+ input_val_rescaled_0 =
+ vqrdmulhq_n_s32(input_val_rescaled_0, input_multiplier);
+ input_val_rescaled_1 =
+ vqrdmulhq_n_s32(input_val_rescaled_1, input_multiplier);
+ input_val_rescaled_2 =
+ vqrdmulhq_n_s32(input_val_rescaled_2, input_multiplier);
+ input_val_rescaled_3 =
+ vqrdmulhq_n_s32(input_val_rescaled_3, input_multiplier);
+
+ // Invoke gemmlowp::tanh on FixedPoint wrapping int32x4_t
+ using FixedPoint4 = gemmlowp::FixedPoint<int32x4_t, 4>;
+ using FixedPoint0 = gemmlowp::FixedPoint<int32x4_t, 0>;
+ const FixedPoint4 input_val_f4_0 =
+ FixedPoint4::FromRaw(input_val_rescaled_0);
+ const FixedPoint4 input_val_f4_1 =
+ FixedPoint4::FromRaw(input_val_rescaled_1);
+ const FixedPoint4 input_val_f4_2 =
+ FixedPoint4::FromRaw(input_val_rescaled_2);
+ const FixedPoint4 input_val_f4_3 =
+ FixedPoint4::FromRaw(input_val_rescaled_3);
+ const FixedPoint0 output_val_f0_0 = gemmlowp::tanh(input_val_f4_0);
+ const FixedPoint0 output_val_f0_1 = gemmlowp::tanh(input_val_f4_1);
+ const FixedPoint0 output_val_f0_2 = gemmlowp::tanh(input_val_f4_2);
+ const FixedPoint0 output_val_f0_3 = gemmlowp::tanh(input_val_f4_3);
+
+ // Divide by 2^24 as in the scalar code
+ using gemmlowp::RoundingDivideByPOT;
+ int32x4_t output_val_s32_0 = RoundingDivideByPOT(output_val_f0_0.raw(), 24);
+ int32x4_t output_val_s32_1 = RoundingDivideByPOT(output_val_f0_1.raw(), 24);
+ int32x4_t output_val_s32_2 = RoundingDivideByPOT(output_val_f0_2.raw(), 24);
+ int32x4_t output_val_s32_3 = RoundingDivideByPOT(output_val_f0_3.raw(), 24);
+
+ // Add the output zero point
+ int32x4_t output_zero_point_s32 = vdupq_n_s32(output_zero_point);
+ output_val_s32_0 = vaddq_s32(output_val_s32_0, output_zero_point_s32);
+ output_val_s32_1 = vaddq_s32(output_val_s32_1, output_zero_point_s32);
+ output_val_s32_2 = vaddq_s32(output_val_s32_2, output_zero_point_s32);
+ output_val_s32_3 = vaddq_s32(output_val_s32_3, output_zero_point_s32);
+
+ // Cast output values to uint8, saturating
+ int16x8_t output_val_s16_0 = vcombine_s16(vqmovn_s32(output_val_s32_0),
+ vqmovn_s32(output_val_s32_1));
+ int16x8_t output_val_s16_1 = vcombine_s16(vqmovn_s32(output_val_s32_2),
+ vqmovn_s32(output_val_s32_3));
+ uint8x16_t output_val_u8 = vcombine_u8(vqmovun_s16(output_val_s16_0),
+ vqmovun_s16(output_val_s16_1));
+
+ // Perform the bit-masking with the bit masks computed at the beginning,
+ // see the comment there.
+ output_val_u8 = vorrq_u8(output_val_u8, mask_rightclamp);
+ output_val_u8 = vandq_u8(output_val_u8, mask_leftclamp);
+
+ // Store back to memory
+ vst1q_u8(output_data + c, output_val_u8);
+ }
+#endif
+ // Leftover loop: handle one value at a time with scalar code.
+ for (; c < size; ++c) {
+ const uint8 input_val_u8 = input_data[c];
+ const int32 input_val_centered =
+ static_cast<int32>(input_val_u8) - input_zero_point;
+ uint8 output_val;
+ if (input_val_centered < -input_range_radius) {
+ output_val = 0;
+ } else if (input_val_centered > input_range_radius) {
+ output_val = 255;
+ } else {
+ const int32 input_val_rescaled =
+ MultiplyByQuantizedMultiplierGreaterThanOne(
+ input_val_centered, input_multiplier, input_left_shift);
+ using FixedPoint4 = gemmlowp::FixedPoint<int32, 4>;
+ using FixedPoint0 = gemmlowp::FixedPoint<int32, 0>;
+ const FixedPoint4 input_val_f4 = FixedPoint4::FromRaw(input_val_rescaled);
+ const FixedPoint0 output_val_f0 = gemmlowp::tanh(input_val_f4);
+ using gemmlowp::RoundingDivideByPOT;
+ int32 output_val_s32 = RoundingDivideByPOT(output_val_f0.raw(), 24);
+ output_val_s32 += output_zero_point;
+ if (output_val_s32 == 256) {
+ output_val_s32 = 255;
+ }
+ TFLITE_DCHECK_GE(output_val_s32, 0);
+ TFLITE_DCHECK_LE(output_val_s32, 255);
+ output_val = static_cast<uint8>(output_val_s32);
+ }
+ output_data[c] = output_val;
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void Tanh(const uint8* input_data, const RuntimeShape& input_shape,
+ int32 input_zero_point, int32 input_range_radius,
+ int32 input_multiplier, int input_left_shift,
+ uint8* output_data, const RuntimeShape& output_shape) {
+ TanhParams params;
+ params.input_zero_point = input_zero_point;
+ params.input_range_radius = input_range_radius;
+ params.input_multiplier = input_multiplier;
+ params.input_left_shift = input_left_shift;
+ Tanh(params, input_shape, input_data, output_shape, output_data);
+}
+
+inline void Tanh(const TanhParams& params, const RuntimeShape& input_shape,
+ const int16* input_data, const RuntimeShape& output_shape,
+ int16* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Tanh/Int16");
+ const int input_left_shift = params.input_left_shift;
+ // Support for shifts is limited until we have a parameterized version of
+ // SaturatingRoundingMultiplyByPOT().
+ TFLITE_DCHECK_GE(input_left_shift, 0);
+ TFLITE_DCHECK_LE(input_left_shift, 1);
+
+ const int flat_size = MatchingFlatSize(input_shape, output_shape);
+
+ int c = 0;
+ const int16* input_data_ptr = input_data;
+ int16* output_data_ptr = output_data;
+#ifdef GEMMLOWP_NEON
+ {
+ // F0 uses 0 integer bits, range [-1, 1].
+ // This is the return type of math functions such as tanh, logistic,
+ // whose range is in [-1, 1].
+ using F0 = gemmlowp::FixedPoint<int16x8_t, 0>;
+ // F3 uses 3 integer bits, range [-8, 8], the input range expected here.
+ using F3 = gemmlowp::FixedPoint<int16x8_t, 3>;
+
+ if (input_left_shift == 0) {
+ for (; c <= flat_size - 16; c += 16) {
+ F3 input0 = F3::FromRaw(vld1q_s16(input_data_ptr));
+ F3 input1 = F3::FromRaw(vld1q_s16(input_data_ptr + 8));
+ F0 output0 = gemmlowp::tanh(input0);
+ F0 output1 = gemmlowp::tanh(input1);
+ vst1q_s16(output_data_ptr, output0.raw());
+ vst1q_s16(output_data_ptr + 8, output1.raw());
+
+ input_data_ptr += 16;
+ output_data_ptr += 16;
+ }
+ for (; c <= flat_size - 8; c += 8) {
+ F3 input = F3::FromRaw(vld1q_s16(input_data_ptr));
+ F0 output = gemmlowp::tanh(input);
+ vst1q_s16(output_data_ptr, output.raw());
+
+ input_data_ptr += 8;
+ output_data_ptr += 8;
+ }
+ } else {
+ for (; c <= flat_size - 16; c += 16) {
+ F3 input0 = F3::FromRaw(gemmlowp::SaturatingRoundingMultiplyByPOT<1>(
+ vld1q_s16(input_data_ptr)));
+ F3 input1 = F3::FromRaw(gemmlowp::SaturatingRoundingMultiplyByPOT<1>(
+ vld1q_s16(input_data_ptr + 8)));
+ F0 output0 = gemmlowp::tanh(input0);
+ F0 output1 = gemmlowp::tanh(input1);
+ vst1q_s16(output_data_ptr, output0.raw());
+ vst1q_s16(output_data_ptr + 8, output1.raw());
+
+ input_data_ptr += 16;
+ output_data_ptr += 16;
+ }
+ for (; c <= flat_size - 8; c += 8) {
+ F3 input = F3::FromRaw(gemmlowp::SaturatingRoundingMultiplyByPOT<1>(
+ vld1q_s16(input_data_ptr)));
+ F0 output = gemmlowp::tanh(input);
+ vst1q_s16(output_data_ptr, output.raw());
+
+ input_data_ptr += 8;
+ output_data_ptr += 8;
+ }
+ }
+ }
+#endif
+ {
+ // F0 uses 0 integer bits, range [-1, 1].
+ // This is the return type of math functions such as tanh, logistic,
+ // whose range is in [-1, 1].
+ using F0 = gemmlowp::FixedPoint<std::int16_t, 0>;
+ // F3 uses 3 integer bits, range [-8, 8], the input range expected here.
+ using F3 = gemmlowp::FixedPoint<std::int16_t, 3>;
+
+ if (input_left_shift == 0) {
+ for (; c < flat_size; ++c) {
+ F3 input = F3::FromRaw(*input_data_ptr);
+ F0 output = gemmlowp::tanh(input);
+ *output_data_ptr = output.raw();
+
+ ++input_data_ptr;
+ ++output_data_ptr;
+ }
+ } else {
+ for (; c < flat_size; ++c) {
+ F3 input = F3::FromRaw(
+ gemmlowp::SaturatingRoundingMultiplyByPOT<1>(*input_data_ptr));
+ F0 output = gemmlowp::tanh(input);
+ *output_data_ptr = output.raw();
+
+ ++input_data_ptr;
+ ++output_data_ptr;
+ }
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void Tanh(const int16* input_data, const RuntimeShape& input_shape,
+ int input_left_shift, int16* output_data,
+ const RuntimeShape& output_shape) {
+ TanhParams params;
+ params.input_left_shift = input_left_shift;
+ Tanh(params, input_shape, input_data, output_shape, output_data);
+}
+
+template <typename SrcT, typename DstT>
+inline void Cast(const RuntimeShape& input_shape, const SrcT* input_data,
+ const RuntimeShape& output_shape, DstT* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Cast");
+ auto input_map = MapAsVector(input_data, input_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ output_map.array() = input_map.array().template cast<DstT>();
+}
+
+inline void Floor(const RuntimeShape& input_shape, const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Floor");
+ auto input_map = MapAsVector(input_data, input_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ output_map.array() = Eigen::floor(input_map.array());
+}
+
+#ifdef USE_NEON
+inline void ResizeBilinearKernel(const float* input_ptr, int32 depth,
+ float scale, float* output_ptr) {
+ int ic = 0;
+ // Handle 32 input channels at a time.
+ for (; ic <= depth - 32; ic += 32) {
+ float32x4x2_t input[4];
+ for (int i = 0; i < 4; i++) {
+ input[i].val[0] = vld1q_f32(input_ptr + 8 * i);
+ input[i].val[1] = vld1q_f32(input_ptr + 8 * i + 4);
+ }
+ float32x4x2_t acc[4];
+ for (int i = 0; i < 4; i++) {
+ acc[i].val[0] = vld1q_f32(output_ptr + 8 * i);
+ acc[i].val[1] = vld1q_f32(output_ptr + 8 * i + 4);
+ }
+ for (int i = 0; i < 4; i++) {
+ acc[i].val[0] = vmlaq_n_f32(acc[i].val[0], input[i].val[0], scale);
+ acc[i].val[1] = vmlaq_n_f32(acc[i].val[1], input[i].val[1], scale);
+ }
+ for (int i = 0; i < 4; i++) {
+ vst1q_f32(output_ptr, acc[i].val[0]);
+ vst1q_f32(output_ptr + 4, acc[i].val[1]);
+ output_ptr += 8;
+ }
+ input_ptr += 32;
+ }
+ // Handle 16 input channels at a time.
+ for (; ic <= depth - 16; ic += 16) {
+ float32x4x2_t input[2];
+ for (int i = 0; i < 2; i++) {
+ input[i].val[0] = vld1q_f32(input_ptr + 8 * i);
+ input[i].val[1] = vld1q_f32(input_ptr + 8 * i + 4);
+ }
+ float32x4x2_t acc[2];
+ for (int i = 0; i < 2; i++) {
+ acc[i].val[0] = vld1q_f32(output_ptr + 8 * i);
+ acc[i].val[1] = vld1q_f32(output_ptr + 8 * i + 4);
+ }
+ for (int i = 0; i < 2; i++) {
+ acc[i].val[0] = vmlaq_n_f32(acc[i].val[0], input[i].val[0], scale);
+ acc[i].val[1] = vmlaq_n_f32(acc[i].val[1], input[i].val[1], scale);
+ }
+ for (int i = 0; i < 2; i++) {
+ vst1q_f32(output_ptr, acc[i].val[0]);
+ vst1q_f32(output_ptr + 4, acc[i].val[1]);
+ output_ptr += 8;
+ }
+ input_ptr += 16;
+ }
+ // Handle 8 input channels at a time.
+ for (; ic <= depth - 8; ic += 8) {
+ float32x4x2_t input;
+ input.val[0] = vld1q_f32(input_ptr);
+ input.val[1] = vld1q_f32(input_ptr + 4);
+
+ float32x4x2_t acc;
+ acc.val[0] = vld1q_f32(output_ptr);
+ acc.val[1] = vld1q_f32(output_ptr + 4);
+ acc.val[0] = vmlaq_n_f32(acc.val[0], input.val[0], scale);
+ acc.val[1] = vmlaq_n_f32(acc.val[1], input.val[1], scale);
+
+ vst1q_f32(output_ptr, acc.val[0]);
+ vst1q_f32(output_ptr + 4, acc.val[1]);
+
+ input_ptr += 8;
+ output_ptr += 8;
+ }
+ // Handle 4 input channels at a time.
+ for (; ic <= depth - 4; ic += 4) {
+ float32x4_t input = vld1q_f32(input_ptr);
+ float32x4_t acc = vld1q_f32(output_ptr);
+
+ acc = vmlaq_n_f32(acc, input, scale);
+ vst1q_f32(output_ptr, acc);
+
+ input_ptr += 4;
+ output_ptr += 4;
+ }
+ // Handle 1 input channel at a time.
+ for (; ic < depth; ic++) {
+ *output_ptr += *input_ptr * scale;
+ output_ptr++;
+ input_ptr++;
+ }
+}
+#else
+inline void ResizeBilinearKernel(const float* input_ptr, int32 depth,
+ float scale, float* output_ptr) {
+ for (int32 i = 0; i < depth; i++) {
+ *output_ptr += *input_ptr * scale;
+ output_ptr++;
+ input_ptr++;
+ }
+}
+#endif
+
+inline void ResizeBilinearKernel2x2(int32 x0, int32 x1, int32 y0, int32 y1,
+ int32 x, int32 y, int32 depth, int32 batch,
+ const RuntimeShape& input_shape,
+ const float* input_data,
+ const RuntimeShape& output_shape,
+ float* output_data) {
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+ const int32 input_width = input_shape.Dims(2);
+ const int32 output_width = output_shape.Dims(2);
+
+ const int32 input_x_offset = (x1 - x0) * depth;
+ const int32 input_y_offset = (y1 - y0) * depth * input_width;
+ const int32 output_x_offset = depth;
+ const int32 output_y_offset = depth * output_width;
+
+#ifdef USE_NEON
+ TFLITE_DCHECK(x1 >= x0);
+ TFLITE_DCHECK(y1 >= y0);
+
+ int ic = 0;
+ // Handle 8 input channels at a time.
+ for (; ic <= depth - 8; ic += 8) {
+ const float* input_ptr = nullptr;
+
+ float32x4x2_t x0y0;
+ input_ptr = &input_data[Offset(input_shape, batch, y0, x0, ic)];
+ x0y0.val[0] = vld1q_f32(input_ptr);
+ x0y0.val[1] = vld1q_f32(input_ptr + 4);
+
+ float32x4x2_t x1y0;
+ input_ptr += input_x_offset;
+ x1y0.val[0] = vld1q_f32(input_ptr);
+ x1y0.val[1] = vld1q_f32(input_ptr + 4);
+
+ float32x4x2_t x0y1;
+ input_ptr += -input_x_offset + input_y_offset;
+ x0y1.val[0] = vld1q_f32(input_ptr);
+ x0y1.val[1] = vld1q_f32(input_ptr + 4);
+
+ float32x4x2_t x1y1;
+ input_ptr += input_x_offset;
+ x1y1.val[0] = vld1q_f32(input_ptr);
+ x1y1.val[1] = vld1q_f32(input_ptr + 4);
+
+ // Top left corner.
+ float* output_ptr = &output_data[Offset(output_shape, batch, y, x, ic)];
+ vst1q_f32(output_ptr, x0y0.val[0]);
+ vst1q_f32(output_ptr + 4, x0y0.val[1]);
+
+ // Top right corner.
+ output_ptr += output_x_offset;
+ float32x4x2_t tr;
+ tr.val[0] = vaddq_f32(x0y0.val[0], x1y0.val[0]);
+ tr.val[1] = vaddq_f32(x0y0.val[1], x1y0.val[1]);
+ tr.val[0] = vmulq_n_f32(tr.val[0], 0.5f);
+ tr.val[1] = vmulq_n_f32(tr.val[1], 0.5f);
+
+ vst1q_f32(output_ptr, tr.val[0]);
+ vst1q_f32(output_ptr + 4, tr.val[1]);
+
+ // Bottom left corner.
+ output_ptr += -output_x_offset + output_y_offset;
+ float32x4x2_t bl;
+ bl.val[0] = vaddq_f32(x0y0.val[0], x0y1.val[0]);
+ bl.val[1] = vaddq_f32(x0y0.val[1], x0y1.val[1]);
+ bl.val[0] = vmulq_n_f32(bl.val[0], 0.5f);
+ bl.val[1] = vmulq_n_f32(bl.val[1], 0.5f);
+ vst1q_f32(output_ptr, bl.val[0]);
+ vst1q_f32(output_ptr + 4, bl.val[1]);
+
+ // Bottom right corner.
+ output_ptr += output_x_offset;
+ float32x4x2_t br;
+ br.val[0] = vaddq_f32(x1y0.val[0], x1y1.val[0]);
+ br.val[1] = vaddq_f32(x1y0.val[1], x1y1.val[1]);
+ br.val[0] = vmlaq_n_f32(bl.val[0], br.val[0], 0.5f);
+ br.val[1] = vmlaq_n_f32(bl.val[1], br.val[1], 0.5f);
+ br.val[0] = vmulq_n_f32(br.val[0], 0.5f);
+ br.val[1] = vmulq_n_f32(br.val[1], 0.5f);
+ vst1q_f32(output_ptr, br.val[0]);
+ vst1q_f32(output_ptr + 4, br.val[1]);
+ }
+ // Handle 4 input channels at a time.
+ for (; ic <= depth - 4; ic += 4) {
+ const float* input_ptr =
+ &input_data[Offset(input_shape, batch, y0, x0, ic)];
+ float32x4_t x0y0 = vld1q_f32(input_ptr);
+ float32x4_t x1y0 = vld1q_f32(input_ptr + input_x_offset);
+ float32x4_t x0y1 = vld1q_f32(input_ptr + input_y_offset);
+ float32x4_t x1y1 = vld1q_f32(input_ptr + input_x_offset + input_y_offset);
+
+ // Top left corner.
+ float* output_ptr = &output_data[Offset(output_shape, batch, y, x, ic)];
+ vst1q_f32(output_ptr, x0y0);
+
+ // Top right corner.
+ output_ptr += output_x_offset;
+ float32x4_t tr = vaddq_f32(x0y0, x1y0);
+ tr = vmulq_n_f32(tr, 0.5f);
+ vst1q_f32(output_ptr, tr);
+
+ // Bottom left corner.
+ output_ptr += -output_x_offset + output_y_offset;
+ float32x4_t bl = vaddq_f32(x0y0, x0y1);
+ bl = vmulq_n_f32(bl, 0.5f);
+ vst1q_f32(output_ptr, bl);
+
+ // Bottom right corner.
+ output_ptr += output_x_offset;
+ float32x4_t br = vaddq_f32(x1y0, x1y1);
+ br = vmlaq_n_f32(bl, br, 0.5f);
+ br = vmulq_n_f32(br, 0.5f);
+ vst1q_f32(output_ptr, br);
+ }
+ // Handle one input channel at a time.
+ for (; ic < depth; ic++) {
+ const int32 input_offset = Offset(input_shape, batch, y0, x0, ic);
+
+ float x0y0 = input_data[input_offset];
+ float x1y0 = input_data[input_offset + input_x_offset];
+ float x0y1 = input_data[input_offset + input_y_offset];
+ float x1y1 = input_data[input_offset + input_x_offset + input_y_offset];
+
+ // Top left corner.
+ const int32 output_offset = Offset(output_shape, batch, y, x, ic);
+ output_data[output_offset] = x0y0;
+
+ // Top right corner.
+ output_data[output_offset + output_x_offset] = (x0y0 + x1y0) / 2;
+
+ // Bottom left corner.
+ float output = (x0y0 + x0y1) / 2;
+ output_data[output_offset + output_y_offset] = output;
+
+ // Bottom right corner.
+ output_data[output_offset + output_x_offset + output_y_offset] =
+ (output + ((x1y0 + x1y1) / 2)) / 2;
+ }
+#else
+ for (int ch = 0; ch < depth; ch++) {
+ const int32 input_offset = Offset(input_shape, batch, y0, x0, ch);
+
+ float x0y0 = input_data[input_offset];
+ float x1y0 = input_data[input_offset + input_x_offset];
+ float x0y1 = input_data[input_offset + input_y_offset];
+ float x1y1 = input_data[input_offset + input_x_offset + input_y_offset];
+
+ // Top left corner.
+ const int32 output_offset = Offset(output_shape, batch, y, x, ch);
+ output_data[output_offset] = x0y0;
+
+ // Top right corner.
+ output_data[output_offset + output_x_offset] = (x0y0 + x1y0) / 2;
+
+ // Bottom left corner.
+ float output = (x0y0 + x0y1) / 2;
+ output_data[output_offset + output_y_offset] = output;
+
+ // Bottom right corner.
+ output_data[output_offset + output_x_offset + output_y_offset] =
+ (output + ((x1y0 + x1y1) / 2)) / 2;
+ }
+#endif
+}
+
+inline void ResizeBilinear2x2(int32 batches, int32 input_height,
+ int32 input_width, int32 depth,
+ int32 output_height, int32 output_width,
+ const RuntimeShape& input_shape,
+ const float* input_data,
+ const RuntimeShape& output_shape,
+ float* output_data) {
+ for (int b = 0; b < batches; b++) {
+ for (int y0 = 0, y = 0; y <= output_height - 2; y += 2, y0++) {
+ for (int x0 = 0, x = 0; x <= output_width - 2; x += 2, x0++) {
+ int32 x1 = std::min(x0 + 1, input_width - 1);
+ int32 y1 = std::min(y0 + 1, input_height - 1);
+ ResizeBilinearKernel2x2(x0, x1, y0, y1, x, y, depth, b, input_shape,
+ input_data, output_shape, output_data);
+ }
+ }
+ }
+}
+
+inline void ResizeBilinearGeneric(
+ int32 batches, int32 input_height, int32 input_width, int32 depth,
+ int32 output_height, int32 output_width, float height_scale,
+ float width_scale, const RuntimeShape& input_shape, const float* input_data,
+ const RuntimeShape& output_shape, float* output_data) {
+ memset(output_data, 0,
+ batches * output_height * output_width * depth * sizeof(float));
+
+ int32 output_offset = 0;
+ for (int b = 0; b < batches; ++b) {
+ for (int y = 0; y < output_height; ++y) {
+ float input_y = y * height_scale;
+ int32 y0 = static_cast<int32>(std::floor(input_y));
+ int32 y1 = std::min(y0 + 1, input_height - 1);
+ for (int x = 0; x < output_width; ++x) {
+ float input_x = x * width_scale;
+ int32 x0 = static_cast<int32>(input_x);
+ int32 x1 = std::min(x0 + 1, input_width - 1);
+ float* output_ptr = &output_data[output_offset];
+
+ // Run kernel on the 4 corners of the bilinear resize algorithm.
+ int32 input_offset = Offset(input_shape, b, y0, x0, 0);
+ float scale = (1 - (input_y - y0)) * (1 - (input_x - x0));
+ const float* input_ptr = &input_data[input_offset];
+ ResizeBilinearKernel(input_ptr, depth, scale, output_ptr);
+
+ input_offset = Offset(input_shape, b, y0, x1, 0);
+ scale = (1 - (input_y - y0)) * (input_x - x0);
+ input_ptr = &input_data[input_offset];
+ ResizeBilinearKernel(input_ptr, depth, scale, output_ptr);
+
+ input_offset = Offset(input_shape, b, y1, x0, 0);
+ scale = (input_y - y0) * (1 - (input_x - x0));
+ input_ptr = &input_data[input_offset];
+ ResizeBilinearKernel(input_ptr, depth, scale, output_ptr);
+
+ input_offset = Offset(input_shape, b, y1, x1, 0);
+ scale = (input_y - y0) * (input_x - x0);
+ input_ptr = &input_data[input_offset];
+ ResizeBilinearKernel(input_ptr, depth, scale, output_ptr);
+
+ output_offset += depth;
+ }
+ }
+ }
+}
+
+template <typename T>
+inline void ResizeBilinearGenericSmallChannel(
+ int32 batches, int32 input_height, int32 input_width, int32 depth,
+ int32 output_height, int32 output_width, float height_scale,
+ float width_scale, const RuntimeShape& input_shape, const T* input_data,
+ const RuntimeShape& output_shape, T* output_data) {
+ memset(output_data, 0,
+ batches * output_height * output_width * depth * sizeof(T));
+
+ T* output_ptr = &output_data[0];
+ for (int b = 0; b < batches; ++b) {
+ for (int y = 0; y < output_height; ++y) {
+ float input_y = y * height_scale;
+ int32 y0 = static_cast<int32>(std::floor(input_y));
+ int32 y1 = std::min(y0 + 1, input_height - 1);
+ for (int x = 0; x < output_width; ++x) {
+ float input_x = x * width_scale;
+ int32 x0 = static_cast<int32>(input_x);
+ int32 x1 = std::min(x0 + 1, input_width - 1);
+
+ int32 input_offset[4] = {Offset(input_shape, b, y0, x0, 0),
+ Offset(input_shape, b, y0, x1, 0),
+ Offset(input_shape, b, y1, x0, 0),
+ Offset(input_shape, b, y1, x1, 0)};
+ float scale[4] = {(1 - (input_y - y0)) * (1 - (input_x - x0)),
+ (1 - (input_y - y0)) * (input_x - x0),
+ (input_y - y0) * (1 - (input_x - x0)),
+ (input_y - y0) * (input_x - x0)};
+
+ for (int d = 0; d < depth; d++) {
+ const T* input_ptr = &input_data[d];
+ *output_ptr++ = static_cast<T>(input_ptr[input_offset[0]] * scale[0] +
+ input_ptr[input_offset[1]] * scale[1] +
+ input_ptr[input_offset[2]] * scale[2] +
+ input_ptr[input_offset[3]] * scale[3]);
+ }
+ }
+ }
+ }
+}
+
+inline void ResizeBilinear(const tflite::ResizeBilinearParams& op_params,
+ const RuntimeShape& unextended_input_shape,
+ const float* input_data,
+ const RuntimeShape& output_size_shape,
+ const int32* output_size_data,
+ const RuntimeShape& unextended_output_shape,
+ float* output_data) {
+ gemmlowp::ScopedProfilingLabel label("ResizeBilinear");
+ TFLITE_DCHECK_LE(unextended_input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_shape.DimensionsCount(), 4);
+ const RuntimeShape input_shape =
+ RuntimeShape::ExtendedShape(4, unextended_input_shape);
+ const RuntimeShape output_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_shape);
+
+ int32 batches = MatchingDim(input_shape, 0, output_shape, 0);
+ int32 input_height = input_shape.Dims(1);
+ int32 input_width = input_shape.Dims(2);
+ int32 depth = MatchingDim(input_shape, 3, output_shape, 3);
+
+ TFLITE_DCHECK_EQ(output_size_shape.FlatSize(), 2);
+ int32 output_height = output_size_data[0];
+ int32 output_width = output_size_data[1];
+
+ // Specialize for 2x2 upsample.
+ if (!op_params.align_corners && output_height == 2 * input_height &&
+ output_width == 2 * input_width) {
+ ResizeBilinear2x2(batches, input_height, input_width, depth, output_height,
+ output_width, input_shape, input_data, output_shape,
+ output_data);
+ } else {
+ float height_scale = static_cast<float>(input_height) / output_height;
+ float width_scale = static_cast<float>(input_width) / output_width;
+ if (op_params.align_corners && output_height > 1) {
+ height_scale = static_cast<float>(input_height - 1) / (output_height - 1);
+ }
+ if (op_params.align_corners && output_width > 1) {
+ width_scale = static_cast<float>(input_width - 1) / (output_width - 1);
+ }
+
+ ResizeBilinearGeneric(batches, input_height, input_width, depth,
+ output_height, output_width, height_scale,
+ width_scale, input_shape, input_data, output_shape,
+ output_data);
+ }
+}
+
+// TODO(prabhumk): This is not a real quantized bilinear. It does not use int8
+// or int16 arithmetic.
+inline void ResizeBilinear(const tflite::ResizeBilinearParams& op_params,
+ const RuntimeShape& unextended_input_shape,
+ const uint8* input_data,
+ const RuntimeShape& output_size_shape,
+ const int32* output_size_data,
+ const RuntimeShape& unextended_output_shape,
+ uint8* output_data) {
+ gemmlowp::ScopedProfilingLabel label("ResizeBilinear");
+ TFLITE_DCHECK_LE(unextended_input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_shape.DimensionsCount(), 4);
+ const RuntimeShape input_shape =
+ RuntimeShape::ExtendedShape(4, unextended_input_shape);
+ const RuntimeShape output_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_shape);
+
+ int32 batches = MatchingDim(input_shape, 0, output_shape, 0);
+ int32 input_height = input_shape.Dims(1);
+ int32 input_width = input_shape.Dims(2);
+ int32 depth = MatchingDim(input_shape, 3, output_shape, 3);
+
+ TFLITE_DCHECK_EQ(output_size_shape.FlatSize(), 2);
+ int32 output_height = output_size_data[0];
+ int32 output_width = output_size_data[1];
+
+ float height_scale =
+ (op_params.align_corners && output_height > 1)
+ ? (static_cast<float>(input_height - 1) / (output_height - 1))
+ : (static_cast<float>(input_height) / output_height);
+
+ float width_scale =
+ (op_params.align_corners && output_width > 1)
+ ? (static_cast<float>(input_width - 1) / (output_width - 1))
+ : (static_cast<float>(input_width) / output_width);
+
+ ResizeBilinearGenericSmallChannel<uint8>(
+ batches, input_height, input_width, depth, output_height, output_width,
+ height_scale, width_scale, input_shape, input_data, output_shape,
+ output_data);
+}
+
+// Helper methods for BatchToSpaceND.
+// `spatial_index_dim` specifies post-crop offset index in this spatial
+// dimension, i.e. spatial offset introduced by flattening batch to spatial
+// dimension minus the crop size at beginning. `block_shape_dim` is the block
+// size in current dimension. `input_dim` and `output_dim` are input and output
+// size of BatchToSpaceND operation in current dimension.
+// Output start index is inclusive and end index is exclusive.
+inline void GetIndexRange(int spatial_index_dim, int block_shape_dim,
+ int input_dim, int output_dim, int* start_index,
+ int* end_index) {
+ // (*start_index) * block_shape_dim is effectively rounded up to the next
+ // multiple of block_shape_dim by the integer division.
+ *start_index =
+ std::max(0, (-spatial_index_dim + block_shape_dim - 1) / block_shape_dim);
+ // Similarly, (*end_index) * block_shape_dim is rounded up too (note that
+ // end_index is exclusive).
+ *end_index = std::min(
+ input_dim,
+ (output_dim - spatial_index_dim + block_shape_dim - 1) / block_shape_dim);
+}
+
+template <typename T>
+inline void BatchToSpaceND(
+ const RuntimeShape& unextended_input1_shape, const T* input1_data,
+ const RuntimeShape& unextended_input2_shape, const int32* block_shape_data,
+ const RuntimeShape& unextended_input3_shape, const int32* crops_data,
+ const RuntimeShape& unextended_output_shape, T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("BatchToSpaceND");
+
+ TFLITE_DCHECK_LE(unextended_input1_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_LE(unextended_output_shape.DimensionsCount(), 4);
+ const RuntimeShape input1_shape =
+ RuntimeShape::ExtendedShape(4, unextended_input1_shape);
+ const RuntimeShape output_shape =
+ RuntimeShape::ExtendedShape(4, unextended_output_shape);
+
+ const int output_width = output_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+ const int output_batch_size = output_shape.Dims(0);
+
+ const int depth = input1_shape.Dims(3);
+ const int input_width = input1_shape.Dims(2);
+ const int input_height = input1_shape.Dims(1);
+ const int input_batch_size = input1_shape.Dims(0);
+
+ const int block_shape_width = block_shape_data[1];
+ const int block_shape_height = block_shape_data[0];
+ const int crops_top = crops_data[0];
+ const int crops_left = crops_data[2];
+
+ for (int in_batch = 0; in_batch < input_batch_size; ++in_batch) {
+ const int out_batch = in_batch % output_batch_size;
+ const int spatial_offset = in_batch / output_batch_size;
+
+ int in_h_start = 0;
+ int in_h_end = 0;
+ // GetIndexRange ensures start and end indices are in [0, output_height).
+ GetIndexRange(spatial_offset / block_shape_width - crops_top,
+ block_shape_height, input_height, output_height, &in_h_start,
+ &in_h_end);
+
+ for (int in_h = in_h_start; in_h < in_h_end; ++in_h) {
+ const int out_h = in_h * block_shape_height +
+ spatial_offset / block_shape_width - crops_top;
+ TFLITE_DCHECK_GE(out_h, 0);
+ TFLITE_DCHECK_LT(out_h, output_height);
+
+ int in_w_start = 0;
+ int in_w_end = 0;
+ // GetIndexRange ensures start and end indices are in [0, output_width).
+ GetIndexRange(spatial_offset % block_shape_width - crops_left,
+ block_shape_width, input_width, output_width, &in_w_start,
+ &in_w_end);
+
+ for (int in_w = in_w_start; in_w < in_w_end; ++in_w) {
+ const int out_w = in_w * block_shape_width +
+ spatial_offset % block_shape_width - crops_left;
+ TFLITE_DCHECK_GE(out_w, 0);
+ TFLITE_DCHECK_LT(out_w, output_width);
+ T* out = output_data + Offset(output_shape, out_batch, out_h, out_w, 0);
+ const T* in =
+ input1_data + Offset(input1_shape, in_batch, in_h, in_w, 0);
+ memcpy(out, in, depth * sizeof(T));
+ }
+ }
+ }
+}
+
+template <typename T>
+void TypedMemset(void* ptr, T value, size_t num) {
+ // Optimization for common cases where memset() will suffice.
+ if (value == 0 || std::is_same<T, uint8_t>::value) {
+ memset(ptr, value, num * sizeof(T));
+ } else {
+ // Default implementation for cases where memset() will not preserve the
+ // bytes, e.g., typically when sizeof(T) > sizeof(uint8_t).
+ char* pos = static_cast<char*>(ptr);
+ for (size_t i = 0; i < num; ++i) {
+ memcpy(pos, &value, sizeof(T));
+ pos = pos + sizeof(T);
+ }
+ }
+}
+
+// There are two versions of pad: Pad and PadV2. In PadV2 there is a second
+// scalar input that provides the padding value. Therefore pad_value_ptr can be
+// equivalent to a simple input1_data. For Pad, it should point to a zero
+// value.
+//
+// Note that two typenames are required, so that T=P=int32 is considered a
+// specialization distinct from P=int32.
+template <typename T, typename P>
+inline void PadImpl(const tflite::PadParams& op_params,
+ const RuntimeShape& input_shape, const T* input_data,
+ const P* pad_value_ptr, const RuntimeShape& output_shape,
+ T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Pad");
+ const RuntimeShape ext_input_shape =
+ RuntimeShape::ExtendedShape(4, input_shape);
+ const RuntimeShape ext_output_shape =
+ RuntimeShape::ExtendedShape(4, output_shape);
+ TFLITE_DCHECK_LE(op_params.left_padding_count, 4);
+ TFLITE_DCHECK_LE(op_params.right_padding_count, 4);
+
+ // Runtime calls are currently fixed at 4 dimensions. Copy inputs so
+ // we can pad them to 4 dims (yes, we are "padding the padding").
+ std::vector<int> left_padding_copy(4, 0);
+ const int left_padding_extend = 4 - op_params.left_padding_count;
+ for (int i = 0; i < op_params.left_padding_count; ++i) {
+ left_padding_copy[left_padding_extend + i] = op_params.left_padding[i];
+ }
+ std::vector<int> right_padding_copy(4, 0);
+ const int right_padding_extend = 4 - op_params.right_padding_count;
+ for (int i = 0; i < op_params.right_padding_count; ++i) {
+ right_padding_copy[right_padding_extend + i] = op_params.right_padding[i];
+ }
+
+ const int output_batch = ext_output_shape.Dims(0);
+ const int output_height = ext_output_shape.Dims(1);
+ const int output_width = ext_output_shape.Dims(2);
+ const int output_depth = ext_output_shape.Dims(3);
+
+ const int left_b_padding = left_padding_copy[0];
+ const int left_h_padding = left_padding_copy[1];
+ const int left_w_padding = left_padding_copy[2];
+ const int left_d_padding = left_padding_copy[3];
+
+ const int right_b_padding = right_padding_copy[0];
+ const int right_h_padding = right_padding_copy[1];
+ const int right_w_padding = right_padding_copy[2];
+ const int right_d_padding = right_padding_copy[3];
+
+ const int input_depth = ext_input_shape.Dims(3);
+ const T pad_value = *pad_value_ptr;
+
+ if (left_b_padding != 0) {
+ TypedMemset<T>(
+ output_data, pad_value,
+ left_b_padding * output_height * output_width * output_depth);
+ }
+ for (int out_b = left_b_padding; out_b < output_batch - right_b_padding;
+ ++out_b) {
+ if (left_h_padding != 0) {
+ TypedMemset<T>(output_data + Offset(ext_output_shape, out_b, 0, 0, 0),
+ pad_value, left_h_padding * output_width * output_depth);
+ }
+ for (int out_h = left_h_padding; out_h < output_height - right_h_padding;
+ ++out_h) {
+ if (left_w_padding != 0) {
+ TypedMemset<T>(
+ output_data + Offset(ext_output_shape, out_b, out_h, 0, 0),
+ pad_value, left_w_padding * output_depth);
+ }
+ for (int out_w = left_w_padding; out_w < output_width - right_w_padding;
+ ++out_w) {
+ if (left_d_padding != 0) {
+ TypedMemset<T>(
+ output_data + Offset(ext_output_shape, out_b, out_h, out_w, 0),
+ pad_value, left_d_padding);
+ }
+
+ T* out = output_data +
+ Offset(ext_output_shape, out_b, out_h, out_w, left_d_padding);
+ const T* in = input_data +
+ Offset(ext_input_shape, out_b - left_b_padding,
+ out_h - left_h_padding, out_w - left_w_padding, 0);
+ memcpy(out, in, input_depth * sizeof(T));
+
+ if (right_d_padding != 0) {
+ TypedMemset<T>(
+ output_data + Offset(ext_output_shape, out_b, out_h, out_w,
+ output_depth - right_d_padding),
+ pad_value, right_d_padding);
+ }
+ }
+ if (right_w_padding != 0) {
+ TypedMemset<T>(output_data + Offset(ext_output_shape, out_b, out_h,
+ output_width - right_w_padding, 0),
+ pad_value, right_w_padding * output_depth);
+ }
+ }
+ if (right_h_padding != 0) {
+ TypedMemset<T>(
+ output_data + Offset(ext_output_shape, out_b,
+ output_height - right_h_padding, 0, 0),
+ pad_value, right_h_padding * output_width * output_depth);
+ }
+ }
+ if (right_b_padding != 0) {
+ TypedMemset<T>(
+ output_data +
+ Offset(ext_output_shape, output_batch - right_b_padding, 0, 0, 0),
+ pad_value,
+ right_b_padding * output_height * output_width * output_depth);
+ }
+}
+
+template <typename T, typename P>
+inline void Pad(const tflite::PadParams& op_params,
+ const RuntimeShape& input_shape, const T* input_data,
+ const P* pad_value_ptr, const RuntimeShape& output_shape,
+ T* output_data) {
+ PadImpl(op_params, input_shape, input_data, pad_value_ptr, output_shape,
+ output_data);
+}
+
+// The second (pad-value) input can be int32 when, say, the first is uint8.
+template <typename T>
+inline void Pad(const tflite::PadParams& op_params,
+ const RuntimeShape& input_shape, const T* input_data,
+ const int32* pad_value_ptr, const RuntimeShape& output_shape,
+ T* output_data) {
+ const T converted_pad_value = static_cast<T>(*pad_value_ptr);
+ PadImpl(op_params, input_shape, input_data, &converted_pad_value,
+ output_shape, output_data);
+}
+
+// This version avoids conflicting template matching.
+template <>
+inline void Pad(const tflite::PadParams& op_params,
+ const RuntimeShape& input_shape, const int32* input_data,
+ const int32* pad_value_ptr, const RuntimeShape& output_shape,
+ int32* output_data) {
+ PadImpl(op_params, input_shape, input_data, pad_value_ptr, output_shape,
+ output_data);
+}
+
+template <typename T>
+inline void Slice(const tflite::SliceParams& op_params,
+ const RuntimeShape& input_shape, const T* input_data,
+ const RuntimeShape& output_shape, T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("Slice");
+ const RuntimeShape ext_shape = RuntimeShape::ExtendedShape(4, input_shape);
+ // TODO(dkalenichenko): This op only supports 4D tensors or smaller.
+ TFLITE_DCHECK_LE(op_params.begin_count, 4);
+ TFLITE_DCHECK_LE(op_params.size_count, 4);
+ const int begin_count = op_params.begin_count;
+ const int size_count = op_params.size_count;
+ // We front-pad the begin and size vectors.
+ const int start_b = 4 - begin_count > 0 ? 0 : op_params.begin[0];
+ const int stop_b = (4 - size_count > 0 || op_params.size[0] == -1)
+ ? ext_shape.Dims(0) - start_b
+ : start_b + op_params.size[0];
+ const int start_h = begin_count < 3 ? 0 : op_params.begin[begin_count - 3];
+ const int stop_h = (size_count < 3 || op_params.size[size_count - 3] == -1)
+ ? ext_shape.Dims(1) - start_h
+ : start_h + op_params.size[size_count - 3];
+ const int start_w = begin_count < 2 ? 0 : op_params.begin[begin_count - 2];
+ const int stop_w = (size_count < 2 || op_params.size[size_count - 2] == -1)
+ ? ext_shape.Dims(2) - start_w
+ : start_w + op_params.size[size_count - 2];
+ const int start_d = begin_count < 1 ? 0 : op_params.begin[begin_count - 1];
+ const int stop_d = (size_count < 1 || op_params.size[size_count - 1] == -1)
+ ? ext_shape.Dims(3) - start_d
+ : start_d + op_params.size[size_count - 1];
+
+ T* out_ptr = output_data;
+ for (int in_b = start_b; in_b < stop_b; ++in_b) {
+ for (int in_h = start_h; in_h < stop_h; ++in_h) {
+ for (int in_w = start_w; in_w < stop_w; ++in_w) {
+ const int len = stop_d - start_d;
+ memcpy(out_ptr,
+ input_data + Offset(ext_shape, in_b, in_h, in_w, start_d),
+ len * sizeof(T));
+ out_ptr += len;
+ }
+ }
+ }
+}
+
+template <typename T>
+void Minimum(const RuntimeShape& input1_shape, const T* input1_data,
+ const T* input2_data, const RuntimeShape& output_shape,
+ T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("TensorFlowMinimum");
+ auto input1_map = MapAsVector(input1_data, input1_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ auto min_value = input2_data[0];
+ output_map.array() = input1_map.array().min(min_value);
+}
+
+// Convenience version that allows, for example, generated-code calls to be
+// the same as other binary ops.
+template <typename T>
+inline void Minimum(const RuntimeShape& input1_shape, const T* input1_data,
+ const RuntimeShape&, const T* input2_data,
+ const RuntimeShape& output_shape, T* output_data) {
+ // Drop shape of second input: not needed.
+ Minimum(input1_shape, input1_data, input2_data, output_shape, output_data);
+}
+
+template <typename T>
+void Maximum(const RuntimeShape& input1_shape, const T* input1_data,
+ const T* input2_data, const RuntimeShape& output_shape,
+ T* output_data) {
+ gemmlowp::ScopedProfilingLabel label("TensorFlowMaximum");
+ auto input1_map = MapAsVector(input1_data, input1_shape);
+ auto output_map = MapAsVector(output_data, output_shape);
+ auto max_value = input2_data[0];
+ output_map.array() = input1_map.array().max(max_value);
+}
+
+// Convenience version that allows, for example, generated-code calls to be
+// the same as other binary ops.
+template <typename T>
+inline void Maximum(const RuntimeShape& input1_shape, const T* input1_data,
+ const RuntimeShape&, const T* input2_data,
+ const RuntimeShape& output_shape, T* output_data) {
+ // Drop shape of second input: not needed.
+ Maximum(input1_shape, input1_data, input2_data, output_shape, output_data);
+}
+
+template <typename T>
+void TransposeIm2col(const ConvParams& params, uint8 zero_byte,
+ const RuntimeShape& input_shape, const T* input_data,
+ const RuntimeShape& filter_shape,
+ const RuntimeShape& output_shape, T* im2col_data) {
+ gemmlowp::ScopedProfilingLabel label("TransposeIm2col");
+ const int stride_width = params.stride_width;
+ const int stride_height = params.stride_height;
+ const int pad_width = params.padding_values.width;
+ const int pad_height = params.padding_values.height;
+ TFLITE_DCHECK_EQ(input_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(filter_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK_EQ(output_shape.DimensionsCount(), 4);
+ TFLITE_DCHECK(im2col_data);
+
+ const int batches = MatchingDim(input_shape, 0, output_shape, 0);
+ const int input_height = input_shape.Dims(1);
+ const int input_width = input_shape.Dims(2);
+ const int input_depth = MatchingDim(input_shape, 3, filter_shape, 0);
+ const int filter_height = filter_shape.Dims(1);
+ const int filter_width = filter_shape.Dims(2);
+ const int output_height = output_shape.Dims(1);
+ const int output_width = output_shape.Dims(2);
+ MatchingDim(output_shape, 3, filter_shape, 3); // output_depth
+
+ // Construct the MxN sized im2col matrix.
+ // The rows M, are sub-ordered B x H x W
+ const RuntimeShape row_shape({1, batches, output_height, output_width});
+ // The columns, N, are sub-ordered Kh x Kw x Din
+ const RuntimeShape col_shape({1, filter_height, filter_width, input_depth});
+ // Use dimensions M and N to construct dims for indexing directly into im2col
+ const RuntimeShape im2col_shape(
+ {1, 1, row_shape.FlatSize(), col_shape.FlatSize()});
+
+ // Build the im2col matrix by looping through all the input pixels,
+ // computing their influence on the output, rather than looping through all
+ // the output pixels. We therefore must initialize the im2col array to zero.
+ // This is potentially inefficient because we subsequently overwrite bytes
+ // set here. However, in practice memset is very fast and costs negligible.
+ memset(im2col_data, zero_byte, im2col_shape.FlatSize() * sizeof(T));
+
+ // Loop through the output batches
+ for (int batch = 0; batch < batches; ++batch) {
+ // Loop through input pixels one at a time.
+ for (int in_y = 0; in_y < input_height; ++in_y) {
+ for (int in_x = 0; in_x < input_width; ++in_x) {
+ // Loop through the output pixels it will influence
+ const int out_x_origin = (in_x * stride_width) - pad_width;
+ const int out_y_origin = (in_y * stride_height) - pad_height;
+ for (int filter_y = 0; filter_y < filter_height; ++filter_y) {
+ const int out_y = out_y_origin + filter_y;
+ // Is output pixel within height bounds?
+ if ((out_y >= 0) && (out_y < output_height)) {
+ for (int filter_x = 0; filter_x < filter_width; ++filter_x) {
+ const int out_x = out_x_origin + filter_x;
+ // Is output pixel within width bounds?
+ if ((out_x >= 0) && (out_x < output_width)) {
+ // Copy the input elements of this pixel
+ T const* src =
+ input_data + Offset(input_shape, batch, in_y, in_x, 0);
+ int row_offset = Offset(row_shape, 0, batch, out_y, out_x);
+ int col_offset = Offset(col_shape, 0, filter_y, filter_x, 0);
+ T* dst = im2col_data +
+ Offset(im2col_shape, 0, 0, row_offset, col_offset);
+ memcpy(dst, src, input_depth * sizeof(T));
+ }
+ }
+ }
+ }
+ }
+ }
+ }
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+template <typename T>
+void TransposeIm2col(const T* input_data, const Dims<4>& input_dims,
+ const Dims<4>& filter_dims, int stride_width,
+ int stride_height, int pad_width, int pad_height,
+ const Dims<4>& output_dims, uint8 zero_byte,
+ T* im2col_data) {
+ tflite::ConvParams op_params;
+ // Padding type is ignored, but still set.
+ op_params.padding_type = PaddingType::kSame;
+ op_params.padding_values.width = pad_width;
+ op_params.padding_values.height = pad_height;
+ op_params.stride_width = stride_width;
+ op_params.stride_height = stride_height;
+
+ TransposeIm2col(op_params, zero_byte, DimsToShape(input_dims), input_data,
+ DimsToShape(filter_dims), DimsToShape(output_dims),
+ im2col_data);
+}
+
+inline void TransposeConv(
+ const ConvParams& params, const RuntimeShape& input_shape,
+ const float* input_data, const RuntimeShape& filter_shape,
+ const float* filter_data, const RuntimeShape& output_shape,
+ float* output_data, const RuntimeShape& im2col_shape, float* im2col_data) {
+ gemmlowp::ScopedProfilingLabel label("TransposeConv");
+
+ // Note we could use transposed weights with forward conv for unstrided
+ // cases. But we are already getting good performance with this code as-is.
+ TFLITE_DCHECK(im2col_data);
+ TransposeIm2col(params, 0, input_shape, input_data, filter_shape,
+ output_shape, im2col_data);
+
+ const auto im2col_matrix_map =
+ MapAsMatrixWithLastDimAsRows(im2col_data, im2col_shape);
+ const auto filter_matrix_map =
+ MapAsMatrixWithFirstDimAsCols(filter_data, filter_shape);
+ auto output_matrix_map =
+ MapAsMatrixWithLastDimAsRows(output_data, output_shape);
+
+ Gemm(filter_matrix_map.transpose(), im2col_matrix_map, &output_matrix_map);
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+// Legacy.
+inline void TransposeConv(const float* input_data, const Dims<4>& input_dims,
+ const float* filter_data, const Dims<4>& filter_dims,
+ int stride_width, int stride_height, int pad_width,
+ int pad_height, float* output_data,
+ const Dims<4>& output_dims, float* im2col_data,
+ const Dims<4>& im2col_dims) {
+ tflite::ConvParams op_params;
+ // Padding type is ignored, but still set.
+ op_params.padding_type = PaddingType::kSame;
+ op_params.padding_values.width = pad_width;
+ op_params.padding_values.height = pad_height;
+ op_params.stride_width = stride_width;
+ op_params.stride_height = stride_height;
+
+ TransposeConv(op_params, DimsToShape(input_dims), input_data,
+ DimsToShape(filter_dims), filter_data, DimsToShape(output_dims),
+ output_data, DimsToShape(im2col_dims), im2col_data);
+}
+
+} // namespace optimized_ops
+} // namespace tflite
+
+#if defined OPTIMIZED_OPS_H__IGNORE_DEPRECATED_DECLARATIONS
+#undef OPTIMIZED_OPS_H__IGNORE_DEPRECATED_DECLARATIONS
+#pragma GCC diagnostic pop
+#endif
+
+#endif // TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_OPTIMIZED_OPTIMIZED_OPS_H_
diff --git a/tensorflow/contrib/lite/kernels/internal/types.h b/tensorflow/contrib/lite/kernels/internal/types.h
new file mode 100644
index 0000000..070ad4e
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/internal/types.h
@@ -0,0 +1,993 @@
+/* Copyright 2018 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+#ifndef TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_TYPES_H_
+#define TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_TYPES_H_
+
+#include <cstring>
+#include <iterator>
+
+// TODO: Remove once AOSP has external/absl setup.
+#if __ANDROID__
+#define ABSL_DEPRECATED(x)
+#else
+#include "absl/base/macros.h"
+#endif // __ANDROID__
+#include "tensorflow/contrib/lite/kernels/internal/compatibility.h"
+
+namespace tflite {
+
+enum class FusedActivationFunctionType : uint8 { kNone, kRelu6, kRelu1, kRelu };
+enum class PaddingType : uint8 { kNone, kSame, kValid };
+
+struct PaddingValues {
+ int16 width;
+ int16 height;
+};
+
+// This enumeration allows for non-default formats for the weights array
+// of a fully-connected operator, allowing the use of special optimized
+// runtime paths.
+enum class FullyConnectedWeightsFormat : uint8 {
+ // Default format (flat 2D layout, the inner contiguous dimension
+ // is input_depth, the outer non-contiguous dimension is output_depth)
+ kDefault,
+ // Summary: optimized layout for fast CPU runtime implementation,
+ // aimed specifically at ARM CPUs at the moment, and specialized for
+ // 8-bit quantized layers.
+ //
+ // The use case we're concerned with here is: 8-bit quantization,
+ // large weights matrix that doesn't fit in cache (e.g. 4096x2048 in
+ // a key application that drove this), very small batch size (e.g. 1 -- 4).
+ //
+ // Even with 8-bit quantization of weights, the performance of memory
+ // accesses to the weights can become the dominant issue when
+ // the batch size is small, so each weight value is used in only a few
+ // arithmetic ops, i.e. the fully-connected node has a low arithmetic
+ // intensity. The specific issues that arise are of three kinds:
+ // (1) One may, ideally, max out DRAM bandwidth, i.e. be truly memory
+ // bound. That's the "good" issue to run into.
+ // (2) One may run into sub-optimal pre-fetching: the data hasn't been
+ // prefetched into the cache by the time we need it.
+ // (3) One may run into cache aliasing: multiple values that are
+ // pre-fetched, alias each other in the L1 cache (which typically
+ // has only 4-way set associativity in ARM CPUs) and thus evict
+ // each other before we get to using them.
+ //
+ // The point of this shuffling is to avoid issues (2) and (3) so that
+ // we get as fast as possible given only the hard constraint (1).
+ // This is achieved by turning the difficulty into a solution: the
+ // difficulty, that each value loaded from memory is used only in
+ // one kernel iteration, making this operation memory-intensive, hints at
+ // the solution, of shuffling the weights so that they are stored in the
+ // exact order as the kernel needs to load them, so that the memory
+ // accesses made by the kernel are trivial. This solves (2) because the
+ // trivial memory access pattern allows the CPU's automatic prefetching
+ // to perform very well (no need even for preload instructions), and this
+ // solves (3) because the values being loaded concurrently are now
+ // contiguous in the address space, thus don't alias each other in the cache.
+ //
+ // On ARM, we typically want our kernel to process a 4x16 block of weights
+ // at a time, because:
+ // - 16 is the number of bytes in a NEON register.
+ // - 4 is how many rows we need to handle concurrently in the kernel in
+ // order to have sufficient mutual independence of instructions to
+ // maximize arithmetic throughput.
+ //
+ // Finally, the 'Int8' part in the name refers to the fact that this
+ // weights format has each weights value encoded as a signed int8 value,
+ // even if the data type of the weights buffer is uint8. This is intended
+ // to save runtime kernels the effort to have to XOR the top bit of these
+ // bytes before using them in signed arithmetic, see this file for more
+ // explanations on the 'signed int8 trick' in matrix multiplication kernels:
+ //
+ // tensorflow/contrib/lite/toco/graph_transformations/ensure_uint8_weights_safe_for_fast_int8_kernels.cc
+ //
+ kShuffled4x16Int8,
+};
+
+// Quantization parameters, determining the mapping of quantized values
+// to real values (i.e. determining how quantized values are mathematically
+// interpreted).
+//
+// The correspondence is as follows:
+//
+// real_value = scale * (quantized_value - zero_point);
+//
+// In other words, zero_point designates which quantized value corresponds to
+// the real 0 value, and scale designates the difference between the real values
+// corresponding to consecutive quantized values differing by 1.
+struct QuantizationParams {
+ int32 zero_point = 0;
+ double scale = 0.0;
+};
+
+template <int N>
+struct Dims {
+ int sizes[N];
+ int strides[N];
+};
+
+class RuntimeShape {
+ public:
+ // Shapes with dimensions up to 4 are stored directly in the structure, while
+ // larger shapes are separately allocated.
+ static constexpr int kMaxSmallSize = 4;
+
+ RuntimeShape& operator=(RuntimeShape const&) = delete;
+
+ RuntimeShape() : size_(0) {}
+
+ explicit RuntimeShape(int dimensions_count) : size_(dimensions_count) {
+ if (dimensions_count > kMaxSmallSize) {
+ dims_pointer_ = new int32[dimensions_count];
+ }
+ }
+
+ RuntimeShape(int shape_size, int32 value) : size_(0) {
+ Resize(shape_size);
+ for (int i = 0; i < shape_size; ++i) {
+ SetDim(i, value);
+ }
+ }
+
+ RuntimeShape(int dimensions_count, const int32* dims_data) : size_(0) {
+ ReplaceWith(dimensions_count, dims_data);
+ }
+
+ RuntimeShape(const std::initializer_list<int> init_list) : size_(0) {
+ BuildFrom(init_list);
+ }
+
+ // Avoid using this constructor. We should be able to delete it when C++17
+ // rolls out.
+ RuntimeShape(RuntimeShape const& other) : size_(other.DimensionsCount()) {
+ if (size_ > kMaxSmallSize) {
+ dims_pointer_ = new int32[size_];
+ }
+ std::memcpy(DimsData(), other.DimsData(), sizeof(int32) * size_);
+ }
+
+ bool operator==(const RuntimeShape& comp) const {
+ return this->size_ == comp.size_ &&
+ std::memcmp(DimsData(), comp.DimsData(), size_ * sizeof(int32)) == 0;
+ }
+
+ ~RuntimeShape() {
+ if (size_ > kMaxSmallSize) {
+ delete[] dims_pointer_;
+ }
+ }
+
+ inline int32 DimensionsCount() const { return size_; }
+ inline int32 Dims(int i) const {
+ TFLITE_DCHECK_GE(i, 0);
+ TFLITE_DCHECK_LT(i, size_);
+ return size_ > kMaxSmallSize ? dims_pointer_[i] : dims_[i];
+ }
+ inline void SetDim(int i, int32 val) {
+ TFLITE_DCHECK_GE(i, 0);
+ TFLITE_DCHECK_LT(i, size_);
+ if (size_ > kMaxSmallSize) {
+ dims_pointer_[i] = val;
+ } else {
+ dims_[i] = val;
+ }
+ }
+
+ inline int32* DimsData() {
+ return size_ > kMaxSmallSize ? dims_pointer_ : dims_;
+ }
+ inline const int32* DimsData() const {
+ return size_ > kMaxSmallSize ? dims_pointer_ : dims_;
+ }
+ // The caller must ensure that the shape is no bigger than 4-D.
+ inline const int32* DimsDataUpTo4D() const { return dims_; }
+
+ inline void Resize(int dimensions_count) {
+ if (size_ > kMaxSmallSize) {
+ delete[] dims_pointer_;
+ }
+ size_ = dimensions_count;
+ if (dimensions_count > kMaxSmallSize) {
+ dims_pointer_ = new int32[dimensions_count];
+ }
+ }
+
+ inline void ReplaceWith(int dimensions_count, const int32* dims_data) {
+ Resize(dimensions_count);
+ int32* dst_dims = DimsData();
+ std::memcpy(dst_dims, dims_data, dimensions_count * sizeof(int32));
+ }
+
+ template <typename T>
+ inline void BuildFrom(const T& src_iterable) {
+ const int dimensions_count =
+ std::distance(src_iterable.begin(), src_iterable.end());
+ Resize(dimensions_count);
+ int32* data = DimsData();
+ for (auto it : src_iterable) {
+ *data = it;
+ ++data;
+ }
+ }
+
+ // This will probably be factored out. Old code made substantial use of 4-D
+ // shapes, and so this function is used to extend smaller shapes. Note that
+ // (a) as Dims<4>-dependent code is eliminated, the reliance on this should be
+ // reduced, and (b) some kernels are stricly 4-D, but then the shapes of their
+ // inputs should already be 4-D, so this function should not be needed.
+ inline static RuntimeShape ExtendedShape(int new_shape_size,
+ const RuntimeShape& shape) {
+ return RuntimeShape(new_shape_size, shape, 1);
+ }
+
+ inline void BuildFrom(const std::initializer_list<int> init_list) {
+ BuildFrom<const std::initializer_list<int>>(init_list);
+ }
+
+ // Returns the total count of elements, that is the size when flattened into a
+ // vector.
+ inline int FlatSize() const {
+ int buffer_size = 1;
+ const int* dims_data = DimsData();
+ for (int i = 0; i < size_; i++) {
+ const int dim = dims_data[i];
+ TFLITE_DCHECK_GE(dim, 1);
+ buffer_size *= dim;
+ }
+ return buffer_size;
+ }
+
+ bool operator!=(const RuntimeShape& comp) const { return !((*this) == comp); }
+
+ private:
+ // For use only by ExtendedShape(), written to guarantee (return-value) copy
+ // elision in C++17.
+ // This creates a shape padded to the desired size with the specified value.
+ RuntimeShape(int new_shape_size, const RuntimeShape& shape, int pad_value)
+ : size_(0) {
+ TFLITE_CHECK_GE(new_shape_size, shape.DimensionsCount());
+ TFLITE_CHECK_LE(new_shape_size, kMaxSmallSize);
+ Resize(new_shape_size);
+ const int size_increase = new_shape_size - shape.DimensionsCount();
+ for (int i = 0; i < size_increase; ++i) {
+ SetDim(i, pad_value);
+ }
+ std::memcpy(DimsData() + size_increase, shape.DimsData(),
+ sizeof(int32) * shape.DimensionsCount());
+ }
+
+ int32 size_;
+ union {
+ int32 dims_[kMaxSmallSize];
+ int32* dims_pointer_;
+ };
+};
+
+// Converts inference-style shape to legacy tflite::Dims<4>.
+inline tflite::Dims<4> ToRuntimeDims(const tflite::RuntimeShape& array_shape) {
+ tflite::Dims<4> result;
+ const int dimensions_count = array_shape.DimensionsCount();
+ TFLITE_CHECK_LE(dimensions_count, 4);
+ int cum_prod = 1;
+ for (int i = 0; i < 4; i++) {
+ const int new_dim =
+ (i < dimensions_count) ? array_shape.Dims(dimensions_count - 1 - i) : 1;
+ result.sizes[i] = new_dim;
+ result.strides[i] = cum_prod;
+ cum_prod *= new_dim;
+ }
+ return result;
+}
+
+// TODO(b/80418076): Move to legacy ops file, update invocations.
+inline RuntimeShape DimsToShape(const tflite::Dims<4>& dims) {
+ return RuntimeShape(
+ {dims.sizes[3], dims.sizes[2], dims.sizes[1], dims.sizes[0]});
+}
+
+// Gets next index to iterate through a multidimensional array.
+inline bool NextIndex(const int num_dims, const int* dims, int* current) {
+ if (num_dims == 0) {
+ return false;
+ }
+ TFLITE_DCHECK(dims != nullptr);
+ TFLITE_DCHECK(current != nullptr);
+ int carry = 1;
+ for (int idx = num_dims - 1; idx >= 0; --idx) {
+ int current_val = current[idx] + carry;
+ TFLITE_DCHECK_GE(dims[idx], current_val);
+ if (dims[idx] == current_val) {
+ current[idx] = 0;
+ } else {
+ current[idx] = current_val;
+ carry = 0;
+ break;
+ }
+ }
+ return (carry == 0);
+}
+
+// Gets offset of index if reducing on axis. When reducing, the flattened offset
+// will not change, if the input index changes on the given axis. For example,
+// if you have a 3D tensor and you are reducing to 2D by eliminating axis 0,
+// then index (0, 1, 2) and index (1, 1, 2) will map to the same flattened
+// offset.
+// TODO(kanlig): uses Dims to represent dimensions.
+inline size_t ReducedOutputOffset(const int num_dims, const int* dims,
+ const int* index, const int num_axis,
+ const int* axis) {
+ if (num_dims == 0) {
+ return 0;
+ }
+ TFLITE_DCHECK(dims != nullptr);
+ TFLITE_DCHECK(index != nullptr);
+ size_t offset = 0;
+ for (int idx = 0; idx < num_dims; ++idx) {
+ // if we need to skip this axis
+ bool is_axis = false;
+ if (axis != nullptr) {
+ for (int axis_idx = 0; axis_idx < num_axis; ++axis_idx) {
+ if (idx == axis[axis_idx]) {
+ is_axis = true;
+ break;
+ }
+ }
+ }
+ if (!is_axis) {
+ offset = offset * static_cast<size_t>(dims[idx]) +
+ static_cast<size_t>(index[idx]);
+ }
+ }
+ return offset;
+}
+
+inline int Offset(const RuntimeShape& shape, int i0, int i1, int i2, int i3) {
+ TFLITE_DCHECK_EQ(shape.DimensionsCount(), 4);
+ const int* dims_data = shape.DimsDataUpTo4D();
+ TFLITE_DCHECK(i0 >= 0 && i0 < dims_data[0]);
+ TFLITE_DCHECK(i1 >= 0 && i1 < dims_data[1]);
+ TFLITE_DCHECK(i2 >= 0 && i2 < dims_data[2]);
+ TFLITE_DCHECK(i3 >= 0 && i3 < dims_data[3]);
+ return ((i0 * dims_data[1] + i1) * dims_data[2] + i2) * dims_data[3] + i3;
+}
+
+inline int Offset(const Dims<4>& dims, int i0, int i1, int i2, int i3) {
+ TFLITE_DCHECK(i0 >= 0 && i0 < dims.sizes[0]);
+ TFLITE_DCHECK(i1 >= 0 && i1 < dims.sizes[1]);
+ TFLITE_DCHECK(i2 >= 0 && i2 < dims.sizes[2]);
+ TFLITE_DCHECK(i3 >= 0 && i3 < dims.sizes[3]);
+ return i0 * dims.strides[0] + i1 * dims.strides[1] + i2 * dims.strides[2] +
+ i3 * dims.strides[3];
+}
+
+inline int Offset(const Dims<4>& dims, int* index) {
+ return Offset(dims, index[0], index[1], index[2], index[3]);
+}
+
+inline int Offset(const RuntimeShape& shape, int* index) {
+ return Offset(shape, index[0], index[1], index[2], index[3]);
+}
+
+// Get array size, DCHECKing that the dim index is in range.
+//
+// Note that this will be phased out with Dims<4>, since RuntimeShape::Dims()
+// already performs this check.
+template <int N>
+int ArraySize(const Dims<N>& array, int index) {
+ TFLITE_DCHECK(index >= 0 && index < N);
+ return array.sizes[index];
+}
+
+// Get common array size, DCHECKing that they all agree.
+template <typename ArrayType1, typename ArrayType2>
+int MatchingArraySize(const ArrayType1& array1, int index1,
+ const ArrayType2& array2, int index2) {
+ TFLITE_DCHECK_EQ(ArraySize(array1, index1), ArraySize(array2, index2));
+ return ArraySize(array1, index1);
+}
+
+template <typename ArrayType1, typename ArrayType2, typename... Args>
+int MatchingArraySize(const ArrayType1& array1, int index1,
+ const ArrayType2& array2, int index2, Args... args) {
+ TFLITE_DCHECK_EQ(ArraySize(array1, index1), ArraySize(array2, index2));
+ return MatchingArraySize(array1, index1, args...);
+}
+
+// Get common shape dim, DCHECKing that they all agree.
+inline int MatchingDim(const RuntimeShape& shape1, int index1,
+ const RuntimeShape& shape2, int index2) {
+ TFLITE_DCHECK_EQ(shape1.Dims(index1), shape2.Dims(index2));
+ return shape1.Dims(index1);
+}
+
+template <typename... Args>
+int MatchingDim(const RuntimeShape& shape1, int index1,
+ const RuntimeShape& shape2, int index2, Args... args) {
+ TFLITE_DCHECK_EQ(shape1.Dims(index1), shape2.Dims(index2));
+ return MatchingDim(shape1, index1, args...);
+}
+
+// Will be phased out with Dims<4>, replaced by RuntimeShape::FlatSize().
+template <int N>
+inline int FlatSize(const Dims<N>& dims) {
+ int flat_size = 1;
+ for (int i = 0; i < N; ++i) {
+ flat_size *= dims.sizes[i];
+ }
+ return flat_size;
+}
+
+ABSL_DEPRECATED("Prefer FlatSize.")
+inline int RequiredBufferSizeForDims(const Dims<4>& dims) {
+ return FlatSize(dims);
+}
+
+// Flat size calculation, checking that dimensions match with one or more other
+// arrays.
+inline int MatchingFlatSize(const RuntimeShape& shape,
+ const RuntimeShape& check_shape_0) {
+ TFLITE_DCHECK_EQ(shape.DimensionsCount(), check_shape_0.DimensionsCount());
+ const int dims_count = shape.DimensionsCount();
+ for (int i = 0; i < dims_count; ++i) {
+ TFLITE_DCHECK_EQ(shape.Dims(i), check_shape_0.Dims(i));
+ }
+ return shape.FlatSize();
+}
+
+inline int MatchingFlatSize(const RuntimeShape& shape,
+ const RuntimeShape& check_shape_0,
+ const RuntimeShape& check_shape_1) {
+ TFLITE_DCHECK_EQ(shape.DimensionsCount(), check_shape_0.DimensionsCount());
+ const int dims_count = shape.DimensionsCount();
+ for (int i = 0; i < dims_count; ++i) {
+ TFLITE_DCHECK_EQ(shape.Dims(i), check_shape_0.Dims(i));
+ }
+ return MatchingFlatSize(shape, check_shape_1);
+}
+
+inline int MatchingFlatSize(const RuntimeShape& shape,
+ const RuntimeShape& check_shape_0,
+ const RuntimeShape& check_shape_1,
+ const RuntimeShape& check_shape_2) {
+ TFLITE_DCHECK_EQ(shape.DimensionsCount(), check_shape_0.DimensionsCount());
+ const int dims_count = shape.DimensionsCount();
+ for (int i = 0; i < dims_count; ++i) {
+ TFLITE_DCHECK_EQ(shape.Dims(i), check_shape_0.Dims(i));
+ }
+ return MatchingFlatSize(shape, check_shape_1, check_shape_2);
+}
+
+inline int MatchingFlatSize(const RuntimeShape& shape,
+ const RuntimeShape& check_shape_0,
+ const RuntimeShape& check_shape_1,
+ const RuntimeShape& check_shape_2,
+ const RuntimeShape& check_shape_3) {
+ TFLITE_DCHECK_EQ(shape.DimensionsCount(), check_shape_0.DimensionsCount());
+ const int dims_count = shape.DimensionsCount();
+ for (int i = 0; i < dims_count; ++i) {
+ TFLITE_DCHECK_EQ(shape.Dims(i), check_shape_0.Dims(i));
+ }
+ return MatchingFlatSize(shape, check_shape_1, check_shape_2, check_shape_3);
+}
+
+// Flat size calculation, checking that dimensions match with one or more other
+// arrays.
+template <int N>
+inline int MatchingFlatSize(const Dims<N>& dims, const Dims<N>& check_dims_0) {
+ for (int i = 0; i < N; ++i) {
+ TFLITE_DCHECK_EQ(ArraySize(dims, i), ArraySize(check_dims_0, i));
+ }
+ return FlatSize(dims);
+}
+
+template <int N>
+inline int MatchingFlatSize(const Dims<N>& dims, const Dims<N>& check_dims_0,
+ const Dims<N>& check_dims_1) {
+ for (int i = 0; i < N; ++i) {
+ TFLITE_DCHECK_EQ(ArraySize(dims, i), ArraySize(check_dims_0, i));
+ }
+ return MatchingFlatSize(dims, check_dims_1);
+}
+
+template <int N>
+inline int MatchingFlatSize(const Dims<N>& dims, const Dims<N>& check_dims_0,
+ const Dims<N>& check_dims_1,
+ const Dims<N>& check_dims_2) {
+ for (int i = 0; i < N; ++i) {
+ TFLITE_DCHECK_EQ(ArraySize(dims, i), ArraySize(check_dims_0, i));
+ }
+ return MatchingFlatSize(dims, check_dims_1, check_dims_2);
+}
+
+template <int N>
+inline int MatchingFlatSize(const Dims<N>& dims, const Dims<N>& check_dims_0,
+ const Dims<N>& check_dims_1,
+ const Dims<N>& check_dims_2,
+ const Dims<N>& check_dims_3) {
+ for (int i = 0; i < N; ++i) {
+ TFLITE_DCHECK_EQ(ArraySize(dims, i), ArraySize(check_dims_0, i));
+ }
+ return MatchingFlatSize(dims, check_dims_1, check_dims_2, check_dims_3);
+}
+
+// Data is required to be contiguous, and so many operators can use either the
+// full array flat size or the flat size with one dimension skipped (commonly
+// the depth).
+template <int N>
+inline int FlatSizeSkipDim(const Dims<N>& dims, int skip_dim) {
+ TFLITE_DCHECK(skip_dim >= 0 && skip_dim < N);
+ int flat_size = 1;
+ for (int i = 0; i < N; ++i) {
+ flat_size *= (i == skip_dim) ? 1 : dims.sizes[i];
+ }
+ return flat_size;
+}
+
+// A combination of MatchingFlatSize() and FlatSizeSkipDim().
+template <int N>
+inline int MatchingFlatSizeSkipDim(const Dims<N>& dims, int skip_dim,
+ const Dims<N>& check_dims_0) {
+ for (int i = 0; i < N; ++i) {
+ if (i != skip_dim) {
+ TFLITE_DCHECK_EQ(ArraySize(dims, i), ArraySize(check_dims_0, i));
+ }
+ }
+ return FlatSizeSkipDim(dims, skip_dim);
+}
+
+template <int N>
+inline int MatchingFlatSizeSkipDim(const Dims<N>& dims, int skip_dim,
+ const Dims<N>& check_dims_0,
+ const Dims<N>& check_dims_1) {
+ for (int i = 0; i < N; ++i) {
+ if (i != skip_dim) {
+ TFLITE_DCHECK_EQ(ArraySize(dims, i), ArraySize(check_dims_0, i));
+ }
+ }
+ return MatchingFlatSizeSkipDim(dims, skip_dim, check_dims_1);
+}
+
+template <int N>
+inline int MatchingFlatSizeSkipDim(const Dims<N>& dims, int skip_dim,
+ const Dims<N>& check_dims_0,
+ const Dims<N>& check_dims_1,
+ const Dims<N>& check_dims_2) {
+ for (int i = 0; i < N; ++i) {
+ if (i != skip_dim) {
+ TFLITE_DCHECK_EQ(ArraySize(dims, i), ArraySize(check_dims_0, i));
+ }
+ }
+ return MatchingFlatSizeSkipDim(dims, skip_dim, check_dims_1, check_dims_2);
+}
+
+template <int N>
+inline int MatchingFlatSizeSkipDim(const Dims<N>& dims, int skip_dim,
+ const Dims<N>& check_dims_0,
+ const Dims<N>& check_dims_1,
+ const Dims<N>& check_dims_2,
+ const Dims<N>& check_dims_3) {
+ for (int i = 0; i < N; ++i) {
+ if (i != skip_dim) {
+ TFLITE_DCHECK_EQ(ArraySize(dims, i), ArraySize(check_dims_0, i));
+ }
+ }
+ return MatchingFlatSizeSkipDim(dims, skip_dim, check_dims_1, check_dims_2,
+ check_dims_3);
+}
+
+// Data is required to be contiguous, and so many operators can use either the
+// full array flat size or the flat size with one dimension skipped (commonly
+// the depth).
+inline int FlatSizeSkipDim(const RuntimeShape& shape, int skip_dim) {
+ const int dims_count = shape.DimensionsCount();
+ TFLITE_DCHECK(skip_dim >= 0 && skip_dim < dims_count);
+ const auto* dims_data = shape.DimsData();
+ int flat_size = 1;
+ for (int i = 0; i < dims_count; ++i) {
+ flat_size *= (i == skip_dim) ? 1 : dims_data[i];
+ }
+ return flat_size;
+}
+
+// A combination of MatchingFlatSize() and FlatSizeSkipDim().
+inline int MatchingFlatSizeSkipDim(const RuntimeShape& shape, int skip_dim,
+ const RuntimeShape& check_shape_0) {
+ const int dims_count = shape.DimensionsCount();
+ for (int i = 0; i < dims_count; ++i) {
+ if (i != skip_dim) {
+ TFLITE_DCHECK_EQ(shape.Dims(i), check_shape_0.Dims(i));
+ }
+ }
+ return FlatSizeSkipDim(shape, skip_dim);
+}
+
+inline int MatchingFlatSizeSkipDim(const RuntimeShape& shape, int skip_dim,
+ const RuntimeShape& check_shape_0,
+ const RuntimeShape& check_shape_1) {
+ const int dims_count = shape.DimensionsCount();
+ for (int i = 0; i < dims_count; ++i) {
+ if (i != skip_dim) {
+ TFLITE_DCHECK_EQ(shape.Dims(i), check_shape_0.Dims(i));
+ }
+ }
+ return MatchingFlatSizeSkipDim(shape, skip_dim, check_shape_1);
+}
+
+inline int MatchingFlatSizeSkipDim(const RuntimeShape& shape, int skip_dim,
+ const RuntimeShape& check_shape_0,
+ const RuntimeShape& check_shape_1,
+ const RuntimeShape& check_shape_2) {
+ const int dims_count = shape.DimensionsCount();
+ for (int i = 0; i < dims_count; ++i) {
+ if (i != skip_dim) {
+ TFLITE_DCHECK_EQ(shape.Dims(i), check_shape_0.Dims(i));
+ }
+ }
+ return MatchingFlatSizeSkipDim(shape, skip_dim, check_shape_1, check_shape_2);
+}
+
+inline int MatchingFlatSizeSkipDim(const RuntimeShape& shape, int skip_dim,
+ const RuntimeShape& check_shape_0,
+ const RuntimeShape& check_shape_1,
+ const RuntimeShape& check_shape_2,
+ const RuntimeShape& check_shape_3) {
+ const int dims_count = shape.DimensionsCount();
+ for (int i = 0; i < dims_count; ++i) {
+ if (i != skip_dim) {
+ TFLITE_DCHECK_EQ(shape.Dims(i), check_shape_0.Dims(i));
+ }
+ }
+ return MatchingFlatSizeSkipDim(shape, skip_dim, check_shape_1, check_shape_2,
+ check_shape_3);
+}
+
+template <int N>
+bool IsPackedWithoutStrides(const Dims<N>& dims) {
+ int expected_stride = 1;
+ for (int d = 0; d < N; d++) {
+ if (dims.strides[d] != expected_stride) return false;
+ expected_stride *= dims.sizes[d];
+ }
+ return true;
+}
+
+template <int N>
+void ComputeStrides(Dims<N>* dims) {
+ dims->strides[0] = 1;
+ for (int d = 1; d < N; d++) {
+ dims->strides[d] = dims->strides[d - 1] * dims->sizes[d - 1];
+ }
+}
+
+enum class BroadcastableOpCategory : uint8 {
+ kNone,
+ kNonBroadcast, // Matching input shapes.
+ kFirstInputBroadcastsFast, // Fivefold nested loops.
+ kSecondInputBroadcastsFast, // Fivefold nested loops.
+ kGenericBroadcast, // Fall-back.
+};
+
+struct MinMax {
+ float min;
+ float max;
+};
+static_assert(sizeof(MinMax) == 8, "");
+
+struct ActivationParams {
+ FusedActivationFunctionType activation_type;
+ // uint8, etc, activation params.
+ int32 quantized_activation_min;
+ int32 quantized_activation_max;
+};
+
+// For Add, Sub, Mul ops.
+struct ArithmeticParams {
+ // Shape dependent / common to data / op types.
+ BroadcastableOpCategory broadcast_category;
+ // uint8 inference params.
+ int32 input1_offset;
+ int32 input2_offset;
+ int32 output_offset;
+ int32 output_multiplier;
+ int output_shift;
+ // Add / Sub, not Mul, uint8 inference params.
+ int left_shift;
+ int32 input1_multiplier;
+ int input1_shift;
+ int32 input2_multiplier;
+ int input2_shift;
+ // uint8, etc, activation params.
+ int32 quantized_activation_min;
+ int32 quantized_activation_max;
+ // float activation params.
+ float float_activation_min;
+ float float_activation_max;
+
+ // Processed output dimensions.
+ // Let input "a" be the one that broadcasts in the faster-changing dimension.
+ // Then, after coalescing, for shapes {a0, a1, a2, a3, a4} and
+ // {b0, b1, b2, b3, b4},
+ // broadcast_shape[4] = b0 = a0.
+ // broadcast_shape[3] = b1; a1 = 1.
+ // broadcast_shape[2] = b2 = a2.
+ // broadcast_shape[1] = a3; b3 = 1.
+ // broadcast_shape[0] = b4 = a4.
+ int broadcast_shape[5];
+};
+
+struct ConcatenationParams {
+ int8 axis;
+ const int32* input_zeropoint;
+ const float* input_scale;
+ uint16 inputs_count;
+ int32 output_zeropoint;
+ float output_scale;
+};
+
+struct ComparisonParams {
+ // uint8 inference params.
+ int left_shift;
+ int32 input1_offset;
+ int32 input1_multiplier;
+ int input1_shift;
+ int32 input2_offset;
+ int32 input2_multiplier;
+ int input2_shift;
+ // Shape dependent / common to inference types.
+ bool is_broadcast;
+};
+
+struct ConvParams {
+ PaddingType padding_type;
+ PaddingValues padding_values;
+ // TODO(starka): This was just "stride", so check that width+height is OK.
+ int16 stride_width;
+ int16 stride_height;
+ int16 dilation_width_factor;
+ int16 dilation_height_factor;
+ // uint8 inference params.
+ // TODO(b/65838351): Use smaller types if appropriate.
+ int32 input_offset;
+ int32 weights_offset;
+ int32 output_offset;
+ int32 output_multiplier;
+ int output_shift;
+ // uint8, etc, activation params.
+ int32 quantized_activation_min;
+ int32 quantized_activation_max;
+ // float activation params.
+ float float_activation_min;
+ float float_activation_max;
+};
+
+struct DepthToSpaceParams {
+ int32 block_size;
+};
+
+struct DepthwiseParams {
+ PaddingType padding_type;
+ PaddingValues padding_values;
+ int16 stride_width;
+ int16 stride_height;
+ int16 dilation_width_factor;
+ int16 dilation_height_factor;
+ int16 depth_multiplier;
+ // uint8 inference params.
+ // TODO(b/65838351): Use smaller types if appropriate.
+ int32 input_offset;
+ int32 weights_offset;
+ int32 output_offset;
+ int32 output_multiplier;
+ int output_shift;
+ // uint8, etc, activation params.
+ int32 quantized_activation_min;
+ int32 quantized_activation_max;
+ // float activation params.
+ float float_activation_min;
+ float float_activation_max;
+};
+
+struct DequantizationParams {
+ double scale;
+ int32 zero_point;
+};
+
+struct FakeQuantParams {
+ MinMax minmax;
+ int32 num_bits;
+};
+
+struct FullyConnectedParams {
+ // uint8 inference params.
+ // TODO(b/65838351): Use smaller types if appropriate.
+ int32 input_offset;
+ int32 weights_offset;
+ int32 output_offset;
+ int32 output_multiplier;
+ int output_shift;
+ // uint8, etc, activation params.
+ int32 quantized_activation_min;
+ int32 quantized_activation_max;
+ // float activation params.
+ float float_activation_min;
+ float float_activation_max;
+ FullyConnectedWeightsFormat weights_format;
+};
+
+struct GatherParams {
+ int16 input_rank;
+ int16 axis;
+};
+
+struct L2NormalizationParams {
+ // uint8 inference params.
+ int32 input_zero_point;
+};
+
+struct LocalResponseNormalizationParams {
+ int32 range;
+ double bias;
+ double alpha;
+ double beta;
+};
+
+struct LogisticParams {
+ // uint8 inference params.
+ int32 input_zero_point;
+ int32 input_range_radius;
+ int32 input_multiplier;
+ int input_left_shift;
+};
+
+struct LstmCellParams {
+ int32 weights_zero_point;
+ int32 accum_multiplier;
+ int accum_shift;
+ int state_integer_bits;
+};
+
+struct MeanParams {
+ int8 axis_count;
+ int16 axis[4];
+};
+
+struct PadParams {
+ int8 left_padding_count;
+ int32 left_padding[4];
+ int8 right_padding_count;
+ int32 right_padding[4];
+};
+
+struct PoolParams {
+ FusedActivationFunctionType activation;
+ PaddingType padding_type;
+ PaddingValues padding_values;
+ int stride_height;
+ int stride_width;
+ int filter_height;
+ int filter_width;
+ // uint8, etc, activation params.
+ int32 quantized_activation_min;
+ int32 quantized_activation_max;
+ // float activation params.
+ float float_activation_min;
+ float float_activation_max;
+};
+
+struct ReshapeParams {
+ int8 shape_count;
+ int32 shape[4];
+};
+
+struct ResizeBilinearParams {
+ bool align_corners;
+};
+
+struct SliceParams {
+ int8 begin_count;
+ int32 begin[4];
+ int8 size_count;
+ int32 size[4];
+};
+
+struct SoftmaxParams {
+ // beta is not really used (not a Tensorflow parameter) and not implemented
+ // for LogSoftmax.
+ double beta;
+ // uint8 inference params. Used even when beta defaults to 1.0.
+ int32 input_multiplier;
+ int32 input_left_shift;
+ // Reverse scaling is only used by LogSoftmax.
+ int32 reverse_scaling_divisor;
+ int32 reverse_scaling_right_shift;
+ int diff_min;
+};
+
+struct SpaceToBatchParams {
+ // "Zero" padding for uint8 means padding with the output offset.
+ int32 output_offset;
+};
+
+struct SpaceToDepthParams {
+ int32 block_size;
+};
+
+struct SplitParams {
+ // Graphs that split into, say, 2000 nodes are encountered. The indices in
+ // OperatorEdges are of type uint16.
+ uint16 num_split;
+ int16 axis;
+};
+
+struct SqueezeParams {
+ int8 squeeze_dims_count;
+ int32 squeeze_dims[4];
+};
+
+struct StridedSliceParams {
+ int8 start_indices_count;
+ int16 start_indices[4];
+ int8 stop_indices_count;
+ int16 stop_indices[4];
+ int8 strides_count;
+ int16 strides[4];
+
+ int16 begin_mask;
+ int16 ellipsis_mask;
+ int16 end_mask;
+ int16 new_axis_mask;
+ int16 shrink_axis_mask;
+};
+
+struct TanhParams {
+ int32 input_zero_point;
+ int32 input_range_radius;
+ int32 input_multiplier;
+ int input_left_shift;
+};
+
+struct TransposeParams {
+ int8 perm_count;
+ int32 perm[4];
+};
+
+template <typename P>
+inline void SetActivationParams(float min, float max, P* params) {
+ params->float_activation_min = min;
+ params->float_activation_max = max;
+}
+
+template <typename P>
+inline void SetActivationParams(int32 min, int32 max, P* params) {
+ params->quantized_activation_min = min;
+ params->quantized_activation_max = max;
+}
+
+template <typename P>
+inline void GetActivationParams(const P& params, int32* min, int32* max) {
+ *min = params.quantized_activation_min;
+ *max = params.quantized_activation_max;
+}
+
+template <typename P>
+inline void GetActivationParams(const P& params, float* min, float* max) {
+ *min = params.float_activation_min;
+ *max = params.float_activation_max;
+}
+
+} // namespace tflite
+
+#endif // TENSORFLOW_CONTRIB_LITE_KERNELS_INTERNAL_TYPES_H_
diff --git a/tensorflow/contrib/lite/kernels/lsh_projection.cc b/tensorflow/contrib/lite/kernels/lsh_projection.cc
new file mode 100644
index 0000000..3163379
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/lsh_projection.cc
@@ -0,0 +1,203 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+
+// LSH Projection projects an input to a bit vector via locality sensitive
+// hashing.
+//
+// Options:
+// Sparse:
+// Computed bit vector is considered to be sparse.
+// Each output element is an int32 made up by multiple bits computed from
+// hash functions.
+//
+// Dense:
+// Computed bit vector is considered to be dense. Each output element is
+// either 0 or 1 that represents a bit.
+//
+// Input:
+// Tensor[0]: Hash functions. Dim.size == 2, DataType: Float.
+// Tensor[0].Dim[0]: Num of hash functions.
+// Tensor[0].Dim[1]: Num of projected output bits generated by
+// each hash function.
+// In sparse case, Tensor[0].Dim[1] + ceil( log2(Tensor[0].Dim[0] )) <= 32.
+//
+// Tensor[1]: Input. Dim.size >= 1, No restriction on DataType.
+// Tensor[2]: Optional, Weight. Dim.size == 1, DataType: Float.
+// If not set, each element of input is considered to have same
+// weight of 1.0 Tensor[1].Dim[0] == Tensor[2].Dim[0]
+//
+// Output:
+// Sparse:
+// Output.Dim == { Tensor[0].Dim[0] }
+// A tensor of int32 that represents hash signatures,
+//
+// NOTE: To avoid collisions across hash functions, an offset value of
+// k * (1 << Tensor[0].Dim[1]) will be added to each signature,
+// k is the index of the hash function.
+// Dense:
+// Output.Dim == { Tensor[0].Dim[0] * Tensor[0].Dim[1] }
+// A flattened tensor represents projected bit vectors.
+
+#include <cassert>
+#include <cmath>
+#include <cstdio>
+#include <cstdlib>
+#include <cstring>
+#include <iostream>
+#include <limits>
+#include <memory>
+
+#include "tensorflow/contrib/lite/c/builtin_op_data.h"
+#include "tensorflow/contrib/lite/c/c_api_internal.h"
+#include "tensorflow/contrib/lite/kernels/kernel_util.h"
+#include "tensorflow/contrib/lite/kernels/op_macros.h"
+#include "utils/hash/farmhash.h"
+
+namespace tflite {
+namespace ops {
+namespace builtin {
+namespace lsh_projection {
+
+TfLiteStatus Resize(TfLiteContext* context, TfLiteNode* node) {
+ auto* params =
+ reinterpret_cast<TfLiteLSHProjectionParams*>(node->builtin_data);
+ TF_LITE_ENSURE(context, NumInputs(node) == 2 || NumInputs(node) == 3);
+ TF_LITE_ENSURE_EQ(context, NumOutputs(node), 1);
+
+ const TfLiteTensor* hash = GetInput(context, node, 0);
+ TF_LITE_ENSURE_EQ(context, NumDimensions(hash), 2);
+ // Support up to 32 bits.
+ TF_LITE_ENSURE(context, SizeOfDimension(hash, 1) <= 32);
+
+ const TfLiteTensor* input = GetInput(context, node, 1);
+ TF_LITE_ENSURE(context, NumDimensions(input) >= 1);
+
+ if (NumInputs(node) == 3) {
+ const TfLiteTensor* weight = GetInput(context, node, 2);
+ TF_LITE_ENSURE_EQ(context, NumDimensions(weight), 1);
+ TF_LITE_ENSURE_EQ(context, SizeOfDimension(weight, 0),
+ SizeOfDimension(input, 0));
+ }
+
+ TfLiteTensor* output = GetOutput(context, node, 0);
+ TfLiteIntArray* outputSize = TfLiteIntArrayCreate(1);
+ switch (params->type) {
+ case kTfLiteLshProjectionSparse:
+ outputSize->data[0] = SizeOfDimension(hash, 0);
+ break;
+ case kTfLiteLshProjectionDense:
+ outputSize->data[0] = SizeOfDimension(hash, 0) * SizeOfDimension(hash, 1);
+ break;
+ default:
+ return kTfLiteError;
+ }
+ return context->ResizeTensor(context, output, outputSize);
+}
+
+// Compute sign bit of dot product of hash(seed, input) and weight.
+// NOTE: use float as seed, and convert it to double as a temporary solution
+// to match the trained model. This is going to be changed once the new
+// model is trained in an optimized method.
+//
+int RunningSignBit(const TfLiteTensor* input, const TfLiteTensor* weight,
+ float seed) {
+ double score = 0.0;
+ int input_item_bytes = input->bytes / SizeOfDimension(input, 0);
+ char* input_ptr = input->data.raw;
+
+ const size_t seed_size = sizeof(float);
+ const size_t key_bytes = sizeof(float) + input_item_bytes;
+ std::unique_ptr<char[]> key(new char[key_bytes]);
+
+ for (int i = 0; i < SizeOfDimension(input, 0); ++i) {
+ // Create running hash id and value for current dimension.
+ memcpy(key.get(), &seed, seed_size);
+ memcpy(key.get() + seed_size, input_ptr, input_item_bytes);
+
+ int64_t hash_signature = farmhash::Fingerprint64(key.get(), key_bytes);
+ double running_value = static_cast<double>(hash_signature);
+ input_ptr += input_item_bytes;
+ if (weight == nullptr) {
+ score += running_value;
+ } else {
+ score += weight->data.f[i] * running_value;
+ }
+ }
+
+ return (score > 0) ? 1 : 0;
+}
+
+void SparseLshProjection(const TfLiteTensor* hash, const TfLiteTensor* input,
+ const TfLiteTensor* weight, int32_t* out_buf) {
+ int num_hash = SizeOfDimension(hash, 0);
+ int num_bits = SizeOfDimension(hash, 1);
+ for (int i = 0; i < num_hash; i++) {
+ int32_t hash_signature = 0;
+ for (int j = 0; j < num_bits; j++) {
+ float seed = hash->data.f[i * num_bits + j];
+ int bit = RunningSignBit(input, weight, seed);
+ hash_signature = (hash_signature << 1) | bit;
+ }
+ *out_buf++ = hash_signature + i * (1 << num_bits);
+ }
+}
+
+void DenseLshProjection(const TfLiteTensor* hash, const TfLiteTensor* input,
+ const TfLiteTensor* weight, int32_t* out_buf) {
+ int num_hash = SizeOfDimension(hash, 0);
+ int num_bits = SizeOfDimension(hash, 1);
+ for (int i = 0; i < num_hash; i++) {
+ for (int j = 0; j < num_bits; j++) {
+ float seed = hash->data.f[i * num_bits + j];
+ int bit = RunningSignBit(input, weight, seed);
+ *out_buf++ = bit;
+ }
+ }
+}
+
+TfLiteStatus Eval(TfLiteContext* context, TfLiteNode* node) {
+ auto* params =
+ reinterpret_cast<TfLiteLSHProjectionParams*>(node->builtin_data);
+
+ int32_t* out_buf = GetOutput(context, node, 0)->data.i32;
+ const TfLiteTensor* hash = GetInput(context, node, 0);
+ const TfLiteTensor* input = GetInput(context, node, 1);
+ const TfLiteTensor* weight =
+ NumInputs(node) == 2 ? nullptr : GetInput(context, node, 2);
+
+ switch (params->type) {
+ case kTfLiteLshProjectionDense:
+ DenseLshProjection(hash, input, weight, out_buf);
+ break;
+ case kTfLiteLshProjectionSparse:
+ SparseLshProjection(hash, input, weight, out_buf);
+ break;
+ default:
+ return kTfLiteError;
+ }
+
+ return kTfLiteOk;
+}
+} // namespace lsh_projection
+
+TfLiteRegistration* Register_LSH_PROJECTION() {
+ static TfLiteRegistration r = {nullptr, nullptr, lsh_projection::Resize,
+ lsh_projection::Eval};
+ return &r;
+}
+
+} // namespace builtin
+} // namespace ops
+} // namespace tflite
diff --git a/tensorflow/contrib/lite/kernels/register.cc b/tensorflow/contrib/lite/kernels/register.cc
new file mode 100644
index 0000000..3e80638
--- /dev/null
+++ b/tensorflow/contrib/lite/kernels/register.cc
@@ -0,0 +1,268 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+
+#include "tensorflow/contrib/lite/kernels/register.h"
+#include "tensorflow/contrib/lite/util.h"
+
+namespace tflite {
+namespace ops {
+
+namespace custom {
+
+TfLiteRegistration* Register_AUDIO_SPECTROGRAM();
+TfLiteRegistration* Register_LAYER_NORM_LSTM();
+TfLiteRegistration* Register_MFCC();
+TfLiteRegistration* Register_DETECTION_POSTPROCESS();
+TfLiteRegistration* Register_RELU_1();
+
+} // namespace custom
+
+namespace builtin {
+
+TfLiteRegistration* Register_RELU();
+TfLiteRegistration* Register_RELU_N1_TO_1();
+TfLiteRegistration* Register_RELU6();
+TfLiteRegistration* Register_TANH();
+TfLiteRegistration* Register_LOGISTIC();
+TfLiteRegistration* Register_AVERAGE_POOL_2D();
+TfLiteRegistration* Register_MAX_POOL_2D();
+TfLiteRegistration* Register_L2_POOL_2D();
+TfLiteRegistration* Register_CONV_2D();
+TfLiteRegistration* Register_DEPTHWISE_CONV_2D();
+TfLiteRegistration* Register_SVDF();
+TfLiteRegistration* Register_RNN();
+TfLiteRegistration* Register_BIDIRECTIONAL_SEQUENCE_RNN();
+TfLiteRegistration* Register_UNIDIRECTIONAL_SEQUENCE_RNN();
+TfLiteRegistration* Register_EMBEDDING_LOOKUP();
+TfLiteRegistration* Register_EMBEDDING_LOOKUP_SPARSE();
+TfLiteRegistration* Register_FULLY_CONNECTED();
+TfLiteRegistration* Register_LSH_PROJECTION();
+TfLiteRegistration* Register_HASHTABLE_LOOKUP();
+TfLiteRegistration* Register_SOFTMAX();
+TfLiteRegistration* Register_CONCATENATION();
+TfLiteRegistration* Register_ADD();
+TfLiteRegistration* Register_SPACE_TO_BATCH_ND();
+TfLiteRegistration* Register_DIV();
+TfLiteRegistration* Register_SUB();
+TfLiteRegistration* Register_BATCH_TO_SPACE_ND();
+TfLiteRegistration* Register_MUL();
+TfLiteRegistration* Register_L2_NORMALIZATION();
+TfLiteRegistration* Register_LOCAL_RESPONSE_NORMALIZATION();
+TfLiteRegistration* Register_LSTM();
+TfLiteRegistration* Register_BIDIRECTIONAL_SEQUENCE_LSTM();
+TfLiteRegistration* Register_UNIDIRECTIONAL_SEQUENCE_LSTM();
+TfLiteRegistration* Register_PAD();
+TfLiteRegistration* Register_PADV2();
+TfLiteRegistration* Register_RESHAPE();
+TfLiteRegistration* Register_RESIZE_BILINEAR();
+TfLiteRegistration* Register_SKIP_GRAM();
+TfLiteRegistration* Register_SPACE_TO_DEPTH();
+TfLiteRegistration* Register_GATHER();
+TfLiteRegistration* Register_TRANSPOSE();
+TfLiteRegistration* Register_MEAN();
+TfLiteRegistration* Register_SPLIT();
+TfLiteRegistration* Register_SQUEEZE();
+TfLiteRegistration* Register_STRIDED_SLICE();
+TfLiteRegistration* Register_EXP();
+TfLiteRegistration* Register_TOPK_V2();
+TfLiteRegistration* Register_LOG();
+TfLiteRegistration* Register_LOG_SOFTMAX();
+TfLiteRegistration* Register_CAST();
+TfLiteRegistration* Register_DEQUANTIZE();
+TfLiteRegistration* Register_PRELU();
+TfLiteRegistration* Register_MAXIMUM();
+TfLiteRegistration* Register_MINIMUM();
+TfLiteRegistration* Register_ARG_MAX();
+TfLiteRegistration* Register_ARG_MIN();
+TfLiteRegistration* Register_GREATER();
+TfLiteRegistration* Register_GREATER_EQUAL();
+TfLiteRegistration* Register_LESS();
+TfLiteRegistration* Register_LESS_EQUAL();
+TfLiteRegistration* Register_FLOOR();
+TfLiteRegistration* Register_TILE();
+TfLiteRegistration* Register_NEG();
+TfLiteRegistration* Register_SUM();
+TfLiteRegistration* Register_REDUCE_PROD();
+TfLiteRegistration* Register_REDUCE_MAX();
+TfLiteRegistration* Register_REDUCE_MIN();
+TfLiteRegistration* Register_REDUCE_ANY();
+TfLiteRegistration* Register_SELECT();
+TfLiteRegistration* Register_SLICE();
+TfLiteRegistration* Register_SIN();
+TfLiteRegistration* Register_TRANSPOSE_CONV();
+TfLiteRegistration* Register_EXPAND_DIMS();
+TfLiteRegistration* Register_SPARSE_TO_DENSE();
+TfLiteRegistration* Register_EQUAL();
+TfLiteRegistration* Register_NOT_EQUAL();
+TfLiteRegistration* Register_SQRT();
+TfLiteRegistration* Register_RSQRT();
+TfLiteRegistration* Register_SHAPE();
+TfLiteRegistration* Register_POW();
+TfLiteRegistration* Register_FAKE_QUANT();
+TfLiteRegistration* Register_PACK();
+TfLiteRegistration* Register_ONE_HOT();
+TfLiteRegistration* Register_LOGICAL_OR();
+TfLiteRegistration* Register_LOGICAL_AND();
+TfLiteRegistration* Register_LOGICAL_NOT();
+TfLiteRegistration* Register_UNPACK();
+TfLiteRegistration* Register_FLOOR_DIV();
+TfLiteRegistration* Register_SQUARE();
+TfLiteRegistration* Register_ZEROS_LIKE();
+
+TfLiteStatus UnsupportedTensorFlowOp(TfLiteContext* context, TfLiteNode* node) {
+ context->ReportError(
+ context,
+ "Regular TensorFlow ops are not supported by this interpreter. Make sure "
+ "you invoke the Eager delegate before inference.");
+ return kTfLiteError;
+}
+
+const TfLiteRegistration* BuiltinOpResolver::FindOp(tflite::BuiltinOperator op,
+ int version) const {
+ return MutableOpResolver::FindOp(op, version);
+}
+
+const TfLiteRegistration* BuiltinOpResolver::FindOp(const char* op,
+ int version) const {
+ // Return the NULL Op for all ops whose name start with "Eager", allowing
+ // the interpreter to delegate their execution.
+ if (IsEagerOp(op)) {
+ static TfLiteRegistration null_op{
+ nullptr, nullptr, &UnsupportedTensorFlowOp,
+ nullptr, nullptr, BuiltinOperator_CUSTOM,
+ "Eager", 1};
+ return &null_op;
+ }
+ return MutableOpResolver::FindOp(op, version);
+}
+
+BuiltinOpResolver::BuiltinOpResolver() {
+ AddBuiltin(BuiltinOperator_RELU, Register_RELU());
+ AddBuiltin(BuiltinOperator_RELU_N1_TO_1, Register_RELU_N1_TO_1());
+ AddBuiltin(BuiltinOperator_RELU6, Register_RELU6());
+ AddBuiltin(BuiltinOperator_TANH, Register_TANH());
+ AddBuiltin(BuiltinOperator_LOGISTIC, Register_LOGISTIC());
+ AddBuiltin(BuiltinOperator_AVERAGE_POOL_2D, Register_AVERAGE_POOL_2D());
+ AddBuiltin(BuiltinOperator_MAX_POOL_2D, Register_MAX_POOL_2D());
+ AddBuiltin(BuiltinOperator_L2_POOL_2D, Register_L2_POOL_2D());
+ AddBuiltin(BuiltinOperator_CONV_2D, Register_CONV_2D());
+ AddBuiltin(BuiltinOperator_DEPTHWISE_CONV_2D, Register_DEPTHWISE_CONV_2D(),
+ /* min_version */ 1,
+ /* max_version */ 2);
+ AddBuiltin(BuiltinOperator_SVDF, Register_SVDF());
+ AddBuiltin(BuiltinOperator_RNN, Register_RNN());
+ AddBuiltin(BuiltinOperator_BIDIRECTIONAL_SEQUENCE_RNN,
+ Register_BIDIRECTIONAL_SEQUENCE_RNN());
+ AddBuiltin(BuiltinOperator_UNIDIRECTIONAL_SEQUENCE_RNN,
+ Register_UNIDIRECTIONAL_SEQUENCE_RNN());
+ AddBuiltin(BuiltinOperator_EMBEDDING_LOOKUP, Register_EMBEDDING_LOOKUP());
+ AddBuiltin(BuiltinOperator_EMBEDDING_LOOKUP_SPARSE,
+ Register_EMBEDDING_LOOKUP_SPARSE());
+ AddBuiltin(BuiltinOperator_FULLY_CONNECTED, Register_FULLY_CONNECTED(),
+ /* min_version */ 1,
+ /* max_version */ 2);
+ AddBuiltin(BuiltinOperator_LSH_PROJECTION, Register_LSH_PROJECTION());
+ AddBuiltin(BuiltinOperator_HASHTABLE_LOOKUP, Register_HASHTABLE_LOOKUP());
+ AddBuiltin(BuiltinOperator_SOFTMAX, Register_SOFTMAX());
+ AddBuiltin(BuiltinOperator_CONCATENATION, Register_CONCATENATION());
+ AddBuiltin(BuiltinOperator_ADD, Register_ADD());
+ AddBuiltin(BuiltinOperator_SPACE_TO_BATCH_ND, Register_SPACE_TO_BATCH_ND());
+ AddBuiltin(BuiltinOperator_BATCH_TO_SPACE_ND, Register_BATCH_TO_SPACE_ND());
+ AddBuiltin(BuiltinOperator_MUL, Register_MUL());
+ AddBuiltin(BuiltinOperator_L2_NORMALIZATION, Register_L2_NORMALIZATION());
+ AddBuiltin(BuiltinOperator_LOCAL_RESPONSE_NORMALIZATION,
+ Register_LOCAL_RESPONSE_NORMALIZATION());
+ AddBuiltin(BuiltinOperator_LSTM, Register_LSTM(), /* min_version */ 1,
+ /* max_version */ 2);
+ AddBuiltin(BuiltinOperator_BIDIRECTIONAL_SEQUENCE_LSTM,
+ Register_BIDIRECTIONAL_SEQUENCE_LSTM());
+ AddBuiltin(BuiltinOperator_UNIDIRECTIONAL_SEQUENCE_LSTM,
+ Register_UNIDIRECTIONAL_SEQUENCE_LSTM());
+ AddBuiltin(BuiltinOperator_PAD, Register_PAD());
+ AddBuiltin(BuiltinOperator_PADV2, Register_PADV2());
+ AddBuiltin(BuiltinOperator_RESHAPE, Register_RESHAPE());
+ AddBuiltin(BuiltinOperator_RESIZE_BILINEAR, Register_RESIZE_BILINEAR());
+ AddBuiltin(BuiltinOperator_SKIP_GRAM, Register_SKIP_GRAM());
+ AddBuiltin(BuiltinOperator_SPACE_TO_DEPTH, Register_SPACE_TO_DEPTH());
+ AddBuiltin(BuiltinOperator_GATHER, Register_GATHER());
+ AddBuiltin(BuiltinOperator_TRANSPOSE, Register_TRANSPOSE());
+ AddBuiltin(BuiltinOperator_MEAN, Register_MEAN());
+ AddBuiltin(BuiltinOperator_DIV, Register_DIV());
+ AddBuiltin(BuiltinOperator_SUB, Register_SUB());
+ AddBuiltin(BuiltinOperator_SPLIT, Register_SPLIT());
+ AddBuiltin(BuiltinOperator_SQUEEZE, Register_SQUEEZE());
+ AddBuiltin(BuiltinOperator_STRIDED_SLICE, Register_STRIDED_SLICE());
+ AddBuiltin(BuiltinOperator_EXP, Register_EXP());
+ AddBuiltin(BuiltinOperator_TOPK_V2, Register_TOPK_V2());
+ AddBuiltin(BuiltinOperator_LOG, Register_LOG());
+ AddBuiltin(BuiltinOperator_LOG_SOFTMAX, Register_LOG_SOFTMAX());
+ AddBuiltin(BuiltinOperator_CAST, Register_CAST());
+ AddBuiltin(BuiltinOperator_DEQUANTIZE, Register_DEQUANTIZE());
+ AddBuiltin(BuiltinOperator_PRELU, Register_PRELU());
+ AddBuiltin(BuiltinOperator_MAXIMUM, Register_MAXIMUM());
+ AddBuiltin(BuiltinOperator_MINIMUM, Register_MINIMUM());
+ AddBuiltin(BuiltinOperator_ARG_MAX, Register_ARG_MAX());
+ AddBuiltin(BuiltinOperator_ARG_MIN, Register_ARG_MIN());
+ AddBuiltin(BuiltinOperator_GREATER, Register_GREATER());
+ AddBuiltin(BuiltinOperator_GREATER_EQUAL, Register_GREATER_EQUAL());
+ AddBuiltin(BuiltinOperator_LESS, Register_LESS());
+ AddBuiltin(BuiltinOperator_LESS_EQUAL, Register_LESS_EQUAL());
+ AddBuiltin(BuiltinOperator_FLOOR, Register_FLOOR());
+ AddBuiltin(BuiltinOperator_NEG, Register_NEG());
+ AddBuiltin(BuiltinOperator_SELECT, Register_SELECT());
+ AddBuiltin(BuiltinOperator_SLICE, Register_SLICE());
+ AddBuiltin(BuiltinOperator_SIN, Register_SIN());
+ AddBuiltin(BuiltinOperator_TRANSPOSE_CONV, Register_TRANSPOSE_CONV());
+ AddBuiltin(BuiltinOperator_TILE, Register_TILE());
+ AddBuiltin(BuiltinOperator_SUM, Register_SUM());
+ AddBuiltin(BuiltinOperator_REDUCE_PROD, Register_REDUCE_PROD());
+ AddBuiltin(BuiltinOperator_REDUCE_MAX, Register_REDUCE_MAX());
+ AddBuiltin(BuiltinOperator_REDUCE_MIN, Register_REDUCE_MIN());
+ AddBuiltin(BuiltinOperator_REDUCE_ANY, Register_REDUCE_ANY());
+ AddBuiltin(BuiltinOperator_EXPAND_DIMS, Register_EXPAND_DIMS());
+ AddBuiltin(BuiltinOperator_SPARSE_TO_DENSE, Register_SPARSE_TO_DENSE());
+ AddBuiltin(BuiltinOperator_EQUAL, Register_EQUAL());
+ AddBuiltin(BuiltinOperator_NOT_EQUAL, Register_NOT_EQUAL());
+ AddBuiltin(BuiltinOperator_SQRT, Register_SQRT());
+ AddBuiltin(BuiltinOperator_RSQRT, Register_RSQRT());
+ AddBuiltin(BuiltinOperator_SHAPE, Register_SHAPE());
+ AddBuiltin(BuiltinOperator_POW, Register_POW());
+ AddBuiltin(BuiltinOperator_FAKE_QUANT, Register_FAKE_QUANT(), 1, 2);
+ AddBuiltin(BuiltinOperator_PACK, Register_PACK());
+ AddBuiltin(BuiltinOperator_ONE_HOT, Register_ONE_HOT());
+ AddBuiltin(BuiltinOperator_LOGICAL_OR, Register_LOGICAL_OR());
+ AddBuiltin(BuiltinOperator_LOGICAL_AND, Register_LOGICAL_AND());
+ AddBuiltin(BuiltinOperator_LOGICAL_NOT, Register_LOGICAL_NOT());
+ AddBuiltin(BuiltinOperator_UNPACK, Register_UNPACK());
+ AddBuiltin(BuiltinOperator_FLOOR_DIV, Register_FLOOR_DIV());
+ AddBuiltin(BuiltinOperator_SQUARE, Register_SQUARE());
+ AddBuiltin(BuiltinOperator_ZEROS_LIKE, Register_ZEROS_LIKE());
+
+#if 0
+ // TODO(andrewharp, ahentz): Move these somewhere more appropriate so that
+ // custom ops aren't always included by default.
+ AddCustom("Mfcc", tflite::ops::custom::Register_MFCC());
+ AddCustom("AudioSpectrogram",
+ tflite::ops::custom::Register_AUDIO_SPECTROGRAM());
+ AddCustom("LayerNormLstm", tflite::ops::custom::Register_LAYER_NORM_LSTM());
+ AddCustom("Relu1", tflite::ops::custom::Register_RELU_1());
+ AddCustom("TFLite_Detection_PostProcess",
+ tflite::ops::custom::Register_DETECTION_POSTPROCESS());
+#endif
+}
+
+} // namespace builtin
+} // namespace ops
+} // namespace tflite
diff --git a/tensorflow/contrib/lite/nnapi_delegate.cc b/tensorflow/contrib/lite/nnapi_delegate.cc
new file mode 100644
index 0000000..b398e87
--- /dev/null
+++ b/tensorflow/contrib/lite/nnapi_delegate.cc
@@ -0,0 +1,859 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+
+#include "tensorflow/contrib/lite/nnapi_delegate.h"
+#include <fcntl.h>
+#include <sys/mman.h>
+#include <sys/stat.h>
+#include <sys/types.h>
+#include <unordered_set>
+#include "tensorflow/contrib/lite/c/builtin_op_data.h"
+#include "tensorflow/contrib/lite/core/api/error_reporter.h"
+#include "tensorflow/contrib/lite/model.h"
+#include "tensorflow/contrib/lite/nnapi/NeuralNetworksShim.h"
+
+#ifdef __ANDROID__
+#include <android/log.h>
+#include <sys/system_properties.h>
+#endif
+
+namespace tflite {
+
+void logError(const char* format, ...) {
+ // stderr is convenient for native tests, but is not captured for apps
+ va_list args_for_stderr;
+ va_start(args_for_stderr, format);
+ vfprintf(stderr, format, args_for_stderr);
+ va_end(args_for_stderr);
+ fprintf(stderr, "\n");
+ fflush(stderr);
+#ifdef __ANDROID__
+ // produce logcat output for general consumption
+ va_list args_for_log;
+ va_start(args_for_log, format);
+ __android_log_vprint(ANDROID_LOG_ERROR, "tflite", format, args_for_log);
+ va_end(args_for_log);
+#endif
+}
+
+#define FATAL(...) \
+ logError(__VA_ARGS__); \
+ exit(1);
+
+// TODO(aselle): Change the error model to use status codes.
+#define CHECK_TFLITE_SUCCESS(x) \
+ if (x != kTfLiteOk) { \
+ FATAL("Aborting since tflite returned failure nnapi_delegate.cc:%d.", \
+ __LINE__); \
+ }
+
+#define CHECK_NN(x) \
+ if (x != ANEURALNETWORKS_NO_ERROR) { \
+ FATAL("Aborting since NNAPI returned failure nnapi_delegate.cc:%d", \
+ __LINE__); \
+ }
+
+#define RETURN_ERROR_IF_TFLITE_FAILED(x) \
+ if (x != kTfLiteOk) { \
+ logError( \
+ "Returning error since TFLite returned failure nnapi_delegate.cc:%d.", \
+ __LINE__); \
+ return kTfLiteError; \
+ }
+
+#define RETURN_ERROR_IF_NN_FAILED(x) \
+ if (x != ANEURALNETWORKS_NO_ERROR) { \
+ logError( \
+ "Returning error since NNAPI returned failure nnapi_delegate.cc:%d.", \
+ __LINE__); \
+ return kTfLiteError; \
+ }
+
+// Tracking of NNAPI operand ids
+static const int64_t kOperandIdNotSet = -1;
+static const int64_t kOperandNotNeeded = -2;
+
+namespace {
+
+int32_t GetAndroidSdkVersion() {
+#ifdef __ANDROID__
+ const char* sdkProp = "ro.build.version.sdk";
+ char sdkVersion[PROP_VALUE_MAX];
+ int length = __system_property_get(sdkProp, sdkVersion);
+ if (length != 0) {
+ for (int i = 0; i < length; ++i) {
+ int digit = sdkVersion[i] - '0';
+ if (digit < 0 || digit > 9) {
+ // Non-numeric SDK version, assume it's higher then expected;
+ return 0xFFFF;
+ }
+ }
+ return atoi(sdkVersion);
+ }
+ FATAL("No %s prop", sdkProp);
+#endif // __ANDROID__
+ return 0;
+}
+
+int32_t GetAndroidSdkVersionCached() {
+ static int32_t androidSdkVersion = GetAndroidSdkVersion();
+ return androidSdkVersion;
+}
+
+} // namespace
+
+NNAPIAllocation::NNAPIAllocation(const char* filename,
+ ErrorReporter* error_reporter)
+ : MMAPAllocation(filename, error_reporter) {
+ if (mmapped_buffer_ != MAP_FAILED)
+ CHECK_NN(ANeuralNetworksMemory_createFromFd(buffer_size_bytes_, PROT_READ,
+ mmap_fd_, 0, &handle_));
+}
+
+NNAPIAllocation::~NNAPIAllocation() {
+ if (handle_) {
+ ANeuralNetworksMemory_free(handle_);
+ }
+}
+
+NNAPIDelegate::~NNAPIDelegate() {
+ if (nn_compiled_model_) {
+ ANeuralNetworksCompilation_free(nn_compiled_model_);
+ nn_compiled_model_ = nullptr;
+ }
+ if (nn_model_) {
+ ANeuralNetworksModel_free(nn_model_);
+ nn_model_ = nullptr;
+ // TODO(aselle): Is this thread-safe and callable multiple times?
+ }
+ // ANeuralNetworksShutdown();
+}
+
+// Adds the tensors of the interpreter to the NN API model.
+TfLiteStatus addTensorOperands(tflite::Interpreter* interpreter,
+ ANeuralNetworksModel* nn_model,
+ uint32_t* no_of_operands_added,
+ std::vector<int64_t>* nnapi_ids) {
+ uint32_t next_id = 0;
+ for (size_t i = 0; i < interpreter->tensors_size(); i++) {
+ // Skip temporaries and RNN back-edges.
+ if ((*nnapi_ids)[i] == kOperandNotNeeded) continue;
+
+ (*nnapi_ids)[i] = int64_t(next_id);
+
+ int32_t nn_type = 0;
+ // NNAPI requires 32-bit float scale to be zero, tflite doesn't care
+ float scale = 0.0f;
+ int32_t zeroPoint = 0;
+ TfLiteTensor* tensor = interpreter->tensor(i);
+ switch (tensor->type) {
+ case kTfLiteNoType:
+ // Tensors added during initialization of Ops don't have a type yet and
+ // should not be registered with the NNAPI.
+ continue;
+ case kTfLiteFloat32:
+ nn_type = ANEURALNETWORKS_TENSOR_FLOAT32;
+ break;
+ case kTfLiteUInt8:
+ nn_type = ANEURALNETWORKS_TENSOR_QUANT8_ASYMM;
+ scale = tensor->params.scale;
+ zeroPoint = tensor->params.zero_point;
+ if (scale <= 0.0f) {
+ // internal tensor, not valid for NNAPI
+ continue;
+ }
+ break;
+ case kTfLiteInt32:
+ nn_type = ANEURALNETWORKS_TENSOR_INT32;
+ scale = tensor->params.scale;
+ zeroPoint = tensor->params.zero_point;
+ break;
+ default:
+ logError("Unsupported tensor type %d", tensor->type);
+ return kTfLiteError;
+ }
+ if (tensor->dims->size == 0) {
+ logError("NNAPI doesn't support tensors with rank 0 (index %d name %s)",
+ i, tensor->name);
+ return kTfLiteError;
+ }
+ if (tensor->dims->size > 4) {
+ logError("NNAPI doesn't support tensors with rank > 4 (index %d name %s)",
+ i, tensor->name);
+ return kTfLiteError;
+ }
+ // We set size of all intermediate operands here. NNAPI is able to execute
+ // a graph with unknown intermediate operand sizes but known sizes allow
+ // partitioning of the graph over different drivers. The requirement of
+ // needing to know the size may be lifted in future versions of NNAPI.
+ ANeuralNetworksOperandType operand_type{
+ nn_type, static_cast<uint32_t>(tensor->dims->size),
+ reinterpret_cast<uint32_t*>(tensor->dims->data), scale, zeroPoint};
+ RETURN_ERROR_IF_NN_FAILED(
+ ANeuralNetworksModel_addOperand(nn_model, &operand_type));
+ // TODO(aselle): Based on Michael's suggestion, limiting this to read
+ // only memory
+ if (tensor->allocation_type == kTfLiteMmapRo) {
+ if (const NNAPIAllocation* alloc = dynamic_cast<const NNAPIAllocation*>(
+ static_cast<const Allocation*>(tensor->allocation))) {
+ RETURN_ERROR_IF_NN_FAILED(
+ ANeuralNetworksModel_setOperandValueFromMemory(
+ nn_model, next_id, alloc->memory(),
+ alloc->offset(tensor->data.raw), tensor->bytes));
+ } else {
+ RETURN_ERROR_IF_NN_FAILED(ANeuralNetworksModel_setOperandValue(
+ nn_model, next_id, tensor->data.raw, tensor->bytes));
+ }
+ } else if (tensor->bytes == 0) {
+ // These size 0 tensors are optional tensors reserved.
+ RETURN_ERROR_IF_NN_FAILED(
+ ANeuralNetworksModel_setOperandValue(nn_model, next_id, nullptr, 0));
+ }
+
+ ++next_id;
+ }
+ *no_of_operands_added = next_id;
+ return kTfLiteOk;
+}
+
+void MapAndAddTensorIds(const int* from_ids_buf, size_t from_ids_count,
+ std::vector<uint32_t>* into,
+ const std::vector<int64_t>& map) {
+ for (size_t i = 0; i < from_ids_count; i++) {
+ int from_id = from_ids_buf[i];
+ if (from_id == kOptionalTensor) {
+ into->push_back(from_id);
+ } else {
+ into->push_back(map[from_id]);
+ }
+ }
+}
+
+// Adds the operations and their parameters to the NN API model.
+// 'next-id' is the operand ID of the next operand of the model.
+TfLiteStatus AddOpsAndParams(
+ tflite::Interpreter* interpreter, ANeuralNetworksModel* nn_model,
+ uint32_t next_id, std::vector<int>* model_state_inputs,
+ std::vector<int>* model_state_outputs,
+ const std::vector<int64_t>& tensor_id_to_nnapi_id) {
+ for (size_t i = 0; i < interpreter->nodes_size(); i++) {
+ const auto* node_and_registration = interpreter->node_and_registration(i);
+ const TfLiteNode& node = node_and_registration->first;
+ const TfLiteRegistration& registration = node_and_registration->second;
+ tflite::BuiltinOperator builtin =
+ static_cast<tflite::BuiltinOperator>(registration.builtin_code);
+
+ // Add the parameters.
+ std::vector<uint32_t> augmented_inputs, augmented_outputs;
+ MapAndAddTensorIds(node.inputs->data, node.inputs->size, &augmented_inputs,
+ tensor_id_to_nnapi_id);
+ MapAndAddTensorIds(node.outputs->data, node.outputs->size,
+ &augmented_outputs, tensor_id_to_nnapi_id);
+
+ auto add_scalar_int32 = [&nn_model, &augmented_inputs,
+ &next_id](int value) {
+ ANeuralNetworksOperandType operand_type{.type = ANEURALNETWORKS_INT32};
+ CHECK_NN(ANeuralNetworksModel_addOperand(nn_model, &operand_type))
+ CHECK_NN(ANeuralNetworksModel_setOperandValue(nn_model, next_id, &value,
+ sizeof(int32_t)))
+ augmented_inputs.push_back(next_id++);
+ };
+
+ auto add_scalar_float32 = [&nn_model, &augmented_inputs,
+ &next_id](float value) {
+ ANeuralNetworksOperandType operand_type{.type = ANEURALNETWORKS_FLOAT32};
+ CHECK_NN(ANeuralNetworksModel_addOperand(nn_model, &operand_type))
+ CHECK_NN(ANeuralNetworksModel_setOperandValue(nn_model, next_id, &value,
+ sizeof(float)))
+ augmented_inputs.push_back(next_id++);
+ };
+
+ auto add_vector_int32 = [&](const int* values, uint32_t num_values) {
+ ANeuralNetworksOperandType operand_type{
+ .type = ANEURALNETWORKS_TENSOR_INT32,
+ .dimensionCount = 1,
+ .dimensions = &num_values};
+ CHECK_NN(ANeuralNetworksModel_addOperand(nn_model, &operand_type))
+ CHECK_NN(ANeuralNetworksModel_setOperandValue(
+ nn_model, next_id, values, sizeof(int32_t) * num_values));
+ augmented_inputs.push_back(next_id++);
+ };
+
+ // Handle state tensors of RNN, LSTM, SVDF.
+ // For each state_out tensor, a corresponding state_in operand needs to be
+ // created for NNAPI.
+ auto duplicate_state_tensor_float32 =
+ [interpreter, &nn_model, &next_id, &augmented_inputs,
+ &model_state_inputs, &model_state_outputs](int tensor_id) {
+ const TfLiteTensor* tensor = interpreter->tensor(tensor_id);
+ ANeuralNetworksOperandType operand_type{
+ ANEURALNETWORKS_TENSOR_FLOAT32,
+ static_cast<uint32_t>(tensor->dims->size),
+ reinterpret_cast<uint32_t*>(tensor->dims->data),
+ tensor->params.scale, tensor->params.zero_point};
+ CHECK_NN(ANeuralNetworksModel_addOperand(nn_model, &operand_type));
+ augmented_inputs.push_back(next_id);
+ model_state_inputs->push_back(next_id);
+ model_state_outputs->push_back(tensor_id);
+ next_id++;
+ };
+ auto check_and_add_activation = [&add_scalar_int32](int activation) {
+ if (activation > kTfLiteActRelu6) {
+ logError("NNAPI only supports RELU, RELU1 and RELU6 activations");
+ return kTfLiteError;
+ }
+ add_scalar_int32(activation);
+ return kTfLiteOk;
+ };
+
+ auto add_add_params = [&add_scalar_int32](void* data) {
+ auto* builtin = reinterpret_cast<TfLiteAddParams*>(data);
+ if (builtin->activation > kTfLiteActRelu6) {
+ logError("NNAPI only supports RELU, RELU1 and RELU6 activations");
+ return kTfLiteError;
+ }
+ add_scalar_int32(builtin->activation);
+ return kTfLiteOk;
+ };
+
+ auto add_pooling_params = [&add_scalar_int32,
+ &check_and_add_activation](void* data) {
+ auto builtin = reinterpret_cast<TfLitePoolParams*>(data);
+ add_scalar_int32(builtin->padding);
+ add_scalar_int32(builtin->stride_width);
+ add_scalar_int32(builtin->stride_height);
+ add_scalar_int32(builtin->filter_width);
+ add_scalar_int32(builtin->filter_height);
+ return check_and_add_activation(builtin->activation);
+ };
+
+ auto add_convolution_params = [&add_scalar_int32,
+ &check_and_add_activation](void* data) {
+ auto builtin = reinterpret_cast<TfLiteConvParams*>(data);
+ add_scalar_int32(builtin->padding);
+ add_scalar_int32(builtin->stride_width);
+ add_scalar_int32(builtin->stride_height);
+ return check_and_add_activation(builtin->activation);
+ };
+
+ auto add_depthwise_conv_params = [&add_scalar_int32,
+ &check_and_add_activation](void* data) {
+ auto builtin = reinterpret_cast<TfLiteDepthwiseConvParams*>(data);
+ add_scalar_int32(builtin->padding);
+ add_scalar_int32(builtin->stride_width);
+ add_scalar_int32(builtin->stride_height);
+ add_scalar_int32(builtin->depth_multiplier);
+ return check_and_add_activation(builtin->activation);
+ };
+
+ auto add_fully_connected_params = [&check_and_add_activation](void* data) {
+ auto builtin = reinterpret_cast<TfLiteFullyConnectedParams*>(data);
+ return check_and_add_activation(builtin->activation);
+ };
+
+ auto add_concatenation_params = [&add_scalar_int32](void* data) {
+ auto builtin = reinterpret_cast<TfLiteConcatenationParams*>(data);
+ add_scalar_int32(builtin->axis);
+ if (builtin->activation != kTfLiteActNone) {
+ logError("Concatenation does not support fused activation in NNAPI");
+ return kTfLiteError;
+ }
+ return kTfLiteOk;
+ };
+
+ auto add_softmax_params = [&add_scalar_float32](void* data) {
+ auto builtin = reinterpret_cast<TfLiteSoftmaxParams*>(data);
+ add_scalar_float32(builtin->beta);
+ };
+
+ auto add_space_to_depth_params = [&add_scalar_int32](void* data) {
+ auto builtin = reinterpret_cast<TfLiteSpaceToDepthParams*>(data);
+ add_scalar_int32(builtin->block_size);
+ };
+
+ auto add_lstm_params = [&add_scalar_int32,
+ &add_scalar_float32](void* data) {
+ auto builtin = reinterpret_cast<TfLiteLSTMParams*>(data);
+ add_scalar_int32(builtin->activation);
+ add_scalar_float32(builtin->cell_clip);
+ add_scalar_float32(builtin->proj_clip);
+ };
+
+ // LSTM in NNAPI requires scratch tensor as an output operand.
+ auto add_lstm_scratch_tensor_float32 = [interpreter, &node, &nn_model,
+ &next_id, &augmented_outputs]() {
+ if (node.temporaries->size == 0) return;
+ int scratch_buffer_index = node.temporaries->data[0];
+ const TfLiteTensor* tensor = interpreter->tensor(scratch_buffer_index);
+ ANeuralNetworksOperandType operand_type{
+ ANEURALNETWORKS_TENSOR_FLOAT32,
+ static_cast<uint32_t>(tensor->dims->size),
+ reinterpret_cast<uint32_t*>(tensor->dims->data), tensor->params.scale,
+ tensor->params.zero_point};
+ CHECK_NN(ANeuralNetworksModel_addOperand(nn_model, &operand_type));
+ augmented_outputs.insert(augmented_outputs.begin(), next_id++);
+ };
+
+ auto add_mean_params = [&add_scalar_int32](void* data) {
+ auto builtin = reinterpret_cast<TfLiteReducerParams*>(data);
+ add_scalar_int32(builtin->keep_dims);
+ };
+
+ auto add_svdf_params = [&add_scalar_int32](void* data) {
+ auto builtin = reinterpret_cast<TfLiteSVDFParams*>(data);
+ add_scalar_int32(builtin->rank);
+ add_scalar_int32(builtin->activation);
+ };
+
+ auto add_rnn_params = [&add_scalar_int32](void* data) {
+ auto builtin = reinterpret_cast<TfLiteRNNParams*>(data);
+ add_scalar_int32(builtin->activation);
+ };
+
+ auto add_squeeze_params = [&](void* data) {
+ const auto* builtin = reinterpret_cast<TfLiteSqueezeParams*>(data);
+ // Note that we add the squeeze dimensions even if the dimensions were
+ // unspecified (empty), as NNAPI requires the operand.
+ add_vector_int32(builtin->squeeze_dims,
+ static_cast<uint32_t>(builtin->num_squeeze_dims));
+ };
+
+ // Handle optional input tensors.
+ auto add_optional_tensors = [&nn_model, &augmented_inputs,
+ &next_id](int nn_type) {
+ for (size_t idx = 0; idx < augmented_inputs.size(); idx++) {
+ if (augmented_inputs[idx] == kOptionalTensor) {
+ const std::vector<uint32_t> dim = {0, 0};
+ ANeuralNetworksOperandType operand_type{nn_type, 2, dim.data(), 0, 0};
+ CHECK_NN(ANeuralNetworksModel_addOperand(nn_model, &operand_type))
+ CHECK_NN(ANeuralNetworksModel_setOperandValue(nn_model, next_id,
+ nullptr, 0))
+ augmented_inputs[idx] = next_id++;
+ }
+ }
+ };
+
+ int nnapi_version = 10;
+ ANeuralNetworksOperationType nn_op_type;
+
+ switch (builtin) {
+ case tflite::BuiltinOperator_ADD:
+ nn_op_type = ANEURALNETWORKS_ADD;
+ RETURN_ERROR_IF_TFLITE_FAILED(add_add_params(node.builtin_data));
+ break;
+ case tflite::BuiltinOperator_MUL:
+ nn_op_type = ANEURALNETWORKS_MUL;
+ RETURN_ERROR_IF_TFLITE_FAILED(add_add_params(node.builtin_data));
+ break;
+ case tflite::BuiltinOperator_AVERAGE_POOL_2D:
+ RETURN_ERROR_IF_TFLITE_FAILED(add_pooling_params(node.builtin_data));
+ nn_op_type = ANEURALNETWORKS_AVERAGE_POOL_2D;
+ break;
+ case tflite::BuiltinOperator_MAX_POOL_2D:
+ RETURN_ERROR_IF_TFLITE_FAILED(add_pooling_params(node.builtin_data));
+ nn_op_type = ANEURALNETWORKS_MAX_POOL_2D;
+ break;
+ case tflite::BuiltinOperator_L2_POOL_2D:
+ RETURN_ERROR_IF_TFLITE_FAILED(add_pooling_params(node.builtin_data));
+ nn_op_type = ANEURALNETWORKS_L2_POOL_2D;
+ break;
+ case tflite::BuiltinOperator_CONV_2D: {
+ auto builtin = reinterpret_cast<TfLiteConvParams*>(node.builtin_data);
+ if (builtin->dilation_width_factor != 1 ||
+ builtin->dilation_height_factor != 1 || node.inputs->size != 3) {
+ logError("NNAPI does not support dilated Conv2D.");
+ return kTfLiteError;
+ }
+ }
+ RETURN_ERROR_IF_TFLITE_FAILED(
+ add_convolution_params(node.builtin_data));
+ nn_op_type = ANEURALNETWORKS_CONV_2D;
+ break;
+ case tflite::BuiltinOperator_RELU:
+ nn_op_type = ANEURALNETWORKS_RELU;
+ break;
+ case tflite::BuiltinOperator_RELU6:
+ nn_op_type = ANEURALNETWORKS_RELU6;
+ break;
+ case tflite::BuiltinOperator_TANH:
+ nn_op_type = ANEURALNETWORKS_TANH;
+ break;
+ case tflite::BuiltinOperator_FLOOR:
+ nn_op_type = ANEURALNETWORKS_FLOOR;
+ break;
+ case tflite::BuiltinOperator_LOGISTIC:
+ nn_op_type = ANEURALNETWORKS_LOGISTIC;
+ break;
+ case tflite::BuiltinOperator_DEPTHWISE_CONV_2D:
+ RETURN_ERROR_IF_TFLITE_FAILED(
+ add_depthwise_conv_params(node.builtin_data));
+ nn_op_type = ANEURALNETWORKS_DEPTHWISE_CONV_2D;
+ break;
+ case tflite::BuiltinOperator_CONCATENATION:
+ RETURN_ERROR_IF_TFLITE_FAILED(
+ add_concatenation_params(node.builtin_data));
+ nn_op_type = ANEURALNETWORKS_CONCATENATION;
+ break;
+ case tflite::BuiltinOperator_SOFTMAX:
+ add_softmax_params(node.builtin_data);
+ nn_op_type = ANEURALNETWORKS_SOFTMAX;
+ break;
+ case tflite::BuiltinOperator_FULLY_CONNECTED:
+ RETURN_ERROR_IF_TFLITE_FAILED(
+ add_fully_connected_params(node.builtin_data));
+ nn_op_type = ANEURALNETWORKS_FULLY_CONNECTED;
+ break;
+ case tflite::BuiltinOperator_RESHAPE:
+ if (node.inputs->size != 2) {
+ logError("NNAPI only supports 2-input RESHAPE");
+ return kTfLiteError;
+ }
+ nn_op_type = ANEURALNETWORKS_RESHAPE;
+ // add_reshape_params(node.builtin_data);
+ break;
+ case tflite::BuiltinOperator_SPACE_TO_DEPTH:
+ add_space_to_depth_params(node.builtin_data);
+ nn_op_type = ANEURALNETWORKS_SPACE_TO_DEPTH;
+ break;
+ case tflite::BuiltinOperator_LSTM: {
+ if (node.inputs->size + /* no of params */ 3 != 21) {
+ logError("NNAPI only supports 21-input LSTMs");
+ return kTfLiteError;
+ }
+ duplicate_state_tensor_float32(
+ node.outputs->data[/*kOutputStateTensor*/ 0]);
+ duplicate_state_tensor_float32(
+ node.outputs->data[/*kCellStateTensor*/ 1]);
+ add_lstm_params(node.builtin_data);
+ add_lstm_scratch_tensor_float32();
+ add_optional_tensors(ANEURALNETWORKS_TENSOR_FLOAT32);
+ nn_op_type = ANEURALNETWORKS_LSTM;
+ break;
+ }
+ case tflite::BuiltinOperator_SVDF: {
+ duplicate_state_tensor_float32(node.outputs->data[/*kStateTensor*/ 0]);
+ add_svdf_params(node.builtin_data);
+ nn_op_type = ANEURALNETWORKS_SVDF;
+ break;
+ }
+ case tflite::BuiltinOperator_RNN: {
+ duplicate_state_tensor_float32(
+ node.outputs->data[/*kHiddenStateTensor*/ 0]);
+ add_rnn_params(node.builtin_data);
+ nn_op_type = ANEURALNETWORKS_RNN;
+ break;
+ }
+ case tflite::BuiltinOperator_EMBEDDING_LOOKUP:
+ nn_op_type = ANEURALNETWORKS_EMBEDDING_LOOKUP;
+ break;
+ case tflite::BuiltinOperator_PAD:
+ nnapi_version = 11; // require NNAPI 1.1
+ nn_op_type = ANEURALNETWORKS_PAD;
+ break;
+ case tflite::BuiltinOperator_MEAN:
+ nnapi_version = 11; // require NNAPI 1.1
+ add_mean_params(node.builtin_data);
+ nn_op_type = ANEURALNETWORKS_MEAN;
+ break;
+ case tflite::BuiltinOperator_DIV:
+ nnapi_version = 11; // require NNAPI 1.1
+ nn_op_type = ANEURALNETWORKS_DIV;
+ RETURN_ERROR_IF_TFLITE_FAILED(check_and_add_activation(
+ reinterpret_cast<TfLiteDivParams*>(node.builtin_data)->activation));
+ break;
+ case tflite::BuiltinOperator_SUB:
+ nnapi_version = 11; // require NNAPI 1.1
+ nn_op_type = ANEURALNETWORKS_SUB;
+ RETURN_ERROR_IF_TFLITE_FAILED(check_and_add_activation(
+ reinterpret_cast<TfLiteSubParams*>(node.builtin_data)->activation));
+ break;
+ case tflite::BuiltinOperator_SQUEEZE:
+ nnapi_version = 11; // requires NNAPI 1.1
+ add_squeeze_params(node.builtin_data);
+ nn_op_type = ANEURALNETWORKS_SQUEEZE;
+ break;
+ case tflite::BuiltinOperator_TRANSPOSE:
+ // The permutation input tensor value dictates the output dimensions.
+ // TODO(b/110888333): Support dynamically-sized tensors in delegates.
+ if ((node.inputs->size > 1) &&
+ (interpreter->tensor(node.inputs->data[1])->allocation_type !=
+ kTfLiteMmapRo)) {
+ logError("NNAPI does not yet support dynamic tensors.");
+ return kTfLiteError;
+ }
+ nnapi_version = 11; // require NNAPI 1.1
+ nn_op_type = ANEURALNETWORKS_TRANSPOSE;
+ break;
+ case tflite::BuiltinOperator_L2_NORMALIZATION:
+ nn_op_type = ANEURALNETWORKS_L2_NORMALIZATION;
+ if (reinterpret_cast<TfLiteL2NormParams*>(node.builtin_data)
+ ->activation != kTfLiteActNone) {
+ logError(
+ "NNAPI does not support L2Normalization with fused activations");
+ return kTfLiteError;
+ }
+ if ((node.inputs->size > 0) &&
+ (interpreter->tensor(node.inputs->data[0])->dims->size != 4)) {
+ logError("NNAPI only supports input rank 4 for L2Normalization");
+ return kTfLiteError;
+ }
+ break;
+ case tflite::BuiltinOperator_HASHTABLE_LOOKUP:
+ if (interpreter->tensor(node.outputs->data[0])->type !=
+ kTfLiteFloat32) {
+ logError("NNAPI only support HASHTABLE_LOOKUP with float32 output",
+ builtin);
+ return kTfLiteError;
+ }
+ nn_op_type = ANEURALNETWORKS_HASHTABLE_LOOKUP;
+ break;
+ case tflite::BuiltinOperator_CONCAT_EMBEDDINGS:
+ case tflite::BuiltinOperator_LSH_PROJECTION:
+ case tflite::BuiltinOperator_BIDIRECTIONAL_SEQUENCE_RNN:
+ case tflite::BuiltinOperator_UNIDIRECTIONAL_SEQUENCE_RNN:
+ case tflite::BuiltinOperator_EMBEDDING_LOOKUP_SPARSE:
+ case tflite::BuiltinOperator_BIDIRECTIONAL_SEQUENCE_LSTM:
+ case tflite::BuiltinOperator_UNIDIRECTIONAL_SEQUENCE_LSTM:
+ case tflite::BuiltinOperator_LOCAL_RESPONSE_NORMALIZATION:
+ case tflite::BuiltinOperator_PADV2:
+ case tflite::BuiltinOperator_RESIZE_BILINEAR:
+ case tflite::BuiltinOperator_CALL:
+ case tflite::BuiltinOperator_SKIP_GRAM:
+ case tflite::BuiltinOperator_RELU_N1_TO_1:
+ case tflite::BuiltinOperator_GATHER:
+ case tflite::BuiltinOperator_SPACE_TO_BATCH_ND:
+ case tflite::BuiltinOperator_BATCH_TO_SPACE_ND:
+ case tflite::BuiltinOperator_TOPK_V2:
+ case tflite::BuiltinOperator_SPLIT:
+ case tflite::BuiltinOperator_STRIDED_SLICE:
+ case tflite::BuiltinOperator_EXP:
+ case tflite::BuiltinOperator_LOG_SOFTMAX:
+ case tflite::BuiltinOperator_DEQUANTIZE:
+ case tflite::BuiltinOperator_DELEGATE:
+ case tflite::BuiltinOperator_CAST:
+ case tflite::BuiltinOperator_PRELU:
+ case tflite::BuiltinOperator_MAXIMUM:
+ case tflite::BuiltinOperator_MINIMUM:
+ case tflite::BuiltinOperator_ARG_MAX:
+ case tflite::BuiltinOperator_ARG_MIN:
+ case tflite::BuiltinOperator_GREATER:
+ case tflite::BuiltinOperator_GREATER_EQUAL:
+ case tflite::BuiltinOperator_LESS:
+ case tflite::BuiltinOperator_LESS_EQUAL:
+ case tflite::BuiltinOperator_NEG:
+ case tflite::BuiltinOperator_SELECT:
+ case tflite::BuiltinOperator_SLICE:
+ case tflite::BuiltinOperator_SIN:
+ case tflite::BuiltinOperator_LOG:
+ case tflite::BuiltinOperator_TRANSPOSE_CONV:
+ case tflite::BuiltinOperator_TILE:
+ case tflite::BuiltinOperator_EXPAND_DIMS:
+ case tflite::BuiltinOperator_SPARSE_TO_DENSE:
+ case tflite::BuiltinOperator_EQUAL:
+ case tflite::BuiltinOperator_NOT_EQUAL:
+ case tflite::BuiltinOperator_SUM:
+ case tflite::BuiltinOperator_REDUCE_MAX:
+ case tflite::BuiltinOperator_REDUCE_MIN:
+ case tflite::BuiltinOperator_REDUCE_PROD:
+ case tflite::BuiltinOperator_SQRT:
+ case tflite::BuiltinOperator_RSQRT:
+ case tflite::BuiltinOperator_SHAPE:
+ case tflite::BuiltinOperator_POW:
+ case tflite::BuiltinOperator_FAKE_QUANT:
+ case tflite::BuiltinOperator_PACK:
+ case tflite::BuiltinOperator_LOGICAL_OR:
+ case tflite::BuiltinOperator_ONE_HOT:
+ case tflite::BuiltinOperator_LOGICAL_AND:
+ case tflite::BuiltinOperator_LOGICAL_NOT:
+ case tflite::BuiltinOperator_UNPACK:
+ case tflite::BuiltinOperator_FLOOR_DIV:
+ case tflite::BuiltinOperator_REDUCE_ANY:
+ case tflite::BuiltinOperator_SQUARE:
+ case tflite::BuiltinOperator_ZEROS_LIKE:
+ case tflite::BuiltinOperator_FILL:
+ logError("Op code %d is currently not delegated to NNAPI", builtin);
+ return kTfLiteError;
+ break;
+ case tflite::BuiltinOperator_CUSTOM:
+ logError("Custom operations are not supported when using NNAPI.");
+ return kTfLiteError;
+ break;
+ }
+
+ if (nnapi_version == 11 && GetAndroidSdkVersionCached() < 28) {
+ logError("Op %d needs NNAPI1.1", builtin);
+ return kTfLiteError;
+ }
+
+ // Add the operation.
+ RETURN_ERROR_IF_NN_FAILED(ANeuralNetworksModel_addOperation(
+ nn_model, nn_op_type, static_cast<uint32_t>(augmented_inputs.size()),
+ augmented_inputs.data(),
+ static_cast<uint32_t>(augmented_outputs.size()),
+ reinterpret_cast<uint32_t*>(augmented_outputs.data())));
+ }
+ return kTfLiteOk;
+}
+
+TfLiteStatus NNAPIDelegate::BuildGraph(Interpreter* interpreter) {
+ if (nn_model_ && nn_compiled_model_) return model_status_;
+
+ // TODO(aselle): This is not correct. need to handle resize invalidation.
+ if (!nn_model_) {
+ CHECK_NN(ANeuralNetworksModel_create(&nn_model_));
+
+ // Find which tensors should be added to NNAPI. TFLite has temporaries
+ // and RNN back-edges which are are not valid for NNAPI. We look through all
+ // inputs and outputs and mark the mapping in tensor_id_to_nnapi_id with
+ // kOperandIdNotSet. addTensorOperands will replace those with the
+ // corresponding NNAPI operand ids and skip kOperandNotNeeded entries.
+ std::vector<int64_t> tensor_id_to_nnapi_id(interpreter->tensors_size(),
+ kOperandNotNeeded);
+ auto set_ids_to_not_set = [&tensor_id_to_nnapi_id](const int* buf,
+ size_t count) {
+ for (int j = 0; j < count; j++) {
+ auto tensor_id = buf[j];
+ if (tensor_id != kOptionalTensor) {
+ tensor_id_to_nnapi_id[tensor_id] = kOperandIdNotSet;
+ }
+ }
+ };
+ for (size_t i = 0; i < interpreter->nodes_size(); i++) {
+ const auto* node_and_registration = interpreter->node_and_registration(i);
+ const TfLiteNode& node = node_and_registration->first;
+ set_ids_to_not_set(node.inputs->data, node.inputs->size);
+ set_ids_to_not_set(node.outputs->data, node.outputs->size);
+ }
+ set_ids_to_not_set(interpreter->inputs().data(),
+ interpreter->inputs().size());
+ set_ids_to_not_set(interpreter->outputs().data(),
+ interpreter->outputs().size());
+
+ uint32_t next_id = 0;
+ RETURN_ERROR_IF_TFLITE_FAILED(addTensorOperands(
+ interpreter, nn_model_, &next_id, &tensor_id_to_nnapi_id));
+ RETURN_ERROR_IF_TFLITE_FAILED(
+ AddOpsAndParams(interpreter, nn_model_, next_id, &model_states_inputs_,
+ &model_states_outputs_, tensor_id_to_nnapi_id));
+
+ std::vector<uint32_t> augmented_inputs;
+ MapAndAddTensorIds(interpreter->inputs().data(),
+ interpreter->inputs().size(), &augmented_inputs,
+ tensor_id_to_nnapi_id);
+ augmented_inputs.insert(augmented_inputs.end(),
+ model_states_inputs_.begin(),
+ model_states_inputs_.end());
+ std::vector<uint32_t> augmented_outputs;
+ MapAndAddTensorIds(interpreter->outputs().data(),
+ interpreter->outputs().size(), &augmented_outputs,
+ tensor_id_to_nnapi_id);
+ MapAndAddTensorIds(model_states_outputs_.data(),
+ model_states_outputs_.size(), &augmented_outputs,
+ tensor_id_to_nnapi_id);
+
+ CHECK_NN(ANeuralNetworksModel_identifyInputsAndOutputs(
+ nn_model_, static_cast<uint32_t>(augmented_inputs.size()),
+ reinterpret_cast<const uint32_t*>(augmented_inputs.data()),
+ static_cast<uint32_t>(augmented_outputs.size()),
+ reinterpret_cast<const uint32_t*>(augmented_outputs.data())));
+
+ if (GetAndroidSdkVersionCached() >= 28) {
+ CHECK_NN(ANeuralNetworksModel_relaxComputationFloat32toFloat16(
+ nn_model_, interpreter->GetAllowFp16PrecisionForFp32()));
+ }
+ CHECK_NN(ANeuralNetworksModel_finish(nn_model_));
+ }
+ if (!nn_compiled_model_) {
+ CHECK_NN(ANeuralNetworksCompilation_create(nn_model_, &nn_compiled_model_));
+ CHECK_NN(ANeuralNetworksCompilation_finish(nn_compiled_model_));
+ }
+ return kTfLiteOk;
+}
+
+TfLiteStatus NNAPIDelegate::Invoke(Interpreter* interpreter) {
+ if (!nn_model_) {
+ model_status_ = BuildGraph(interpreter);
+ if (model_status_ != kTfLiteOk) {
+ logError("Failed to build graph for NNAPI");
+ }
+ }
+ if (model_status_ != kTfLiteOk) {
+ return model_status_;
+ }
+
+ ANeuralNetworksExecution* execution = nullptr;
+ CHECK_NN(ANeuralNetworksExecution_create(nn_compiled_model_, &execution));
+
+ // Currently perform deep copy of input buffer
+ for (size_t i = 0; i < interpreter->inputs().size(); i++) {
+ int input = interpreter->inputs()[i];
+ // TODO(aselle): Is this what we want or do we want input instead?
+ // TODO(aselle): This should be called setInputValue maybe to be cons.
+ TfLiteTensor* tensor = interpreter->tensor(input);
+ CHECK_NN(ANeuralNetworksExecution_setInput(
+ execution, i, nullptr, tensor->data.raw, tensor->bytes));
+ }
+
+ // Tell nn api where to place final data.
+ for (size_t i = 0; i < interpreter->outputs().size(); i++) {
+ int output = interpreter->outputs()[i];
+ TfLiteTensor* tensor = interpreter->tensor(output);
+ CHECK_NN(ANeuralNetworksExecution_setOutput(
+ execution, i, nullptr, tensor->data.raw, tensor->bytes));
+ }
+
+ // The state_out of previous invocation need to be mapped to state_in of
+ // current invocation.
+ for (size_t i = 0; i < model_states_outputs_.size(); i++) {
+ int state_tensor_idx = model_states_outputs_[i];
+ TfLiteTensor* tensor = interpreter->tensor(state_tensor_idx);
+ // Here we are using a deep copy for state_in tensors so that we are not
+ // reading and writing into the same buffer during a invocation.
+ // TODO(miaowang): using double shared buffer to minimize the copies.
+ CHECK_NN(ANeuralNetworksExecution_setInput(
+ execution, i + interpreter->inputs().size(), nullptr, tensor->data.raw,
+ tensor->bytes));
+ // Tell NNAPI where to output the state_out.
+ CHECK_NN(ANeuralNetworksExecution_setOutput(
+ execution, i + interpreter->outputs().size(), nullptr, tensor->data.raw,
+ tensor->bytes));
+ }
+
+ // Currently use blocking compute.
+ ANeuralNetworksEvent* event = nullptr;
+ CHECK_NN(ANeuralNetworksExecution_startCompute(execution, &event));
+ CHECK_NN(ANeuralNetworksEvent_wait(event));
+ ANeuralNetworksEvent_free(event);
+ ANeuralNetworksExecution_free(execution);
+
+#if 0
+ printf("From the NN API:\n");
+ TfLiteTensor* tensor = interpreter->tensor(interpreter->outputs()[0]);
+ if (float* data =
+ interpreter->typed_tensor<float>(interpreter->outputs()[0])) {
+ size_t num = tensor->bytes / sizeof(float);
+ for (float* p = data; p < data + num; p++) {
+ printf(" %f", *p);
+ }
+ printf("\n");
+ }
+#endif
+
+ return kTfLiteOk;
+}
+
+bool NNAPIDelegate::IsSupported() { return NNAPIExists(); }
+
+} // namespace tflite
diff --git a/tensorflow/contrib/lite/string_util.h b/tensorflow/contrib/lite/string_util.h
new file mode 100644
index 0000000..0a83303
--- /dev/null
+++ b/tensorflow/contrib/lite/string_util.h
@@ -0,0 +1,97 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+
+// Util methods to read and write String tensors.
+// String tensors are considered to be char tensor with protocol.
+// [0, 3] 4 bytes: N, num of strings in the tensor in little endian.
+// [(i+1)*4, (i+1)*4+3] 4 bytes: offset of i-th string in little endian.
+// [(N+2)*4, (N+2)*4+3] 4 bytes: length of the whole char buffer.
+// [offset(i), offset(i+1) - 1] : content of i-th string.
+// Example of a string tensor:
+// [
+// 2, 0, 0, 0, # 2 strings.
+// 16, 0, 0, 0, # 0-th string starts from index 12.
+// 18, 0, 0, 0, # 1-st string starts from index 18.
+// 18, 0, 0, 0, # total length of array.
+// 'A', 'B', # 0-th string [16..17]: "AB"
+// ] # 1-th string, empty
+//
+// A typical usage:
+// In op.Eval(context, node):
+// DynamicBuffer buf;
+// # Add string "AB" to tensor, string is stored in dynamic buffer.
+// buf.AddString("AB", 2);
+// # Write content of DynamicBuffer to tensor in format of string tensor
+// # described above.
+// buf.WriteToTensor(tensor)
+
+#ifndef TENSORFLOW_CONTRIB_LITE_STRING_UTIL_H_
+#define TENSORFLOW_CONTRIB_LITE_STRING_UTIL_H_
+
+#include <vector>
+
+#include "tensorflow/contrib/lite/c/c_api_internal.h"
+#include "tensorflow/contrib/lite/string_tflite.h"
+
+namespace tflite {
+
+// Convenient structure to store string pointer and length.
+typedef struct {
+ const char* str;
+ int len;
+} StringRef;
+
+// DynamicBuffer holds temporary buffer that will be used to create a dynamic
+// tensor. A typical usage is to initialize a DynamicBuffer object, fill in
+// content and call CreateStringTensor in op.Eval().
+class DynamicBuffer {
+ public:
+ DynamicBuffer() : offset_({0}) {}
+
+ // Add string to dynamic buffer by resizing the buffer and copying the data.
+ void AddString(const StringRef& string);
+
+ // Add string to dynamic buffer by resizing the buffer and copying the data.
+ void AddString(const char* str, size_t len);
+
+ // Join a list of string with separator, and add as a single string to the
+ // buffer.
+ void AddJoinedString(const std::vector<StringRef>& strings, char separator);
+
+ // Fill content into a buffer and returns the number of bytes stored.
+ // The function allocates space for the buffer but does NOT take ownership.
+ int WriteToBuffer(char** buffer);
+
+ // Fill content into a string tensor.
+ void WriteToTensor(TfLiteTensor* tensor);
+
+ private:
+ // Data buffer to store contents of strings, not including headers.
+ std::vector<char> data_;
+ // Offset of the starting index of each string in data buffer.
+ std::vector<int32_t> offset_;
+};
+
+// Return num of strings in a String tensor.
+int GetStringCount(const char* raw_buffer);
+int GetStringCount(const TfLiteTensor* tensor);
+
+// Get String pointer and length of index-th string in tensor.
+// NOTE: This will not create a copy of string data.
+StringRef GetString(const char* raw_buffer, int string_index);
+StringRef GetString(const TfLiteTensor* tensor, int string_index);
+} // namespace tflite
+
+#endif // TENSORFLOW_CONTRIB_LITE_STRING_UTIL_H_
diff --git a/tensorflow/contrib/lite/testing/util.h b/tensorflow/contrib/lite/testing/util.h
new file mode 100644
index 0000000..72e4f68
--- /dev/null
+++ b/tensorflow/contrib/lite/testing/util.h
@@ -0,0 +1,59 @@
+/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+==============================================================================*/
+#ifndef TENSORFLOW_CONTRIB_LITE_TESTING_UTIL_H_
+#define TENSORFLOW_CONTRIB_LITE_TESTING_UTIL_H_
+
+#include <cstdio>
+
+#include "tensorflow/contrib/lite/core/api/error_reporter.h"
+#include "tensorflow/contrib/lite/string_tflite.h"
+
+namespace tflite {
+
+// An ErrorReporter that collects error message in a string, in addition
+// to printing to stderr.
+class TestErrorReporter : public ErrorReporter {
+ public:
+ int Report(const char* format, va_list args) override {
+ char buffer[1024];
+ int size = vsnprintf(buffer, sizeof(buffer), format, args);
+ fprintf(stderr, "%s", buffer);
+ error_messages_ += buffer;
+ num_calls_++;
+ return size;
+ }
+
+ void Reset() {
+ num_calls_ = 0;
+ error_messages_.clear();
+ }
+
+ int num_calls() const { return num_calls_; }
+ const string& error_messages() const { return error_messages_; }
+
+ private:
+ int num_calls_ = 0;
+ string error_messages_;
+};
+
+inline void LogToStderr() {
+#ifdef PLATFORM_GOOGLE
+ FLAGS_logtostderr = true;
+#endif
+}
+
+} // namespace tflite
+
+#endif // TENSORFLOW_CONTRIB_LITE_TESTING_UTIL_H_
diff --git a/tensorflow/lite/Android.bp b/tensorflow/lite/Android.bp
new file mode 100644
index 0000000..a105534
--- /dev/null
+++ b/tensorflow/lite/Android.bp
@@ -0,0 +1,99 @@
+// Copyright (C) 2017 The Android Open Source Project
+//
+// Licensed under the Apache License, Version 2.0 (the "License");
+// you may not use this file except in compliance with the License.
+// You may obtain a copy of the License at
+//
+// http://www.apache.org/licenses/LICENSE-2.0
+//
+// Unless required by applicable law or agreed to in writing, software
+// distributed under the License is distributed on an "AS IS" BASIS,
+// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+// See the License for the specific language governing permissions and
+// limitations under the License.
+
+cc_defaults {
+ name: "tflite_defaults",
+ header_libs: [
+ "tensorflow_headers",
+ ],
+ cflags: [
+ "-DTF_LITE_DISABLE_X86_NEON",
+ "-Wall",
+ "-Werror",
+ "-Wextra",
+ "-Wno-unused-parameter",
+ ],
+ shared_libs: [
+ "liblog",
+ ],
+}
+
+cc_library_static {
+ name: "libtflite_context",
+ defaults: ["tflite_defaults"],
+ srcs: ["c/c_api_internal.c"],
+ cflags: [
+ "-Wno-typedef-redefinition",
+ "-Wno-visibility",
+ ],
+}
+
+cc_library_static {
+ name: "libtflite_framework",
+ defaults: ["tflite_defaults"],
+ rtti: true,
+ srcs: [
+ "allocation.cc",
+ "arena_planner.cc",
+ "core/api/error_reporter.cc",
+ "core/api/flatbuffer_conversions.cc",
+ "core/api/op_resolver.cc",
+ "core/subgraph.cc",
+ "graph_info.cc",
+ "interpreter.cc",
+ "mmap_allocation.cc",
+ "model.cc",
+ "mutable_op_resolver.cc",
+ "nnapi_delegate.cc",
+ "optional_debug_tools.cc",
+ "simple_memory_arena.cc",
+ "stderr_reporter.cc",
+ "string_util.cc",
+ "util.cc",
+ "kernels/eigen_support.cc",
+ "kernels/gemm_support.cc",
+ ],
+ header_libs: [
+ "libeigen",
+ "flatbuffer_headers",
+ "gemmlowp_headers",
+ ],
+ cflags: [
+ "-Wno-extern-c-compat",
+ "-Wno-mismatched-tags",
+ "-Wno-sign-compare",
+ "-Wno-unused-lambda-capture",
+ "-Wno-invalid-partial-specialization",
+ ],
+}
+
+cc_library_shared {
+ name: "libtflite",
+ defaults: ["tflite_defaults"],
+ shared_libs: [
+ "libtextclassifier_hash",
+ ],
+ whole_static_libs: [
+ "libtflite_context",
+ "libtflite_framework",
+ "libtflite_kernels",
+ ],
+ stl: "libc++_static",
+}
+
+build = [
+ "tflite_static.bp",
+]
+
+subdirs = ["kernels"]
diff --git a/tensorflow/lite/allocation.h b/tensorflow/lite/allocation.h
index f25d7fa..07d85ce 100644
--- a/tensorflow/lite/allocation.h
+++ b/tensorflow/lite/allocation.h
@@ -23,7 +23,7 @@
#include "tensorflow/lite/c/c_api_internal.h"
#include "tensorflow/lite/core/api/error_reporter.h"
#include "tensorflow/lite/simple_memory_arena.h"
-#include "tensorflow/lite/string.h"
+#include "tensorflow/lite/string_tflite.h"
namespace tflite {
diff --git a/tensorflow/lite/kernels/Android.bp b/tensorflow/lite/kernels/Android.bp
new file mode 100644
index 0000000..f0c0d12
--- /dev/null
+++ b/tensorflow/lite/kernels/Android.bp
@@ -0,0 +1,136 @@
+// Copyright (C) 2017 The Android Open Source Project
+//
+// Licensed under the Apache License, Version 2.0 (the "License");
+// you may not use this file except in compliance with the License.
+// You may obtain a copy of the License at
+//
+// http://www.apache.org/licenses/LICENSE-2.0
+//
+// Unless required by applicable law or agreed to in writing, software
+// distributed under the License is distributed on an "AS IS" BASIS,
+// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+// See the License for the specific language governing permissions and
+// limitations under the License.
+
+cc_library_static {
+ name: "libtflite_kernel_utils",
+ defaults: ["tflite_defaults"],
+ vendor_available: true,
+ srcs: [
+ "kernel_util.cc",
+ "internal/tensor_utils.cc",
+ "internal/quantization_util.cc",
+ "internal/reference/portable_tensor_utils.cc",
+ "internal/optimized/neon_tensor_utils.cc",
+ ],
+ header_libs: [
+ "gemmlowp_headers",
+ ],
+ cflags: [
+ "-Wno-extern-c-compat",
+ ]
+}
+
+cc_library_static {
+ name: "libtflite_kernels",
+ defaults: ["tflite_defaults"],
+ srcs: [
+ "activations.cc",
+ "add.cc",
+ "arg_min_max.cc",
+ "basic_rnn.cc",
+ "batch_to_space_nd.cc",
+ "bidirectional_sequence_lstm.cc",
+ "bidirectional_sequence_rnn.cc",
+ "cast.cc",
+ "comparisons.cc",
+ "concatenation.cc",
+ "conv.cc",
+ "depthwise_conv.cc",
+ "dequantize.cc",
+ "detection_postprocess.cc",
+ "div.cc",
+ "elementwise.cc",
+ "embedding_lookup.cc",
+ "embedding_lookup_sparse.cc",
+ "exp.cc",
+ "expand_dims.cc",
+ "fake_quant.cc",
+ "fill.cc",
+ "floor.cc",
+ "floor_div.cc",
+ "floor_mod.cc",
+ "fully_connected.cc",
+ "gather.cc",
+ "hashtable_lookup.cc",
+ "kernel_util.cc",
+ "l2norm.cc",
+ "layer_norm_lstm.cc",
+ "local_response_norm.cc",
+ "logical.cc",
+ "lsh_projection.cc",
+ "lstm.cc",
+ "lstm_eval.cc",
+ "maximum_minimum.cc",
+ "mirror_pad.cc",
+ "mul.cc",
+ "neg.cc",
+ "one_hot.cc",
+ "pad.cc",
+ "pack.cc",
+ "pooling.cc",
+ "pow.cc",
+ "range.cc",
+ "reduce.cc",
+ "relu1.cc",
+ "register.cc",
+ "reshape.cc",
+ "resize_bilinear.cc",
+ "resize_nearest_neighbor.cc",
+ "select.cc",
+ "shape.cc",
+ "skip_gram.cc",
+ "slice.cc",
+ "space_to_batch_nd.cc",
+ "space_to_depth.cc",
+ "sparse_to_dense.cc",
+ "split.cc",
+ "split_v.cc",
+ "squared_difference.cc",
+ "squeeze.cc",
+ "strided_slice.cc",
+ "sub.cc",
+ "svdf.cc",
+ "tile.cc",
+ "topk_v2.cc",
+ "transpose.cc",
+ "transpose_conv.cc",
+ "unidirectional_sequence_lstm.cc",
+ "unidirectional_sequence_rnn.cc",
+ "unique.cc",
+ "unpack.cc",
+ "zeros_like.cc",
+ "internal/kernel_utils.cc",
+ "internal/tensor_utils.cc",
+ "internal/quantization_util.cc",
+ "internal/reference/portable_tensor_utils.cc",
+ "internal/optimized/neon_tensor_utils.cc",
+ ],
+ header_libs: [
+ "flatbuffer_headers",
+ "gemmlowp_headers",
+ "libeigen",
+ "libtextclassifier_hash_headers",
+ ],
+ cflags: [
+ "-DNAMESPACE_FOR_HASH_FUNCTIONS=farmhash",
+ "-Wno-array-bounds",
+ "-Wno-extern-c-compat",
+ "-Wno-invalid-partial-specialization",
+ "-Wno-missing-field-initializers",
+ "-Wno-sign-compare",
+ "-Wno-unused-local-typedef",
+ "-Wno-unused-variable",
+ "-Wno-mismatched-tags",
+ ],
+}
diff --git a/tensorflow/lite/kernels/internal/optimized/cpu_check.h b/tensorflow/lite/kernels/internal/optimized/cpu_check.h
index ac4ea7d..3ba65ee 100644
--- a/tensorflow/lite/kernels/internal/optimized/cpu_check.h
+++ b/tensorflow/lite/kernels/internal/optimized/cpu_check.h
@@ -18,20 +18,15 @@
namespace tflite {
#ifdef __ANDROID__
-#include "ndk/sources/android/cpufeatures/cpu-features.h"
// Runtime check for Neon support on Android.
inline bool TestCPUFeatureNeon() {
-#ifdef __aarch64__
+#if defined(__aarch64__) || defined(__ARM_NEON__)
// ARM-64 always has NEON support.
return true;
#else
- static bool kUseAndroidNeon =
- (android_getCpuFamily() == ANDROID_CPU_FAMILY_ARM &&
- android_getCpuFeatures() & ANDROID_CPU_ARM_FEATURE_ARMv7 &&
- android_getCpuFeatures() & ANDROID_CPU_ARM_FEATURE_NEON);
- return kUseAndroidNeon;
-#endif // __aarch64__
+ return false;
+#endif
}
#elif defined USE_NEON || defined __ARM_NEON
diff --git a/tensorflow/lite/kernels/internal/optimized/eigen_spatial_convolutions.h b/tensorflow/lite/kernels/internal/optimized/eigen_spatial_convolutions.h
index 29e3f53..a7abf3e 100644
--- a/tensorflow/lite/kernels/internal/optimized/eigen_spatial_convolutions.h
+++ b/tensorflow/lite/kernels/internal/optimized/eigen_spatial_convolutions.h
@@ -29,14 +29,14 @@
// If you have trouble simply undef out the reducer macro e.g.
// TFLITE_REDUCE_INSTANTIATIONS_GOOGLE, but be aware this will make
// the binary much bigger!
-#define TFLITE_REDUCE_INSTANTIATIONS_OPEN_SOURCE
+// #define TFLITE_REDUCE_INSTANTIATIONS_OPEN_SOURCE
#define Eigen EigenForTFLite
#if defined(TFLITE_REDUCE_INSTANTIATIONS_GOOGLE)
#include "tensorflow/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_google.h"
#elif defined(TFLITE_REDUCE_INSTANTIATIONS_OPEN_SOURCE)
#include "tensorflow/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h"
#else
-#include "third_party/eigen3/unsupported/Eigen/CXX11/Tensor"
+#include "unsupported/Eigen/CXX11/Tensor"
#endif
namespace Eigen {
diff --git a/tensorflow/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h b/tensorflow/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h
index f5576fb..a10b425 100644
--- a/tensorflow/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h
+++ b/tensorflow/lite/kernels/internal/optimized/eigen_tensor_reduced_instantiations_oss.h
@@ -94,7 +94,7 @@
#include "unsupported/Eigen/CXX11/src/Tensor/TensorCostModel.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceDefault.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceThreadPool.h"
-#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceGpu.h"
+#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceCuda.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorDeviceSycl.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorIndexList.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorDimensionList.h"
@@ -106,11 +106,11 @@
#include "unsupported/Eigen/CXX11/src/Tensor/TensorIntDiv.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorGlobalFunctions.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorBase.h"
-#include "unsupported/Eigen/CXX11/src/Tensor/TensorBlock.h"
+// #include "unsupported/Eigen/CXX11/src/Tensor/TensorBlock.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorEvaluator.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorExpr.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorReduction.h"
-#include "unsupported/Eigen/CXX11/src/Tensor/TensorReductionGpu.h"
+// #include "unsupported/Eigen/CXX11/src/Tensor/TensorReductionGpu.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorArgMax.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorConcatenation.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionMapper.h"
@@ -129,7 +129,7 @@
#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionThreadPool.h"
-#include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionGpu.h"
+// #include "unsupported/Eigen/CXX11/src/Tensor/TensorContractionGpu.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorConversion.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorConvolution.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorFFT.h"
@@ -151,7 +151,7 @@
#include "unsupported/Eigen/CXX11/src/Tensor/TensorGenerator.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorAssign.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorScan.h"
-#include "unsupported/Eigen/CXX11/src/Tensor/TensorTrace.h"
+// #include "unsupported/Eigen/CXX11/src/Tensor/TensorTrace.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorSycl.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorExecutor.h"
#include "unsupported/Eigen/CXX11/src/Tensor/TensorDevice.h"
diff --git a/tensorflow/lite/kernels/internal/optimized/optimized_ops.h b/tensorflow/lite/kernels/internal/optimized/optimized_ops.h
index ac68757..7009323 100644
--- a/tensorflow/lite/kernels/internal/optimized/optimized_ops.h
+++ b/tensorflow/lite/kernels/internal/optimized/optimized_ops.h
@@ -29,8 +29,7 @@
#include <Accelerate/Accelerate.h>
#endif
-#include "third_party/eigen3/Eigen/Core"
-#include "third_party/eigen3/unsupported/Eigen/CXX11/Tensor"
+#include "Eigen/Core"
#include "fixedpoint/fixedpoint.h"
#include "public/gemmlowp.h"
#include "tensorflow/lite/kernels/internal/common.h"
@@ -40,6 +39,7 @@
#include "tensorflow/lite/kernels/internal/strided_slice_logic.h"
#include "tensorflow/lite/kernels/internal/tensor_utils.h"
#include "tensorflow/lite/kernels/internal/types.h"
+#include "unsupported/Eigen/CXX11/Tensor"
namespace tflite {
namespace optimized_ops {
diff --git a/tensorflow/lite/kernels/lsh_projection.cc b/tensorflow/lite/kernels/lsh_projection.cc
index f68ff4d..54b9e35 100644
--- a/tensorflow/lite/kernels/lsh_projection.cc
+++ b/tensorflow/lite/kernels/lsh_projection.cc
@@ -63,7 +63,7 @@
#include "tensorflow/lite/c/c_api_internal.h"
#include "tensorflow/lite/kernels/kernel_util.h"
#include "tensorflow/lite/kernels/op_macros.h"
-#include <farmhash.h>
+#include "utils/hash/farmhash.h"
namespace tflite {
namespace ops {
@@ -126,7 +126,7 @@
memcpy(key.get(), &seed, seed_size);
memcpy(key.get() + seed_size, input_ptr, input_item_bytes);
- int64_t hash_signature = ::util::Fingerprint64(key.get(), key_bytes);
+ int64_t hash_signature = farmhash::Fingerprint64(key.get(), key_bytes);
double running_value = static_cast<double>(hash_signature);
input_ptr += input_item_bytes;
if (weight == nullptr) {
diff --git a/tensorflow/lite/kernels/register.cc b/tensorflow/lite/kernels/register.cc
index f17f39f..df2b15f 100644
--- a/tensorflow/lite/kernels/register.cc
+++ b/tensorflow/lite/kernels/register.cc
@@ -289,9 +289,9 @@
// TODO(andrewharp, ahentz): Move these somewhere more appropriate so that
// custom ops aren't always included by default.
- AddCustom("Mfcc", tflite::ops::custom::Register_MFCC());
- AddCustom("AudioSpectrogram",
- tflite::ops::custom::Register_AUDIO_SPECTROGRAM());
+ // AddCustom("Mfcc", tflite::ops::custom::Register_MFCC());
+ // AddCustom("AudioSpectrogram",
+ // tflite::ops::custom::Register_AUDIO_SPECTROGRAM());
AddCustom("LayerNormLstm", tflite::ops::custom::Register_LAYER_NORM_LSTM());
AddCustom("Relu1", tflite::ops::custom::Register_RELU_1());
AddCustom("TFLite_Detection_PostProcess",
diff --git a/tensorflow/lite/string.h b/tensorflow/lite/string_tflite.h
similarity index 86%
rename from tensorflow/lite/string.h
rename to tensorflow/lite/string_tflite.h
index 65142b1..af3fadf 100644
--- a/tensorflow/lite/string.h
+++ b/tensorflow/lite/string_tflite.h
@@ -13,8 +13,8 @@
limitations under the License.
==============================================================================*/
// Abstract string. We don't want even absl at this level.
-#ifndef TENSORFLOW_LITE_STRING_H_
-#define TENSORFLOW_LITE_STRING_H_
+#ifndef TENSORFLOW_CONTRIB_LITE_STRING_H_
+#define TENSORFLOW_CONTRIB_LITE_STRING_H_
#include <string>
@@ -26,4 +26,4 @@
} // namespace tflite
-#endif // TENSORFLOW_LITE_STRING_H_
+#endif // TENSORFLOW_CONTRIB_LITE_STRING_H_
diff --git a/tensorflow/lite/string_util.h b/tensorflow/lite/string_util.h
index f076db7..adb67c6 100644
--- a/tensorflow/lite/string_util.h
+++ b/tensorflow/lite/string_util.h
@@ -43,7 +43,7 @@
#include <vector>
#include "tensorflow/lite/c/c_api_internal.h"
-#include "tensorflow/lite/string.h"
+#include "tensorflow/lite/string_tflite.h"
namespace tflite {
diff --git a/tensorflow/lite/tflite_static.bp b/tensorflow/lite/tflite_static.bp
new file mode 100644
index 0000000..e9a8378
--- /dev/null
+++ b/tensorflow/lite/tflite_static.bp
@@ -0,0 +1,155 @@
+// Copyright (C) 2017 The Android Open Source Project
+//
+// Licensed under the Apache License, Version 2.0 (the "License");
+// you may not use this file except in compliance with the License.
+// You may obtain a copy of the License at
+//
+// http://www.apache.org/licenses/LICENSE-2.0
+//
+// Unless required by applicable law or agreed to in writing, software
+// distributed under the License is distributed on an "AS IS" BASIS,
+// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+// See the License for the specific language governing permissions and
+// limitations under the License.
+
+// Create a static version for apps to use.
+cc_library_static {
+ name: "libtflite_static",
+ sdk_version: "current",
+ rtti: true,
+ srcs: [
+ "allocation.cc",
+ "arena_planner.cc",
+ "c/c_api_internal.c",
+ "core/api/error_reporter.cc",
+ "core/api/flatbuffer_conversions.cc",
+ "core/api/op_resolver.cc",
+ "core/subgraph.cc",
+ "delegates/nnapi/nnapi_delegate.cc",
+ "graph_info.cc",
+ "interpreter.cc",
+ "mmap_allocation.cc",
+ "model.cc",
+ "mutable_op_resolver.cc",
+ "nnapi_delegate.cc",
+ "optional_debug_tools.cc",
+ "simple_memory_arena.cc",
+ "stderr_reporter.cc",
+ "string_util.cc",
+ "util.cc",
+ "kernels/elementwise.cc",
+ "kernels/split.cc",
+ "kernels/topk_v2.cc",
+ "kernels/activations.cc",
+ "kernels/add.cc",
+ "kernels/arg_min_max.cc",
+ "kernels/basic_rnn.cc",
+ "kernels/batch_to_space_nd.cc",
+ "kernels/bidirectional_sequence_lstm.cc",
+ "kernels/bidirectional_sequence_rnn.cc",
+ "kernels/cast.cc",
+ "kernels/comparisons.cc",
+ "kernels/concatenation.cc",
+ "kernels/conv.cc",
+ "kernels/depthwise_conv.cc",
+ "kernels/dequantize.cc",
+ "kernels/detection_postprocess.cc",
+ "kernels/div.cc",
+ "kernels/eigen_support.cc",
+ "kernels/embedding_lookup.cc",
+ "kernels/embedding_lookup_sparse.cc",
+ "kernels/exp.cc",
+ "kernels/expand_dims.cc",
+ "kernels/fill.cc",
+ "kernels/fake_quant.cc",
+ "kernels/floor.cc",
+ "kernels/floor_div.cc",
+ "kernels/floor_mod.cc",
+ "kernels/fully_connected.cc",
+ "kernels/gather.cc",
+ "kernels/gemm_support.cc",
+ "kernels/hashtable_lookup.cc",
+ "kernels/kernel_util.cc",
+ "kernels/l2norm.cc",
+ "kernels/layer_norm_lstm.cc",
+ "kernels/local_response_norm.cc",
+ "kernels/logical.cc",
+ "kernels/lsh_projection.cc",
+ "kernels/lstm.cc",
+ "kernels/lstm_eval.cc",
+ "kernels/maximum_minimum.cc",
+ "kernels/mirror_pad.cc",
+ "kernels/mul.cc",
+ "kernels/neg.cc",
+ "kernels/one_hot.cc",
+ "kernels/pad.cc",
+ "kernels/pack.cc",
+ "kernels/pooling.cc",
+ "kernels/pow.cc",
+ "kernels/range.cc",
+ "kernels/reduce.cc",
+ "kernels/relu1.cc",
+ "kernels/register.cc",
+ "kernels/reshape.cc",
+ "kernels/resize_bilinear.cc",
+ "kernels/resize_nearest_neighbor.cc",
+ "kernels/select.cc",
+ "kernels/shape.cc",
+ "kernels/skip_gram.cc",
+ "kernels/slice.cc",
+ "kernels/space_to_batch_nd.cc",
+ "kernels/space_to_depth.cc",
+ "kernels/sparse_to_dense.cc",
+ "kernels/split_v.cc",
+ "kernels/squeeze.cc",
+ "kernels/squared_difference.cc",
+ "kernels/strided_slice.cc",
+ "kernels/sub.cc",
+ "kernels/svdf.cc",
+ "kernels/tile.cc",
+ "kernels/transpose.cc",
+ "kernels/transpose_conv.cc",
+ "kernels/unidirectional_sequence_lstm.cc",
+ "kernels/unidirectional_sequence_rnn.cc",
+ "kernels/unique.cc",
+ "kernels/unpack.cc",
+ "kernels/zeros_like.cc",
+ "kernels/internal/kernel_utils.cc",
+ "kernels/internal/tensor_utils.cc",
+ "kernels/internal/quantization_util.cc",
+ "kernels/internal/reference/portable_tensor_utils.cc",
+ "kernels/internal/optimized/neon_tensor_utils.cc",
+ ],
+ include_dirs: [
+ "external/eigen",
+ "external/flatbuffers/include",
+ "external/gemmlowp",
+ "external/libtextclassifier",
+ "external/tensorflow",
+ ],
+ whole_static_libs: [
+ "libtextclassifier_hash_static",
+ ],
+ cflags: [
+ "-DTF_LITE_DISABLE_X86_NEON",
+ "-DNAMESPACE_FOR_HASH_FUNCTIONS=farmhash",
+ "-Wall",
+ "-Werror",
+ "-Wextra",
+ "-Wno-array-bounds",
+ "-Wno-extern-c-compat",
+ "-Wno-invalid-partial-specialization",
+ "-Wno-mismatched-tags",
+ "-Wno-missing-field-initializers",
+ "-Wno-sign-compare",
+ "-Wno-typedef-redefinition",
+ "-Wno-unused-lambda-capture",
+ "-Wno-unused-local-typedef",
+ "-Wno-unused-parameter",
+ "-Wno-unused-variable",
+ "-Wno-invalid-partial-specialization",
+ "-Wno-mismatched-tags",
+ "-Wno-visibility",
+ ],
+ stl: "libc++_static",
+}
diff --git a/tensorflow/lite/tools/gen_op_registration.h b/tensorflow/lite/tools/gen_op_registration.h
index a616720..91dd75d 100644
--- a/tensorflow/lite/tools/gen_op_registration.h
+++ b/tensorflow/lite/tools/gen_op_registration.h
@@ -16,7 +16,7 @@
#define TENSORFLOW_LITE_TOOLS_GEN_OP_REGISTRATION_H_
#include "tensorflow/lite/model.h"
-#include "tensorflow/lite/string.h"
+#include "tensorflow/lite/string_tflite.h"
namespace tflite {
diff --git a/third_party/BUILD b/third_party/BUILD
deleted file mode 100644
index fe756e1..0000000
--- a/third_party/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-licenses(["notice"]) # Apache 2.0
diff --git a/third_party/android/android.bzl.tpl b/third_party/android/android.bzl.tpl
deleted file mode 100644
index e6ed499..0000000
--- a/third_party/android/android.bzl.tpl
+++ /dev/null
@@ -1,9 +0,0 @@
-"""Set up configurable Android SDK and NDK dependencies."""
-
-def android_workspace():
- # String for replacement in Bazel template.
- # These will either be replaced by android_sdk_repository if various ENV
- # variables are set when `local_config_android` repo_rule is run, or they
- # will be replaced by noops otherwise.
- MAYBE_ANDROID_SDK_REPOSITORY
- MAYBE_ANDROID_NDK_REPOSITORY
diff --git a/third_party/android/android_configure.BUILD.tpl b/third_party/android/android_configure.BUILD.tpl
deleted file mode 100644
index e69de29..0000000
--- a/third_party/android/android_configure.BUILD.tpl
+++ /dev/null
diff --git a/third_party/android/android_configure.bzl b/third_party/android/android_configure.bzl
deleted file mode 100644
index da09bdf..0000000
--- a/third_party/android/android_configure.bzl
+++ /dev/null
@@ -1,87 +0,0 @@
-"""Repository rule for Android SDK and NDK autoconfiguration.
-
-`android_configure` depends on the following environment variables:
-
- * `ANDROID_NDK_HOME`: Location of Android NDK root.
- * `ANDROID_SDK_HOME`: Location of Android SDK root.
- * `ANDROID_SDK_API_LEVEL`: Desired Android SDK API version.
- * `ANDROID_NDK_API_LEVEL`: Desired Android NDK API version.
- * `ANDROID_BUILD_TOOLS_VERSION`: Desired Android build tools version.
-"""
-
-# TODO(mikecase): Move logic for getting default values for the env variables
-# from configure.py script into this rule.
-
-_ANDROID_NDK_HOME = "ANDROID_NDK_HOME"
-_ANDROID_SDK_HOME = "ANDROID_SDK_HOME"
-_ANDROID_NDK_API_VERSION = "ANDROID_NDK_API_LEVEL"
-_ANDROID_SDK_API_VERSION = "ANDROID_SDK_API_LEVEL"
-_ANDROID_BUILD_TOOLS_VERSION = "ANDROID_BUILD_TOOLS_VERSION"
-
-_ANDROID_SDK_REPO_TEMPLATE = """
- native.android_sdk_repository(
- name="androidsdk",
- path="%s",
- api_level=%s,
- build_tools_version="%s",
- )
-"""
-
-_ANDROID_NDK_REPO_TEMPLATE = """
- native.android_ndk_repository(
- name="androidndk",
- path="%s",
- api_level=%s,
- )
-"""
-
-def _android_autoconf_impl(repository_ctx):
- """Implementation of the android_autoconf repository rule."""
- sdk_home = repository_ctx.os.environ.get(_ANDROID_SDK_HOME)
- sdk_api_level = repository_ctx.os.environ.get(_ANDROID_SDK_API_VERSION)
- build_tools_version = repository_ctx.os.environ.get(
- _ANDROID_BUILD_TOOLS_VERSION)
- ndk_home = repository_ctx.os.environ.get(_ANDROID_NDK_HOME)
- ndk_api_level = repository_ctx.os.environ.get(_ANDROID_NDK_API_VERSION)
-
- sdk_rule = "pass"
- if all([sdk_home, sdk_api_level, build_tools_version]):
- sdk_rule = _ANDROID_SDK_REPO_TEMPLATE % (
- sdk_home, sdk_api_level, build_tools_version)
-
- ndk_rule = "pass"
- if all([ndk_home, ndk_api_level]):
- ndk_rule = _ANDROID_NDK_REPO_TEMPLATE % (ndk_home, ndk_api_level)
-
- repository_ctx.template(
- "BUILD",
- Label("//third_party/android:android_configure.BUILD.tpl"))
- repository_ctx.template(
- "android.bzl",
- Label("//third_party/android:android.bzl.tpl"),
- substitutions={
- "MAYBE_ANDROID_SDK_REPOSITORY": sdk_rule,
- "MAYBE_ANDROID_NDK_REPOSITORY": ndk_rule,
- })
-
-android_configure = repository_rule(
- implementation = _android_autoconf_impl,
- environ = [
- _ANDROID_SDK_API_VERSION,
- _ANDROID_NDK_API_VERSION,
- _ANDROID_BUILD_TOOLS_VERSION,
- _ANDROID_NDK_HOME,
- _ANDROID_SDK_HOME,
- ],
-)
-"""Writes Android SDK and NDK rules.
-
-Add the following to your WORKSPACE FILE:
-
-```python
-android_configure(name = "local_config_android")
-```
-
-Args:
- name: A unique name for this workspace rule.
-"""
diff --git a/third_party/arm_neon_2_x86_sse.BUILD b/third_party/arm_neon_2_x86_sse.BUILD
deleted file mode 100644
index 6c641a7..0000000
--- a/third_party/arm_neon_2_x86_sse.BUILD
+++ /dev/null
@@ -1,16 +0,0 @@
-# Description:
-# NEON2SSE - a header file redefining ARM Neon intrinsics in terms of SSE intrinsics
-# allowing neon code to compile and run on x64/x86 workstantions.
-
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # 3-Clause BSD
-
-exports_files([
- "LICENSE",
-])
-
-cc_library(
- name = "arm_neon_2_x86_sse",
- hdrs = ["NEON_2_SSE.h"],
-)
diff --git a/third_party/astor.BUILD b/third_party/astor.BUILD
deleted file mode 100644
index 58fe9ac..0000000
--- a/third_party/astor.BUILD
+++ /dev/null
@@ -1,24 +0,0 @@
-# Description:
-# AST round-trip manipulation for Python.
-
-licenses(["notice"]) # New BSD
-
-exports_files(["LICENSE"])
-
-py_library(
- name = "astor",
- srcs = [
- "astor/__init__.py",
- "astor/code_gen.py",
- "astor/codegen.py",
- "astor/file_util.py",
- "astor/node_util.py",
- "astor/op_util.py",
- "astor/rtrip.py",
- "astor/source_repr.py",
- "astor/string_repr.py",
- "astor/tree_walk.py",
- ],
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/aws/BUILD b/third_party/aws/BUILD
deleted file mode 100644
index 2f5d02b..0000000
--- a/third_party/aws/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# Dummy BUILD file to make this directory a package.
diff --git a/third_party/aws/BUILD.bazel b/third_party/aws/BUILD.bazel
deleted file mode 100644
index fde3072..0000000
--- a/third_party/aws/BUILD.bazel
+++ /dev/null
@@ -1,97 +0,0 @@
-# Description:
-# AWS C++ SDK
-
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(["LICENSE"])
-
-load("@org_tensorflow//third_party:common.bzl", "template_rule")
-
-cc_library(
- name = "aws",
- srcs = select({
- "@org_tensorflow//tensorflow:linux_x86_64": glob([
- "aws-cpp-sdk-core/source/platform/linux-shared/*.cpp",
- ]),
- "@org_tensorflow//tensorflow:darwin": glob([
- "aws-cpp-sdk-core/source/platform/linux-shared/*.cpp",
- ]),
- "@org_tensorflow//tensorflow:linux_ppc64le": glob([
- "aws-cpp-sdk-core/source/platform/linux-shared/*.cpp",
- ]),
- "@org_tensorflow//tensorflow:raspberry_pi_armeabi": glob([
- "aws-cpp-sdk-core/source/platform/linux-shared/*.cpp",
- ]),
- "//conditions:default": [],
- }) + glob([
- "aws-cpp-sdk-core/include/**/*.h",
- "aws-cpp-sdk-core/source/*.cpp",
- "aws-cpp-sdk-core/source/auth/**/*.cpp",
- "aws-cpp-sdk-core/source/config/**/*.cpp",
- "aws-cpp-sdk-core/source/client/**/*.cpp",
- "aws-cpp-sdk-core/source/external/**/*.cpp",
- "aws-cpp-sdk-core/source/internal/**/*.cpp",
- "aws-cpp-sdk-core/source/http/*.cpp",
- "aws-cpp-sdk-core/source/http/curl/**/*.cpp",
- "aws-cpp-sdk-core/source/http/standard/**/*.cpp",
- "aws-cpp-sdk-core/source/utils/*.cpp",
- "aws-cpp-sdk-core/source/utils/base64/**/*.cpp",
- "aws-cpp-sdk-core/source/utils/json/**/*.cpp",
- "aws-cpp-sdk-core/source/utils/logging/**/*.cpp",
- "aws-cpp-sdk-core/source/utils/memory/**/*.cpp",
- "aws-cpp-sdk-core/source/utils/stream/**/*.cpp",
- "aws-cpp-sdk-core/source/utils/threading/**/*.cpp",
- "aws-cpp-sdk-core/source/utils/xml/**/*.cpp",
- "aws-cpp-sdk-core/source/utils/crypto/*.cpp",
- "aws-cpp-sdk-core/source/utils/crypto/factory/**/*.cpp",
- "aws-cpp-sdk-kinesis/include/**/*.h",
- "aws-cpp-sdk-kinesis/source/**/*.cpp",
- "aws-cpp-sdk-s3/include/**/*.h",
- "aws-cpp-sdk-s3/source/**/*.cpp",
- ]),
- hdrs = [
- "aws-cpp-sdk-core/include/aws/core/SDKConfig.h",
- ],
- copts = [
- "-DAWS_SDK_VERSION_MAJOR=1",
- "-DAWS_SDK_VERSION_MINOR=5",
- "-DAWS_SDK_VERSION_PATCH=8",
- ],
- defines = select({
- "@org_tensorflow//tensorflow:linux_x86_64": [
- "PLATFORM_LINUX",
- "ENABLE_CURL_CLIENT",
- "ENABLE_NO_ENCRYPTION",
- ],
- "@org_tensorflow//tensorflow:darwin": [
- "PLATFORM_APPLE",
- "ENABLE_CURL_CLIENT",
- "ENABLE_NO_ENCRYPTION",
- ],
- "@org_tensorflow//tensorflow:linux_ppc64le": [
- "PLATFORM_LINUX",
- "ENABLE_CURL_CLIENT",
- "ENABLE_NO_ENCRYPTION",
- ],
- "//conditions:default": [],
- }),
- includes = [
- "aws-cpp-sdk-core/include/",
- "aws-cpp-sdk-kinesis/include/",
- "aws-cpp-sdk-s3/include/",
- ],
- deps = [
- "@curl",
- ],
-)
-
-template_rule(
- name = "SDKConfig_h",
- src = "aws-cpp-sdk-core/include/aws/core/SDKConfig.h.in",
- out = "aws-cpp-sdk-core/include/aws/core/SDKConfig.h",
- substitutions = {
- "cmakedefine": "define",
- },
-)
diff --git a/third_party/aws/workspace.bzl b/third_party/aws/workspace.bzl
deleted file mode 100644
index 1d269f4..0000000
--- a/third_party/aws/workspace.bzl
+++ /dev/null
@@ -1,18 +0,0 @@
-"""loads the aws library, used by TF."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-# NOTE: version updates here should also update the major, minor, and patch variables declared in
-# the copts field of the //third_party/aws:aws target
-
-def repo():
- third_party_http_archive(
- name = "aws",
- urls = [
- "https://mirror.bazel.build/github.com/aws/aws-sdk-cpp/archive/1.5.8.tar.gz",
- "https://github.com/aws/aws-sdk-cpp/archive/1.5.8.tar.gz",
- ],
- sha256 = "89905075fe50aa13e0337ff905c2e8c1ce9caf77a3504484a7cda39179120ffc",
- strip_prefix = "aws-sdk-cpp-1.5.8",
- build_file = "//third_party/aws:BUILD.bazel",
- )
diff --git a/third_party/backports_weakref.BUILD b/third_party/backports_weakref.BUILD
deleted file mode 100644
index 0adfc5f..0000000
--- a/third_party/backports_weakref.BUILD
+++ /dev/null
@@ -1,22 +0,0 @@
-# Description:
-# Backport of new features in Python's weakref module.
-
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Python 2.0
-
-py_library(
- name = "org_python_pypi_backports_weakref",
- srcs = [
- "backports/__init__.py",
- "backports/weakref.py",
- ],
- srcs_version = "PY2AND3",
-)
-
-genrule(
- name = "license",
- srcs = ["@org_python_license"],
- outs = ["LICENSE"],
- cmd = "cp $< $@",
-)
diff --git a/third_party/boringssl/BUILD b/third_party/boringssl/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/boringssl/BUILD
+++ /dev/null
diff --git a/third_party/clang_toolchain/BUILD b/third_party/clang_toolchain/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/clang_toolchain/BUILD
+++ /dev/null
diff --git a/third_party/clang_toolchain/cc_configure_clang.bzl b/third_party/clang_toolchain/cc_configure_clang.bzl
deleted file mode 100644
index 0778c43..0000000
--- a/third_party/clang_toolchain/cc_configure_clang.bzl
+++ /dev/null
@@ -1,27 +0,0 @@
-""" Downloads clang and configures the crosstool using bazel's autoconf."""
-
-load("@bazel_tools//tools/cpp:cc_configure.bzl", "cc_autoconf_impl")
-load(":download_clang.bzl", "download_clang")
-
-_TF_DOWNLOAD_CLANG = "TF_DOWNLOAD_CLANG"
-_TF_NEED_CUDA = "TF_NEED_CUDA"
-
-def _cc_clang_autoconf(repo_ctx):
- if repo_ctx.os.environ.get(_TF_DOWNLOAD_CLANG) != "1":
- return
- if repo_ctx.os.environ.get(_TF_NEED_CUDA) == "1":
- # Clang is handled separately for CUDA configs.
- # See cuda_configure.bzl for more details.
- return
-
- download_clang(repo_ctx, out_folder = "extra_tools")
- overriden_tools = {"gcc": "extra_tools/bin/clang"}
- cc_autoconf_impl(repo_ctx, overriden_tools)
-
-cc_download_clang_toolchain = repository_rule(
- environ = [
- _TF_DOWNLOAD_CLANG,
- _TF_NEED_CUDA,
- ],
- implementation = _cc_clang_autoconf,
-)
diff --git a/third_party/clang_toolchain/download_clang.bzl b/third_party/clang_toolchain/download_clang.bzl
deleted file mode 100644
index 20ac3a8..0000000
--- a/third_party/clang_toolchain/download_clang.bzl
+++ /dev/null
@@ -1,60 +0,0 @@
-""" Helpers to download a recent clang release."""
-
-def _get_platform_folder(os_name):
- os_name = os_name.lower()
- if os_name.startswith("windows"):
- return "Win"
- if os_name.startswith("mac os"):
- return "Mac"
- if not os_name.startswith("linux"):
- fail("Unknown platform")
- return "Linux_x64"
-
-def _download_chromium_clang(
- repo_ctx,
- platform_folder,
- package_version,
- sha256,
- out_folder):
- cds_url = "https://commondatastorage.googleapis.com/chromium-browser-clang"
- cds_file = "clang-%s.tgz" % package_version
- cds_full_url = "{0}/{1}/{2}".format(cds_url, platform_folder, cds_file)
- repo_ctx.download_and_extract(cds_full_url, output = out_folder, sha256 = sha256)
-
-def download_clang(repo_ctx, out_folder):
- """ Download a fresh clang release and put it into out_folder.
-
- Clang itself will be located in 'out_folder/bin/clang'.
- We currently download one of the latest releases of clang by the
- Chromium project (see
- https://chromium.googlesource.com/chromium/src/+/master/docs/clang.md).
-
- Args:
- repo_ctx: An instance of repository_context object.
- out_folder: A folder to extract the compiler into.
- """
- # TODO(ibiryukov): we currently download and extract some extra tools in the
- # clang release (e.g., sanitizers). We should probably remove the ones
- # we don't need and document the ones we want provide in addition to clang.
-
- # Latest CLANG_REVISION and CLANG_SUB_REVISION of the Chromiums's release
- # can be found in https://chromium.googlesource.com/chromium/src/tools/clang/+/master/scripts/update.py
- CLANG_REVISION = "348507"
- CLANG_SUB_REVISION = 1
-
- package_version = "%s-%s" % (CLANG_REVISION, CLANG_SUB_REVISION)
-
- checksums = {
- "Linux_x64": "85a24f215737af91e0054d3a1cb435bd8ff06178cef14241c029c8a04ff16a79",
- "Mac": "16a96a3c4b599d0418e812307087a223d5fee2ee3c7fd96f5cbc2a9e5bf8607d",
- "Win": "4c144f24d3a82d546845c680f5b029ff02dd4de7614e93d1b21cfc6e20a26dad",
- }
-
- platform_folder = _get_platform_folder(repo_ctx.os.name)
- _download_chromium_clang(
- repo_ctx,
- platform_folder,
- package_version,
- checksums[platform_folder],
- out_folder,
- )
diff --git a/third_party/codegen.BUILD b/third_party/codegen.BUILD
deleted file mode 100644
index df436c8..0000000
--- a/third_party/codegen.BUILD
+++ /dev/null
@@ -1,16 +0,0 @@
-# -*- mode: python; -*-
-#
-# Description:
-# Extension to ast that allow ast -> python code generation.
-
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # New BSD
-
-exports_files(["LICENSE"])
-
-py_library(
- name = "com_github_andreif_codegen",
- srcs = glob(["codegen.py"]),
- srcs_version = "PY2AND3",
-)
diff --git a/third_party/com_google_absl.BUILD b/third_party/com_google_absl.BUILD
deleted file mode 100644
index 8fca145..0000000
--- a/third_party/com_google_absl.BUILD
+++ /dev/null
@@ -1,5 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache
-
-exports_files(["LICENSE"])
diff --git a/third_party/common.bzl b/third_party/common.bzl
deleted file mode 100644
index db981a5..0000000
--- a/third_party/common.bzl
+++ /dev/null
@@ -1,43 +0,0 @@
-# Rule for simple expansion of template files. This performs a simple
-# search over the template file for the keys in substitutions,
-# and replaces them with the corresponding values.
-#
-# Typical usage:
-# load("/tools/build_rules/template_rule", "expand_header_template")
-# template_rule(
-# name = "ExpandMyTemplate",
-# src = "my.template",
-# out = "my.txt",
-# substitutions = {
-# "$VAR1": "foo",
-# "$VAR2": "bar",
-# }
-# )
-#
-# Args:
-# name: The name of the rule.
-# template: The template file to expand
-# out: The destination of the expanded file
-# substitutions: A dictionary mapping strings to their substitutions
-
-def template_rule_impl(ctx):
- ctx.template_action(
- template = ctx.file.src,
- output = ctx.outputs.out,
- substitutions = ctx.attr.substitutions,
- )
-
-template_rule = rule(
- attrs = {
- "src": attr.label(
- mandatory = True,
- allow_files = True,
- single_file = True,
- ),
- "substitutions": attr.string_dict(mandatory = True),
- "out": attr.output(mandatory = True),
- },
- # output_to_genfiles is required for header files.
- output_to_genfiles = True,
- implementation = template_rule_impl,
-)
diff --git a/third_party/cub.BUILD b/third_party/cub.BUILD
deleted file mode 100644
index a04347b..0000000
--- a/third_party/cub.BUILD
+++ /dev/null
@@ -1,27 +0,0 @@
-# Description: CUB library which is a set of primitives for GPU programming.
-
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"]) # BSD
-
-exports_files(["LICENSE.TXT"])
-
-load("@local_config_cuda//cuda:build_defs.bzl", "cuda_default_copts", "if_cuda")
-
-filegroup(
- name = "cub_header_files",
- srcs = glob([
- "cub/**",
- ]),
-)
-
-cc_library(
- name = "cub",
- hdrs = if_cuda([":cub_header_files"]),
- include_prefix = "third_party",
- deps = [
- "@local_config_cuda//cuda:cuda_headers",
- ],
-)
diff --git a/third_party/curl.BUILD b/third_party/curl.BUILD
deleted file mode 100644
index c93fac6..0000000
--- a/third_party/curl.BUILD
+++ /dev/null
@@ -1,691 +0,0 @@
-# Description:
-# curl is a tool for talking to web servers.
-
-licenses(["notice"]) # MIT/X derivative license
-
-exports_files(["COPYING"])
-
-CURL_WIN_COPTS = [
- "/Iexternal/curl/lib",
- "/DBUILDING_LIBCURL",
- "/DHAVE_CONFIG_H",
- "/DCURL_DISABLE_FTP",
- "/DCURL_DISABLE_NTLM",
- "/DCURL_DISABLE_PROXY",
- "/DHAVE_LIBZ",
- "/DHAVE_ZLIB_H",
- # Defining _USING_V110_SDK71_ is hackery to defeat curl's incorrect
- # detection of what OS releases we can build on with VC 2012. This
- # may not be needed (or may have to change) if the WINVER setting
- # changes in //third_party/msvc/vc_12_0/CROSSTOOL.
- "/D_USING_V110_SDK71_",
-]
-
-CURL_WIN_SRCS = [
- "lib/asyn-thread.c",
- "lib/inet_ntop.c",
- "lib/system_win32.c",
- "lib/vtls/schannel.c",
- "lib/idn_win32.c",
-]
-
-cc_library(
- name = "curl",
- srcs = [
- "include/curl_config.h",
- "lib/amigaos.h",
- "lib/arpa_telnet.h",
- "lib/asyn.h",
- "lib/asyn-ares.c",
- "lib/base64.c",
- "lib/config-win32.h",
- "lib/conncache.c",
- "lib/conncache.h",
- "lib/connect.c",
- "lib/connect.h",
- "lib/content_encoding.c",
- "lib/content_encoding.h",
- "lib/cookie.c",
- "lib/cookie.h",
- "lib/curl_addrinfo.c",
- "lib/curl_addrinfo.h",
- "lib/curl_base64.h",
- "lib/curl_ctype.c",
- "lib/curl_ctype.h",
- "lib/curl_des.h",
- "lib/curl_endian.h",
- "lib/curl_fnmatch.c",
- "lib/curl_fnmatch.h",
- "lib/curl_gethostname.c",
- "lib/curl_gethostname.h",
- "lib/curl_gssapi.h",
- "lib/curl_hmac.h",
- "lib/curl_ldap.h",
- "lib/curl_md4.h",
- "lib/curl_md5.h",
- "lib/curl_memory.h",
- "lib/curl_memrchr.c",
- "lib/curl_memrchr.h",
- "lib/curl_multibyte.c",
- "lib/curl_multibyte.h",
- "lib/curl_ntlm_core.h",
- "lib/curl_ntlm_wb.h",
- "lib/curl_printf.h",
- "lib/curl_rtmp.c",
- "lib/curl_rtmp.h",
- "lib/curl_sasl.c",
- "lib/curl_sasl.h",
- "lib/curl_sec.h",
- "lib/curl_setup.h",
- "lib/curl_setup_once.h",
- "lib/curl_sha256.h",
- "lib/curl_sspi.c",
- "lib/curl_sspi.h",
- "lib/curl_threads.c",
- "lib/curl_threads.h",
- "lib/curlx.h",
- "lib/dict.h",
- "lib/dotdot.c",
- "lib/dotdot.h",
- "lib/easy.c",
- "lib/easyif.h",
- "lib/escape.c",
- "lib/escape.h",
- "lib/file.h",
- "lib/fileinfo.c",
- "lib/fileinfo.h",
- "lib/formdata.c",
- "lib/formdata.h",
- "lib/ftp.h",
- "lib/ftplistparser.h",
- "lib/getenv.c",
- "lib/getinfo.c",
- "lib/getinfo.h",
- "lib/gopher.h",
- "lib/hash.c",
- "lib/hash.h",
- "lib/hmac.c",
- "lib/hostasyn.c",
- "lib/hostcheck.c",
- "lib/hostcheck.h",
- "lib/hostip.c",
- "lib/hostip.h",
- "lib/hostip4.c",
- "lib/hostip6.c",
- "lib/hostsyn.c",
- "lib/http.c",
- "lib/http.h",
- "lib/http2.c",
- "lib/http2.h",
- "lib/http_chunks.c",
- "lib/http_chunks.h",
- "lib/http_digest.c",
- "lib/http_digest.h",
- "lib/http_negotiate.h",
- "lib/http_ntlm.h",
- "lib/http_proxy.c",
- "lib/http_proxy.h",
- "lib/if2ip.c",
- "lib/if2ip.h",
- "lib/imap.h",
- "lib/inet_ntop.h",
- "lib/inet_pton.c",
- "lib/inet_pton.h",
- "lib/krb5.c",
- "lib/llist.c",
- "lib/llist.h",
- "lib/md4.c",
- "lib/md5.c",
- "lib/memdebug.c",
- "lib/memdebug.h",
- "lib/mime.c",
- "lib/mime.h",
- "lib/mprintf.c",
- "lib/multi.c",
- "lib/multihandle.h",
- "lib/multiif.h",
- "lib/netrc.c",
- "lib/netrc.h",
- "lib/non-ascii.h",
- "lib/nonblock.c",
- "lib/nonblock.h",
- "lib/nwlib.c",
- "lib/nwos.c",
- "lib/parsedate.c",
- "lib/parsedate.h",
- "lib/pingpong.h",
- "lib/pipeline.c",
- "lib/pipeline.h",
- "lib/pop3.h",
- "lib/progress.c",
- "lib/progress.h",
- "lib/rand.c",
- "lib/rand.h",
- "lib/rtsp.c",
- "lib/rtsp.h",
- "lib/security.c",
- "lib/select.c",
- "lib/select.h",
- "lib/sendf.c",
- "lib/sendf.h",
- "lib/setopt.c",
- "lib/setopt.h",
- "lib/setup-os400.h",
- "lib/setup-vms.h",
- "lib/sha256.c",
- "lib/share.c",
- "lib/share.h",
- "lib/sigpipe.h",
- "lib/slist.c",
- "lib/slist.h",
- "lib/smb.h",
- "lib/smtp.h",
- "lib/sockaddr.h",
- "lib/socks.c",
- "lib/socks.h",
- "lib/speedcheck.c",
- "lib/speedcheck.h",
- "lib/splay.c",
- "lib/splay.h",
- "lib/ssh.h",
- "lib/strcase.c",
- "lib/strcase.h",
- "lib/strdup.c",
- "lib/strdup.h",
- "lib/strerror.c",
- "lib/strerror.h",
- "lib/strtok.c",
- "lib/strtok.h",
- "lib/strtoofft.c",
- "lib/strtoofft.h",
- "lib/system_win32.h",
- "lib/telnet.h",
- "lib/tftp.h",
- "lib/timeval.c",
- "lib/timeval.h",
- "lib/transfer.c",
- "lib/transfer.h",
- "lib/url.c",
- "lib/url.h",
- "lib/urldata.h",
- "lib/vauth/cleartext.c",
- "lib/vauth/cram.c",
- "lib/vauth/digest.c",
- "lib/vauth/digest.h",
- "lib/vauth/ntlm.h",
- "lib/vauth/oauth2.c",
- "lib/vauth/vauth.c",
- "lib/vauth/vauth.h",
- "lib/version.c",
- "lib/vtls/axtls.h",
- "lib/vtls/cyassl.h",
- "lib/vtls/darwinssl.h",
- "lib/vtls/gskit.h",
- "lib/vtls/gtls.h",
- "lib/vtls/mbedtls.h",
- "lib/vtls/nssg.h",
- "lib/vtls/openssl.h",
- "lib/vtls/polarssl.h",
- "lib/vtls/polarssl_threadlock.h",
- "lib/vtls/schannel.h",
- "lib/vtls/vtls.c",
- "lib/vtls/vtls.h",
- "lib/warnless.c",
- "lib/warnless.h",
- "lib/wildcard.c",
- "lib/wildcard.h",
- "lib/x509asn1.h",
- ] + select({
- "@org_tensorflow//tensorflow:darwin": [
- "lib/vtls/darwinssl.c",
- ],
- "@org_tensorflow//tensorflow:ios": [
- "lib/vtls/darwinssl.c",
- ],
- "@org_tensorflow//tensorflow:windows": CURL_WIN_SRCS,
- "//conditions:default": [
- "lib/vtls/openssl.c",
- ],
- }),
- hdrs = [
- "include/curl/curl.h",
- "include/curl/curlver.h",
- "include/curl/easy.h",
- "include/curl/mprintf.h",
- "include/curl/multi.h",
- "include/curl/stdcheaders.h",
- "include/curl/system.h",
- "include/curl/typecheck-gcc.h",
- ],
- copts = select({
- "@org_tensorflow//tensorflow:windows": CURL_WIN_COPTS,
- "//conditions:default": [
- "-Iexternal/curl/lib",
- "-D_GNU_SOURCE",
- "-DBUILDING_LIBCURL",
- "-DHAVE_CONFIG_H",
- "-DCURL_DISABLE_FTP",
- "-DCURL_DISABLE_NTLM", # turning it off in configure is not enough
- "-DHAVE_LIBZ",
- "-DHAVE_ZLIB_H",
- "-Wno-string-plus-int",
- ],
- }) + select({
- "@org_tensorflow//tensorflow:darwin": [
- "-fno-constant-cfstrings",
- ],
- "@org_tensorflow//tensorflow:windows": [
- # See curl.h for discussion of write size and Windows
- "/DCURL_MAX_WRITE_SIZE=16384",
- ],
- "//conditions:default": [
- "-DCURL_MAX_WRITE_SIZE=65536",
- ],
- }),
- defines = ["CURL_STATICLIB"],
- includes = ["include"],
- linkopts = select({
- "@org_tensorflow//tensorflow:android": [
- "-pie",
- ],
- "@org_tensorflow//tensorflow:darwin": [
- "-Wl,-framework",
- "-Wl,CoreFoundation",
- "-Wl,-framework",
- "-Wl,Security",
- ],
- "@org_tensorflow//tensorflow:ios": [],
- "@org_tensorflow//tensorflow:windows": [
- "-DEFAULTLIB:ws2_32.lib",
- "-DEFAULTLIB:advapi32.lib",
- "-DEFAULTLIB:crypt32.lib",
- "-DEFAULTLIB:Normaliz.lib",
- ],
- "//conditions:default": [
- "-lrt",
- ],
- }),
- visibility = ["//visibility:public"],
- deps = [
- "@zlib_archive//:zlib",
- ] + select({
- "@org_tensorflow//tensorflow:ios": [],
- "@org_tensorflow//tensorflow:windows": [],
- "//conditions:default": [
- "@boringssl//:ssl",
- ],
- }),
-)
-
-CURL_BIN_WIN_COPTS = [
- "/Iexternal/curl/lib",
- "/DHAVE_CONFIG_H",
- "/DCURL_DISABLE_LIBCURL_OPTION",
-]
-
-cc_binary(
- name = "curl_bin",
- srcs = [
- "lib/config-win32.h",
- "src/slist_wc.c",
- "src/slist_wc.h",
- "src/tool_binmode.c",
- "src/tool_binmode.h",
- "src/tool_bname.c",
- "src/tool_bname.h",
- "src/tool_cb_dbg.c",
- "src/tool_cb_dbg.h",
- "src/tool_cb_hdr.c",
- "src/tool_cb_hdr.h",
- "src/tool_cb_prg.c",
- "src/tool_cb_prg.h",
- "src/tool_cb_rea.c",
- "src/tool_cb_rea.h",
- "src/tool_cb_see.c",
- "src/tool_cb_see.h",
- "src/tool_cb_wrt.c",
- "src/tool_cb_wrt.h",
- "src/tool_cfgable.c",
- "src/tool_cfgable.h",
- "src/tool_convert.c",
- "src/tool_convert.h",
- "src/tool_dirhie.c",
- "src/tool_dirhie.h",
- "src/tool_doswin.c",
- "src/tool_doswin.h",
- "src/tool_easysrc.c",
- "src/tool_easysrc.h",
- "src/tool_formparse.c",
- "src/tool_formparse.h",
- "src/tool_getparam.c",
- "src/tool_getparam.h",
- "src/tool_getpass.c",
- "src/tool_getpass.h",
- "src/tool_help.c",
- "src/tool_help.h",
- "src/tool_helpers.c",
- "src/tool_helpers.h",
- "src/tool_homedir.c",
- "src/tool_homedir.h",
- "src/tool_hugehelp.c",
- "src/tool_hugehelp.h",
- "src/tool_libinfo.c",
- "src/tool_libinfo.h",
- "src/tool_main.c",
- "src/tool_main.h",
- "src/tool_metalink.c",
- "src/tool_metalink.h",
- "src/tool_mfiles.c",
- "src/tool_mfiles.h",
- "src/tool_msgs.c",
- "src/tool_msgs.h",
- "src/tool_operate.c",
- "src/tool_operate.h",
- "src/tool_operhlp.c",
- "src/tool_operhlp.h",
- "src/tool_panykey.c",
- "src/tool_panykey.h",
- "src/tool_paramhlp.c",
- "src/tool_paramhlp.h",
- "src/tool_parsecfg.c",
- "src/tool_parsecfg.h",
- "src/tool_sdecls.h",
- "src/tool_setopt.c",
- "src/tool_setopt.h",
- "src/tool_setup.h",
- "src/tool_sleep.c",
- "src/tool_sleep.h",
- "src/tool_strdup.c",
- "src/tool_strdup.h",
- "src/tool_urlglob.c",
- "src/tool_urlglob.h",
- "src/tool_util.c",
- "src/tool_util.h",
- "src/tool_version.h",
- "src/tool_vms.c",
- "src/tool_vms.h",
- "src/tool_writeenv.c",
- "src/tool_writeenv.h",
- "src/tool_writeout.c",
- "src/tool_writeout.h",
- "src/tool_xattr.c",
- "src/tool_xattr.h",
- ],
- copts = select({
- "@org_tensorflow//tensorflow:windows": CURL_BIN_WIN_COPTS,
- "//conditions:default": [
- "-Iexternal/curl/lib",
- "-D_GNU_SOURCE",
- "-DHAVE_CONFIG_H",
- "-DCURL_DISABLE_LIBCURL_OPTION",
- "-Wno-string-plus-int",
- ],
- }),
- deps = [":curl"],
-)
-
-genrule(
- name = "configure",
- outs = ["include/curl_config.h"],
- cmd = "\n".join([
- "cat <<'EOF' >$@",
- "#ifndef EXTERNAL_CURL_INCLUDE_CURL_CONFIG_H_",
- "#define EXTERNAL_CURL_INCLUDE_CURL_CONFIG_H_",
- "",
- "#if !defined(_WIN32) && !defined(__APPLE__)",
- "# include <openssl/opensslv.h>",
- "# if defined(OPENSSL_IS_BORINGSSL)",
- "# define HAVE_BORINGSSL 1",
- "# endif",
- "#endif",
- "",
- "#if defined(_WIN32)",
- "# include \"lib/config-win32.h\"",
- "# define BUILDING_LIBCURL 1",
- "# define CURL_DISABLE_CRYPTO_AUTH 1",
- "# define CURL_DISABLE_DICT 1",
- "# define CURL_DISABLE_FILE 1",
- "# define CURL_DISABLE_GOPHER 1",
- "# define CURL_DISABLE_IMAP 1",
- "# define CURL_DISABLE_LDAP 1",
- "# define CURL_DISABLE_LDAPS 1",
- "# define CURL_DISABLE_POP3 1",
- "# define CURL_PULL_WS2TCPIP_H 1",
- "# define CURL_DISABLE_SMTP 1",
- "# define CURL_DISABLE_TELNET 1",
- "# define CURL_DISABLE_TFTP 1",
- "# define CURL_PULL_WS2TCPIP_H 1",
- "# define USE_WINDOWS_SSPI 1",
- "# define USE_WIN32_IDN 1",
- "# define USE_SCHANNEL 1",
- "# define WANT_IDN_PROTOTYPES 1",
- "#elif defined(__APPLE__)",
- "# define HAVE_FSETXATTR_6 1",
- "# define HAVE_SETMODE 1",
- "# define HAVE_SYS_FILIO_H 1",
- "# define HAVE_SYS_SOCKIO_H 1",
- "# define OS \"x86_64-apple-darwin15.5.0\"",
- "# define USE_DARWINSSL 1",
- "#else",
- "# define CURL_CA_BUNDLE \"/etc/ssl/certs/ca-certificates.crt\"",
- "# define GETSERVBYPORT_R_ARGS 6",
- "# define GETSERVBYPORT_R_BUFSIZE 4096",
- "# define HAVE_BORINGSSL 1",
- "# define HAVE_CLOCK_GETTIME_MONOTONIC 1",
- "# define HAVE_CRYPTO_CLEANUP_ALL_EX_DATA 1",
- "# define HAVE_FSETXATTR_5 1",
- "# define HAVE_GETHOSTBYADDR_R 1",
- "# define HAVE_GETHOSTBYADDR_R_8 1",
- "# define HAVE_GETHOSTBYNAME_R 1",
- "# define HAVE_GETHOSTBYNAME_R_6 1",
- "# define HAVE_GETSERVBYPORT_R 1",
- "# define HAVE_LIBSSL 1",
- "# define HAVE_MALLOC_H 1",
- "# define HAVE_MSG_NOSIGNAL 1",
- "# define HAVE_OPENSSL_CRYPTO_H 1",
- "# define HAVE_OPENSSL_ERR_H 1",
- "# define HAVE_OPENSSL_PEM_H 1",
- "# define HAVE_OPENSSL_PKCS12_H 1",
- "# define HAVE_OPENSSL_RSA_H 1",
- "# define HAVE_OPENSSL_SSL_H 1",
- "# define HAVE_OPENSSL_X509_H 1",
- "# define HAVE_RAND_EGD 1",
- "# define HAVE_RAND_STATUS 1",
- "# define HAVE_SSL_GET_SHUTDOWN 1",
- "# define HAVE_TERMIOS_H 1",
- "# define OS \"x86_64-pc-linux-gnu\"",
- "# define RANDOM_FILE \"/dev/urandom\"",
- "# define USE_OPENSSL 1",
- "#endif",
- "",
- "#if !defined(_WIN32)",
- "# define CURL_DISABLE_DICT 1",
- "# define CURL_DISABLE_FILE 1",
- "# define CURL_DISABLE_GOPHER 1",
- "# define CURL_DISABLE_IMAP 1",
- "# define CURL_DISABLE_LDAP 1",
- "# define CURL_DISABLE_LDAPS 1",
- "# define CURL_DISABLE_POP3 1",
- "# define CURL_DISABLE_SMTP 1",
- "# define CURL_DISABLE_TELNET 1",
- "# define CURL_DISABLE_TFTP 1",
- "# define CURL_EXTERN_SYMBOL __attribute__ ((__visibility__ (\"default\")))",
- "# define ENABLE_IPV6 1",
- "# define GETHOSTNAME_TYPE_ARG2 size_t",
- "# define GETNAMEINFO_QUAL_ARG1 const",
- "# define GETNAMEINFO_TYPE_ARG1 struct sockaddr *",
- "# define GETNAMEINFO_TYPE_ARG2 socklen_t",
- "# define GETNAMEINFO_TYPE_ARG46 socklen_t",
- "# define GETNAMEINFO_TYPE_ARG7 int",
- "# define HAVE_ALARM 1",
- "# define HAVE_ALLOCA_H 1",
- "# define HAVE_ARPA_INET_H 1",
- "# define HAVE_ARPA_TFTP_H 1",
- "# define HAVE_ASSERT_H 1",
- "# define HAVE_BASENAME 1",
- "# define HAVE_BOOL_T 1",
- "# define HAVE_CONNECT 1",
- "# define HAVE_DLFCN_H 1",
- "# define HAVE_ERRNO_H 1",
- "# define HAVE_FCNTL 1",
- "# define HAVE_FCNTL_H 1",
- "# define HAVE_FCNTL_O_NONBLOCK 1",
- "# define HAVE_FDOPEN 1",
- "# define HAVE_FORK 1",
- "# define HAVE_FREEADDRINFO 1",
- "# define HAVE_FREEIFADDRS 1",
- "# if !defined(__ANDROID__)",
- "# define HAVE_FSETXATTR 1",
- "# endif",
- "# define HAVE_FTRUNCATE 1",
- "# define HAVE_GAI_STRERROR 1",
- "# define HAVE_GETADDRINFO 1",
- "# define HAVE_GETADDRINFO_THREADSAFE 1",
- "# define HAVE_GETEUID 1",
- "# define HAVE_GETHOSTBYADDR 1",
- "# define HAVE_GETHOSTBYNAME 1",
- "# define HAVE_GETHOSTNAME 1",
- "# if !defined(__ANDROID__)",
- "# define HAVE_GETIFADDRS 1",
- "# endif",
- "# define HAVE_GETNAMEINFO 1",
- "# define HAVE_GETPPID 1",
- "# define HAVE_GETPROTOBYNAME 1",
- "# define HAVE_GETPWUID 1",
- "# if !defined(__ANDROID__)",
- "# define HAVE_GETPWUID_R 1",
- "# endif",
- "# define HAVE_GETRLIMIT 1",
- "# define HAVE_GETTIMEOFDAY 1",
- "# define HAVE_GMTIME_R 1",
- "# if !defined(__ANDROID__)",
- "# define HAVE_IFADDRS_H 1",
- "# endif",
- "# define HAVE_IF_NAMETOINDEX 1",
- "# define HAVE_INET_ADDR 1",
- "# define HAVE_INET_NTOP 1",
- "# define HAVE_INET_PTON 1",
- "# define HAVE_INTTYPES_H 1",
- "# define HAVE_IOCTL 1",
- "# define HAVE_IOCTL_FIONBIO 1",
- "# define HAVE_IOCTL_SIOCGIFADDR 1",
- "# define HAVE_LIBGEN_H 1",
- "# define HAVE_LIBZ 1",
- "# define HAVE_LIMITS_H 1",
- "# define HAVE_LL 1",
- "# define HAVE_LOCALE_H 1",
- "# define HAVE_LOCALTIME_R 1",
- "# define HAVE_LONGLONG 1",
- "# define HAVE_MEMORY_H 1",
- "# define HAVE_NETDB_H 1",
- "# define HAVE_NETINET_IN_H 1",
- "# define HAVE_NETINET_TCP_H 1",
- "# define HAVE_NET_IF_H 1",
- "# define HAVE_PERROR 1",
- "# define HAVE_PIPE 1",
- "# define HAVE_POLL 1",
- "# define HAVE_POLL_FINE 1",
- "# define HAVE_POLL_H 1",
- "# define HAVE_POSIX_STRERROR_R 1",
- "# define HAVE_PWD_H 1",
- "# define HAVE_RECV 1",
- "# define HAVE_SELECT 1",
- "# define HAVE_SEND 1",
- "# define HAVE_SETJMP_H 1",
- "# define HAVE_SETLOCALE 1",
- "# define HAVE_SETRLIMIT 1",
- "# define HAVE_SETSOCKOPT 1",
- "# define HAVE_SGTTY_H 1",
- "# define HAVE_SIGACTION 1",
- "# define HAVE_SIGINTERRUPT 1",
- "# define HAVE_SIGNAL 1",
- "# define HAVE_SIGNAL_H 1",
- "# define HAVE_SIGSETJMP 1",
- "# define HAVE_SIG_ATOMIC_T 1",
- "# define HAVE_SOCKADDR_IN6_SIN6_SCOPE_ID 1",
- "# define HAVE_SOCKET 1",
- "# define HAVE_SOCKETPAIR 1",
- "# define HAVE_STDBOOL_H 1",
- "# define HAVE_STDINT_H 1",
- "# define HAVE_STDIO_H 1",
- "# define HAVE_STDLIB_H 1",
- "# define HAVE_STRCASECMP 1",
- "# define HAVE_STRDUP 1",
- "# define HAVE_STRERROR_R 1",
- "# define HAVE_STRINGS_H 1",
- "# define HAVE_STRING_H 1",
- "# define HAVE_STRNCASECMP 1",
- "# define HAVE_STRSTR 1",
- "# define HAVE_STRTOK_R 1",
- "# define HAVE_STRTOLL 1",
- "# define HAVE_STRUCT_SOCKADDR_STORAGE 1",
- "# define HAVE_STRUCT_TIMEVAL 1",
- "# define HAVE_SYS_IOCTL_H 1",
- "# define HAVE_SYS_PARAM_H 1",
- "# define HAVE_SYS_POLL_H 1",
- "# define HAVE_SYS_RESOURCE_H 1",
- "# define HAVE_SYS_SELECT_H 1",
- "# define HAVE_SYS_SOCKET_H 1",
- "# define HAVE_SYS_STAT_H 1",
- "# define HAVE_SYS_TIME_H 1",
- "# define HAVE_SYS_TYPES_H 1",
- "# define HAVE_SYS_UIO_H 1",
- "# define HAVE_SYS_UN_H 1",
- "# define HAVE_SYS_WAIT_H 1",
- "# define HAVE_SYS_XATTR_H 1",
- "# define HAVE_TIME_H 1",
- "# define HAVE_UNAME 1",
- "# define HAVE_UNISTD_H 1",
- "# define HAVE_UTIME 1",
- "# define HAVE_UTIME_H 1",
- "# define HAVE_VARIADIC_MACROS_C99 1",
- "# define HAVE_VARIADIC_MACROS_GCC 1",
- "# define HAVE_WRITABLE_ARGV 1",
- "# define HAVE_WRITEV 1",
- "# define HAVE_ZLIB_H 1",
- "# define LT_OBJDIR \".libs/\"",
- "# define PACKAGE \"curl\"",
- "# define PACKAGE_BUGREPORT \"a suitable curl mailing list: https://curl.haxx.se/mail/\"",
- "# define PACKAGE_NAME \"curl\"",
- "# define PACKAGE_STRING \"curl -\"",
- "# define PACKAGE_TARNAME \"curl\"",
- "# define PACKAGE_URL \"\"",
- "# define PACKAGE_VERSION \"-\"",
- "# define RECV_TYPE_ARG1 int",
- "# define RECV_TYPE_ARG2 void *",
- "# define RECV_TYPE_ARG3 size_t",
- "# define RECV_TYPE_ARG4 int",
- "# define RECV_TYPE_RETV ssize_t",
- "# define RETSIGTYPE void",
- "# define SELECT_QUAL_ARG5",
- "# define SELECT_TYPE_ARG1 int",
- "# define SELECT_TYPE_ARG234 fd_set *",
- "# define SELECT_TYPE_ARG5 struct timeval *",
- "# define SELECT_TYPE_RETV int",
- "# define SEND_QUAL_ARG2 const",
- "# define SEND_TYPE_ARG1 int",
- "# define SEND_TYPE_ARG2 void *",
- "# define SEND_TYPE_ARG3 size_t",
- "# define SEND_TYPE_ARG4 int",
- "# define SEND_TYPE_RETV ssize_t",
- "# define SIZEOF_INT 4",
- "# define SIZEOF_LONG 8",
- "# define SIZEOF_OFF_T 8",
- "# define SIZEOF_CURL_OFF_T 8",
- "# define SIZEOF_SHORT 2",
- "# define SIZEOF_SIZE_T 8",
- "# define SIZEOF_TIME_T 8",
- "# define SIZEOF_VOIDP 8",
- "# define STDC_HEADERS 1",
- "# define STRERROR_R_TYPE_ARG3 size_t",
- "# define TIME_WITH_SYS_TIME 1",
- "# define VERSION \"-\"",
- "# ifndef _DARWIN_USE_64_BIT_INODE",
- "# define _DARWIN_USE_64_BIT_INODE 1",
- "# endif",
- "#endif",
- "",
- "#endif // EXTERNAL_CURL_INCLUDE_CURL_CONFIG_H_",
- "EOF",
- ]),
-)
diff --git a/third_party/cython.BUILD b/third_party/cython.BUILD
deleted file mode 100644
index a8e72a1..0000000
--- a/third_party/cython.BUILD
+++ /dev/null
@@ -1,28 +0,0 @@
-# Modified version of @cython//:BUILD.bazel
-
-py_library(
- name = "cython_lib",
- srcs = glob(
- ["Cython/**/*.py"],
- exclude = [
- "**/Tests/*.py",
- ],
- ) + ["cython.py"],
- data = glob([
- "Cython/**/*.pyx",
- "Cython/Utility/*.*",
- "Cython/Includes/**/*.pxd",
- ]),
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
-
-# May not be named "cython", since that conflicts with Cython/ on OSX
-py_binary(
- name = "cython_binary",
- srcs = ["cython.py"],
- main = "cython.py",
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
- deps = ["cython_lib"],
-)
diff --git a/third_party/double_conversion.BUILD b/third_party/double_conversion.BUILD
deleted file mode 100644
index d875a1a..0000000
--- a/third_party/double_conversion.BUILD
+++ /dev/null
@@ -1,42 +0,0 @@
-# Bazel(http://bazel.io) BUILD file
-
-licenses(["notice"])
-
-exports_files(["LICENSE"])
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
-)
-
-cc_library(
- name = "double-conversion",
- srcs = [
- "double-conversion/bignum.cc",
- "double-conversion/bignum-dtoa.cc",
- "double-conversion/cached-powers.cc",
- "double-conversion/diy-fp.cc",
- "double-conversion/double-conversion.cc",
- "double-conversion/fast-dtoa.cc",
- "double-conversion/fixed-dtoa.cc",
- "double-conversion/strtod.cc",
- "double-conversion/utils.h",
- ],
- hdrs = [
- "double-conversion/bignum.h",
- "double-conversion/bignum-dtoa.h",
- "double-conversion/cached-powers.h",
- "double-conversion/diy-fp.h",
- "double-conversion/double-conversion.h",
- "double-conversion/fast-dtoa.h",
- "double-conversion/fixed-dtoa.h",
- "double-conversion/ieee.h",
- "double-conversion/strtod.h",
- ],
- includes = ["."],
- linkopts = select({
- ":windows": [],
- "//conditions:default": ["-lm"],
- }),
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/eigen.BUILD b/third_party/eigen.BUILD
deleted file mode 100644
index 194a227..0000000
--- a/third_party/eigen.BUILD
+++ /dev/null
@@ -1,78 +0,0 @@
-# Description:
-# Eigen is a C++ template library for linear algebra: vectors,
-# matrices, and related algorithms.
-
-licenses([
- # Note: Eigen is an MPL2 library that includes GPL v3 and LGPL v2.1+ code.
- # We've taken special care to not reference any restricted code.
- "reciprocal", # MPL2
- "notice", # Portions BSD
-])
-
-exports_files(["COPYING.MPL2"])
-
-# License-restricted (i.e. not reciprocal or notice) files inside Eigen/...
-EIGEN_RESTRICTED_FILES = [
- "Eigen/src/OrderingMethods/Amd.h",
- "Eigen/src/SparseCholesky/**",
-]
-
-# Notable transitive dependencies of restricted files inside Eigen/...
-EIGEN_RESTRICTED_DEPS = [
- "Eigen/Eigen",
- "Eigen/IterativeLinearSolvers",
- "Eigen/MetisSupport",
- "Eigen/Sparse",
- "Eigen/SparseCholesky",
- "Eigen/SparseLU",
-]
-
-EIGEN_FILES = [
- "Eigen/**",
- "unsupported/Eigen/CXX11/**",
- "unsupported/Eigen/FFT",
- "unsupported/Eigen/KroneckerProduct",
- "unsupported/Eigen/src/FFT/**",
- "unsupported/Eigen/src/KroneckerProduct/**",
- "unsupported/Eigen/MatrixFunctions",
- "unsupported/Eigen/SpecialFunctions",
- "unsupported/Eigen/src/MatrixFunctions/**",
- "unsupported/Eigen/src/SpecialFunctions/**",
-]
-
-# List of files picked up by glob but actually part of another target.
-EIGEN_EXCLUDE_FILES = [
- "Eigen/src/Core/arch/AVX/PacketMathGoogleTest.cc",
-]
-
-# Files known to be under MPL2 license.
-EIGEN_MPL2_HEADER_FILES = glob(
- EIGEN_FILES,
- exclude = EIGEN_EXCLUDE_FILES +
- EIGEN_RESTRICTED_FILES +
- EIGEN_RESTRICTED_DEPS + [
- # Guarantees any file missed by excludes above will not compile.
- "Eigen/src/Core/util/NonMPL2.h",
- "Eigen/**/CMakeLists.txt",
- ],
-)
-
-cc_library(
- name = "eigen",
- hdrs = EIGEN_MPL2_HEADER_FILES,
- defines = [
- # This define (mostly) guarantees we don't link any problematic
- # code. We use it, but we do not rely on it, as evidenced above.
- "EIGEN_MPL2_ONLY",
- "EIGEN_MAX_ALIGN_BYTES=64",
- "EIGEN_HAS_TYPE_TRAITS=0",
- ],
- includes = ["."],
- visibility = ["//visibility:public"],
-)
-
-filegroup(
- name = "eigen_header_files",
- srcs = EIGEN_MPL2_HEADER_FILES,
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/eigen3/BUILD b/third_party/eigen3/BUILD
deleted file mode 100644
index f072f25..0000000
--- a/third_party/eigen3/BUILD
+++ /dev/null
@@ -1,78 +0,0 @@
-# Description:
-# Eigen is a C++ template library for linear algebra: vectors,
-# matrices, and related algorithms.
-
-licenses([
- # Note: Eigen is an MPL2 library that includes GPL v3 and LGPL v2.1+ code.
- # We've taken special care to not reference any restricted code.
- "reciprocal", # MPL2
- "notice", # Portions BSD
-])
-
-exports_files(["LICENSE"])
-
-# INTEL_MKL start
-load("//tensorflow:tensorflow.bzl", "if_mkl")
-
-# INTEL_MKL end
-load("//tensorflow:tensorflow.bzl", "if_mkl")
-
-EIGEN3_THIRD_PARTY_HEADERS = [
- "Eigen/Core",
- "Eigen/LU",
- "Eigen/Cholesky",
- "Eigen/Eigenvalues",
- "Eigen/QR",
- "Eigen/SVD",
- "unsupported/Eigen/MatrixFunctions",
- "unsupported/Eigen/SpecialFunctions",
- "unsupported/Eigen/CXX11/ThreadPool",
- "unsupported/Eigen/CXX11/Tensor",
- "unsupported/Eigen/CXX11/FixedPoint",
-] + glob(["unsupported/Eigen/CXX11/src/FixedPoint/*.h"])
-
-cc_library(
- name = "eigen3",
- hdrs = EIGEN3_THIRD_PARTY_HEADERS,
- includes = if_mkl(["./mkl_include"]),
- visibility = ["//visibility:public"],
- deps = [
- "@eigen_archive//:eigen",
- "@local_config_sycl//sycl",
- ],
-)
-
-filegroup(
- name = "all_files",
- srcs = glob(
- ["**/*"],
- exclude = ["**/OWNERS"],
- ),
- visibility = ["//tensorflow:__subpackages__"],
-)
-
-filegroup(
- name = "eigen_third_party_header_files",
- srcs = EIGEN3_THIRD_PARTY_HEADERS,
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "install_eigen_headers",
- srcs = [
- "@eigen_archive//:eigen_header_files",
- ":eigen_third_party_header_files",
- ],
- outs = ["include"],
- cmd = """
- mkdir $@
- for f in $(SRCS); do
- d="$${f%/*}"
- d="$${d#*external/eigen_archive/}"
-
- mkdir -p "$@/$${d}"
- cp "$${f}" "$@/$${d}/"
- done
- """,
- tags = ["manual"],
-)
diff --git a/third_party/eigen3/Eigen/Cholesky b/third_party/eigen3/Eigen/Cholesky
deleted file mode 100644
index c199a02..0000000
--- a/third_party/eigen3/Eigen/Cholesky
+++ /dev/null
@@ -1 +0,0 @@
-#include "Eigen/Cholesky"
diff --git a/third_party/eigen3/Eigen/Core b/third_party/eigen3/Eigen/Core
deleted file mode 100644
index d4b0367..0000000
--- a/third_party/eigen3/Eigen/Core
+++ /dev/null
@@ -1 +0,0 @@
-#include "Eigen/Core"
diff --git a/third_party/eigen3/Eigen/Eigenvalues b/third_party/eigen3/Eigen/Eigenvalues
deleted file mode 100644
index bf739b9..0000000
--- a/third_party/eigen3/Eigen/Eigenvalues
+++ /dev/null
@@ -1 +0,0 @@
-#include "Eigen/Eigenvalues"
diff --git a/third_party/eigen3/Eigen/LU b/third_party/eigen3/Eigen/LU
deleted file mode 100644
index 536149c..0000000
--- a/third_party/eigen3/Eigen/LU
+++ /dev/null
@@ -1 +0,0 @@
-#include "Eigen/LU"
diff --git a/third_party/eigen3/Eigen/QR b/third_party/eigen3/Eigen/QR
deleted file mode 100644
index be067d3..0000000
--- a/third_party/eigen3/Eigen/QR
+++ /dev/null
@@ -1 +0,0 @@
-#include "Eigen/QR"
diff --git a/third_party/eigen3/Eigen/SVD b/third_party/eigen3/Eigen/SVD
deleted file mode 100644
index eecf47c..0000000
--- a/third_party/eigen3/Eigen/SVD
+++ /dev/null
@@ -1 +0,0 @@
-#include "Eigen/SVD"
diff --git a/third_party/eigen3/LICENSE b/third_party/eigen3/LICENSE
deleted file mode 100644
index a25d8e6..0000000
--- a/third_party/eigen3/LICENSE
+++ /dev/null
@@ -1,1936 +0,0 @@
-Eigen is primarily MPL2 licensed. See COPYING.MPL2 and these links:
- http://www.mozilla.org/MPL/2.0/
- http://www.mozilla.org/MPL/2.0/FAQ.html
-
-Some files contain third-party code under BSD or LGPL licenses, whence
-the other COPYING.* files here.
-
-All the LGPL code is either LGPL 2.1-only, or LGPL 2.1-or-later.
-For this reason, the COPYING.LGPL file contains the LGPL 2.1 text.
-
-If you want to guarantee that the Eigen code that you are #including
-is licensed under the MPL2 and possibly more permissive licenses (like
-BSD), #define this preprocessor symbol: EIGEN_MPL2_ONLY
-For example, with most compilers, you could add this to your project
- CXXFLAGS: -DEIGEN_MPL2_ONLY
-This will cause a compilation error to be generated if you #include
-any code that is LGPL licensed.
-
-----------------------------------------------------------------------
-Following applies to:
-./test/mapstaticmethods.cpp
-./test/schur_real.cpp
-./test/prec_inverse_4x4.cpp
-./test/smallvectors.cpp
-./test/redux.cpp
-./test/special_numbers.cpp
-./test/adjoint.cpp
-./test/resize.cpp
-./test/mixingtypes.cpp
-./test/product_trmv.cpp
-./test/sparse_solvers.cpp
-./test/cholesky.cpp
-./test/geo_quaternion.cpp
-./test/miscmatrices.cpp
-./test/stddeque.cpp
-./test/integer_types.cpp
-./test/product_large.cpp
-./test/eigensolver_generic.cpp
-./test/householder.cpp
-./test/geo_orthomethods.cpp
-./test/array_for_matrix.cpp
-./test/sparseLM.cpp
-./test/upperbidiagonalization.cpp
-./test/nomalloc.cpp
-./test/packetmath.cpp
-./test/jacobisvd.cpp
-./test/geo_transformations.cpp
-./test/swap.cpp
-./test/eigensolver_selfadjoint.cpp
-./test/inverse.cpp
-./test/product_selfadjoint.cpp
-./test/product_trsolve.cpp
-./test/product_extra.cpp
-./test/sparse_solver.h
-./test/mapstride.cpp
-./test/mapped_matrix.cpp
-./test/geo_eulerangles.cpp
-./test/eigen2support.cpp
-./test/denseLM.cpp
-./test/stdvector.cpp
-./test/nesting_ops.cpp
-./test/sparse_permutations.cpp
-./test/zerosized.cpp
-./test/exceptions.cpp
-./test/vectorwiseop.cpp
-./test/cwiseop.cpp
-./test/basicstuff.cpp
-./test/product_trmm.cpp
-./test/linearstructure.cpp
-./test/sparse_product.cpp
-./test/stdvector_overload.cpp
-./test/stable_norm.cpp
-./test/umeyama.cpp
-./test/unalignedcount.cpp
-./test/triangular.cpp
-./test/product_mmtr.cpp
-./test/sparse_basic.cpp
-./test/sparse_vector.cpp
-./test/meta.cpp
-./test/real_qz.cpp
-./test/ref.cpp
-./test/eigensolver_complex.cpp
-./test/cholmod_support.cpp
-./test/conjugate_gradient.cpp
-./test/sparse.h
-./test/simplicial_cholesky.cpp
-./test/bicgstab.cpp
-./test/dynalloc.cpp
-./test/product_notemporary.cpp
-./test/geo_hyperplane.cpp
-./test/lu.cpp
-./test/qr.cpp
-./test/hessenberg.cpp
-./test/sizeof.cpp
-./test/main.h
-./test/selfadjoint.cpp
-./test/permutationmatrices.cpp
-./test/superlu_support.cpp
-./test/qtvector.cpp
-./test/geo_homogeneous.cpp
-./test/determinant.cpp
-./test/array_reverse.cpp
-./test/unalignedassert.cpp
-./test/stdlist.cpp
-./test/product_symm.cpp
-./test/corners.cpp
-./test/dontalign.cpp
-./test/visitor.cpp
-./test/geo_alignedbox.cpp
-./test/diagonalmatrices.cpp
-./test/product_small.cpp
-./test/eigensolver_generalized_real.cpp
-./test/umfpack_support.cpp
-./test/first_aligned.cpp
-./test/qr_fullpivoting.cpp
-./test/array_replicate.cpp
-./test/geo_parametrizedline.cpp
-./test/eigen2/eigen2_unalignedassert.cpp
-./test/eigen2/eigen2_prec_inverse_4x4.cpp
-./test/eigen2/eigen2_alignedbox.cpp
-./test/eigen2/eigen2_sparse_product.cpp
-./test/eigen2/eigen2_meta.cpp
-./test/eigen2/eigen2_nomalloc.cpp
-./test/eigen2/eigen2_visitor.cpp
-./test/eigen2/eigen2_packetmath.cpp
-./test/eigen2/eigen2_svd.cpp
-./test/eigen2/eigen2_mixingtypes.cpp
-./test/eigen2/eigen2_qr.cpp
-./test/eigen2/eigen2_cwiseop.cpp
-./test/eigen2/eigen2_geometry_with_eigen2_prefix.cpp
-./test/eigen2/eigen2_smallvectors.cpp
-./test/eigen2/eigen2_commainitializer.cpp
-./test/eigen2/eigen2_sparse_solvers.cpp
-./test/eigen2/eigen2_hyperplane.cpp
-./test/eigen2/eigen2_eigensolver.cpp
-./test/eigen2/eigen2_linearstructure.cpp
-./test/eigen2/eigen2_sizeof.cpp
-./test/eigen2/eigen2_parametrizedline.cpp
-./test/eigen2/eigen2_lu.cpp
-./test/eigen2/eigen2_adjoint.cpp
-./test/eigen2/eigen2_geometry.cpp
-./test/eigen2/eigen2_stdvector.cpp
-./test/eigen2/eigen2_newstdvector.cpp
-./test/eigen2/eigen2_submatrices.cpp
-./test/eigen2/sparse.h
-./test/eigen2/eigen2_swap.cpp
-./test/eigen2/eigen2_triangular.cpp
-./test/eigen2/eigen2_basicstuff.cpp
-./test/eigen2/gsl_helper.h
-./test/eigen2/eigen2_dynalloc.cpp
-./test/eigen2/eigen2_array.cpp
-./test/eigen2/eigen2_map.cpp
-./test/eigen2/main.h
-./test/eigen2/eigen2_miscmatrices.cpp
-./test/eigen2/eigen2_product_large.cpp
-./test/eigen2/eigen2_first_aligned.cpp
-./test/eigen2/eigen2_cholesky.cpp
-./test/eigen2/eigen2_determinant.cpp
-./test/eigen2/eigen2_sum.cpp
-./test/eigen2/eigen2_inverse.cpp
-./test/eigen2/eigen2_regression.cpp
-./test/eigen2/eigen2_product_small.cpp
-./test/eigen2/eigen2_qtvector.cpp
-./test/eigen2/eigen2_sparse_vector.cpp
-./test/eigen2/product.h
-./test/eigen2/eigen2_sparse_basic.cpp
-./test/eigen2/eigen2_bug_132.cpp
-./test/array.cpp
-./test/product_syrk.cpp
-./test/commainitializer.cpp
-./test/conservative_resize.cpp
-./test/qr_colpivoting.cpp
-./test/nullary.cpp
-./test/bandmatrix.cpp
-./test/pastix_support.cpp
-./test/product.h
-./test/block.cpp
-./test/vectorization_logic.cpp
-./test/jacobi.cpp
-./test/diagonal.cpp
-./test/schur_complex.cpp
-./test/sizeoverflow.cpp
-./bench/BenchTimer.h
-./bench/benchFFT.cpp
-./bench/eig33.cpp
-./bench/spbench/spbenchsolver.h
-./bench/spbench/spbenchstyle.h
-./lapack/complex_double.cpp
-./lapack/cholesky.cpp
-./lapack/lapack_common.h
-./lapack/eigenvalues.cpp
-./lapack/single.cpp
-./lapack/lu.cpp
-./lapack/complex_single.cpp
-./lapack/double.cpp
-./demos/mix_eigen_and_c/binary_library.cpp
-./demos/mix_eigen_and_c/binary_library.h
-./demos/mix_eigen_and_c/example.c
-./demos/mandelbrot/mandelbrot.cpp
-./demos/mandelbrot/mandelbrot.h
-./demos/opengl/icosphere.cpp
-./demos/opengl/icosphere.h
-./demos/opengl/camera.cpp
-./demos/opengl/quaternion_demo.h
-./demos/opengl/camera.h
-./demos/opengl/trackball.h
-./demos/opengl/gpuhelper.h
-./demos/opengl/trackball.cpp
-./demos/opengl/gpuhelper.cpp
-./demos/opengl/quaternion_demo.cpp
-./debug/gdb/printers.py
-./unsupported/test/minres.cpp
-./unsupported/test/openglsupport.cpp
-./unsupported/test/jacobisvd.cpp
-./unsupported/test/dgmres.cpp
-./unsupported/test/matrix_square_root.cpp
-./unsupported/test/bdcsvd.cpp
-./unsupported/test/matrix_exponential.cpp
-./unsupported/test/forward_adolc.cpp
-./unsupported/test/polynomialsolver.cpp
-./unsupported/test/matrix_function.cpp
-./unsupported/test/sparse_extra.cpp
-./unsupported/test/matrix_functions.h
-./unsupported/test/svd_common.h
-./unsupported/test/FFTW.cpp
-./unsupported/test/alignedvector3.cpp
-./unsupported/test/autodiff.cpp
-./unsupported/test/gmres.cpp
-./unsupported/test/BVH.cpp
-./unsupported/test/levenberg_marquardt.cpp
-./unsupported/test/matrix_power.cpp
-./unsupported/test/kronecker_product.cpp
-./unsupported/test/splines.cpp
-./unsupported/test/polynomialutils.cpp
-./unsupported/bench/bench_svd.cpp
-./unsupported/Eigen/IterativeSolvers
-./unsupported/Eigen/src/IterativeSolvers/DGMRES.h
-./unsupported/Eigen/src/IterativeSolvers/IncompleteLU.h
-./unsupported/Eigen/src/IterativeSolvers/GMRES.h
-./unsupported/Eigen/src/IterativeSolvers/IncompleteCholesky.h
-./unsupported/Eigen/src/IterativeSolvers/Scaling.h
-./unsupported/Eigen/src/IterativeSolvers/MINRES.h
-./unsupported/Eigen/src/SparseExtra/RandomSetter.h
-./unsupported/Eigen/src/SparseExtra/MatrixMarketIterator.h
-./unsupported/Eigen/src/SparseExtra/DynamicSparseMatrix.h
-./unsupported/Eigen/src/SparseExtra/MarketIO.h
-./unsupported/Eigen/src/SparseExtra/BlockOfDynamicSparseMatrix.h
-./unsupported/Eigen/src/KroneckerProduct/KroneckerTensorProduct.h
-./unsupported/Eigen/src/NonLinearOptimization/LevenbergMarquardt.h
-./unsupported/Eigen/src/NonLinearOptimization/HybridNonLinearSolver.h
-./unsupported/Eigen/src/BVH/BVAlgorithms.h
-./unsupported/Eigen/src/BVH/KdBVH.h
-./unsupported/Eigen/src/AutoDiff/AutoDiffScalar.h
-./unsupported/Eigen/src/AutoDiff/AutoDiffJacobian.h
-./unsupported/Eigen/src/AutoDiff/AutoDiffVector.h
-./unsupported/Eigen/src/Splines/Spline.h
-./unsupported/Eigen/src/Splines/SplineFitting.h
-./unsupported/Eigen/src/Splines/SplineFwd.h
-./unsupported/Eigen/src/SVD/JacobiSVD.h
-./unsupported/Eigen/src/SVD/BDCSVD.h
-./unsupported/Eigen/src/SVD/SVDBase.h
-./unsupported/Eigen/src/MatrixFunctions/MatrixFunction.h
-./unsupported/Eigen/src/MatrixFunctions/MatrixSquareRoot.h
-./unsupported/Eigen/src/MatrixFunctions/MatrixLogarithm.h
-./unsupported/Eigen/src/MatrixFunctions/StemFunction.h
-./unsupported/Eigen/src/MatrixFunctions/MatrixPower.h
-./unsupported/Eigen/src/MatrixFunctions/MatrixExponential.h
-./unsupported/Eigen/src/MatrixFunctions/MatrixFunctionAtomic.h
-./unsupported/Eigen/src/MoreVectorization/MathFunctions.h
-./unsupported/Eigen/src/LevenbergMarquardt/LevenbergMarquardt.h
-./unsupported/Eigen/src/FFT/ei_fftw_impl.h
-./unsupported/Eigen/src/FFT/ei_kissfft_impl.h
-./unsupported/Eigen/src/Polynomials/PolynomialSolver.h
-./unsupported/Eigen/src/Polynomials/Companion.h
-./unsupported/Eigen/src/Polynomials/PolynomialUtils.h
-./unsupported/Eigen/src/NumericalDiff/NumericalDiff.h
-./unsupported/Eigen/src/Skyline/SkylineProduct.h
-./unsupported/Eigen/src/Skyline/SkylineMatrixBase.h
-./unsupported/Eigen/src/Skyline/SkylineStorage.h
-./unsupported/Eigen/src/Skyline/SkylineUtil.h
-./unsupported/Eigen/src/Skyline/SkylineInplaceLU.h
-./unsupported/Eigen/src/Skyline/SkylineMatrix.h
-./unsupported/Eigen/SparseExtra
-./unsupported/Eigen/AdolcForward
-./unsupported/Eigen/KroneckerProduct
-./unsupported/Eigen/NonLinearOptimization
-./unsupported/Eigen/BVH
-./unsupported/Eigen/OpenGLSupport
-./unsupported/Eigen/ArpackSupport
-./unsupported/Eigen/AutoDiff
-./unsupported/Eigen/Splines
-./unsupported/Eigen/MPRealSupport
-./unsupported/Eigen/MatrixFunctions
-./unsupported/Eigen/MoreVectorization
-./unsupported/Eigen/LevenbergMarquardt
-./unsupported/Eigen/AlignedVector3
-./unsupported/Eigen/FFT
-./unsupported/Eigen/Polynomials
-./unsupported/Eigen/NumericalDiff
-./unsupported/Eigen/Skyline
-./COPYING.README
-./COPYING.README
-./LICENSE
-./LICENSE
-./LICENSE
-./Eigen/Eigen2Support
-./Eigen/src/Eigen2Support/VectorBlock.h
-./Eigen/src/Eigen2Support/Cwise.h
-./Eigen/src/Eigen2Support/Minor.h
-./Eigen/src/Eigen2Support/Lazy.h
-./Eigen/src/Eigen2Support/Memory.h
-./Eigen/src/Eigen2Support/MathFunctions.h
-./Eigen/src/Eigen2Support/Geometry/AlignedBox.h
-./Eigen/src/Eigen2Support/Geometry/Hyperplane.h
-./Eigen/src/Eigen2Support/Geometry/Quaternion.h
-./Eigen/src/Eigen2Support/Geometry/Rotation2D.h
-./Eigen/src/Eigen2Support/Geometry/ParametrizedLine.h
-./Eigen/src/Eigen2Support/Geometry/RotationBase.h
-./Eigen/src/Eigen2Support/Geometry/Translation.h
-./Eigen/src/Eigen2Support/Geometry/Scaling.h
-./Eigen/src/Eigen2Support/Geometry/AngleAxis.h
-./Eigen/src/Eigen2Support/Geometry/Transform.h
-./Eigen/src/Eigen2Support/TriangularSolver.h
-./Eigen/src/Eigen2Support/LU.h
-./Eigen/src/Eigen2Support/QR.h
-./Eigen/src/Eigen2Support/SVD.h
-./Eigen/src/Eigen2Support/Meta.h
-./Eigen/src/Eigen2Support/Block.h
-./Eigen/src/Eigen2Support/Macros.h
-./Eigen/src/Eigen2Support/LeastSquares.h
-./Eigen/src/Eigen2Support/CwiseOperators.h
-./Eigen/src/Jacobi/Jacobi.h
-./Eigen/src/misc/Kernel.h
-./Eigen/src/misc/SparseSolve.h
-./Eigen/src/misc/Solve.h
-./Eigen/src/misc/Image.h
-./Eigen/src/SparseCore/SparseColEtree.h
-./Eigen/src/SparseCore/SparseTranspose.h
-./Eigen/src/SparseCore/SparseUtil.h
-./Eigen/src/SparseCore/SparseCwiseBinaryOp.h
-./Eigen/src/SparseCore/SparseDiagonalProduct.h
-./Eigen/src/SparseCore/SparseProduct.h
-./Eigen/src/SparseCore/SparseDot.h
-./Eigen/src/SparseCore/SparseCwiseUnaryOp.h
-./Eigen/src/SparseCore/SparseSparseProductWithPruning.h
-./Eigen/src/SparseCore/SparseBlock.h
-./Eigen/src/SparseCore/SparseDenseProduct.h
-./Eigen/src/SparseCore/CompressedStorage.h
-./Eigen/src/SparseCore/SparseMatrixBase.h
-./Eigen/src/SparseCore/MappedSparseMatrix.h
-./Eigen/src/SparseCore/SparseTriangularView.h
-./Eigen/src/SparseCore/SparseView.h
-./Eigen/src/SparseCore/SparseFuzzy.h
-./Eigen/src/SparseCore/TriangularSolver.h
-./Eigen/src/SparseCore/SparseSelfAdjointView.h
-./Eigen/src/SparseCore/SparseMatrix.h
-./Eigen/src/SparseCore/SparseVector.h
-./Eigen/src/SparseCore/AmbiVector.h
-./Eigen/src/SparseCore/ConservativeSparseSparseProduct.h
-./Eigen/src/SparseCore/SparseRedux.h
-./Eigen/src/SparseCore/SparsePermutation.h
-./Eigen/src/Eigenvalues/RealSchur.h
-./Eigen/src/Eigenvalues/ComplexEigenSolver.h
-./Eigen/src/Eigenvalues/GeneralizedEigenSolver.h
-./Eigen/src/Eigenvalues/ComplexSchur.h
-./Eigen/src/Eigenvalues/RealQZ.h
-./Eigen/src/Eigenvalues/EigenSolver.h
-./Eigen/src/Eigenvalues/HessenbergDecomposition.h
-./Eigen/src/Eigenvalues/GeneralizedSelfAdjointEigenSolver.h
-./Eigen/src/Eigenvalues/Tridiagonalization.h
-./Eigen/src/Eigenvalues/SelfAdjointEigenSolver.h
-./Eigen/src/Eigenvalues/MatrixBaseEigenvalues.h
-./Eigen/src/SuperLUSupport/SuperLUSupport.h
-./Eigen/src/StlSupport/StdDeque.h
-./Eigen/src/StlSupport/StdVector.h
-./Eigen/src/StlSupport/StdList.h
-./Eigen/src/StlSupport/details.h
-./Eigen/src/SparseQR/SparseQR.h
-./Eigen/src/LU/Inverse.h
-./Eigen/src/LU/arch/Inverse_SSE.h
-./Eigen/src/LU/Determinant.h
-./Eigen/src/LU/PartialPivLU.h
-./Eigen/src/LU/FullPivLU.h
-./Eigen/src/UmfPackSupport/UmfPackSupport.h
-./Eigen/src/OrderingMethods/Ordering.h
-./Eigen/src/OrderingMethods/Eigen_Colamd.h
-./Eigen/src/QR/HouseholderQR.h
-./Eigen/src/QR/ColPivHouseholderQR.h
-./Eigen/src/QR/FullPivHouseholderQR.h
-./Eigen/src/SVD/JacobiSVD.h
-./Eigen/src/SVD/UpperBidiagonalization.h
-./Eigen/src/Geometry/OrthoMethods.h
-./Eigen/src/Geometry/AlignedBox.h
-./Eigen/src/Geometry/Hyperplane.h
-./Eigen/src/Geometry/Quaternion.h
-./Eigen/src/Geometry/EulerAngles.h
-./Eigen/src/Geometry/Rotation2D.h
-./Eigen/src/Geometry/ParametrizedLine.h
-./Eigen/src/Geometry/RotationBase.h
-./Eigen/src/Geometry/arch/Geometry_SSE.h
-./Eigen/src/Geometry/Umeyama.h
-./Eigen/src/Geometry/Homogeneous.h
-./Eigen/src/Geometry/Translation.h
-./Eigen/src/Geometry/Scaling.h
-./Eigen/src/Geometry/AngleAxis.h
-./Eigen/src/Geometry/Transform.h
-./Eigen/src/plugins/BlockMethods.h
-./Eigen/src/plugins/CommonCwiseUnaryOps.h
-./Eigen/src/plugins/CommonCwiseBinaryOps.h
-./Eigen/src/plugins/MatrixCwiseUnaryOps.h
-./Eigen/src/plugins/MatrixCwiseBinaryOps.h
-./Eigen/src/Householder/Householder.h
-./Eigen/src/Householder/HouseholderSequence.h
-./Eigen/src/Householder/BlockHouseholder.h
-./Eigen/src/Core/VectorBlock.h
-./Eigen/src/Core/Matrix.h
-./Eigen/src/Core/Ref.h
-./Eigen/src/Core/SelfAdjointView.h
-./Eigen/src/Core/MathFunctions.h
-./Eigen/src/Core/GlobalFunctions.h
-./Eigen/src/Core/MapBase.h
-./Eigen/src/Core/EigenBase.h
-./Eigen/src/Core/GenericPacketMath.h
-./Eigen/src/Core/NestByValue.h
-./Eigen/src/Core/CwiseUnaryOp.h
-./Eigen/src/Core/SolveTriangular.h
-./Eigen/src/Core/Fuzzy.h
-./Eigen/src/Core/Visitor.h
-./Eigen/src/Core/Map.h
-./Eigen/src/Core/NoAlias.h
-./Eigen/src/Core/Diagonal.h
-./Eigen/src/Core/StableNorm.h
-./Eigen/src/Core/CoreIterators.h
-./Eigen/src/Core/products/Parallelizer.h
-./Eigen/src/Core/products/SelfadjointMatrixVector.h
-./Eigen/src/Core/products/GeneralMatrixMatrixTriangular.h
-./Eigen/src/Core/products/TriangularSolverMatrix.h
-./Eigen/src/Core/products/GeneralMatrixMatrix.h
-./Eigen/src/Core/products/SelfadjointProduct.h
-./Eigen/src/Core/products/CoeffBasedProduct.h
-./Eigen/src/Core/products/TriangularMatrixVector.h
-./Eigen/src/Core/products/SelfadjointMatrixMatrix.h
-./Eigen/src/Core/products/TriangularSolverVector.h
-./Eigen/src/Core/products/SelfadjointRank2Update.h
-./Eigen/src/Core/products/GeneralBlockPanelKernel.h
-./Eigen/src/Core/products/GeneralMatrixVector.h
-./Eigen/src/Core/products/TriangularMatrixMatrix.h
-./Eigen/src/Core/Reverse.h
-./Eigen/src/Core/BooleanRedux.h
-./Eigen/src/Core/Replicate.h
-./Eigen/src/Core/arch/AltiVec/PacketMath.h
-./Eigen/src/Core/arch/AltiVec/Complex.h
-./Eigen/src/Core/arch/SSE/PacketMath.h
-./Eigen/src/Core/arch/SSE/Complex.h
-./Eigen/src/Core/arch/SSE/MathFunctions.h
-./Eigen/src/Core/arch/NEON/PacketMath.h
-./Eigen/src/Core/arch/NEON/Complex.h
-./Eigen/src/Core/arch/Default/Settings.h
-./Eigen/src/Core/CwiseUnaryView.h
-./Eigen/src/Core/Array.h
-./Eigen/src/Core/ArrayWrapper.h
-./Eigen/src/Core/Swap.h
-./Eigen/src/Core/Transpositions.h
-./Eigen/src/Core/Random.h
-./Eigen/src/Core/IO.h
-./Eigen/src/Core/SelfCwiseBinaryOp.h
-./Eigen/src/Core/VectorwiseOp.h
-./Eigen/src/Core/Select.h
-./Eigen/src/Core/ArrayBase.h
-./Eigen/src/Core/DenseCoeffsBase.h
-./Eigen/src/Core/DiagonalProduct.h
-./Eigen/src/Core/Assign.h
-./Eigen/src/Core/Redux.h
-./Eigen/src/Core/ForceAlignedAccess.h
-./Eigen/src/Core/BandMatrix.h
-./Eigen/src/Core/PlainObjectBase.h
-./Eigen/src/Core/DenseBase.h
-./Eigen/src/Core/Flagged.h
-./Eigen/src/Core/CwiseBinaryOp.h
-./Eigen/src/Core/ProductBase.h
-./Eigen/src/Core/TriangularMatrix.h
-./Eigen/src/Core/Transpose.h
-./Eigen/src/Core/DiagonalMatrix.h
-./Eigen/src/Core/Dot.h
-./Eigen/src/Core/Functors.h
-./Eigen/src/Core/PermutationMatrix.h
-./Eigen/src/Core/NumTraits.h
-./Eigen/src/Core/MatrixBase.h
-./Eigen/src/Core/DenseStorage.h
-./Eigen/src/Core/util/Memory.h
-./Eigen/src/Core/util/StaticAssert.h
-./Eigen/src/Core/util/BlasUtil.h
-./Eigen/src/Core/util/MatrixMapper.h
-./Eigen/src/Core/util/XprHelper.h
-./Eigen/src/Core/util/ForwardDeclarations.h
-./Eigen/src/Core/util/Meta.h
-./Eigen/src/Core/util/Macros.h
-./Eigen/src/Core/util/Constants.h
-./Eigen/src/Core/CwiseNullaryOp.h
-./Eigen/src/Core/Block.h
-./Eigen/src/Core/GeneralProduct.h
-./Eigen/src/Core/CommaInitializer.h
-./Eigen/src/Core/ReturnByValue.h
-./Eigen/src/Core/Stride.h
-./Eigen/src/SPQRSupport/SuiteSparseQRSupport.h
-./Eigen/src/SparseLU/SparseLU_column_dfs.h
-./Eigen/src/SparseLU/SparseLU_panel_dfs.h
-./Eigen/src/SparseLU/SparseLU_relax_snode.h
-./Eigen/src/SparseLU/SparseLU_panel_bmod.h
-./Eigen/src/SparseLU/SparseLU_SupernodalMatrix.h
-./Eigen/src/SparseLU/SparseLU_Utils.h
-./Eigen/src/SparseLU/SparseLU_gemm_kernel.h
-./Eigen/src/SparseLU/SparseLU_kernel_bmod.h
-./Eigen/src/SparseLU/SparseLU_pivotL.h
-./Eigen/src/SparseLU/SparseLU_Memory.h
-./Eigen/src/SparseLU/SparseLU_heap_relax_snode.h
-./Eigen/src/SparseLU/SparseLUImpl.h
-./Eigen/src/SparseLU/SparseLU_copy_to_ucol.h
-./Eigen/src/SparseLU/SparseLU_Structs.h
-./Eigen/src/SparseLU/SparseLU.h
-./Eigen/src/SparseLU/SparseLU_column_bmod.h
-./Eigen/src/SparseLU/SparseLU_pruneL.h
-./Eigen/src/IterativeLinearSolvers/IncompleteLUT.h
-./Eigen/src/IterativeLinearSolvers/BasicPreconditioners.h
-./Eigen/src/IterativeLinearSolvers/IterativeSolverBase.h
-./Eigen/src/IterativeLinearSolvers/ConjugateGradient.h
-./Eigen/src/IterativeLinearSolvers/BiCGSTAB.h
-./Eigen/src/SparseCholesky/SimplicialCholesky.h
-./Eigen/src/Cholesky/LDLT.h
-./Eigen/src/Cholesky/LLT.h
-./Eigen/src/CholmodSupport/CholmodSupport.h
-./Eigen/src/PaStiXSupport/PaStiXSupport.h
-./Eigen/src/MetisSupport/MetisSupport.h
-./Eigen/StdVector
-./Eigen/Core
-./Eigen/SparseLU
-./Eigen/StdList
-./Eigen/StdDeque
-./Eigen/SparseCholesky
-./scripts/relicense.py
-./scripts/relicense.py
-./blas/BandTriangularSolver.h
-./blas/PackedTriangularMatrixVector.h
-./blas/complex_double.cpp
-./blas/level2_real_impl.h
-./blas/level1_cplx_impl.h
-./blas/level1_impl.h
-./blas/level1_real_impl.h
-./blas/level3_impl.h
-./blas/single.cpp
-./blas/level2_cplx_impl.h
-./blas/PackedSelfadjointProduct.h
-./blas/Rank2Update.h
-./blas/complex_single.cpp
-./blas/PackedTriangularSolverVector.h
-./blas/double.cpp
-./blas/common.h
-./blas/level2_impl.h
-./blas/GeneralRank1Update.h
-
-Mozilla Public License Version 2.0
-==================================
-
-1. Definitions
---------------
-
-1.1. "Contributor"
- means each individual or legal entity that creates, contributes to
- the creation of, or owns Covered Software.
-
-1.2. "Contributor Version"
- means the combination of the Contributions of others (if any) used
- by a Contributor and that particular Contributor's Contribution.
-
-1.3. "Contribution"
- means Covered Software of a particular Contributor.
-
-1.4. "Covered Software"
- means Source Code Form to which the initial Contributor has attached
- the notice in Exhibit A, the Executable Form of such Source Code
- Form, and Modifications of such Source Code Form, in each case
- including portions thereof.
-
-1.5. "Incompatible With Secondary Licenses"
- means
-
- (a) that the initial Contributor has attached the notice described
- in Exhibit B to the Covered Software; or
-
- (b) that the Covered Software was made available under the terms of
- version 1.1 or earlier of the License, but not also under the
- terms of a Secondary License.
-
-1.6. "Executable Form"
- means any form of the work other than Source Code Form.
-
-1.7. "Larger Work"
- means a work that combines Covered Software with other material, in
- a separate file or files, that is not Covered Software.
-
-1.8. "License"
- means this document.
-
-1.9. "Licensable"
- means having the right to grant, to the maximum extent possible,
- whether at the time of the initial grant or subsequently, any and
- all of the rights conveyed by this License.
-
-1.10. "Modifications"
- means any of the following:
-
- (a) any file in Source Code Form that results from an addition to,
- deletion from, or modification of the contents of Covered
- Software; or
-
- (b) any new file in Source Code Form that contains any Covered
- Software.
-
-1.11. "Patent Claims" of a Contributor
- means any patent claim(s), including without limitation, method,
- process, and apparatus claims, in any patent Licensable by such
- Contributor that would be infringed, but for the grant of the
- License, by the making, using, selling, offering for sale, having
- made, import, or transfer of either its Contributions or its
- Contributor Version.
-
-1.12. "Secondary License"
- means either the GNU General Public License, Version 2.0, the GNU
- Lesser General Public License, Version 2.1, the GNU Affero General
- Public License, Version 3.0, or any later versions of those
- licenses.
-
-1.13. "Source Code Form"
- means the form of the work preferred for making modifications.
-
-1.14. "You" (or "Your")
- means an individual or a legal entity exercising rights under this
- License. For legal entities, "You" includes any entity that
- controls, is controlled by, or is under common control with You. For
- purposes of this definition, "control" means (a) the power, direct
- or indirect, to cause the direction or management of such entity,
- whether by contract or otherwise, or (b) ownership of more than
- fifty percent (50%) of the outstanding shares or beneficial
- ownership of such entity.
-
-2. License Grants and Conditions
---------------------------------
-
-2.1. Grants
-
-Each Contributor hereby grants You a world-wide, royalty-free,
-non-exclusive license:
-
-(a) under intellectual property rights (other than patent or trademark)
- Licensable by such Contributor to use, reproduce, make available,
- modify, display, perform, distribute, and otherwise exploit its
- Contributions, either on an unmodified basis, with Modifications, or
- as part of a Larger Work; and
-
-(b) under Patent Claims of such Contributor to make, use, sell, offer
- for sale, have made, import, and otherwise transfer either its
- Contributions or its Contributor Version.
-
-2.2. Effective Date
-
-The licenses granted in Section 2.1 with respect to any Contribution
-become effective for each Contribution on the date the Contributor first
-distributes such Contribution.
-
-2.3. Limitations on Grant Scope
-
-The licenses granted in this Section 2 are the only rights granted under
-this License. No additional rights or licenses will be implied from the
-distribution or licensing of Covered Software under this License.
-Notwithstanding Section 2.1(b) above, no patent license is granted by a
-Contributor:
-
-(a) for any code that a Contributor has removed from Covered Software;
- or
-
-(b) for infringements caused by: (i) Your and any other third party's
- modifications of Covered Software, or (ii) the combination of its
- Contributions with other software (except as part of its Contributor
- Version); or
-
-(c) under Patent Claims infringed by Covered Software in the absence of
- its Contributions.
-
-This License does not grant any rights in the trademarks, service marks,
-or logos of any Contributor (except as may be necessary to comply with
-the notice requirements in Section 3.4).
-
-2.4. Subsequent Licenses
-
-No Contributor makes additional grants as a result of Your choice to
-distribute the Covered Software under a subsequent version of this
-License (see Section 10.2) or under the terms of a Secondary License (if
-permitted under the terms of Section 3.3).
-
-2.5. Representation
-
-Each Contributor represents that the Contributor believes its
-Contributions are its original creation(s) or it has sufficient rights
-to grant the rights to its Contributions conveyed by this License.
-
-2.6. Fair Use
-
-This License is not intended to limit any rights You have under
-applicable copyright doctrines of fair use, fair dealing, or other
-equivalents.
-
-2.7. Conditions
-
-Sections 3.1, 3.2, 3.3, and 3.4 are conditions of the licenses granted
-in Section 2.1.
-
-3. Responsibilities
--------------------
-
-3.1. Distribution of Source Form
-
-All distribution of Covered Software in Source Code Form, including any
-Modifications that You create or to which You contribute, must be under
-the terms of this License. You must inform recipients that the Source
-Code Form of the Covered Software is governed by the terms of this
-License, and how they can obtain a copy of this License. You may not
-attempt to alter or restrict the recipients' rights in the Source Code
-Form.
-
-3.2. Distribution of Executable Form
-
-If You distribute Covered Software in Executable Form then:
-
-(a) such Covered Software must also be made available in Source Code
- Form, as described in Section 3.1, and You must inform recipients of
- the Executable Form how they can obtain a copy of such Source Code
- Form by reasonable means in a timely manner, at a charge no more
- than the cost of distribution to the recipient; and
-
-(b) You may distribute such Executable Form under the terms of this
- License, or sublicense it under different terms, provided that the
- license for the Executable Form does not attempt to limit or alter
- the recipients' rights in the Source Code Form under this License.
-
-3.3. Distribution of a Larger Work
-
-You may create and distribute a Larger Work under terms of Your choice,
-provided that You also comply with the requirements of this License for
-the Covered Software. If the Larger Work is a combination of Covered
-Software with a work governed by one or more Secondary Licenses, and the
-Covered Software is not Incompatible With Secondary Licenses, this
-License permits You to additionally distribute such Covered Software
-under the terms of such Secondary License(s), so that the recipient of
-the Larger Work may, at their option, further distribute the Covered
-Software under the terms of either this License or such Secondary
-License(s).
-
-3.4. Notices
-
-You may not remove or alter the substance of any license notices
-(including copyright notices, patent notices, disclaimers of warranty,
-or limitations of liability) contained within the Source Code Form of
-the Covered Software, except that You may alter any license notices to
-the extent required to remedy known factual inaccuracies.
-
-3.5. Application of Additional Terms
-
-You may choose to offer, and to charge a fee for, warranty, support,
-indemnity or liability obligations to one or more recipients of Covered
-Software. However, You may do so only on Your own behalf, and not on
-behalf of any Contributor. You must make it absolutely clear that any
-such warranty, support, indemnity, or liability obligation is offered by
-You alone, and You hereby agree to indemnify every Contributor for any
-liability incurred by such Contributor as a result of warranty, support,
-indemnity or liability terms You offer. You may include additional
-disclaimers of warranty and limitations of liability specific to any
-jurisdiction.
-
-4. Inability to Comply Due to Statute or Regulation
----------------------------------------------------
-
-If it is impossible for You to comply with any of the terms of this
-License with respect to some or all of the Covered Software due to
-statute, judicial order, or regulation then You must: (a) comply with
-the terms of this License to the maximum extent possible; and (b)
-describe the limitations and the code they affect. Such description must
-be placed in a text file included with all distributions of the Covered
-Software under this License. Except to the extent prohibited by statute
-or regulation, such description must be sufficiently detailed for a
-recipient of ordinary skill to be able to understand it.
-
-5. Termination
---------------
-
-5.1. The rights granted under this License will terminate automatically
-if You fail to comply with any of its terms. However, if You become
-compliant, then the rights granted under this License from a particular
-Contributor are reinstated (a) provisionally, unless and until such
-Contributor explicitly and finally terminates Your grants, and (b) on an
-ongoing basis, if such Contributor fails to notify You of the
-non-compliance by some reasonable means prior to 60 days after You have
-come back into compliance. Moreover, Your grants from a particular
-Contributor are reinstated on an ongoing basis if such Contributor
-notifies You of the non-compliance by some reasonable means, this is the
-first time You have received notice of non-compliance with this License
-from such Contributor, and You become compliant prior to 30 days after
-Your receipt of the notice.
-
-5.2. If You initiate litigation against any entity by asserting a patent
-infringement claim (excluding declaratory judgment actions,
-counter-claims, and cross-claims) alleging that a Contributor Version
-directly or indirectly infringes any patent, then the rights granted to
-You by any and all Contributors for the Covered Software under Section
-2.1 of this License shall terminate.
-
-5.3. In the event of termination under Sections 5.1 or 5.2 above, all
-end user license agreements (excluding distributors and resellers) which
-have been validly granted by You or Your distributors under this License
-prior to termination shall survive termination.
-
-************************************************************************
-* *
-* 6. Disclaimer of Warranty *
-* ------------------------- *
-* *
-* Covered Software is provided under this License on an "as is" *
-* basis, without warranty of any kind, either expressed, implied, or *
-* statutory, including, without limitation, warranties that the *
-* Covered Software is free of defects, merchantable, fit for a *
-* particular purpose or non-infringing. The entire risk as to the *
-* quality and performance of the Covered Software is with You. *
-* Should any Covered Software prove defective in any respect, You *
-* (not any Contributor) assume the cost of any necessary servicing, *
-* repair, or correction. This disclaimer of warranty constitutes an *
-* essential part of this License. No use of any Covered Software is *
-* authorized under this License except under this disclaimer. *
-* *
-************************************************************************
-
-************************************************************************
-* *
-* 7. Limitation of Liability *
-* -------------------------- *
-* *
-* Under no circumstances and under no legal theory, whether tort *
-* (including negligence), contract, or otherwise, shall any *
-* Contributor, or anyone who distributes Covered Software as *
-* permitted above, be liable to You for any direct, indirect, *
-* special, incidental, or consequential damages of any character *
-* including, without limitation, damages for lost profits, loss of *
-* goodwill, work stoppage, computer failure or malfunction, or any *
-* and all other commercial damages or losses, even if such party *
-* shall have been informed of the possibility of such damages. This *
-* limitation of liability shall not apply to liability for death or *
-* personal injury resulting from such party's negligence to the *
-* extent applicable law prohibits such limitation. Some *
-* jurisdictions do not allow the exclusion or limitation of *
-* incidental or consequential damages, so this exclusion and *
-* limitation may not apply to You. *
-* *
-************************************************************************
-
-8. Litigation
--------------
-
-Any litigation relating to this License may be brought only in the
-courts of a jurisdiction where the defendant maintains its principal
-place of business and such litigation shall be governed by laws of that
-jurisdiction, without reference to its conflict-of-law provisions.
-Nothing in this Section shall prevent a party's ability to bring
-cross-claims or counter-claims.
-
-9. Miscellaneous
-----------------
-
-This License represents the complete agreement concerning the subject
-matter hereof. If any provision of this License is held to be
-unenforceable, such provision shall be reformed only to the extent
-necessary to make it enforceable. Any law or regulation which provides
-that the language of a contract shall be construed against the drafter
-shall not be used to construe this License against a Contributor.
-
-10. Versions of the License
----------------------------
-
-10.1. New Versions
-
-Mozilla Foundation is the license steward. Except as provided in Section
-10.3, no one other than the license steward has the right to modify or
-publish new versions of this License. Each version will be given a
-distinguishing version number.
-
-10.2. Effect of New Versions
-
-You may distribute the Covered Software under the terms of the version
-of the License under which You originally received the Covered Software,
-or under the terms of any subsequent version published by the license
-steward.
-
-10.3. Modified Versions
-
-If you create software not governed by this License, and you want to
-create a new license for such software, you may create and use a
-modified version of this License if you rename the license and remove
-any references to the name of the license steward (except to note that
-such modified license differs from this License).
-
-10.4. Distributing Source Code Form that is Incompatible With Secondary
-Licenses
-
-If You choose to distribute Source Code Form that is Incompatible With
-Secondary Licenses under the terms of this version of the License, the
-notice described in Exhibit B of this License must be attached.
-
-Exhibit A - Source Code Form License Notice
--------------------------------------------
-
- This Source Code Form is subject to the terms of the Mozilla Public
- License, v. 2.0. If a copy of the MPL was not distributed with this
- file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-If it is not possible or desirable to put the notice in a particular
-file, then You may include the notice in a location (such as a LICENSE
-file in a relevant directory) where a recipient would be likely to look
-for such a notice.
-
-You may add additional accurate notices of copyright ownership.
-
-Exhibit B - "Incompatible With Secondary Licenses" Notice
----------------------------------------------------------
-
- This Source Code Form is "Incompatible With Secondary Licenses", as
- defined by the Mozilla Public License, v. 2.0.
-
-----------------------------------------------------------------------
-Following applies to:
-./doc/UsingIntelMKL.dox
-./doc/UsingIntelMKL.dox
-./Eigen/src/Eigenvalues/ComplexSchur_MKL.h
-./Eigen/src/Eigenvalues/ComplexSchur_MKL.h
-./Eigen/src/Eigenvalues/SelfAdjointEigenSolver_MKL.h
-./Eigen/src/Eigenvalues/SelfAdjointEigenSolver_MKL.h
-./Eigen/src/Eigenvalues/RealSchur_MKL.h
-./Eigen/src/Eigenvalues/RealSchur_MKL.h
-./Eigen/src/LU/arch/Inverse_SSE.h
-./Eigen/src/LU/arch/Inverse_SSE.h
-./Eigen/src/LU/PartialPivLU_MKL.h
-./Eigen/src/LU/PartialPivLU_MKL.h
-./Eigen/src/QR/HouseholderQR_MKL.h
-./Eigen/src/QR/HouseholderQR_MKL.h
-./Eigen/src/QR/ColPivHouseholderQR_MKL.h
-./Eigen/src/QR/ColPivHouseholderQR_MKL.h
-./Eigen/src/SVD/JacobiSVD_MKL.h
-./Eigen/src/SVD/JacobiSVD_MKL.h
-./Eigen/src/PardisoSupport/PardisoSupport.h
-./Eigen/src/PardisoSupport/PardisoSupport.h
-./Eigen/src/Core/Assign_MKL.h
-./Eigen/src/Core/Assign_MKL.h
-./Eigen/src/Core/products/SelfadjointMatrixVector_MKL.h
-./Eigen/src/Core/products/SelfadjointMatrixVector_MKL.h
-./Eigen/src/Core/products/GeneralMatrixVector_MKL.h
-./Eigen/src/Core/products/GeneralMatrixVector_MKL.h
-./Eigen/src/Core/products/SelfadjointMatrixMatrix_MKL.h
-./Eigen/src/Core/products/SelfadjointMatrixMatrix_MKL.h
-./Eigen/src/Core/products/TriangularMatrixMatrix_MKL.h
-./Eigen/src/Core/products/TriangularMatrixMatrix_MKL.h
-./Eigen/src/Core/products/GeneralMatrixMatrix_MKL.h
-./Eigen/src/Core/products/GeneralMatrixMatrix_MKL.h
-./Eigen/src/Core/products/TriangularMatrixVector_MKL.h
-./Eigen/src/Core/products/TriangularMatrixVector_MKL.h
-./Eigen/src/Core/products/GeneralMatrixMatrixTriangular_MKL.h
-./Eigen/src/Core/products/GeneralMatrixMatrixTriangular_MKL.h
-./Eigen/src/Core/products/TriangularSolverMatrix_MKL.h
-./Eigen/src/Core/products/TriangularSolverMatrix_MKL.h
-./Eigen/src/Core/util/MKL_support.h
-./Eigen/src/Core/util/MKL_support.h
-./Eigen/src/Cholesky/LLT_MKL.h
-./Eigen/src/Cholesky/LLT_MKL.h
-
-/*
- Copyright (c) 2011, Intel Corporation. All rights reserved.
-
- Redistribution and use in source and binary forms, with or without
- modification, are permitted provided that the following conditions
- are met:
-
- * Redistributions of source code must retain the above copyright
- notice, this list of conditions and the following disclaimer. *
- Redistributions in binary form must reproduce the above copyright
- notice, this list of conditions and the following disclaimer in the
- documentation and/or other materials provided with the
- distribution. * Neither the name of Intel Corporation nor the
- names of its contributors may be used to endorse or promote
- products derived from this software without specific prior written
- permission.
-
- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
- OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
- LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
- DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
- THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
- (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
- OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
- */
-
-----------------------------------------------------------------------
-Following applies to:
- everything under ./bench/btl
-
- GNU GENERAL PUBLIC LICENSE
- Version 3, 29 June 2007
-
- Copyright (C) 2007 Free Software Foundation, Inc. <http://fsf.org/>
- Everyone is permitted to copy and distribute verbatim copies
- of this license document, but changing it is not allowed.
-
- Preamble
-
- The GNU General Public License is a free, copyleft license for
-software and other kinds of works.
-
- The licenses for most software and other practical works are designed
-to take away your freedom to share and change the works. By contrast,
-the GNU General Public License is intended to guarantee your freedom to
-share and change all versions of a program--to make sure it remains free
-software for all its users. We, the Free Software Foundation, use the
-GNU General Public License for most of our software; it applies also to
-any other work released this way by its authors. You can apply it to
-your programs, too.
-
- When we speak of free software, we are referring to freedom, not
-price. Our General Public Licenses are designed to make sure that you
-have the freedom to distribute copies of free software (and charge for
-them if you wish), that you receive source code or can get it if you
-want it, that you can change the software or use pieces of it in new
-free programs, and that you know you can do these things.
-
- To protect your rights, we need to prevent others from denying you
-these rights or asking you to surrender the rights. Therefore, you have
-certain responsibilities if you distribute copies of the software, or if
-you modify it: responsibilities to respect the freedom of others.
-
- For example, if you distribute copies of such a program, whether
-gratis or for a fee, you must pass on to the recipients the same
-freedoms that you received. You must make sure that they, too, receive
-or can get the source code. And you must show them these terms so they
-know their rights.
-
- Developers that use the GNU GPL protect your rights with two steps:
-(1) assert copyright on the software, and (2) offer you this License
-giving you legal permission to copy, distribute and/or modify it.
-
- For the developers' and authors' protection, the GPL clearly explains
-that there is no warranty for this free software. For both users' and
-authors' sake, the GPL requires that modified versions be marked as
-changed, so that their problems will not be attributed erroneously to
-authors of previous versions.
-
- Some devices are designed to deny users access to install or run
-modified versions of the software inside them, although the manufacturer
-can do so. This is fundamentally incompatible with the aim of
-protecting users' freedom to change the software. The systematic
-pattern of such abuse occurs in the area of products for individuals to
-use, which is precisely where it is most unacceptable. Therefore, we
-have designed this version of the GPL to prohibit the practice for those
-products. If such problems arise substantially in other domains, we
-stand ready to extend this provision to those domains in future versions
-of the GPL, as needed to protect the freedom of users.
-
- Finally, every program is threatened constantly by software patents.
-States should not allow patents to restrict development and use of
-software on general-purpose computers, but in those that do, we wish to
-avoid the special danger that patents applied to a free program could
-make it effectively proprietary. To prevent this, the GPL assures that
-patents cannot be used to render the program non-free.
-
- The precise terms and conditions for copying, distribution and
-modification follow.
-
- TERMS AND CONDITIONS
-
- 0. Definitions.
-
- "This License" refers to version 3 of the GNU General Public License.
-
- "Copyright" also means copyright-like laws that apply to other kinds
-of works, such as semiconductor masks.
-
- "The Program" refers to any copyrightable work licensed under this
-License. Each licensee is addressed as "you". "Licensees" and
-"recipients" may be individuals or organizations.
-
- To "modify" a work means to copy from or adapt all or part of the work
-in a fashion requiring copyright permission, other than the making of an
-exact copy. The resulting work is called a "modified version" of the
-earlier work or a work "based on" the earlier work.
-
- A "covered work" means either the unmodified Program or a work based
-on the Program.
-
- To "propagate" a work means to do anything with it that, without
-permission, would make you directly or secondarily liable for
-infringement under applicable copyright law, except executing it on a
-computer or modifying a private copy. Propagation includes copying,
-distribution (with or without modification), making available to the
-public, and in some countries other activities as well.
-
- To "convey" a work means any kind of propagation that enables other
-parties to make or receive copies. Mere interaction with a user through
-a computer network, with no transfer of a copy, is not conveying.
-
- An interactive user interface displays "Appropriate Legal Notices"
-to the extent that it includes a convenient and prominently visible
-feature that (1) displays an appropriate copyright notice, and (2)
-tells the user that there is no warranty for the work (except to the
-extent that warranties are provided), that licensees may convey the
-work under this License, and how to view a copy of this License. If
-the interface presents a list of user commands or options, such as a
-menu, a prominent item in the list meets this criterion.
-
- 1. Source Code.
-
- The "source code" for a work means the preferred form of the work
-for making modifications to it. "Object code" means any non-source
-form of a work.
-
- A "Standard Interface" means an interface that either is an official
-standard defined by a recognized standards body, or, in the case of
-interfaces specified for a particular programming language, one that
-is widely used among developers working in that language.
-
- The "System Libraries" of an executable work include anything, other
-than the work as a whole, that (a) is included in the normal form of
-packaging a Major Component, but which is not part of that Major
-Component, and (b) serves only to enable use of the work with that
-Major Component, or to implement a Standard Interface for which an
-implementation is available to the public in source code form. A
-"Major Component", in this context, means a major essential component
-(kernel, window system, and so on) of the specific operating system
-(if any) on which the executable work runs, or a compiler used to
-produce the work, or an object code interpreter used to run it.
-
- The "Corresponding Source" for a work in object code form means all
-the source code needed to generate, install, and (for an executable
-work) run the object code and to modify the work, including scripts to
-control those activities. However, it does not include the work's
-System Libraries, or general-purpose tools or generally available free
-programs which are used unmodified in performing those activities but
-which are not part of the work. For example, Corresponding Source
-includes interface definition files associated with source files for
-the work, and the source code for shared libraries and dynamically
-linked subprograms that the work is specifically designed to require,
-such as by intimate data communication or control flow between those
-subprograms and other parts of the work.
-
- The Corresponding Source need not include anything that users
-can regenerate automatically from other parts of the Corresponding
-Source.
-
- The Corresponding Source for a work in source code form is that
-same work.
-
- 2. Basic Permissions.
-
- All rights granted under this License are granted for the term of
-copyright on the Program, and are irrevocable provided the stated
-conditions are met. This License explicitly affirms your unlimited
-permission to run the unmodified Program. The output from running a
-covered work is covered by this License only if the output, given its
-content, constitutes a covered work. This License acknowledges your
-rights of fair use or other equivalent, as provided by copyright law.
-
- You may make, run and propagate covered works that you do not
-convey, without conditions so long as your license otherwise remains
-in force. You may convey covered works to others for the sole purpose
-of having them make modifications exclusively for you, or provide you
-with facilities for running those works, provided that you comply with
-the terms of this License in conveying all material for which you do
-not control copyright. Those thus making or running the covered works
-for you must do so exclusively on your behalf, under your direction
-and control, on terms that prohibit them from making any copies of
-your copyrighted material outside their relationship with you.
-
- Conveying under any other circumstances is permitted solely under
-the conditions stated below. Sublicensing is not allowed; section 10
-makes it unnecessary.
-
- 3. Protecting Users' Legal Rights From Anti-Circumvention Law.
-
- No covered work shall be deemed part of an effective technological
-measure under any applicable law fulfilling obligations under article
-11 of the WIPO copyright treaty adopted on 20 December 1996, or
-similar laws prohibiting or restricting circumvention of such
-measures.
-
- When you convey a covered work, you waive any legal power to forbid
-circumvention of technological measures to the extent such circumvention
-is effected by exercising rights under this License with respect to
-the covered work, and you disclaim any intention to limit operation or
-modification of the work as a means of enforcing, against the work's
-users, your or third parties' legal rights to forbid circumvention of
-technological measures.
-
- 4. Conveying Verbatim Copies.
-
- You may convey verbatim copies of the Program's source code as you
-receive it, in any medium, provided that you conspicuously and
-appropriately publish on each copy an appropriate copyright notice;
-keep intact all notices stating that this License and any
-non-permissive terms added in accord with section 7 apply to the code;
-keep intact all notices of the absence of any warranty; and give all
-recipients a copy of this License along with the Program.
-
- You may charge any price or no price for each copy that you convey,
-and you may offer support or warranty protection for a fee.
-
- 5. Conveying Modified Source Versions.
-
- You may convey a work based on the Program, or the modifications to
-produce it from the Program, in the form of source code under the
-terms of section 4, provided that you also meet all of these conditions:
-
- a) The work must carry prominent notices stating that you modified
- it, and giving a relevant date.
-
- b) The work must carry prominent notices stating that it is
- released under this License and any conditions added under section
- 7. This requirement modifies the requirement in section 4 to
- "keep intact all notices".
-
- c) You must license the entire work, as a whole, under this
- License to anyone who comes into possession of a copy. This
- License will therefore apply, along with any applicable section 7
- additional terms, to the whole of the work, and all its parts,
- regardless of how they are packaged. This License gives no
- permission to license the work in any other way, but it does not
- invalidate such permission if you have separately received it.
-
- d) If the work has interactive user interfaces, each must display
- Appropriate Legal Notices; however, if the Program has interactive
- interfaces that do not display Appropriate Legal Notices, your
- work need not make them do so.
-
- A compilation of a covered work with other separate and independent
-works, which are not by their nature extensions of the covered work,
-and which are not combined with it such as to form a larger program,
-in or on a volume of a storage or distribution medium, is called an
-"aggregate" if the compilation and its resulting copyright are not
-used to limit the access or legal rights of the compilation's users
-beyond what the individual works permit. Inclusion of a covered work
-in an aggregate does not cause this License to apply to the other
-parts of the aggregate.
-
- 6. Conveying Non-Source Forms.
-
- You may convey a covered work in object code form under the terms
-of sections 4 and 5, provided that you also convey the
-machine-readable Corresponding Source under the terms of this License,
-in one of these ways:
-
- a) Convey the object code in, or embodied in, a physical product
- (including a physical distribution medium), accompanied by the
- Corresponding Source fixed on a durable physical medium
- customarily used for software interchange.
-
- b) Convey the object code in, or embodied in, a physical product
- (including a physical distribution medium), accompanied by a
- written offer, valid for at least three years and valid for as
- long as you offer spare parts or customer support for that product
- model, to give anyone who possesses the object code either (1) a
- copy of the Corresponding Source for all the software in the
- product that is covered by this License, on a durable physical
- medium customarily used for software interchange, for a price no
- more than your reasonable cost of physically performing this
- conveying of source, or (2) access to copy the
- Corresponding Source from a network server at no charge.
-
- c) Convey individual copies of the object code with a copy of the
- written offer to provide the Corresponding Source. This
- alternative is allowed only occasionally and noncommercially, and
- only if you received the object code with such an offer, in accord
- with subsection 6b.
-
- d) Convey the object code by offering access from a designated
- place (gratis or for a charge), and offer equivalent access to the
- Corresponding Source in the same way through the same place at no
- further charge. You need not require recipients to copy the
- Corresponding Source along with the object code. If the place to
- copy the object code is a network server, the Corresponding Source
- may be on a different server (operated by you or a third party)
- that supports equivalent copying facilities, provided you maintain
- clear directions next to the object code saying where to find the
- Corresponding Source. Regardless of what server hosts the
- Corresponding Source, you remain obligated to ensure that it is
- available for as long as needed to satisfy these requirements.
-
- e) Convey the object code using peer-to-peer transmission, provided
- you inform other peers where the object code and Corresponding
- Source of the work are being offered to the general public at no
- charge under subsection 6d.
-
- A separable portion of the object code, whose source code is excluded
-from the Corresponding Source as a System Library, need not be
-included in conveying the object code work.
-
- A "User Product" is either (1) a "consumer product", which means any
-tangible personal property which is normally used for personal,
-family, or household purposes, or (2) anything designed or sold for
-incorporation into a dwelling. In determining whether a product is a
-consumer product, doubtful cases shall be resolved in favor of
-coverage. For a particular product received by a particular user,
-"normally used" refers to a typical or common use of that class of
-product, regardless of the status of the particular user or of the way
-in which the particular user actually uses, or expects or is expected
-to use, the product. A product is a consumer product regardless of
-whether the product has substantial commercial, industrial or
-non-consumer uses, unless such uses represent the only significant
-mode of use of the product.
-
- "Installation Information" for a User Product means any methods,
-procedures, authorization keys, or other information required to
-install and execute modified versions of a covered work in that User
-Product from a modified version of its Corresponding Source. The
-information must suffice to ensure that the continued functioning of
-the modified object code is in no case prevented or interfered with
-solely because modification has been made.
-
- If you convey an object code work under this section in, or with, or
-specifically for use in, a User Product, and the conveying occurs as
-part of a transaction in which the right of possession and use of the
-User Product is transferred to the recipient in perpetuity or for a
-fixed term (regardless of how the transaction is characterized), the
-Corresponding Source conveyed under this section must be accompanied
-by the Installation Information. But this requirement does not apply
-if neither you nor any third party retains the ability to install
-modified object code on the User Product (for example, the work has
-been installed in ROM).
-
- The requirement to provide Installation Information does not include
-a requirement to continue to provide support service, warranty, or
-updates for a work that has been modified or installed by the
-recipient, or for the User Product in which it has been modified or
-installed. Access to a network may be denied when the modification
-itself materially and adversely affects the operation of the network
-or violates the rules and protocols for communication across the
-network.
-
- Corresponding Source conveyed, and Installation Information provided,
-in accord with this section must be in a format that is publicly
-documented (and with an implementation available to the public in
-source code form), and must require no special password or key for
-unpacking, reading or copying.
-
- 7. Additional Terms.
-
- "Additional permissions" are terms that supplement the terms of this
-License by making exceptions from one or more of its conditions.
-Additional permissions that are applicable to the entire Program shall
-be treated as though they were included in this License, to the extent
-that they are valid under applicable law. If additional permissions
-apply only to part of the Program, that part may be used separately
-under those permissions, but the entire Program remains governed by
-this License without regard to the additional permissions.
-
- When you convey a copy of a covered work, you may at your option
-remove any additional permissions from that copy, or from any part of
-it. (Additional permissions may be written to require their own
-removal in certain cases when you modify the work.) You may place
-additional permissions on material, added by you to a covered work,
-for which you have or can give appropriate copyright permission.
-
- Notwithstanding any other provision of this License, for material
-you add to a covered work, you may (if authorized by the copyright
-holders of that material) supplement the terms of this License with
-terms:
-
- a) Disclaiming warranty or limiting liability differently from the
- terms of sections 15 and 16 of this License; or
-
- b) Requiring preservation of specified reasonable legal notices or
- author attributions in that material or in the Appropriate Legal
- Notices displayed by works containing it; or
-
- c) Prohibiting misrepresentation of the origin of that material, or
- requiring that modified versions of such material be marked in
- reasonable ways as different from the original version; or
-
- d) Limiting the use for publicity purposes of names of licensors or
- authors of the material; or
-
- e) Declining to grant rights under trademark law for use of some
- trade names, trademarks, or service marks; or
-
- f) Requiring indemnification of licensors and authors of that
- material by anyone who conveys the material (or modified versions
- of it) with contractual assumptions of liability to the recipient,
- for any liability that these contractual assumptions directly
- impose on those licensors and authors.
-
- All other non-permissive additional terms are considered "further
-restrictions" within the meaning of section 10. If the Program as you
-received it, or any part of it, contains a notice stating that it is
-governed by this License along with a term that is a further
-restriction, you may remove that term. If a license document contains
-a further restriction but permits relicensing or conveying under this
-License, you may add to a covered work material governed by the terms
-of that license document, provided that the further restriction does
-not survive such relicensing or conveying.
-
- If you add terms to a covered work in accord with this section, you
-must place, in the relevant source files, a statement of the
-additional terms that apply to those files, or a notice indicating
-where to find the applicable terms.
-
- Additional terms, permissive or non-permissive, may be stated in the
-form of a separately written license, or stated as exceptions;
-the above requirements apply either way.
-
- 8. Termination.
-
- You may not propagate or modify a covered work except as expressly
-provided under this License. Any attempt otherwise to propagate or
-modify it is void, and will automatically terminate your rights under
-this License (including any patent licenses granted under the third
-paragraph of section 11).
-
- However, if you cease all violation of this License, then your
-license from a particular copyright holder is reinstated (a)
-provisionally, unless and until the copyright holder explicitly and
-finally terminates your license, and (b) permanently, if the copyright
-holder fails to notify you of the violation by some reasonable means
-prior to 60 days after the cessation.
-
- Moreover, your license from a particular copyright holder is
-reinstated permanently if the copyright holder notifies you of the
-violation by some reasonable means, this is the first time you have
-received notice of violation of this License (for any work) from that
-copyright holder, and you cure the violation prior to 30 days after
-your receipt of the notice.
-
- Termination of your rights under this section does not terminate the
-licenses of parties who have received copies or rights from you under
-this License. If your rights have been terminated and not permanently
-reinstated, you do not qualify to receive new licenses for the same
-material under section 10.
-
- 9. Acceptance Not Required for Having Copies.
-
- You are not required to accept this License in order to receive or
-run a copy of the Program. Ancillary propagation of a covered work
-occurring solely as a consequence of using peer-to-peer transmission
-to receive a copy likewise does not require acceptance. However,
-nothing other than this License grants you permission to propagate or
-modify any covered work. These actions infringe copyright if you do
-not accept this License. Therefore, by modifying or propagating a
-covered work, you indicate your acceptance of this License to do so.
-
- 10. Automatic Licensing of Downstream Recipients.
-
- Each time you convey a covered work, the recipient automatically
-receives a license from the original licensors, to run, modify and
-propagate that work, subject to this License. You are not responsible
-for enforcing compliance by third parties with this License.
-
- An "entity transaction" is a transaction transferring control of an
-organization, or substantially all assets of one, or subdividing an
-organization, or merging organizations. If propagation of a covered
-work results from an entity transaction, each party to that
-transaction who receives a copy of the work also receives whatever
-licenses to the work the party's predecessor in interest had or could
-give under the previous paragraph, plus a right to possession of the
-Corresponding Source of the work from the predecessor in interest, if
-the predecessor has it or can get it with reasonable efforts.
-
- You may not impose any further restrictions on the exercise of the
-rights granted or affirmed under this License. For example, you may
-not impose a license fee, royalty, or other charge for exercise of
-rights granted under this License, and you may not initiate litigation
-(including a cross-claim or counterclaim in a lawsuit) alleging that
-any patent claim is infringed by making, using, selling, offering for
-sale, or importing the Program or any portion of it.
-
- 11. Patents.
-
- A "contributor" is a copyright holder who authorizes use under this
-License of the Program or a work on which the Program is based. The
-work thus licensed is called the contributor's "contributor version".
-
- A contributor's "essential patent claims" are all patent claims
-owned or controlled by the contributor, whether already acquired or
-hereafter acquired, that would be infringed by some manner, permitted
-by this License, of making, using, or selling its contributor version,
-but do not include claims that would be infringed only as a
-consequence of further modification of the contributor version. For
-purposes of this definition, "control" includes the right to grant
-patent sublicenses in a manner consistent with the requirements of
-this License.
-
- Each contributor grants you a non-exclusive, worldwide, royalty-free
-patent license under the contributor's essential patent claims, to
-make, use, sell, offer for sale, import and otherwise run, modify and
-propagate the contents of its contributor version.
-
- In the following three paragraphs, a "patent license" is any express
-agreement or commitment, however denominated, not to enforce a patent
-(such as an express permission to practice a patent or covenant not to
-sue for patent infringement). To "grant" such a patent license to a
-party means to make such an agreement or commitment not to enforce a
-patent against the party.
-
- If you convey a covered work, knowingly relying on a patent license,
-and the Corresponding Source of the work is not available for anyone
-to copy, free of charge and under the terms of this License, through a
-publicly available network server or other readily accessible means,
-then you must either (1) cause the Corresponding Source to be so
-available, or (2) arrange to deprive yourself of the benefit of the
-patent license for this particular work, or (3) arrange, in a manner
-consistent with the requirements of this License, to extend the patent
-license to downstream recipients. "Knowingly relying" means you have
-actual knowledge that, but for the patent license, your conveying the
-covered work in a country, or your recipient's use of the covered work
-in a country, would infringe one or more identifiable patents in that
-country that you have reason to believe are valid.
-
- If, pursuant to or in connection with a single transaction or
-arrangement, you convey, or propagate by procuring conveyance of, a
-covered work, and grant a patent license to some of the parties
-receiving the covered work authorizing them to use, propagate, modify
-or convey a specific copy of the covered work, then the patent license
-you grant is automatically extended to all recipients of the covered
-work and works based on it.
-
- A patent license is "discriminatory" if it does not include within
-the scope of its coverage, prohibits the exercise of, or is
-conditioned on the non-exercise of one or more of the rights that are
-specifically granted under this License. You may not convey a covered
-work if you are a party to an arrangement with a third party that is
-in the business of distributing software, under which you make payment
-to the third party based on the extent of your activity of conveying
-the work, and under which the third party grants, to any of the
-parties who would receive the covered work from you, a discriminatory
-patent license (a) in connection with copies of the covered work
-conveyed by you (or copies made from those copies), or (b) primarily
-for and in connection with specific products or compilations that
-contain the covered work, unless you entered into that arrangement,
-or that patent license was granted, prior to 28 March 2007.
-
- Nothing in this License shall be construed as excluding or limiting
-any implied license or other defenses to infringement that may
-otherwise be available to you under applicable patent law.
-
- 12. No Surrender of Others' Freedom.
-
- If conditions are imposed on you (whether by court order, agreement
-or otherwise) that contradict the conditions of this License, they do
-not excuse you from the conditions of this License. If you cannot
-convey a covered work so as to satisfy simultaneously your obligations
-under this License and any other pertinent obligations, then as a
-consequence you may not convey it at all. For example, if you agree
-to terms that obligate you to collect a royalty for further conveying
-from those to whom you convey the Program, the only way you could
-satisfy both those terms and this License would be to refrain entirely
-from conveying the Program.
-
- 13. Use with the GNU Affero General Public License.
-
- Notwithstanding any other provision of this License, you have
-permission to link or combine any covered work with a work licensed
-under version 3 of the GNU Affero General Public License into a single
-combined work, and to convey the resulting work. The terms of this
-License will continue to apply to the part which is the covered work,
-but the special requirements of the GNU Affero General Public License,
-section 13, concerning interaction through a network will apply to the
-combination as such.
-
- 14. Revised Versions of this License.
-
- The Free Software Foundation may publish revised and/or new versions
-of the GNU General Public License from time to time. Such new
-versions will be similar in spirit to the present version, but may
-differ in detail to address new problems or concerns.
-
- Each version is given a distinguishing version number. If the
-Program specifies that a certain numbered version of the GNU General
-Public License "or any later version" applies to it, you have the
-option of following the terms and conditions either of that numbered
-version or of any later version published by the Free Software
-Foundation. If the Program does not specify a version number of the
-GNU General Public License, you may choose any version ever published
-by the Free Software Foundation.
-
- If the Program specifies that a proxy can decide which future
-versions of the GNU General Public License can be used, that proxy's
-public statement of acceptance of a version permanently authorizes you
-to choose that version for the Program.
-
- Later license versions may give you additional or different
-permissions. However, no additional obligations are imposed on any
-author or copyright holder as a result of your choosing to follow a
-later version.
-
- 15. Disclaimer of Warranty.
-
- THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
-APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
-HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT
-WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT
-LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
-A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND
-PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE
-DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR
-CORRECTION.
-
- 16. Limitation of Liability.
-
- IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN
-WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES
-AND/OR CONVEYS THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR
-DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL
-DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM
-(INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED
-INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF
-THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER
-OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES.
-
- 17. Interpretation of Sections 15 and 16.
-
- If the disclaimer of warranty and limitation of liability provided
-above cannot be given local legal effect according to their terms,
-reviewing courts shall apply local law that most closely approximates
-an absolute waiver of all civil liability in connection with the
-Program, unless a warranty or assumption of liability accompanies a
-copy of the Program in return for a fee.
-
- END OF TERMS AND CONDITIONS
-
- How to Apply These Terms to Your New Programs
-
- If you develop a new program, and you want it to be of the greatest
-possible use to the public, the best way to achieve this is to make it
-free software which everyone can redistribute and change under these
-terms.
-
- To do so, attach the following notices to the program. It is safest
-to attach them to the start of each source file to most effectively
-state the exclusion of warranty; and each file should have at least
-the "copyright" line and a pointer to where the full notice is found.
-
- <one line to give the program's name and a brief idea of what it
- does.>
- Copyright (C) <year> <name of author>
-
- This program is free software: you can redistribute it and/or
- modify it under the terms of the GNU General Public License as
- published by the Free Software Foundation, either version 3 of the
- License, or (at your option) any later version.
-
- This program is distributed in the hope that it will be useful,
- but WITHOUT ANY WARRANTY; without even the implied warranty of
- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
- GNU General Public License for more details.
-
- You should have received a copy of the GNU General Public License
- along with this program. If not, see
- <http://www.gnu.org/licenses/>.
-
-Also add information on how to contact you by electronic and paper mail.
-
- If the program does terminal interaction, make it output a short
-notice like this when it starts in an interactive mode:
-
- <program> Copyright (C) <year> <name of author> This program comes
- with ABSOLUTELY NO WARRANTY; for details type `show w'. This is
- free software, and you are welcome to redistribute it under
- certain conditions; type `show c' for details.
-
-The hypothetical commands `show w' and `show c' should show the
-appropriate parts of the General Public License. Of course, your
-program's commands might be different; for a GUI interface, you would
-use an "about box".
-
- You should also get your employer (if you work as a programmer) or
-school, if any, to sign a "copyright disclaimer" for the program, if
-necessary. For more information on this, and how to apply and follow
-the GNU GPL, see <http://www.gnu.org/licenses/>.
-
- The GNU General Public License does not permit incorporating your
-program into proprietary programs. If your program is a subroutine
-library, you may consider it more useful to permit linking proprietary
-applications with the library. If this is what you want to do, use
-the GNU Lesser General Public License instead of this License. But
-first, please read <http://www.gnu.org/philosophy/why-not-lgpl.html>.
-
-
-----------------------------------------------------------------------
-Following applies to:
-./test/metis_support.cpp
-./test/sparselu.cpp
-./unsupported/test/mpreal/mpreal.h
-./unsupported/Eigen/src/IterativeSolvers/IterationController.h
-./unsupported/Eigen/src/IterativeSolvers/ConstrainedConjGrad.h
-./unsupported/Eigen/src/Eigenvalues/ArpackSelfAdjointEigenSolver.h
-./Eigen/src/OrderingMethods/Amd.h
-./Eigen/src/SparseCholesky/SimplicialCholesky_impl.h
-
- GNU LESSER GENERAL PUBLIC LICENSE
- Version 3, 29 June 2007
-
- Copyright (C) 2007 Free Software Foundation, Inc. <http://fsf.org/>
- Everyone is permitted to copy and distribute verbatim copies
- of this license document, but changing it is not allowed.
-
-
- This version of the GNU Lesser General Public License incorporates
-the terms and conditions of version 3 of the GNU General Public
-License, supplemented by the additional permissions listed below.
-
- 0. Additional Definitions.
-
- As used herein, "this License" refers to version 3 of the GNU Lesser
-General Public License, and the "GNU GPL" refers to version 3 of the
-GNU General Public License.
-
- "The Library" refers to a covered work governed by this License,
-other than an Application or a Combined Work as defined below.
-
- An "Application" is any work that makes use of an interface provided
-by the Library, but which is not otherwise based on the Library.
-Defining a subclass of a class defined by the Library is deemed a mode
-of using an interface provided by the Library.
-
- A "Combined Work" is a work produced by combining or linking an
-Application with the Library. The particular version of the Library
-with which the Combined Work was made is also called the "Linked
-Version".
-
- The "Minimal Corresponding Source" for a Combined Work means the
-Corresponding Source for the Combined Work, excluding any source code
-for portions of the Combined Work that, considered in isolation, are
-based on the Application, and not on the Linked Version.
-
- The "Corresponding Application Code" for a Combined Work means the
-object code and/or source code for the Application, including any data
-and utility programs needed for reproducing the Combined Work from the
-Application, but excluding the System Libraries of the Combined Work.
-
- 1. Exception to Section 3 of the GNU GPL.
-
- You may convey a covered work under sections 3 and 4 of this License
-without being bound by section 3 of the GNU GPL.
-
- 2. Conveying Modified Versions.
-
- If you modify a copy of the Library, and, in your modifications, a
-facility refers to a function or data to be supplied by an Application
-that uses the facility (other than as an argument passed when the
-facility is invoked), then you may convey a copy of the modified
-version:
-
- a) under this License, provided that you make a good faith effort to
- ensure that, in the event an Application does not supply the
- function or data, the facility still operates, and performs
- whatever part of its purpose remains meaningful, or
-
- b) under the GNU GPL, with none of the additional permissions of
- this License applicable to that copy.
-
- 3. Object Code Incorporating Material from Library Header Files.
-
- The object code form of an Application may incorporate material from
-a header file that is part of the Library. You may convey such object
-code under terms of your choice, provided that, if the incorporated
-material is not limited to numerical parameters, data structure
-layouts and accessors, or small macros, inline functions and templates
-(ten or fewer lines in length), you do both of the following:
-
- a) Give prominent notice with each copy of the object code that the
- Library is used in it and that the Library and its use are
- covered by this License.
-
- b) Accompany the object code with a copy of the GNU GPL and this
- license document.
-
- 4. Combined Works.
-
- You may convey a Combined Work under terms of your choice that,
-taken together, effectively do not restrict modification of the
-portions of the Library contained in the Combined Work and reverse
-engineering for debugging such modifications, if you also do each of
-the following:
-
- a) Give prominent notice with each copy of the Combined Work that
- the Library is used in it and that the Library and its use are
- covered by this License.
-
- b) Accompany the Combined Work with a copy of the GNU GPL and this
- license document.
-
- c) For a Combined Work that displays copyright notices during
- execution, include the copyright notice for the Library among
- these notices, as well as a reference directing the user to the
- copies of the GNU GPL and this license document.
-
- d) Do one of the following:
-
- 0) Convey the Minimal Corresponding Source under the terms of
- this License, and the Corresponding Application Code in a form
- suitable for, and under terms that permit, the user to
- recombine or relink the Application with a modified version of
- the Linked Version to produce a modified Combined Work, in the
- manner specified by section 6 of the GNU GPL for conveying
- Corresponding Source.
-
- 1) Use a suitable shared library mechanism for linking with the
- Library. A suitable mechanism is one that (a) uses at run time
- a copy of the Library already present on the user's computer
- system, and (b) will operate properly with a modified version
- of the Library that is interface-compatible with the Linked
- Version.
-
- e) Provide Installation Information, but only if you would otherwise
- be required to provide such information under section 6 of the
- GNU GPL, and only to the extent that such information is
- necessary to install and execute a modified version of the
- Combined Work produced by recombining or relinking the
- Application with a modified version of the Linked Version. (If
- you use option 4d0, the Installation Information must accompany
- the Minimal Corresponding Source and Corresponding Application
- Code. If you use option 4d1, you must provide the Installation
- Information in the manner specified by section 6 of the GNU GPL
- for conveying Corresponding Source.)
-
- 5. Combined Libraries.
-
- You may place library facilities that are a work based on the
-Library side by side in a single library together with other library
-facilities that are not Applications and are not covered by this
-License, and convey such a combined library under terms of your
-choice, if you do both of the following:
-
- a) Accompany the combined library with a copy of the same work based
- on the Library, uncombined with any other library facilities,
- conveyed under the terms of this License.
-
- b) Give prominent notice with the combined library that part of it
- is a work based on the Library, and explaining where to find the
- accompanying uncombined form of the same work.
-
- 6. Revised Versions of the GNU Lesser General Public License.
-
- The Free Software Foundation may publish revised and/or new versions
-of the GNU Lesser General Public License from time to time. Such new
-versions will be similar in spirit to the present version, but may
-differ in detail to address new problems or concerns.
-
- Each version is given a distinguishing version number. If the
-Library as you received it specifies that a certain numbered version
-of the GNU Lesser General Public License "or any later version"
-applies to it, you have the option of following the terms and
-conditions either of that published version or of any later version
-published by the Free Software Foundation. If the Library as you
-received it does not specify a version number of the GNU Lesser
-General Public License, you may choose any version of the GNU Lesser
-General Public License ever published by the Free Software Foundation.
-
- If the Library as you received it specifies that a proxy can decide
-whether future versions of the GNU Lesser General Public License shall
-apply, that proxy's public statement of acceptance of any version is
-permanent authorization for you to choose that version for the
-Library.
-
-
-----------------------------------------------------------------------
-Following applies to:
-./unsupported/Eigen/src/LevenbergMarquardt/LevenbergMarquardt.h
-./unsupported/Eigen/src/LevenbergMarquardt/LMcovar.h
-./unsupported/Eigen/src/LevenbergMarquardt/LMonestep.h
-./unsupported/Eigen/src/LevenbergMarquardt/LMpar.h
-./unsupported/Eigen/src/LevenbergMarquardt/LMqrsolv.h
-
-Minpack Copyright Notice (1999) University of Chicago. All rights
-reserved
-
-Redistribution and use in source and binary forms, with or
-without modification, are permitted provided that the
-following conditions are met:
-
-1. Redistributions of source code must retain the above
-copyright notice, this list of conditions and the following
-disclaimer.
-
-2. Redistributions in binary form must reproduce the above
-copyright notice, this list of conditions and the following
-disclaimer in the documentation and/or other materials
-provided with the distribution.
-
-3. The end-user documentation included with the
-redistribution, if any, must include the following
-acknowledgment:
-
- "This product includes software developed by the
- University of Chicago, as Operator of Argonne National
- Laboratory.
-
-Alternately, this acknowledgment may appear in the software
-itself, if and wherever such third-party acknowledgments
-normally appear.
-
-4. WARRANTY DISCLAIMER. THE SOFTWARE IS SUPPLIED "AS IS"
-WITHOUT WARRANTY OF ANY KIND. THE COPYRIGHT HOLDER, THE
-UNITED STATES, THE UNITED STATES DEPARTMENT OF ENERGY, AND
-THEIR EMPLOYEES: (1) DISCLAIM ANY WARRANTIES, EXPRESS OR
-IMPLIED, INCLUDING BUT NOT LIMITED TO ANY IMPLIED WARRANTIES
-OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, TITLE
-OR NON-INFRINGEMENT, (2) DO NOT ASSUME ANY LEGAL LIABILITY
-OR RESPONSIBILITY FOR THE ACCURACY, COMPLETENESS, OR
-USEFULNESS OF THE SOFTWARE, (3) DO NOT REPRESENT THAT USE OF
-THE SOFTWARE WOULD NOT INFRINGE PRIVATELY OWNED RIGHTS, (4)
-DO NOT WARRANT THAT THE SOFTWARE WILL FUNCTION
-UNINTERRUPTED, THAT IT IS ERROR-FREE OR THAT ANY ERRORS WILL
-BE CORRECTED.
-
-5. LIMITATION OF LIABILITY. IN NO EVENT WILL THE COPYRIGHT
-HOLDER, THE UNITED STATES, THE UNITED STATES DEPARTMENT OF
-ENERGY, OR THEIR EMPLOYEES: BE LIABLE FOR ANY INDIRECT,
-INCIDENTAL, CONSEQUENTIAL, SPECIAL OR PUNITIVE DAMAGES OF
-ANY KIND OR NATURE, INCLUDING BUT NOT LIMITED TO LOSS OF
-PROFITS OR LOSS OF DATA, FOR ANY REASON WHATSOEVER, WHETHER
-SUCH LIABILITY IS ASSERTED ON THE BASIS OF CONTRACT, TORT
-(INCLUDING NEGLIGENCE OR STRICT LIABILITY), OR OTHERWISE,
-EVEN IF ANY OF SAID PARTIES HAS BEEN WARNED OF THE
-POSSIBILITY OF SUCH LOSS OR DAMAGES.
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/FixedPoint b/third_party/eigen3/unsupported/Eigen/CXX11/FixedPoint
deleted file mode 100644
index eb604d3..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/FixedPoint
+++ /dev/null
@@ -1,55 +0,0 @@
-// This file is part of Eigen, a lightweight C++ template library
-// for linear algebra.
-//
-// Copyright (C) 2015 Benoit Steiner <benoit.steiner.goog@gmail.com>
-//
-// This Source Code Form is subject to the terms of the Mozilla
-// Public License v. 2.0. If a copy of the MPL was not distributed
-// with this file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-#ifndef EIGEN_CXX11_FIXED_POINT_MODULE
-#define EIGEN_CXX11_FIXED_POINT_MODULE
-
-#include <Eigen/Core>
-#include <stdint.h>
-
-/** \defgroup CXX11_FixedPoint_Module Fixed Point Module
- *
- * This module provides common core features for all modules that
- * explicitly depend on C++11. Currently, this is only the Tensor
- * module. Note that at this stage, you should not need to include
- * this module directly.
- *
- * It also provides a limited fallback for compilers that don't support
- * CXX11 yet, such as nvcc.
- *
- * \code
- * #include <Eigen/CXX11/FixedPoint>
- * \endcode
- */
-
-#include "src/FixedPoint/FixedPointTypes.h"
-
-// Use optimized implementations whenever available
-#if defined (EIGEN_VECTORIZE_AVX512DQ) || defined (EIGEN_VECTORIZE_AVX512BW)
-#include "src/FixedPoint/PacketMathAVX512.h"
-#include "src/FixedPoint/TypeCastingAVX512.h"
-
-#elif defined EIGEN_VECTORIZE_AVX2
-#define EIGEN_USE_OPTIMIZED_INT8_UINT8_MAT_MAT_PRODUCT
-#define EIGEN_USE_OPTIMIZED_INT16_INT16_MAT_MAT_PRODUCT
-#include "src/FixedPoint/PacketMathAVX2.h"
-#include "src/FixedPoint/MatMatProductAVX2.h"
-#include "src/FixedPoint/TypeCastingAVX2.h"
-
-#elif defined EIGEN_VECTORIZE_NEON
-#define EIGEN_USE_OPTIMIZED_INT8_UINT8_MAT_MAT_PRODUCT
-#include "src/FixedPoint/MatMatProductNEON.h"
-#endif
-
-// Use the default implementation when no optimized code is available
-#include "src/FixedPoint/MatMatProduct.h"
-#include "src/FixedPoint/MatVecProduct.h"
-
-
-#endif // EIGEN_CXX11_FIXED_POINT_MODULE
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/Tensor b/third_party/eigen3/unsupported/Eigen/CXX11/Tensor
deleted file mode 100644
index 861a87b..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/Tensor
+++ /dev/null
@@ -1,15 +0,0 @@
-#include "unsupported/Eigen/CXX11/Tensor"
-
-#ifdef _WIN32
-#ifndef SLEEP_FUNC_HEADER_GUARD
-#define SLEEP_FUNC_HEADER_GUARD
-inline void sleep(unsigned int seconds) { Sleep(1000*seconds); }
-#endif
-
-// On Windows, Eigen will include Windows.h, which defines various
-// macros that conflict with TensorFlow symbols. Undefine them here to
-// prevent clashes.
-#undef DeleteFile
-#undef ERROR
-#undef LoadLibrary
-#endif // _WIN32
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/ThreadPool b/third_party/eigen3/unsupported/Eigen/CXX11/ThreadPool
deleted file mode 100644
index d2639af..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/ThreadPool
+++ /dev/null
@@ -1 +0,0 @@
-#include "unsupported/Eigen/CXX11/ThreadPool"
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/FixedPointTypes.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/FixedPointTypes.h
deleted file mode 100644
index ff359ce..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/FixedPointTypes.h
+++ /dev/null
@@ -1,340 +0,0 @@
-// This file is part of Eigen, a lightweight C++ template library
-// for linear algebra.
-//
-// Copyright (C) 2015 Benoit Steiner <benoit.steiner.goog@gmail.com>
-//
-// This Source Code Form is subject to the terms of the Mozilla
-// Public License v. 2.0. If a copy of the MPL was not distributed
-// with this file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-#ifndef CXX11_SRC_FIXEDPOINT_FIXEDPOINTTYPES_H_
-#define CXX11_SRC_FIXEDPOINT_FIXEDPOINTTYPES_H_
-
-#include <cmath>
-#include <iostream>
-
-namespace Eigen {
-
-// The mantissa part of the fixed point representation. See
-// go/tensorfixedpoint for details
-struct QInt8;
-struct QUInt8;
-struct QInt16;
-struct QUInt16;
-struct QInt32;
-
-template <>
-struct NumTraits<QInt8> : GenericNumTraits<int8_t> {};
-template <>
-struct NumTraits<QUInt8> : GenericNumTraits<uint8_t> {};
-template <>
-struct NumTraits<QInt16> : GenericNumTraits<int16_t> {};
-template <>
-struct NumTraits<QUInt16> : GenericNumTraits<uint16_t> {};
-template <>
-struct NumTraits<QInt32> : GenericNumTraits<int32_t> {};
-
-namespace internal {
-template <>
-struct scalar_product_traits<QInt32, double> {
- enum {
- // Cost = NumTraits<T>::MulCost,
- Defined = 1
- };
- typedef QInt32 ReturnType;
-};
-}
-
-// Wrap the 8bit int into a QInt8 struct instead of using a typedef to prevent
-// the compiler from silently type cast the mantissa into a bigger or a smaller
-// representation.
-struct QInt8 {
- QInt8() {}
- QInt8(const int8_t v) : value(v) {}
- QInt8(const QInt32 v);
-
- operator int() const { return static_cast<int>(value); }
-
- int8_t value;
-};
-
-struct QUInt8 {
- QUInt8() {}
- QUInt8(const uint8_t v) : value(v) {}
- QUInt8(const QInt32 v);
-
- operator int() const { return static_cast<int>(value); }
-
- uint8_t value;
-};
-
-struct QInt16 {
- QInt16() {}
- QInt16(const int16_t v) : value(v) {}
- QInt16(const QInt32 v);
- operator int() const { return static_cast<int>(value); }
-
- int16_t value;
-};
-
-struct QUInt16 {
- QUInt16() {}
- QUInt16(const uint16_t v) : value(v) {}
- QUInt16(const QInt32 v);
- operator int() const { return static_cast<int>(value); }
-
- uint16_t value;
-};
-
-struct QInt32 {
- QInt32() {}
- QInt32(const int8_t v) : value(v) {}
- QInt32(const int32_t v) : value(v) {}
- QInt32(const uint32_t v) : value(static_cast<int32_t>(v)) {}
- QInt32(const QInt8 v) : value(v.value) {}
- QInt32(const float v) : value(static_cast<int32_t>(lrint(v))) {}
-#ifdef EIGEN_MAKING_DOCS
- // Workaround to fix build on PPC.
- QInt32(unsigned long v) : value(v) {}
-#endif
-
- operator float() const { return static_cast<float>(value); }
-
- int32_t value;
-};
-
-EIGEN_STRONG_INLINE QInt8::QInt8(const QInt32 v)
- : value(v.value > 127 ? 127 : (v.value < -128 ? -128 : v.value)) {}
-EIGEN_STRONG_INLINE QUInt8::QUInt8(const QInt32 v)
- : value(v.value > 255 ? 255 : (v.value < 0 ? 0 : v.value)) {}
-EIGEN_STRONG_INLINE QInt16::QInt16(const QInt32 v)
- : value(v.value > 32767 ? 32767 : (v.value < -32768 ? -32768 : v.value)) {}
-EIGEN_STRONG_INLINE QUInt16::QUInt16(const QInt32 v)
- : value(v.value > 65535 ? 65535 : (v.value < 0 ? 0 : v.value)) {}
-
-// Basic widening 8-bit operations: This will be vectorized in future CLs.
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt8 a, const QInt8 b) {
- return QInt32(static_cast<int32_t>(a.value) * static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt8 a, const QUInt8 b) {
- return QInt32(static_cast<int32_t>(a.value) * static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt8 a, const QInt8 b) {
- return QInt32(static_cast<int32_t>(a.value) + static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt8 a, const QInt8 b) {
- return QInt32(static_cast<int32_t>(a.value) - static_cast<int32_t>(b.value));
-}
-
-// Basic widening 16-bit operations: This will be vectorized in future CLs.
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt16 a, const QInt16 b) {
- return QInt32(static_cast<int32_t>(a.value) * static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt16 a, const QUInt16 b) {
- return QInt32(static_cast<int32_t>(a.value) * static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt16 a, const QInt16 b) {
- return QInt32(static_cast<int32_t>(a.value) + static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt16 a, const QInt16 b) {
- return QInt32(static_cast<int32_t>(a.value) - static_cast<int32_t>(b.value));
-}
-
-// Mixed QInt32 op QInt8 operations. This will be vectorized in future CLs.
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt32 a, const QInt8 b) {
- return QInt32(a.value + static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt8 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) + b.value);
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt32 a, const QInt8 b) {
- return QInt32(a.value - static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt8 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) - b.value);
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt32 a, const QInt8 b) {
- return QInt32(a.value * static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt8 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) * b.value);
-}
-
-// Mixed QInt32 op QInt16 operations. This will be vectorized in future CLs.
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt32 a, const QInt16 b) {
- return QInt32(a.value + static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt16 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) + b.value);
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt32 a, const QInt16 b) {
- return QInt32(a.value - static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt16 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) - b.value);
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt32 a, const QInt16 b) {
- return QInt32(a.value * static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt16 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) * b.value);
-}
-
-// Mixed QInt32 op QUInt8 operations. This will be vectorized in future CLs.
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt32 a, const QUInt8 b) {
- return QInt32(a.value + static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator+(const QUInt8 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) + b.value);
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt32 a, const QUInt8 b) {
- return QInt32(a.value - static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QUInt8 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) - b.value);
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt32 a, const QUInt8 b) {
- return QInt32(a.value * static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QUInt8 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) * b.value);
-}
-
-// Mixed QInt32 op QUInt16 operations. This will be vectorized in future CLs.
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt32 a, const QUInt16 b) {
- return QInt32(a.value + static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator+(const QUInt16 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) + b.value);
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt32 a, const QUInt16 b) {
- return QInt32(a.value - static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QUInt16 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) - b.value);
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt32 a, const QUInt16 b) {
- return QInt32(a.value * static_cast<int32_t>(b.value));
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QUInt16 a, const QInt32 b) {
- return QInt32(static_cast<int32_t>(a.value) * b.value);
-}
-
-// Basic arithmetic operations on QInt32, which behaves like a int32_t.
-EIGEN_STRONG_INLINE QInt32 operator+(const QInt32 a, const QInt32 b) {
- return a.value + b.value;
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt32 a, const QInt32 b) {
- return a.value - b.value;
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt32 a, const QInt32 b) {
- return a.value * b.value;
-}
-EIGEN_STRONG_INLINE QInt32 operator/(const QInt32 a, const QInt32 b) {
- return a.value / b.value;
-}
-EIGEN_STRONG_INLINE QInt32& operator+=(QInt32& a, const QInt32 b) {
- a.value += b.value;
- return a;
-}
-EIGEN_STRONG_INLINE QInt32& operator-=(QInt32& a, const QInt32 b) {
- a.value -= b.value;
- return a;
-}
-EIGEN_STRONG_INLINE QInt32& operator*=(QInt32& a, const QInt32 b) {
- a.value *= b.value;
- return a;
-}
-EIGEN_STRONG_INLINE QInt32& operator/=(QInt32& a, const QInt32 b) {
- a.value /= b.value;
- return a;
-}
-EIGEN_STRONG_INLINE QInt32 operator-(const QInt32 a) { return -a.value; }
-
-// Scaling QInt32 by double. We do the arithmetic in double because
-// float only has 23 bits of mantissa, so casting QInt32 to float might reduce
-// accuracy by discarding up to 7 (least significant) bits.
-EIGEN_STRONG_INLINE QInt32 operator*(const QInt32 a, const double b) {
- return static_cast<int32_t>(lrint(static_cast<double>(a.value) * b));
-}
-EIGEN_STRONG_INLINE QInt32 operator*(const double a, const QInt32 b) {
- return static_cast<int32_t>(lrint(a * static_cast<double>(b.value)));
-}
-EIGEN_STRONG_INLINE QInt32& operator*=(QInt32& a, const double b) {
- a.value = static_cast<int32_t>(lrint(static_cast<double>(a.value) * b));
- return a;
-}
-
-// Comparisons
-EIGEN_STRONG_INLINE bool operator==(const QInt8 a, const QInt8 b) {
- return a.value == b.value;
-}
-EIGEN_STRONG_INLINE bool operator==(const QUInt8 a, const QUInt8 b) {
- return a.value == b.value;
-}
-EIGEN_STRONG_INLINE bool operator==(const QInt16 a, const QInt16 b) {
- return a.value == b.value;
-}
-EIGEN_STRONG_INLINE bool operator==(const QUInt16 a, const QUInt16 b) {
- return a.value == b.value;
-}
-EIGEN_STRONG_INLINE bool operator==(const QInt32 a, const QInt32 b) {
- return a.value == b.value;
-}
-
-EIGEN_STRONG_INLINE bool operator<(const QInt8 a, const QInt8 b) {
- return a.value < b.value;
-}
-EIGEN_STRONG_INLINE bool operator<(const QUInt8 a, const QUInt8 b) {
- return a.value < b.value;
-}
-EIGEN_STRONG_INLINE bool operator<(const QInt16 a, const QInt16 b) {
- return a.value < b.value;
-}
-EIGEN_STRONG_INLINE bool operator<(const QUInt16 a, const QUInt16 b) {
- return a.value < b.value;
-}
-EIGEN_STRONG_INLINE bool operator<(const QInt32 a, const QInt32 b) {
- return a.value < b.value;
-}
-
-EIGEN_STRONG_INLINE bool operator>(const QInt8 a, const QInt8 b) {
- return a.value > b.value;
-}
-EIGEN_STRONG_INLINE bool operator>(const QUInt8 a, const QUInt8 b) {
- return a.value > b.value;
-}
-EIGEN_STRONG_INLINE bool operator>(const QInt16 a, const QInt16 b) {
- return a.value > b.value;
-}
-EIGEN_STRONG_INLINE bool operator>(const QUInt16 a, const QUInt16 b) {
- return a.value > b.value;
-}
-EIGEN_STRONG_INLINE bool operator>(const QInt32 a, const QInt32 b) {
- return a.value > b.value;
-}
-
-EIGEN_STRONG_INLINE std::ostream& operator<<(std::ostream& os, QInt8 a) {
- os << static_cast<int>(a.value);
- return os;
-}
-EIGEN_STRONG_INLINE std::ostream& operator<<(std::ostream& os, QUInt8 a) {
- os << static_cast<int>(a.value);
- return os;
-}
-EIGEN_STRONG_INLINE std::ostream& operator<<(std::ostream& os, QInt16 a) {
- os << static_cast<int>(a.value);
- return os;
-}
-EIGEN_STRONG_INLINE std::ostream& operator<<(std::ostream& os, QUInt16 a) {
- os << static_cast<int>(a.value);
- return os;
-}
-EIGEN_STRONG_INLINE std::ostream& operator<<(std::ostream& os, QInt32 a) {
- os << a.value;
- return os;
-}
-
-} // namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_FIXEDPOINTTYPES_H_
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProduct.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProduct.h
deleted file mode 100644
index 8477933..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProduct.h
+++ /dev/null
@@ -1,337 +0,0 @@
-// This file is part of Eigen, a lightweight C++ template library
-// for linear algebra.
-//
-// Copyright (C) 2015 Benoit Steiner <benoit.steiner.goog@gmail.com>
-//
-// This Source Code Form is subject to the terms of the Mozilla
-// Public License v. 2.0. If a copy of the MPL was not distributed
-// with this file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-#ifndef CXX11_SRC_FIXEDPOINT_MATMATPRODUCT_H_
-#define CXX11_SRC_FIXEDPOINT_MATMATPRODUCT_H_
-
-namespace Eigen {
-namespace internal {
-
-// Accumulate the product of 2 QInt8 inputs on 32 bits to prevent
-// overflows
-template <>
-struct scalar_product_traits<QInt8, QInt8> {
- enum { Defined = 1 };
- typedef QInt32 ReturnType;
-};
-
-// Accumulate the product of 2 QInt16 inputs on 32 bits to prevent
-// overflows
-template <>
-struct scalar_product_traits<QInt16, QInt16> {
- enum { Defined = 1 };
- typedef QInt32 ReturnType;
-};
-
-// Accumulate the product of QInt8 inputs with QUint8 inputs on 32 bits
-// to prevent overflows
-template <>
-struct scalar_product_traits<QInt8, QUInt8> {
- enum { Defined = 1 };
- typedef QInt32 ReturnType;
-};
-
-// Description of the product implementation. It's pretty simple now since
-// nothing is vectorized yet.
-// This definition tackle the case where both lhs and rhs are encoded using
-// signed 8bit integers
-#ifndef EIGEN_USE_OPTIMIZED_INT8_INT8_MAT_MAT_PRODUCT
-
-template <bool _ConjLhs, bool _ConjRhs>
-class gebp_traits<QInt8, QInt8, _ConjLhs, _ConjRhs> {
- public:
- typedef QInt8 LhsScalar;
- typedef QInt8 RhsScalar;
- typedef QInt32 ResScalar;
-
- typedef typename packet_traits<LhsScalar>::type LhsPacket;
- typedef LhsPacket LhsPacket4Packing;
-
- enum {
- // register block size along the M and N directions
- // One for the current implementation
- nr = 1,
- mr = 1,
- // Progress made at each iteration of the product loop
- // also 1 for the current implementation
- LhsProgress = 1,
- RhsProgress = 1
- };
-};
-
-// The signed 8bit Mat-Mat product itself.
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-struct gebp_kernel<QInt8, QInt8, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> {
- EIGEN_DONT_INLINE
- void operator()(const DataMapper& res, const QInt8* blockA,
- const QInt8* blockB, Index rows, Index depth, Index cols,
- QInt32 alpha, Index strideA = -1, Index strideB = -1,
- Index offsetA = 0, Index offsetB = 0);
-};
-
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-EIGEN_DONT_INLINE void gebp_kernel<QInt8, QInt8, Index, DataMapper, mr, nr,
- ConjugateLhs, ConjugateRhs>::
-operator()(const DataMapper& res, const QInt8* blockA, const QInt8* blockB,
- Index rows, Index depth, Index cols, QInt32 alpha, Index strideA,
- Index strideB, Index offsetA, Index offsetB) {
- EIGEN_STATIC_ASSERT(!ConjugateLhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- EIGEN_STATIC_ASSERT(!ConjugateRhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
-
- eigen_assert(alpha.value == 1);
- eigen_assert(strideA == -1);
- eigen_assert(strideB == -1);
- eigen_assert(offsetA == 0);
- eigen_assert(offsetB == 0);
-
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
- eigen_assert(depth > 0);
- eigen_assert(blockA);
- eigen_assert(blockB);
-
- for (Index j = 0; j < cols; ++j) {
- Index startB = j * depth;
-
- for (Index i = 0; i < rows; ++i) {
- Index startA = i * depth;
-
- for (Index k = 0; k < depth; ++k) {
- res(i, j) += blockA[startA + k] * blockB[startB + k];
- }
- }
- }
-}
-#endif
-
-// This definition tackle the case where the lhs is encoded using signed 8bit
-// integers and the rhs using unsigned 8bit integers.
-#ifndef EIGEN_USE_OPTIMIZED_INT8_UINT8_MAT_MAT_PRODUCT
-template <bool _ConjLhs, bool _ConjRhs>
-class gebp_traits<QInt8, QUInt8, _ConjLhs, _ConjRhs> {
- public:
- typedef QInt8 LhsScalar;
- typedef QUInt8 RhsScalar;
- typedef QInt32 ResScalar;
-
- typedef typename packet_traits<LhsScalar>::type LhsPacket;
- typedef LhsPacket LhsPacket4Packing;
-
- enum {
- // register block size along the M and N directions
- // One for the current implementation
- nr = 1,
- mr = 1,
- // Progress made at each iteration of the product loop
- // also 1 for the current implementation
- LhsProgress = 1,
- RhsProgress = 1
- };
-};
-
-// Mat-Mat product of a signed 8bit lhs with an unsigned 8bit rhs
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-struct gebp_kernel<QInt8, QUInt8, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> {
- EIGEN_DONT_INLINE
- void operator()(const DataMapper& res, const QInt8* blockA,
- const QUInt8* blockB, Index rows, Index depth, Index cols,
- QInt32 alpha, Index strideA = -1, Index strideB = -1,
- Index offsetA = 0, Index offsetB = 0);
-};
-
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-EIGEN_DONT_INLINE void gebp_kernel<QInt8, QUInt8, Index, DataMapper, mr, nr,
- ConjugateLhs, ConjugateRhs>::
-operator()(const DataMapper& res, const QInt8* blockA, const QUInt8* blockB,
- Index rows, Index depth, Index cols, QInt32 alpha, Index strideA,
- Index strideB, Index offsetA, Index offsetB) {
- EIGEN_STATIC_ASSERT(!ConjugateLhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- EIGEN_STATIC_ASSERT(!ConjugateRhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
-
- eigen_assert(alpha.value == 1);
- eigen_assert(strideA == -1);
- eigen_assert(strideB == -1);
- eigen_assert(offsetA == 0);
- eigen_assert(offsetB == 0);
-
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
- eigen_assert(depth > 0);
- eigen_assert(blockA);
- eigen_assert(blockB);
-
- for (Index j = 0; j < cols; ++j) {
- Index startB = j * depth;
-
- for (Index i = 0; i < rows; ++i) {
- Index startA = i * depth;
-
- for (Index k = 0; k < depth; ++k) {
- res(i, j) += blockA[startA + k] * blockB[startB + k];
- }
- }
- }
-}
-#endif
-
-// This definition tackle the case where the khs is encoded using unsigned 8bit
-// integers and the rhs using signed 8bit integers.
-#ifndef EIGEN_USE_OPTIMIZED_UINT8_INT8_MAT_MAT_PRODUCT
-template <bool _ConjLhs, bool _ConjRhs>
-class gebp_traits<QUInt8, QInt8, _ConjLhs, _ConjRhs> {
- public:
- typedef QUInt8 LhsScalar;
- typedef QInt8 RhsScalar;
- typedef QInt32 ResScalar;
-
- typedef typename packet_traits<LhsScalar>::type LhsPacket;
- typedef LhsPacket LhsPacket4Packing;
-
- enum {
- // register block size along the M and N directions
- // One for the current implementation
- nr = 1,
- mr = 1,
- // Progress made at each iteration of the product loop
- // also 1 for the current implementation
- LhsProgress = 1,
- RhsProgress = 1
- };
-};
-
-// Mat-Mat product of an unsigned 8bit lhs with a signed 8bit rhs
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-struct gebp_kernel<QUInt8, QInt8, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> {
- EIGEN_DONT_INLINE
- void operator()(const DataMapper& res, const QUInt8* blockA,
- const QInt8* blockB, Index rows, Index depth, Index cols,
- QInt32 alpha, Index strideA = -1, Index strideB = -1,
- Index offsetA = 0, Index offsetB = 0);
-};
-
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-EIGEN_DONT_INLINE void gebp_kernel<QUInt8, QInt8, Index, DataMapper, mr, nr,
- ConjugateLhs, ConjugateRhs>::
-operator()(const DataMapper& res, const QUInt8* blockA, const QInt8* blockB,
- Index rows, Index depth, Index cols, QInt32 alpha, Index strideA,
- Index strideB, Index offsetA, Index offsetB) {
- EIGEN_STATIC_ASSERT(!ConjugateLhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- EIGEN_STATIC_ASSERT(!ConjugateRhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
-
- eigen_assert(alpha.value == 1);
- eigen_assert(strideA == -1);
- eigen_assert(strideB == -1);
- eigen_assert(offsetA == 0);
- eigen_assert(offsetB == 0);
-
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
- eigen_assert(depth > 0);
- eigen_assert(blockA);
- eigen_assert(blockB);
-
- for (Index j = 0; j < cols; ++j) {
- Index startB = j * depth;
-
- for (Index i = 0; i < rows; ++i) {
- Index startA = i * depth;
-
- for (Index k = 0; k < depth; ++k) {
- res(i, j) += blockA[startA + k] * blockB[startB + k];
- }
- }
- }
-}
-#endif
-
-#ifndef EIGEN_USE_OPTIMIZED_INT16_INT16_MAT_MAT_PRODUCT
-
-template <bool _ConjLhs, bool _ConjRhs>
-class gebp_traits<QInt16, QInt16, _ConjLhs, _ConjRhs> {
- public:
- typedef QInt16 LhsScalar;
- typedef QInt16 RhsScalar;
- typedef QInt32 ResScalar;
-
- typedef typename packet_traits<LhsScalar>::type LhsPacket;
- typedef LhsPacket LhsPacket4Packing;
-
- enum {
- // register block size along the M and N directions
- // One for the current implementation
- nr = 1,
- mr = 1,
- // Progress made at each iteration of the product loop
- // also 1 for the current implementation
- LhsProgress = 1,
- RhsProgress = 1
- };
-};
-
-// The signed 16bit Mat-Mat product itself.
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-struct gebp_kernel<QInt16, QInt16, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> {
- EIGEN_DONT_INLINE
- void operator()(const DataMapper& res, const QInt16* blockA,
- const QInt16* blockB, Index rows, Index depth, Index cols,
- QInt32 alpha, Index strideA = -1, Index strideB = -1,
- Index offsetA = 0, Index offsetB = 0);
-};
-
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-EIGEN_DONT_INLINE void gebp_kernel<QInt16, QInt16, Index, DataMapper, mr, nr,
- ConjugateLhs, ConjugateRhs>::
-operator()(const DataMapper& res, const QInt16* blockA, const QInt16* blockB,
- Index rows, Index depth, Index cols, QInt32 alpha, Index strideA,
- Index strideB, Index offsetA, Index offsetB) {
- EIGEN_STATIC_ASSERT(!ConjugateLhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- EIGEN_STATIC_ASSERT(!ConjugateRhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
-
- eigen_assert(alpha.value == 1);
- eigen_assert(strideA == -1);
- eigen_assert(strideB == -1);
- eigen_assert(offsetA == 0);
- eigen_assert(offsetB == 0);
-
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
- eigen_assert(depth > 0);
- eigen_assert(blockA);
- eigen_assert(blockB);
-
- for (Index j = 0; j < cols; ++j) {
- Index startB = j * depth;
-
- for (Index i = 0; i < rows; ++i) {
- Index startA = i * depth;
-
- for (Index k = 0; k < depth; ++k) {
- res(i, j) += blockA[startA + k] * blockB[startB + k];
- }
- }
- }
-}
-#endif
-
-} // namespace internal
-} // namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_MATMATPRODUCT_H_
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProductAVX2.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProductAVX2.h
deleted file mode 100644
index 8547dca..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProductAVX2.h
+++ /dev/null
@@ -1,2289 +0,0 @@
-// This file is part of Eigen, a lightweight C++ template library
-// for linear algebra.
-//
-// Copyright (C) 2015 Benoit Steiner <benoit.steiner.goog@gmail.com>
-// Copyright (C) 2015 Matthew Sarett <msarett@google.com>
-// Copyright (C) 2016 Nishant Patil <nishantpatil@google.com>
-//
-// This Source Code Form is subject to the terms of the Mozilla
-// Public License v. 2.0. If a copy of the MPL was not distributed
-// with this file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-#ifndef CXX11_SRC_FIXEDPOINT_MATMATPRODUCTAVX2_H_
-#define CXX11_SRC_FIXEDPOINT_MATMATPRODUCTAVX2_H_
-
-namespace Eigen {
-namespace internal {
-
-// AVX2 optimized implementation of Mat-Mat product.
-// LHS is encoded using signed 16-bit integers.
-// RHS is encoded using signed 16-bit integers.
-#ifdef EIGEN_USE_OPTIMIZED_INT16_INT16_MAT_MAT_PRODUCT
-
-// Define quantized traits
-template <bool _ConjLhs, bool _ConjRhs>
-class gebp_traits<QInt16, QInt16, _ConjLhs, _ConjRhs> {
- public:
- typedef QInt16 LhsScalar;
- typedef QInt16 RhsScalar;
- typedef QInt32 ResScalar;
-
- typedef typename packet_traits<LhsScalar>::type LhsPacket;
- typedef LhsPacket LhsPacket4Packing;
-
- enum {
- // Define register blocking scheme.
- nr = 16,
- mr = 16,
- kr = 4,
- // Ignore progress tracking per loop iteration.
- LhsProgress = -1,
- RhsProgress = -1
- };
-};
-
-// Specialized blocking for quantized implementations.
-// Used by TensorContractionThreadPool, inputs must have dimensions that are
-// multiples of 32.
-template <typename Index, int ShardingType>
-class TensorContractionBlocking<QInt16, QInt16, QInt16, Index, ShardingType> {
- public:
- TensorContractionBlocking(Index k, Index m, Index n, Index num_threads = 1)
- : kc_(((k + 15) / 16) * 16),
- mc_(((m + 15) / 16) * 16),
- nc_(((n + 15) / 16) * 16) {
- eigen_assert(mc_ % 16 == 0);
- eigen_assert(kc_ % 16 == 0);
- if (!k || !m || !n) {
- return;
- }
-
- if (ShardingType == ShardByCol) {
- eigen_assert(nc_ % 16 == 0);
- nc_ = (((nc_ / num_threads) + 15) / 16) * 16;
- } else {
- eigen_assert(nc_ % 16 == 0);
- mc_ = (((mc_ / num_threads) + 15) / 16) * 16;
- }
- }
-
- EIGEN_ALWAYS_INLINE Index kc() const { return kc_; }
- EIGEN_ALWAYS_INLINE Index mc() const { return mc_; }
- EIGEN_ALWAYS_INLINE Index nc() const { return nc_; }
-
- private:
- Index kc_;
- Index mc_;
- Index nc_;
-};
-
-// Specialized blocking for quantized implementations.
-// Used by TensorContraction and GeneralMatrixMatrix, inputs are padded to
-// multiples of 32.
-template <int MaxRows, int MaxCols, int MaxDepth, int KcFactor>
-class gemm_blocking_space<ColMajor, QInt16, QInt16, MaxRows, MaxCols, MaxDepth,
- KcFactor, false>
- : public level3_blocking<QInt16, QInt16> {
- DenseIndex m_sizeA;
- DenseIndex m_sizeB;
-
- public:
- gemm_blocking_space(DenseIndex rows, DenseIndex cols, DenseIndex depth,
- DenseIndex /*num_threads*/, bool /*l3_blocking*/) {
- this->m_mc = ((rows + 15) / 16) * 16;
- this->m_nc = ((cols + 15) / 16) * 16;
- this->m_kc = ((depth + 15) / 16) * 16;
- m_sizeA = this->m_mc * this->m_kc;
- m_sizeB = this->m_kc * this->m_nc;
- }
- void allocateA() {
- if (this->m_blockA == 0) this->m_blockA = aligned_new<QInt16>(m_sizeA);
- }
- void allocateB() {
- if (this->m_blockB == 0) this->m_blockB = aligned_new<QInt16>(m_sizeB);
- }
- void allocateAll() {
- allocateA();
- allocateB();
- }
- ~gemm_blocking_space() {
- aligned_delete(this->m_blockA, m_sizeA);
- aligned_delete(this->m_blockB, m_sizeB);
- }
-};
-
-// Below are the fully optimized versions that are correct only for sizes that
-// are multiple of 16. It is about a 10% performance benefit to keep these
-// implementations separate.
-
-// Arrange a block of the left input matrix in contiguous memory.
-//
-// Given column major input (A0 beside A1 in memory):
-// A0 B0 C0 D0 E0 F0 G0 H0 ...
-// A1 B1 C1 D1 E1 F1 G1 H1 ...
-// A2 B2 C2 D2 E2 F2 G2 H2 ...
-// A3 B3 C3 D3 E3 F3 G3 H3 ...
-// A4 B4 C4 D4 E4 F4 G4 H4 ...
-// A5 B5 C5 D5 E5 F5 G5 H5 ...
-// A6 B6 C6 D6 E6 F6 G6 H6 ...
-// A7 B7 C7 D7 E7 F7 G7 H7 ...
-// A8 ...
-// ...
-//
-// Packing with m = 8 yields row major output (A0 beside B0 in memory):
-// A0 B0
-// A1 B1
-// A2 B2
-// A3 B3
-// A4 B4
-// A5 B5
-// A6 B6
-// A7 B7
-// ...
-//
-// The purpose is to collect m rows of size k. Two elements of the same
-// row are arranged contiguously because madd performs an adjacent addition
-// in the kernel.
-
-template <typename Index, typename DataMapper, int Pack1, int Pack2,
- bool Conjugate, bool PanelMode>
-struct gemm_pack_lhs<QInt16, Index, DataMapper, Pack1, Pack2, QInt16, ColMajor,
- Conjugate, PanelMode> {
- EIGEN_DONT_INLINE void operator()(QInt16* blockA, const DataMapper& lhs,
- Index depth, Index rows, Index stride = 0,
- Index offset = 0);
-};
-
-template <typename Index, typename DataMapper, int Pack1, int Pack2,
- bool Conjugate, bool PanelMode>
-EIGEN_DONT_INLINE void gemm_pack_lhs<QInt16, Index, DataMapper, Pack1, Pack2,
- QInt16, ColMajor, Conjugate, PanelMode>::
-operator()(QInt16* blockA, const DataMapper& lhs, Index depth, Index rows,
- Index stride, Index offset) {
- eigen_assert(stride == 0);
- eigen_assert(offset == 0);
-
- typedef typename packet_traits<QInt16>::type Packet;
-
- // Use alternate function for weird sizes
- if (rows % 16 != 0 || depth % 16 != 0) {
- assert(false &&
- "only depths and rows that are a multiple of 16 are currently "
- "supported");
- // gemm_pack_lhs_any<QInt16, Index, DataMapper, Pack1, Pack2, ColMajor,
- // Conjugate, PanelMode> lhs_pack;
- // return lhs_pack(blockA, lhs, depth, rows, stride, offset);
- }
-
- // Get vector pointer
- __m256i* blockA_256 = reinterpret_cast<__m256i*>(blockA);
-
- // Pack rows in sets of 16
- for (Index m = 0; m < rows; m += 16) {
- // Pack depth in sets of 4
- for (Index k = 0; k < depth; k += 4) {
- // Load vectors
- __m256i L_A = lhs.template loadPacket<Packet>(m, k);
- __m256i L_B = lhs.template loadPacket<Packet>(m, k + 1);
- __m256i L_C = lhs.template loadPacket<Packet>(m, k + 2);
- __m256i L_D = lhs.template loadPacket<Packet>(m, k + 3);
-
- // Rearrange the inputs as required by the kernel
- __m256i L_AB0_AB7 = _mm256_unpacklo_epi16(L_A, L_B);
- __m256i L_AB8_AB15 = _mm256_unpackhi_epi16(L_A, L_B);
- __m256i L_CD0_CD7 = _mm256_unpacklo_epi16(L_C, L_D);
- __m256i L_CD8_CD15 = _mm256_unpackhi_epi16(L_C, L_D);
-
- __m256i L_AD0 = _mm256_permute2x128_si256(L_AB0_AB7, L_AB8_AB15, 0x20);
- _mm256_store_si256(blockA_256++, L_AD0);
- __m256i L_AD8 = _mm256_permute2x128_si256(L_CD0_CD7, L_CD8_CD15, 0x20);
- _mm256_store_si256(blockA_256++, L_AD8);
- __m256i L_AD16 = _mm256_permute2x128_si256(L_AB0_AB7, L_AB8_AB15, 0x31);
- _mm256_store_si256(blockA_256++, L_AD16);
- __m256i L_AD24 = _mm256_permute2x128_si256(L_CD0_CD7, L_CD8_CD15, 0x31);
- _mm256_store_si256(blockA_256++, L_AD24);
- }
- }
-}
-
-// Arrange a block of the right input matrix in contiguous memory.
-//
-// Given column major input (A0 beside A1 in memory):
-// A0 B0 C0 D0 E0 F0 G0 H0 ...
-// A1 B1 C1 D1 E1 F1 G1 H1 ...
-// A2 B2 C2 D2 E2 F2 G2 H2 ...
-// A3 B3 C3 D3 E3 F3 G3 H3 ...
-// A4 B4 C4 D4 E4 F4 G4 H4 ...
-// A5 B5 C5 D5 E5 F5 G5 H5 ...
-// A6 B6 C6 D6 E6 F6 G6 H6 ...
-// A7 B7 C7 D7 E7 F7 G7 H7 ...
-// A8 ...
-// ...
-// Packing yields row major output (A0 beside A1 in memory):
-// A0 A1 A2 A3 A4 A5 A6 A7
-// B0 B1 B2 B3 B4 B5 B6 B7
-// ...
-//
-// At least two elements of the same col are arranged contiguously because
-// maddubs and madd both perform an adjacent addition in the kernel. We can
-// save work by leaving 4 adjacent elements because kr = 4.
-// The purpose is to collect n cols of size k. Two elements of the same
-// col are arranged contiguously because madd performs an adjacent addition
-// in the kernel.
-template <typename Index, typename DataMapper, int nr, bool Conjugate,
- bool PanelMode>
-struct gemm_pack_rhs<QInt16, Index, DataMapper, nr, ColMajor, Conjugate,
- PanelMode> {
- EIGEN_DONT_INLINE void operator()(QInt16* blockB, const DataMapper& rhs,
- Index depth, Index cols, Index stride = 0,
- Index offset = 0);
-};
-
-template <typename Index, typename DataMapper, int nr, bool Conjugate,
- bool PanelMode>
-EIGEN_DONT_INLINE void gemm_pack_rhs<QInt16, Index, DataMapper, nr, ColMajor,
- Conjugate, PanelMode>::
-operator()(QInt16* blockB, const DataMapper& rhs, Index depth, Index cols,
- Index stride, Index offset) {
- eigen_assert(stride == 0);
- eigen_assert(offset == 0);
-
- typedef typename packet_traits<QInt16>::type Packet;
-
- // Use alternate function for weird sizes
- if (cols % 16 != 0 || depth % 16 != 0) {
- assert(false &&
- "only depths and cols that are a multiple of 16 are currently "
- "supported");
- // gemm_pack_rhs_any<QInt16, Index, DataMapper, nr, ColMajor, Conjugate,
- // PanelMode> rhs_pack;
- // return rhs_pack(blockB, rhs, depth, cols, stride, offset);
- }
-
- // Get vector pointer
- __m256i* blockB_256 = reinterpret_cast<__m256i*>(blockB);
-
- // Perform a step of the packing for 4 columns
- __m256i R_AB_L, R_AB_H, R_CD_L, R_CD_H, R_AD_0, R_AD_4, R_AD_8, R_AD_12;
-#define PACK_STEP \
- R_AB_L = _mm256_unpacklo_epi64(R_A, R_B); \
- R_CD_L = _mm256_unpacklo_epi64(R_C, R_D); \
- R_AB_H = _mm256_unpackhi_epi64(R_A, R_B); \
- R_CD_H = _mm256_unpackhi_epi64(R_C, R_D); \
- R_AD_0 = _mm256_permute2x128_si256(R_AB_L, R_CD_L, 0x20); \
- R_AD_8 = _mm256_permute2x128_si256(R_AB_L, R_CD_L, 0x31); \
- R_AD_4 = _mm256_permute2x128_si256(R_AB_H, R_CD_H, 0x20); \
- R_AD_12 = _mm256_permute2x128_si256(R_AB_H, R_CD_H, 0x31); \
- _mm256_store_si256(blockB_256, R_AD_0); \
- _mm256_store_si256(blockB_256 + 4, R_AD_4); \
- _mm256_store_si256(blockB_256 + 8, R_AD_8); \
- _mm256_store_si256(blockB_256 + 12, R_AD_12); \
- blockB_256++;
-
- // Pack cols in sets of 16
- for (Index n = 0; n < cols; n += 16) {
- // Pack depth in sets of 16
- for (Index k = 0; k < depth; k += 16) {
- __m256i R_A = rhs.template loadPacket<Packet>(k, n);
- __m256i R_B = rhs.template loadPacket<Packet>(k, n + 1);
- __m256i R_C = rhs.template loadPacket<Packet>(k, n + 2);
- __m256i R_D = rhs.template loadPacket<Packet>(k, n + 3);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 4);
- R_B = rhs.template loadPacket<Packet>(k, n + 5);
- R_C = rhs.template loadPacket<Packet>(k, n + 6);
- R_D = rhs.template loadPacket<Packet>(k, n + 7);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 8);
- R_B = rhs.template loadPacket<Packet>(k, n + 9);
- R_C = rhs.template loadPacket<Packet>(k, n + 10);
- R_D = rhs.template loadPacket<Packet>(k, n + 11);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 12);
- R_B = rhs.template loadPacket<Packet>(k, n + 13);
- R_C = rhs.template loadPacket<Packet>(k, n + 14);
- R_D = rhs.template loadPacket<Packet>(k, n + 15);
- PACK_STEP;
-
- blockB_256 += 12;
- }
- }
-#undef PACK_STEP
-}
-
-// Perform the actual multiplication on packed inputs
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-struct gebp_kernel<QInt16, QInt16, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> {
- typedef typename DataMapper::LinearMapper LinearMapper;
-
- EIGEN_DONT_INLINE
- void operator()(const DataMapper& res, const QInt16* blockA,
- const QInt16* blockB, Index rows, Index depth, Index cols,
- QInt32 alpha, Index strideA = -1, Index strideB = -1,
- Index offsetA = 0, Index offsetB = 0);
-};
-
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-EIGEN_DONT_INLINE void gebp_kernel<QInt16, QInt16, Index, DataMapper, mr, nr,
- ConjugateLhs, ConjugateRhs>::
-operator()(const DataMapper& res, const QInt16* blockA, const QInt16* blockB,
- Index rows, Index depth, Index cols, QInt32 alpha, Index strideA,
- Index strideB, Index offsetA, Index offsetB) {
- EIGEN_STATIC_ASSERT(!ConjugateLhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- EIGEN_STATIC_ASSERT(!ConjugateRhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- eigen_assert(alpha.value == 1);
- eigen_assert(strideA == -1);
- eigen_assert(strideB == -1);
- eigen_assert(offsetA == 0);
- eigen_assert(offsetB == 0);
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
- eigen_assert(depth > 0);
- eigen_assert(blockA);
- eigen_assert(blockB);
-
- // Use alternate function for weird sizes
- if (rows % 16 != 0 || cols % 16 != 0 || depth % 16 != 0) {
- assert(false &&
- "only depths, cols and rows that are a multiple of 16 are currently "
- "supported");
- // gebp_kernel_any<QInt16, QInt16, Index, DataMapper, mr, nr, ConjugateLhs,
- // ConjugateRhs> gebp;
- // return gebp(res, blockA, blockB, rows, depth, cols, alpha, strideA,
- // strideB, offsetA, offsetB);
- }
-
- // Create result block
- QInt32* blockO = aligned_new<QInt32>(16 * 16);
- memset(blockO, 0, 16 * 16 * sizeof(QInt32));
-
- // Get vectorized pointers
- __m256i* blockO_256 = reinterpret_cast<__m256i*>(blockO);
- const __m256i* blockA_256 = reinterpret_cast<const __m256i*>(blockA);
- const __m256i* blockB_256 = reinterpret_cast<const __m256i*>(blockB);
-
- // Loop over blocks of 16 columns
- for (Index n = 0; n < cols; n += 16) {
- // Reset index into blockA
- Index indexL = 0;
- // Loop over blocks of 16 rows
- for (Index m = 0; m < rows; m += 16) {
- // Reset index into blockB
- Index indexR = n / 16 * depth;
- // Loop over blocks of 4 on depth
- for (Index k = 0; k < depth; k += 4) {
- // Load inputs
- __m256i L_AD0 = blockA_256[indexL++];
- __m256i L_AD8 = blockA_256[indexL++];
- __m256i L_EH0 = blockA_256[indexL++];
- __m256i L_EH8 = blockA_256[indexL++];
-
- __m256i R_AH0 = blockB_256[indexR++];
- __m256i R_AH4 = blockB_256[indexR++];
- __m256i R_AH8 = blockB_256[indexR++];
- __m256i R_AH12 = blockB_256[indexR++];
-
- // Declare variables used in COMPUTE_STEP
- __m256i P_32_A, P_32_B, P_32;
-
-#define COMPUTE_STEP(R_INPUT_A, R_INPUT_B, OFFSET) \
- P_32_A = _mm256_madd_epi16(R_INPUT_A, L_AD0); \
- P_32_B = _mm256_madd_epi16(R_INPUT_B, L_AD8); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 2 * OFFSET, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 2 * OFFSET), P_32)); \
- \
- P_32_A = _mm256_madd_epi16(R_INPUT_A, L_EH0); \
- P_32_B = _mm256_madd_epi16(R_INPUT_B, L_EH8); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 2 * OFFSET + 1, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 2 * OFFSET + 1), P_32));
-
- // Permute and shuffle to copy a single value across the entire vector
- // Then compute the multiplication
- // Replicate lower 128-bits of R_AH0 across both lanes
- __m256i R_AH0_ = _mm256_permute2x128_si256(R_AH0, R_AH0, 0x00);
- // Copy first two elements of R_AH0 across entire vector
- __m256i R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- // Copy second two elements of R_AH0 across entire vector
- __m256i R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
-
- COMPUTE_STEP(R_AD0, R_EH0, 0);
- __m256i R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- __m256i R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 1);
-
- // Replicate upper 128-bits of R_AH0 across both lanes
- R_AH0_ = _mm256_permute2x128_si256(R_AH0, R_AH0, 0x11);
- __m256i R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- __m256i R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 2);
- __m256i R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- __m256i R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 3);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH4, R_AH4, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 4);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 5);
- R_AH0_ = _mm256_permute2x128_si256(R_AH4, R_AH4, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 6);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 7);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH8, R_AH8, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 8);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 9);
- R_AH0_ = _mm256_permute2x128_si256(R_AH8, R_AH8, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 10);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 11);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH12, R_AH12, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 12);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 13);
- R_AH0_ = _mm256_permute2x128_si256(R_AH12, R_AH12, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 14);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 15);
-
-#undef COMPUTE_STEP
- }
-
- // Transfer the results to the result matrix
- Index i = 0;
- for (Index j = n; j < n + 16; j++) {
- LinearMapper r0 = res.getLinearMapper(m, j);
- LinearMapper r1 = res.getLinearMapper(m + 8, j);
- typedef typename packet_traits<QInt32>::type Packet;
- r0.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r0.template loadPacket<Packet>(0)));
- r1.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r1.template loadPacket<Packet>(0)));
- }
-
- // Zero the result block so it can be reused
- memset(blockO, 0, 16 * 16 * sizeof(QInt32));
- }
- }
- aligned_delete(blockO, 16 * 16);
-}
-
-#endif
-
-// AVX2 optimized implementation of Mat-Mat product.
-// LHS is encoded using signed 8-bit integers.
-// RHS is encoded using unsigned 8-bit integers.
-#ifdef EIGEN_USE_OPTIMIZED_INT8_UINT8_MAT_MAT_PRODUCT
-
-// Define quantized traits
-template <bool _ConjLhs, bool _ConjRhs>
-class gebp_traits<QInt8, QUInt8, _ConjLhs, _ConjRhs> {
- public:
- typedef QInt8 LhsScalar;
- typedef QUInt8 RhsScalar;
- typedef QInt32 ResScalar;
-
- typedef typename packet_traits<LhsScalar>::type LhsPacket;
- typedef LhsPacket LhsPacket4Packing;
-
- enum {
- // Define register blocking scheme.
- nr = 32,
- mr = 32,
- kr = 8,
- // Ignore progress tracking per loop iteration.
- LhsProgress = -1,
- RhsProgress = -1
- };
-};
-
-// Specialized blocking for quantized implementations.
-// Used by TensorContractionThreadPool, inputs must have dimensions that are
-// multiples of 32.
-template <typename ResScalar, typename Index, typename LeftTensor,
- typename left_nocontract_t, typename left_contract_t,
- bool left_inner_dim_contiguous, bool left_inner_dim_reordered,
- int LeftAlignment, typename RightTensor, typename right_nocontract_t,
- typename right_contract_t, bool right_inner_dim_contiguous,
- bool right_inner_dim_reordered, int RightAlignment, int ShardingType>
-class TensorContractionBlocking<
- ResScalar,
- TensorContractionInputMapper<
- QInt8, Index, Lhs, LeftTensor, left_nocontract_t, left_contract_t, 32,
- left_inner_dim_contiguous, left_inner_dim_reordered, LeftAlignment>,
- TensorContractionInputMapper<QUInt8, Index, Rhs, RightTensor,
- right_nocontract_t, right_contract_t, 32,
- right_inner_dim_contiguous,
- right_inner_dim_reordered, RightAlignment>,
- Index, ShardingType> {
- public:
- typedef QInt8 LhsScalar;
- typedef QUInt8 RhsScalar;
-
- TensorContractionBlocking(Index k, Index m, Index n, Index num_threads = 1)
- : kc_(k), mc_(m), nc_(n) {
- eigen_assert(m % 32 == 0);
- eigen_assert(k % 32 == 0);
- if (!k || !m || !n) {
- return;
- }
-
- if (ShardingType == ShardByCol) {
- eigen_assert(n % 32 == 0);
- nc_ = (((n / num_threads) + 31) / 32) * 32;
- } else {
- eigen_assert(n % 32 == 0 || n == 1);
- // Special case to avoid breaking the unimplemented matrix-vector case
- if (n == 1) {
- nc_ = 32;
- }
- mc_ = (((m / num_threads) + 31) / 32) * 32;
- }
- }
-
- EIGEN_ALWAYS_INLINE Index kc() const { return kc_; }
- EIGEN_ALWAYS_INLINE Index mc() const { return mc_; }
- EIGEN_ALWAYS_INLINE Index nc() const { return nc_; }
-
- private:
- Index kc_;
- Index mc_;
- Index nc_;
-};
-
-// Specialized blocking for quantized implementations.
-// Used by TensorContraction and GeneralMatrixMatrix, inputs are padded to
-// multiples of 32.
-template <int MaxRows, int MaxCols, int MaxDepth, int KcFactor>
-class gemm_blocking_space<ColMajor, QInt8, QInt8, MaxRows, MaxCols, MaxDepth,
- KcFactor, false>
- : public level3_blocking<QInt8, QInt8> {
- DenseIndex m_sizeA;
- DenseIndex m_sizeB;
-
- public:
- gemm_blocking_space(DenseIndex rows, DenseIndex cols, DenseIndex depth,
- DenseIndex /*num_threads*/, bool /*l3_blocking*/) {
- this->m_mc = ((rows + 31) / 32) * 32;
- this->m_nc = ((cols + 31) / 32) * 32;
- this->m_kc = ((depth + 31) / 32) * 32;
- m_sizeA = this->m_mc * this->m_kc;
- m_sizeB = this->m_kc * this->m_nc;
- }
- void allocateA() {
- if (this->m_blockA == 0) this->m_blockA = aligned_new<QInt8>(m_sizeA);
- }
- void allocateB() {
- if (this->m_blockB == 0) this->m_blockB = aligned_new<QInt8>(m_sizeB);
- }
- void allocateAll() {
- allocateA();
- allocateB();
- }
- ~gemm_blocking_space() {
- aligned_delete(this->m_blockA, m_sizeA);
- aligned_delete(this->m_blockB, m_sizeB);
- }
-};
-
-template <int MaxRows, int MaxCols, int MaxDepth, int KcFactor>
-class gemm_blocking_space<ColMajor, QInt8, QUInt8, MaxRows, MaxCols, MaxDepth,
- KcFactor, false>
- : public level3_blocking<QInt8, QUInt8> {
- DenseIndex m_sizeA;
- DenseIndex m_sizeB;
-
- public:
- gemm_blocking_space(DenseIndex rows, DenseIndex cols, DenseIndex depth,
- DenseIndex /*num_threads*/, bool /*l3_blocking*/) {
- this->m_mc = ((rows + 31) / 32) * 32;
- this->m_nc = ((cols + 31) / 32) * 32;
- this->m_kc = ((depth + 31) / 32) * 32;
- m_sizeA = this->m_mc * this->m_kc;
- m_sizeB = this->m_kc * this->m_nc;
- }
- void allocateA() {
- if (this->m_blockA == 0) this->m_blockA = aligned_new<QInt8>(m_sizeA);
- }
- void allocateB() {
- if (this->m_blockB == 0) this->m_blockB = aligned_new<QUInt8>(m_sizeB);
- }
- void allocateAll() {
- allocateA();
- allocateB();
- }
- ~gemm_blocking_space() {
- aligned_delete(this->m_blockA, m_sizeA);
- aligned_delete(this->m_blockB, m_sizeB);
- }
-};
-
-// Alternate templates for any input sizes
-template <typename Scalar, typename Index, typename DataMapper, int Pack1,
- int Pack2, int StorageOrder, bool Conjugate = false,
- bool PanelMode = false>
-struct gemm_pack_lhs_any;
-template <typename Index, typename DataMapper, int Pack1, int Pack2,
- bool Conjugate, bool PanelMode>
-struct gemm_pack_lhs_any<QInt8, Index, DataMapper, Pack1, Pack2, ColMajor,
- Conjugate, PanelMode> {
- EIGEN_DONT_INLINE void operator()(QInt8* blockA, const DataMapper& lhs,
- Index depth, Index rows, Index stride = 0,
- Index offset = 0);
-};
-
-template <typename Scalar, typename Index, typename DataMapper, int nr,
- int StorageOrder, bool Conjugate = false, bool PanelMode = false>
-struct gemm_pack_rhs_any;
-template <typename Index, typename DataMapper, int nr, bool Conjugate,
- bool PanelMode>
-struct gemm_pack_rhs_any<QUInt8, Index, DataMapper, nr, ColMajor, Conjugate,
- PanelMode> {
- EIGEN_DONT_INLINE void operator()(QUInt8* blockB, const DataMapper& rhs,
- Index depth, Index cols, Index stride = 0,
- Index offset = 0);
-};
-
-template <typename LhsScalar, typename RhsScalar, typename Index,
- typename DataMapper, int mr, int nr, bool ConjugateLhs = false,
- bool ConjugateRhs = false>
-struct gebp_kernel_any;
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-struct gebp_kernel_any<QInt8, QUInt8, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> {
- typedef typename DataMapper::LinearMapper LinearMapper;
-
- EIGEN_DONT_INLINE
- void operator()(const DataMapper& res, const QInt8* blockA,
- const QUInt8* blockB, Index rows, Index depth, Index cols,
- QInt32 alpha, Index strideA = -1, Index strideB = -1,
- Index offsetA = 0, Index offsetB = 0);
-};
-
-// Alternate implementations for any input sizes
-template <typename Index, typename DataMapper, int Pack1, int Pack2,
- bool Conjugate, bool PanelMode>
-EIGEN_DONT_INLINE void gemm_pack_lhs_any<QInt8, Index, DataMapper, Pack1, Pack2,
- ColMajor, Conjugate, PanelMode>::
-operator()(QInt8* blockA, const DataMapper& lhs, Index depth, Index rows,
- Index stride, Index offset) {
- eigen_assert(stride == 0);
- eigen_assert(offset == 0);
-
- typedef typename packet_traits<QInt8>::type Packet;
-
- // Get vector pointer
- __m256i* blockA_256 = reinterpret_cast<__m256i*>(blockA);
-
- // Get even multiples of the dimensions
- Index rows_32 = (rows / 32) * 32;
- Index depth_8 = (depth / 8) * 8;
-
- // Get padding for when depth is not a multiple of 32
- int padding = 0;
- if (depth % 32 != 0) {
- int depth_32 = (depth / 32) * 32;
- int extra_depth = depth - depth_32;
- int extra_depth_8 = ((extra_depth + 7) / 8) * 8;
- padding = 32 - extra_depth_8;
- }
-
- // Pack rows in sets of 32
- for (Index m = 0; m < rows_32; m += 32) {
- // Pack depth in sets of 8
- for (Index k = 0; k < depth_8; k += 8) {
- // Load vectors
- __m256i L_A = lhs.template loadPacket<Packet>(m, k);
- __m256i L_B = lhs.template loadPacket<Packet>(m, k + 1);
-
- // Interleave 8-bit elements
- __m256i L_AB0_AB16 = _mm256_unpacklo_epi8(L_A, L_B);
- __m256i L_AB8_AB24 = _mm256_unpackhi_epi8(L_A, L_B);
-
- __m256i L_C = lhs.template loadPacket<Packet>(m, k + 2);
- __m256i L_D = lhs.template loadPacket<Packet>(m, k + 3);
- __m256i L_CD0_CD16 = _mm256_unpacklo_epi8(L_C, L_D);
- __m256i L_CD8_CD24 = _mm256_unpackhi_epi8(L_C, L_D);
-
- // Interleave 16-bit elements
- __m256i L_AD0_AD16 = _mm256_unpacklo_epi16(L_AB0_AB16, L_CD0_CD16);
- __m256i L_AD4_AD20 = _mm256_unpackhi_epi16(L_AB0_AB16, L_CD0_CD16);
-
- // Use permute before we store to cross 128-bit lanes
- __m256i L_AD0 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x20);
- _mm256_store_si256(blockA_256++, L_AD0);
-
- // Complete packing for 32 x 8 block
- __m256i L_AD16 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x31);
- __m256i L_AD8_AD24 = _mm256_unpacklo_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD12_AD28 = _mm256_unpackhi_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD8 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x20);
- _mm256_store_si256(blockA_256++, L_AD8);
- _mm256_store_si256(blockA_256++, L_AD16);
- __m256i L_AD24 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x31);
- _mm256_store_si256(blockA_256++, L_AD24);
- __m256i L_E = lhs.template loadPacket<Packet>(m, k + 4);
- __m256i L_F = lhs.template loadPacket<Packet>(m, k + 5);
- __m256i L_EF0_EF16 = _mm256_unpacklo_epi8(L_E, L_F);
- __m256i L_EF8_EF24 = _mm256_unpackhi_epi8(L_E, L_F);
- __m256i L_G = lhs.template loadPacket<Packet>(m, k + 6);
- __m256i L_H = lhs.template loadPacket<Packet>(m, k + 7);
- __m256i L_GH0_GH16 = _mm256_unpacklo_epi8(L_G, L_H);
- __m256i L_GH8_GH24 = _mm256_unpackhi_epi8(L_G, L_H);
- __m256i L_EH0_EH16 = _mm256_unpacklo_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH4_EH20 = _mm256_unpackhi_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH0 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x20);
- _mm256_store_si256(blockA_256++, L_EH0);
- __m256i L_EH16 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x31);
- __m256i L_EH8_EH24 = _mm256_unpacklo_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH12_EH28 = _mm256_unpackhi_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH8 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x20);
- _mm256_store_si256(blockA_256++, L_EH8);
- _mm256_store_si256(blockA_256++, L_EH16);
- __m256i L_EH24 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x31);
- _mm256_store_si256(blockA_256++, L_EH24);
- }
-
- // Finish the k dimension, padding with zeros
- if (depth_8 < depth) {
- __m256i L_A, L_B, L_C, L_D, L_E, L_F, L_G, L_H;
- switch (depth - depth_8) {
- case 1:
- L_A = lhs.template loadPacket<Packet>(m, depth_8);
- L_B = _mm256_setzero_si256();
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- break;
- case 2:
- L_A = lhs.template loadPacket<Packet>(m, depth_8);
- L_B = lhs.template loadPacket<Packet>(m, depth_8 + 1);
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- break;
- case 3:
- L_A = lhs.template loadPacket<Packet>(m, depth_8);
- L_B = lhs.template loadPacket<Packet>(m, depth_8 + 1);
- L_C = lhs.template loadPacket<Packet>(m, depth_8 + 2);
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- break;
- case 4:
- L_A = lhs.template loadPacket<Packet>(m, depth_8);
- L_B = lhs.template loadPacket<Packet>(m, depth_8 + 1);
- L_C = lhs.template loadPacket<Packet>(m, depth_8 + 2);
- L_D = lhs.template loadPacket<Packet>(m, depth_8 + 3);
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- break;
- case 5:
- L_A = lhs.template loadPacket<Packet>(m, depth_8);
- L_B = lhs.template loadPacket<Packet>(m, depth_8 + 1);
- L_C = lhs.template loadPacket<Packet>(m, depth_8 + 2);
- L_D = lhs.template loadPacket<Packet>(m, depth_8 + 3);
- L_E = lhs.template loadPacket<Packet>(m, depth_8 + 4);
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- break;
- case 6:
- L_A = lhs.template loadPacket<Packet>(m, depth_8);
- L_B = lhs.template loadPacket<Packet>(m, depth_8 + 1);
- L_C = lhs.template loadPacket<Packet>(m, depth_8 + 2);
- L_D = lhs.template loadPacket<Packet>(m, depth_8 + 3);
- L_E = lhs.template loadPacket<Packet>(m, depth_8 + 4);
- L_F = lhs.template loadPacket<Packet>(m, depth_8 + 5);
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- break;
- case 7:
- L_A = lhs.template loadPacket<Packet>(m, depth_8);
- L_B = lhs.template loadPacket<Packet>(m, depth_8 + 1);
- L_C = lhs.template loadPacket<Packet>(m, depth_8 + 2);
- L_D = lhs.template loadPacket<Packet>(m, depth_8 + 3);
- L_E = lhs.template loadPacket<Packet>(m, depth_8 + 4);
- L_F = lhs.template loadPacket<Packet>(m, depth_8 + 5);
- L_G = lhs.template loadPacket<Packet>(m, depth_8 + 6);
- L_H = _mm256_setzero_si256();
- break;
- }
-
- // Interleave 8-bit elements
- __m256i L_AB0_AB16 = _mm256_unpacklo_epi8(L_A, L_B);
- __m256i L_AB8_AB24 = _mm256_unpackhi_epi8(L_A, L_B);
-
- __m256i L_CD0_CD16 = _mm256_unpacklo_epi8(L_C, L_D);
- __m256i L_CD8_CD24 = _mm256_unpackhi_epi8(L_C, L_D);
-
- // Interleave 16-bit elements
- __m256i L_AD0_AD16 = _mm256_unpacklo_epi16(L_AB0_AB16, L_CD0_CD16);
- __m256i L_AD4_AD20 = _mm256_unpackhi_epi16(L_AB0_AB16, L_CD0_CD16);
-
- // Use permute before we store to cross 128-bit lanes
- __m256i L_AD0 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x20);
- _mm256_store_si256(blockA_256++, L_AD0);
-
- // Complete packing
- __m256i L_AD16 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x31);
- __m256i L_AD8_AD24 = _mm256_unpacklo_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD12_AD28 = _mm256_unpackhi_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD8 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x20);
- _mm256_store_si256(blockA_256++, L_AD8);
- _mm256_store_si256(blockA_256++, L_AD16);
- __m256i L_AD24 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x31);
- _mm256_store_si256(blockA_256++, L_AD24);
- __m256i L_EF0_EF16 = _mm256_unpacklo_epi8(L_E, L_F);
- __m256i L_EF8_EF24 = _mm256_unpackhi_epi8(L_E, L_F);
- __m256i L_GH0_GH16 = _mm256_unpacklo_epi8(L_G, L_H);
- __m256i L_GH8_GH24 = _mm256_unpackhi_epi8(L_G, L_H);
- __m256i L_EH0_EH16 = _mm256_unpacklo_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH4_EH20 = _mm256_unpackhi_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH0 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x20);
- _mm256_store_si256(blockA_256++, L_EH0);
- __m256i L_EH16 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x31);
- __m256i L_EH8_EH24 = _mm256_unpacklo_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH12_EH28 = _mm256_unpackhi_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH8 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x20);
- _mm256_store_si256(blockA_256++, L_EH8);
- _mm256_store_si256(blockA_256++, L_EH16);
- __m256i L_EH24 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x31);
- _mm256_store_si256(blockA_256++, L_EH24);
- }
- blockA_256 += padding;
- }
-
- // Finish the m dimension, padding with zeros
- if (rows_32 < rows) {
- // Pack depth in sets of 8
- for (Index k = 0; k < depth_8; k += 8) {
- // Load vectors
- __m256i L_A = _mm256_setzero_si256();
- __m256i L_B = _mm256_setzero_si256();
- __m256i L_C = _mm256_setzero_si256();
- __m256i L_D = _mm256_setzero_si256();
- __m256i L_E = _mm256_setzero_si256();
- __m256i L_F = _mm256_setzero_si256();
- __m256i L_G = _mm256_setzero_si256();
- __m256i L_H = _mm256_setzero_si256();
- for (Index m = 0; m < rows - rows_32; m++) {
- QInt8* ptr = (QInt8*)&L_A;
- ptr[m] = lhs(rows_32 + m, k);
- ptr = (QInt8*)&L_B;
- ptr[m] = lhs(rows_32 + m, k + 1);
- ptr = (QInt8*)&L_C;
- ptr[m] = lhs(rows_32 + m, k + 2);
- ptr = (QInt8*)&L_D;
- ptr[m] = lhs(rows_32 + m, k + 3);
- ptr = (QInt8*)&L_E;
- ptr[m] = lhs(rows_32 + m, k + 4);
- ptr = (QInt8*)&L_F;
- ptr[m] = lhs(rows_32 + m, k + 5);
- ptr = (QInt8*)&L_G;
- ptr[m] = lhs(rows_32 + m, k + 6);
- ptr = (QInt8*)&L_H;
- ptr[m] = lhs(rows_32 + m, k + 7);
- }
-
- // Interleave 8-bit elements
- __m256i L_AB0_AB16 = _mm256_unpacklo_epi8(L_A, L_B);
- __m256i L_AB8_AB24 = _mm256_unpackhi_epi8(L_A, L_B);
- __m256i L_CD0_CD16 = _mm256_unpacklo_epi8(L_C, L_D);
- __m256i L_CD8_CD24 = _mm256_unpackhi_epi8(L_C, L_D);
-
- // Interleave 16-bit elements
- __m256i L_AD0_AD16 = _mm256_unpacklo_epi16(L_AB0_AB16, L_CD0_CD16);
- __m256i L_AD4_AD20 = _mm256_unpackhi_epi16(L_AB0_AB16, L_CD0_CD16);
-
- // Use permute before we store to cross 128-bit lanes
- __m256i L_AD0 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x20);
- _mm256_store_si256(blockA_256++, L_AD0);
-
- // Complete packing for 32 x 8 block
- __m256i L_AD16 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x31);
- __m256i L_AD8_AD24 = _mm256_unpacklo_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD12_AD28 = _mm256_unpackhi_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD8 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x20);
- _mm256_store_si256(blockA_256++, L_AD8);
- _mm256_store_si256(blockA_256++, L_AD16);
- __m256i L_AD24 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x31);
- _mm256_store_si256(blockA_256++, L_AD24);
- __m256i L_EF0_EF16 = _mm256_unpacklo_epi8(L_E, L_F);
- __m256i L_EF8_EF24 = _mm256_unpackhi_epi8(L_E, L_F);
- __m256i L_GH0_GH16 = _mm256_unpacklo_epi8(L_G, L_H);
- __m256i L_GH8_GH24 = _mm256_unpackhi_epi8(L_G, L_H);
- __m256i L_EH0_EH16 = _mm256_unpacklo_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH4_EH20 = _mm256_unpackhi_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH0 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x20);
- _mm256_store_si256(blockA_256++, L_EH0);
- __m256i L_EH16 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x31);
- __m256i L_EH8_EH24 = _mm256_unpacklo_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH12_EH28 = _mm256_unpackhi_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH8 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x20);
- _mm256_store_si256(blockA_256++, L_EH8);
- _mm256_store_si256(blockA_256++, L_EH16);
- __m256i L_EH24 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x31);
- _mm256_store_si256(blockA_256++, L_EH24);
- }
-
- // Finish the k dimension, padding with zeros
- if (depth_8 < depth) {
- __m256i L_A, L_B, L_C, L_D, L_E, L_F, L_G, L_H;
- QInt8* ptr;
- switch (depth - depth_8) {
- case 1:
- L_A = _mm256_setzero_si256();
- L_B = _mm256_setzero_si256();
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- for (Index m = 0; m < rows - rows_32; m++) {
- QInt8* ptr = (QInt8*)&L_A;
- ptr[m] = lhs(rows_32 + m, depth_8);
- }
- break;
- case 2:
- L_A = _mm256_setzero_si256();
- L_B = _mm256_setzero_si256();
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- for (Index m = 0; m < rows - rows_32; m++) {
- ptr = (QInt8*)&L_A;
- ptr[m] = lhs(rows_32 + m, depth_8);
- ptr = (QInt8*)&L_B;
- ptr[m] = lhs(rows_32 + m, depth_8 + 1);
- }
- break;
- case 3:
- L_A = _mm256_setzero_si256();
- L_B = _mm256_setzero_si256();
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- for (Index m = 0; m < rows - rows_32; m++) {
- ptr = (QInt8*)&L_A;
- ptr[m] = lhs(rows_32 + m, depth_8);
- ptr = (QInt8*)&L_B;
- ptr[m] = lhs(rows_32 + m, depth_8 + 1);
- ptr = (QInt8*)&L_C;
- ptr[m] = lhs(rows_32 + m, depth_8 + 2);
- }
- break;
- case 4:
- L_A = _mm256_setzero_si256();
- L_B = _mm256_setzero_si256();
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- for (Index m = 0; m < rows - rows_32; m++) {
- ptr = (QInt8*)&L_A;
- ptr[m] = lhs(rows_32 + m, depth_8);
- ptr = (QInt8*)&L_B;
- ptr[m] = lhs(rows_32 + m, depth_8 + 1);
- ptr = (QInt8*)&L_C;
- ptr[m] = lhs(rows_32 + m, depth_8 + 2);
- ptr = (QInt8*)&L_D;
- ptr[m] = lhs(rows_32 + m, depth_8 + 3);
- }
- break;
- case 5:
- L_A = _mm256_setzero_si256();
- L_B = _mm256_setzero_si256();
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- for (Index m = 0; m < rows - rows_32; m++) {
- ptr = (QInt8*)&L_A;
- ptr[m] = lhs(rows_32 + m, depth_8);
- ptr = (QInt8*)&L_B;
- ptr[m] = lhs(rows_32 + m, depth_8 + 1);
- ptr = (QInt8*)&L_C;
- ptr[m] = lhs(rows_32 + m, depth_8 + 2);
- ptr = (QInt8*)&L_D;
- ptr[m] = lhs(rows_32 + m, depth_8 + 3);
- ptr = (QInt8*)&L_E;
- ptr[m] = lhs(rows_32 + m, depth_8 + 4);
- }
- break;
- case 6:
- L_A = _mm256_setzero_si256();
- L_B = _mm256_setzero_si256();
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- for (Index m = 0; m < rows - rows_32; m++) {
- ptr = (QInt8*)&L_A;
- ptr[m] = lhs(rows_32 + m, depth_8);
- ptr = (QInt8*)&L_B;
- ptr[m] = lhs(rows_32 + m, depth_8 + 1);
- ptr = (QInt8*)&L_C;
- ptr[m] = lhs(rows_32 + m, depth_8 + 2);
- ptr = (QInt8*)&L_D;
- ptr[m] = lhs(rows_32 + m, depth_8 + 3);
- ptr = (QInt8*)&L_E;
- ptr[m] = lhs(rows_32 + m, depth_8 + 4);
- ptr = (QInt8*)&L_F;
- ptr[m] = lhs(rows_32 + m, depth_8 + 5);
- }
- break;
- case 7:
- L_A = _mm256_setzero_si256();
- L_B = _mm256_setzero_si256();
- L_C = _mm256_setzero_si256();
- L_D = _mm256_setzero_si256();
- L_E = _mm256_setzero_si256();
- L_F = _mm256_setzero_si256();
- L_G = _mm256_setzero_si256();
- L_H = _mm256_setzero_si256();
- for (Index m = 0; m < rows - rows_32; m++) {
- ptr = (QInt8*)&L_A;
- ptr[m] = lhs(rows_32 + m, depth_8);
- ptr = (QInt8*)&L_B;
- ptr[m] = lhs(rows_32 + m, depth_8 + 1);
- ptr = (QInt8*)&L_C;
- ptr[m] = lhs(rows_32 + m, depth_8 + 2);
- ptr = (QInt8*)&L_D;
- ptr[m] = lhs(rows_32 + m, depth_8 + 3);
- ptr = (QInt8*)&L_E;
- ptr[m] = lhs(rows_32 + m, depth_8 + 4);
- ptr = (QInt8*)&L_F;
- ptr[m] = lhs(rows_32 + m, depth_8 + 5);
- ptr = (QInt8*)&L_G;
- ptr[m] = lhs(rows_32 + m, depth_8 + 6);
- }
- break;
- }
-
- // Interleave 8-bit elements
- __m256i L_AB0_AB16 = _mm256_unpacklo_epi8(L_A, L_B);
- __m256i L_AB8_AB24 = _mm256_unpackhi_epi8(L_A, L_B);
- __m256i L_CD0_CD16 = _mm256_unpacklo_epi8(L_C, L_D);
- __m256i L_CD8_CD24 = _mm256_unpackhi_epi8(L_C, L_D);
-
- // Interleave 16-bit elements
- __m256i L_AD0_AD16 = _mm256_unpacklo_epi16(L_AB0_AB16, L_CD0_CD16);
- __m256i L_AD4_AD20 = _mm256_unpackhi_epi16(L_AB0_AB16, L_CD0_CD16);
-
- // Use permute before we store to cross 128-bit lanes
- __m256i L_AD0 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x20);
- _mm256_store_si256(blockA_256++, L_AD0);
-
- // Complete packing
- __m256i L_AD16 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x31);
- __m256i L_AD8_AD24 = _mm256_unpacklo_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD12_AD28 = _mm256_unpackhi_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD8 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x20);
- _mm256_store_si256(blockA_256++, L_AD8);
- _mm256_store_si256(blockA_256++, L_AD16);
- __m256i L_AD24 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x31);
- _mm256_store_si256(blockA_256++, L_AD24);
- __m256i L_EF0_EF16 = _mm256_unpacklo_epi8(L_E, L_F);
- __m256i L_EF8_EF24 = _mm256_unpackhi_epi8(L_E, L_F);
- __m256i L_GH0_GH16 = _mm256_unpacklo_epi8(L_G, L_H);
- __m256i L_GH8_GH24 = _mm256_unpackhi_epi8(L_G, L_H);
- __m256i L_EH0_EH16 = _mm256_unpacklo_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH4_EH20 = _mm256_unpackhi_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH0 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x20);
- _mm256_store_si256(blockA_256++, L_EH0);
- __m256i L_EH16 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x31);
- __m256i L_EH8_EH24 = _mm256_unpacklo_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH12_EH28 = _mm256_unpackhi_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH8 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x20);
- _mm256_store_si256(blockA_256++, L_EH8);
- _mm256_store_si256(blockA_256++, L_EH16);
- __m256i L_EH24 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x31);
- _mm256_store_si256(blockA_256++, L_EH24);
- }
- }
-}
-
-template <typename Index, typename DataMapper, int nr, bool Conjugate,
- bool PanelMode>
-EIGEN_DONT_INLINE void gemm_pack_rhs_any<QUInt8, Index, DataMapper, nr,
- ColMajor, Conjugate, PanelMode>::
-operator()(QUInt8* blockB, const DataMapper& rhs, Index depth, Index cols,
- Index stride, Index offset) {
- eigen_assert(stride == 0);
- eigen_assert(offset == 0);
-
- typedef typename packet_traits<QUInt8>::type Packet;
-
- // Get vector pointer
- __m256i* blockB_256 = reinterpret_cast<__m256i*>(blockB);
-
- // Get even multiples of the dimensions
- Index cols_32 = (cols / 32) * 32;
- Index depth_32 = (depth / 32) * 32;
-
- // Perform a step of the packing for 4 columns
- __m256i R_AB_L, R_AB_H, R_CD_L, R_CD_H, R_AD_0, R_AD_8, R_AD_16, R_AD_24;
-#define PACK_STEP \
- R_AB_L = _mm256_unpacklo_epi64(R_A, R_B); \
- R_CD_L = _mm256_unpacklo_epi64(R_C, R_D); \
- R_AB_H = _mm256_unpackhi_epi64(R_A, R_B); \
- R_CD_H = _mm256_unpackhi_epi64(R_C, R_D); \
- R_AD_0 = _mm256_permute2x128_si256(R_AB_L, R_CD_L, 0x20); \
- R_AD_16 = _mm256_permute2x128_si256(R_AB_L, R_CD_L, 0x31); \
- R_AD_8 = _mm256_permute2x128_si256(R_AB_H, R_CD_H, 0x20); \
- R_AD_24 = _mm256_permute2x128_si256(R_AB_H, R_CD_H, 0x31); \
- _mm256_store_si256(blockB_256, R_AD_0); \
- _mm256_store_si256(blockB_256 + 8, R_AD_8); \
- _mm256_store_si256(blockB_256 + 16, R_AD_16); \
- _mm256_store_si256(blockB_256 + 24, R_AD_24); \
- blockB_256++;
-
- // Pack cols in sets of 32
- for (Index n = 0; n < cols_32; n += 32) {
- // Pack depth in sets of 32
- for (Index k = 0; k < depth_32; k += 32) {
- __m256i R_A = rhs.template loadPacket<Packet>(k, n);
- __m256i R_B = rhs.template loadPacket<Packet>(k, n + 1);
- __m256i R_C = rhs.template loadPacket<Packet>(k, n + 2);
- __m256i R_D = rhs.template loadPacket<Packet>(k, n + 3);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 4);
- R_B = rhs.template loadPacket<Packet>(k, n + 5);
- R_C = rhs.template loadPacket<Packet>(k, n + 6);
- R_D = rhs.template loadPacket<Packet>(k, n + 7);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 8);
- R_B = rhs.template loadPacket<Packet>(k, n + 9);
- R_C = rhs.template loadPacket<Packet>(k, n + 10);
- R_D = rhs.template loadPacket<Packet>(k, n + 11);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 12);
- R_B = rhs.template loadPacket<Packet>(k, n + 13);
- R_C = rhs.template loadPacket<Packet>(k, n + 14);
- R_D = rhs.template loadPacket<Packet>(k, n + 15);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 16);
- R_B = rhs.template loadPacket<Packet>(k, n + 17);
- R_C = rhs.template loadPacket<Packet>(k, n + 18);
- R_D = rhs.template loadPacket<Packet>(k, n + 19);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 20);
- R_B = rhs.template loadPacket<Packet>(k, n + 21);
- R_C = rhs.template loadPacket<Packet>(k, n + 22);
- R_D = rhs.template loadPacket<Packet>(k, n + 23);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 24);
- R_B = rhs.template loadPacket<Packet>(k, n + 25);
- R_C = rhs.template loadPacket<Packet>(k, n + 26);
- R_D = rhs.template loadPacket<Packet>(k, n + 27);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 28);
- R_B = rhs.template loadPacket<Packet>(k, n + 29);
- R_C = rhs.template loadPacket<Packet>(k, n + 30);
- R_D = rhs.template loadPacket<Packet>(k, n + 31);
- PACK_STEP;
-
- blockB_256 += 24;
- }
-
- if (depth_32 < depth) {
- QUInt8* ptr;
- __m256i R_A = _mm256_setzero_si256();
- __m256i R_B = _mm256_setzero_si256();
- __m256i R_C = _mm256_setzero_si256();
- __m256i R_D = _mm256_setzero_si256();
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 1);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 2);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 3);
- }
- PACK_STEP;
-
- R_A = _mm256_setzero_si256();
- R_B = _mm256_setzero_si256();
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n + 4);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 5);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 6);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 7);
- }
- PACK_STEP;
-
- R_A = _mm256_setzero_si256();
- R_B = _mm256_setzero_si256();
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n + 8);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 9);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 10);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 11);
- }
- PACK_STEP;
-
- R_A = _mm256_setzero_si256();
- R_B = _mm256_setzero_si256();
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n + 12);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 13);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 14);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 15);
- }
- PACK_STEP;
-
- R_A = _mm256_setzero_si256();
- R_B = _mm256_setzero_si256();
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n + 16);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 17);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 18);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 19);
- }
- PACK_STEP;
-
- R_A = _mm256_setzero_si256();
- R_B = _mm256_setzero_si256();
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n + 20);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 21);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 22);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 23);
- }
- PACK_STEP;
-
- R_A = _mm256_setzero_si256();
- R_B = _mm256_setzero_si256();
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n + 24);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 25);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 26);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 27);
- }
- PACK_STEP;
-
- R_A = _mm256_setzero_si256();
- R_B = _mm256_setzero_si256();
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n + 28);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 29);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 30);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 31);
- }
- PACK_STEP;
- blockB_256 += 24;
- }
- }
-
- // Finish packing cols
- if (cols_32 < cols) {
- // Pack depth in sets of 32
- for (Index k = 0; k < depth_32; k += 32) {
- __m256i R_A, R_B, R_C, R_D;
- Index n;
- for (n = cols_32; n < cols; n += 4) {
- switch (cols - n) {
- case 1:
- R_A = rhs.template loadPacket<Packet>(k, n);
- R_B = _mm256_setzero_si256();
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- PACK_STEP;
- break;
- case 2:
- R_A = rhs.template loadPacket<Packet>(k, n);
- R_B = rhs.template loadPacket<Packet>(k, n + 1);
- R_C = _mm256_setzero_si256();
- R_D = _mm256_setzero_si256();
- PACK_STEP;
- break;
- case 3:
- R_A = rhs.template loadPacket<Packet>(k, n);
- R_B = rhs.template loadPacket<Packet>(k, n + 1);
- R_C = rhs.template loadPacket<Packet>(k, n + 2);
- R_D = _mm256_setzero_si256();
- PACK_STEP;
- break;
- default:
- R_A = rhs.template loadPacket<Packet>(k, n);
- R_B = rhs.template loadPacket<Packet>(k, n + 1);
- R_C = rhs.template loadPacket<Packet>(k, n + 2);
- R_D = rhs.template loadPacket<Packet>(k, n + 3);
- PACK_STEP;
- break;
- }
- }
-
- // Increment the block pointer.
- // We must pad if cols is not a multiple of 32.
- blockB_256 += 32 - (n - cols_32) / 4;
- }
-
- if (depth_32 < depth) {
- for (Index n = cols_32; n < cols; n += 4) {
- QUInt8* ptr;
- __m256i R_A = _mm256_setzero_si256();
- __m256i R_B = _mm256_setzero_si256();
- __m256i R_C = _mm256_setzero_si256();
- __m256i R_D = _mm256_setzero_si256();
- switch (cols - n) {
- case 1:
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n);
- }
- PACK_STEP;
- break;
- case 2:
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 1);
- }
- PACK_STEP;
- break;
- case 3:
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 1);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 2);
- }
- PACK_STEP;
- break;
- default:
- for (Index k = depth_32; k < depth; k++) {
- ptr = (QUInt8*)&R_A;
- ptr[k - depth_32] = rhs(k, n);
- ptr = (QUInt8*)&R_B;
- ptr[k - depth_32] = rhs(k, n + 1);
- ptr = (QUInt8*)&R_C;
- ptr[k - depth_32] = rhs(k, n + 2);
- ptr = (QUInt8*)&R_D;
- ptr[k - depth_32] = rhs(k, n + 3);
- }
- PACK_STEP;
- break;
- }
- }
- }
- }
-#undef PACK_STEP
-}
-
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-EIGEN_DONT_INLINE void gebp_kernel_any<QInt8, QUInt8, Index, DataMapper, mr, nr,
- ConjugateLhs, ConjugateRhs>::
-operator()(const DataMapper& res, const QInt8* blockA, const QUInt8* blockB,
- Index rows, Index depth, Index cols, QInt32 alpha, Index strideA,
- Index strideB, Index offsetA, Index offsetB) {
- EIGEN_STATIC_ASSERT(!ConjugateLhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- EIGEN_STATIC_ASSERT(!ConjugateRhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- eigen_assert(alpha.value == 1);
- eigen_assert(strideA == -1);
- eigen_assert(strideB == -1);
- eigen_assert(offsetA == 0);
- eigen_assert(offsetB == 0);
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
- eigen_assert(depth > 0);
- eigen_assert(blockA);
- eigen_assert(blockB);
-
- Index rows_32 = ((rows + 31) / 32) * 32;
- Index cols_32 = ((cols + 31) / 32) * 32;
- Index depth_32 = ((depth + 31) / 32) * 32;
-
- // Create result block
- ei_declare_aligned_stack_constructed_variable(QInt32, blockO, 32 * 32, 0);
- memset(blockO, 0, 32 * 32 * sizeof(QInt32));
-
- // Get vectorized pointers
- __m256i* blockO_256 = reinterpret_cast<__m256i*>(blockO);
- const __m256i* blockA_256 = reinterpret_cast<const __m256i*>(blockA);
- const __m256i* blockB_256 = reinterpret_cast<const __m256i*>(blockB);
-
- // Loop over blocks of 32 columns
- for (Index n = 0; n < cols_32; n += 32) {
- // Reset index into blockA
- Index indexL = 0;
- // Loop over blocks of 32 rows
- for (Index m = 0; m < rows_32; m += 32) {
- // Reset index into blockB
- Index indexR = n / 32 * depth_32;
- // Loop over blocks of 8 on depth
- for (Index k = 0; k < depth_32; k += 8) {
- // Load inputs
- __m256i L_AD0 = blockA_256[indexL++];
- __m256i L_AD8 = blockA_256[indexL++];
- __m256i L_AD16 = blockA_256[indexL++];
- __m256i L_AD24 = blockA_256[indexL++];
- __m256i L_EH0 = blockA_256[indexL++];
- __m256i L_EH8 = blockA_256[indexL++];
- __m256i L_EH16 = blockA_256[indexL++];
- __m256i L_EH24 = blockA_256[indexL++];
- __m256i R_AH0 = blockB_256[indexR++];
- __m256i R_AH4 = blockB_256[indexR++];
- __m256i R_AH8 = blockB_256[indexR++];
- __m256i R_AH12 = blockB_256[indexR++];
- __m256i R_AH16 = blockB_256[indexR++];
- __m256i R_AH20 = blockB_256[indexR++];
- __m256i R_AH24 = blockB_256[indexR++];
- __m256i R_AH28 = blockB_256[indexR++];
-
- // This constant is used with madd to convert 16 bit to 32 bit
- const __m256i ONE = _mm256_set1_epi32(0x00010001);
-
- // Declare variables used in COMPUTE_STEP
- __m256i P_16_A, P_16_B, P_32_A, P_32_B, P_32;
-
-#define COMPUTE_STEP(R_INPUT_A, R_INPUT_B, OFFSET) \
- P_16_A = _mm256_maddubs_epi16(R_INPUT_A, L_AD0); \
- P_32_A = _mm256_madd_epi16(P_16_A, ONE); \
- P_16_B = _mm256_maddubs_epi16(R_INPUT_B, L_EH0); \
- P_32_B = _mm256_madd_epi16(P_16_B, ONE); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 4 * OFFSET, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 4 * OFFSET), P_32)); \
- \
- P_16_A = _mm256_maddubs_epi16(R_INPUT_A, L_AD8); \
- P_32_A = _mm256_madd_epi16(P_16_A, ONE); \
- P_16_B = _mm256_maddubs_epi16(R_INPUT_B, L_EH8); \
- P_32_B = _mm256_madd_epi16(P_16_B, ONE); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 4 * OFFSET + 1, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 4 * OFFSET + 1), P_32)); \
- \
- P_16_A = _mm256_maddubs_epi16(R_INPUT_A, L_AD16); \
- P_32_A = _mm256_madd_epi16(P_16_A, ONE); \
- P_16_B = _mm256_maddubs_epi16(R_INPUT_B, L_EH16); \
- P_32_B = _mm256_madd_epi16(P_16_B, ONE); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 4 * OFFSET + 2, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 4 * OFFSET + 2), P_32)); \
- \
- P_16_A = _mm256_maddubs_epi16(R_INPUT_A, L_AD24); \
- P_32_A = _mm256_madd_epi16(P_16_A, ONE); \
- P_16_B = _mm256_maddubs_epi16(R_INPUT_B, L_EH24); \
- P_32_B = _mm256_madd_epi16(P_16_B, ONE); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 4 * OFFSET + 3, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 4 * OFFSET + 3), P_32));
-
- // Permute and shuffle to copy a single value across the entire vector
- // Then compute the multiplication
- __m256i R_AH0_ = _mm256_permute2x128_si256(R_AH0, R_AH0, 0x00);
- __m256i R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- __m256i R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 0);
- __m256i R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- __m256i R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 1);
- R_AH0_ = _mm256_permute2x128_si256(R_AH0, R_AH0, 0x11);
- __m256i R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- __m256i R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 2);
- __m256i R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- __m256i R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 3);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH4, R_AH4, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 4);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 5);
- R_AH0_ = _mm256_permute2x128_si256(R_AH4, R_AH4, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 6);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 7);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH8, R_AH8, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 8);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 9);
- R_AH0_ = _mm256_permute2x128_si256(R_AH8, R_AH8, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 10);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 11);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH12, R_AH12, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 12);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 13);
- R_AH0_ = _mm256_permute2x128_si256(R_AH12, R_AH12, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 14);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 15);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH16, R_AH16, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 16);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 17);
- R_AH0_ = _mm256_permute2x128_si256(R_AH16, R_AH16, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 18);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 19);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH20, R_AH20, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 20);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 21);
- R_AH0_ = _mm256_permute2x128_si256(R_AH20, R_AH20, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 22);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 23);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH24, R_AH24, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 24);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 25);
- R_AH0_ = _mm256_permute2x128_si256(R_AH24, R_AH24, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 26);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 27);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH28, R_AH28, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 28);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 29);
- R_AH0_ = _mm256_permute2x128_si256(R_AH28, R_AH28, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 30);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 31);
-
-#undef COMPUTE_STEP
- }
-
- // Transfer the results to the result matrix.
- if (m + 32 <= rows && n + 32 <= cols) {
- Index i = 0;
- for (Index j = n; j < n + 32; j++) {
- LinearMapper r0 = res.getLinearMapper(m, j);
- LinearMapper r1 = res.getLinearMapper(m + 8, j);
- LinearMapper r2 = res.getLinearMapper(m + 16, j);
- LinearMapper r3 = res.getLinearMapper(m + 24, j);
- typedef typename packet_traits<QInt32>::type Packet;
- r0.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r0.template loadPacket<Packet>(0)));
- r1.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r1.template loadPacket<Packet>(0)));
- r2.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r2.template loadPacket<Packet>(0)));
- r3.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r3.template loadPacket<Packet>(0)));
- }
- } else {
- for (Index j = n; j < cols; j++) {
- for (Index i = m; i < rows; i++) {
- res(i, j) = blockO[(j - n) * 32 + (i - m)];
- }
- }
- }
-
- // Zero the result block so it can be reused
- memset(blockO, 0, 32 * 32 * sizeof(QInt32));
- }
- }
-}
-
-// Below are the fully optimized versions that are correct only for sizes that
-// are multiple of 32. It is about a 10% performance benefit to keep these
-// implementations separate.
-
-// Arrange a block of the left input matrix in contiguous memory.
-//
-// Given column major input (A0 beside A1 in memory):
-// A0 B0 C0 D0 E0 F0 G0 H0 ...
-// A1 B1 C1 D1 E1 F1 G1 H1 ...
-// A2 B2 C2 D2 E2 F2 G2 H2 ...
-// A3 B3 C3 D3 E3 F3 G3 H3 ...
-// A4 B4 C4 D4 E4 F4 G4 H4 ...
-// A5 B5 C5 D5 E5 F5 G5 H5 ...
-// A6 B6 C6 D6 E6 F6 G6 H6 ...
-// A7 B7 C7 D7 E7 F7 G7 H7 ...
-// A8 ...
-// ...
-//
-// Packing yields output (A0 beside B0 in memory):
-// A0 B0 C0 D0
-// A1 B1 C1 D1
-// A2 B2 C2 D2
-// A3 B3 C3 D3
-// A4 B4 C4 D4
-// A5 B5 C5 D5
-// A6 B6 C6 D6
-// A7 B7 C7 D7
-// ...
-// A31 B31 C31 D31
-// E0 F0 G0 H0
-// E1 F1 G1 H1
-// E2 F2 G2 H2
-// E3 F3 G3 H3
-// E4 F4 G4 H4
-// E5 F5 G5 H5
-// E6 F6 G6 H6
-// E7 F7 G7 H7
-// ...
-//
-// Four elements of the same row are arranged contiguously because maddubs and
-// madd both perform an adjacent addition in the kernel.
-template <typename Index, typename DataMapper, int Pack1, int Pack2,
- bool Conjugate, bool PanelMode>
-struct gemm_pack_lhs<QInt8, Index, DataMapper, Pack1, Pack2, QInt8, ColMajor,
- Conjugate, PanelMode> {
- EIGEN_DONT_INLINE void operator()(QInt8* blockA, const DataMapper& lhs,
- Index depth, Index rows, Index stride = 0,
- Index offset = 0);
-};
-
-template <typename Index, typename DataMapper, int Pack1, int Pack2,
- bool Conjugate, bool PanelMode>
-EIGEN_DONT_INLINE void gemm_pack_lhs<QInt8, Index, DataMapper, Pack1, Pack2,
- QInt8, ColMajor, Conjugate, PanelMode>::
-operator()(QInt8* blockA, const DataMapper& lhs, Index depth, Index rows,
- Index stride, Index offset) {
- eigen_assert(stride == 0);
- eigen_assert(offset == 0);
-
- typedef typename packet_traits<QInt8>::type Packet;
-
- // Use alternate function for weird sizes
- if (rows % 32 != 0 || depth % 32 != 0) {
- gemm_pack_lhs_any<QInt8, Index, DataMapper, Pack1, Pack2, ColMajor,
- Conjugate, PanelMode> lhs_pack;
- return lhs_pack(blockA, lhs, depth, rows, stride, offset);
- }
-
- // Get vector pointer
- __m256i* blockA_256 = reinterpret_cast<__m256i*>(blockA);
-
- // Pack rows in sets of 32
- for (Index m = 0; m < rows; m += 32) {
- // Pack depth in sets of 8
- for (Index k = 0; k < depth; k += 8) {
- // Load vectors
- __m256i L_A = lhs.template loadPacket<Packet>(m, k);
- __m256i L_B = lhs.template loadPacket<Packet>(m, k + 1);
-
- // Interleave 8-bit elements
- __m256i L_AB0_AB16 = _mm256_unpacklo_epi8(L_A, L_B);
- __m256i L_AB8_AB24 = _mm256_unpackhi_epi8(L_A, L_B);
-
- __m256i L_C = lhs.template loadPacket<Packet>(m, k + 2);
- __m256i L_D = lhs.template loadPacket<Packet>(m, k + 3);
- __m256i L_CD0_CD16 = _mm256_unpacklo_epi8(L_C, L_D);
- __m256i L_CD8_CD24 = _mm256_unpackhi_epi8(L_C, L_D);
-
- // Interleave 16-bit elements
- __m256i L_AD0_AD16 = _mm256_unpacklo_epi16(L_AB0_AB16, L_CD0_CD16);
- __m256i L_AD4_AD20 = _mm256_unpackhi_epi16(L_AB0_AB16, L_CD0_CD16);
-
- // Use permute before we store to cross 128-bit lanes
- __m256i L_AD0 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x20);
- _mm256_store_si256(blockA_256++, L_AD0);
-
- // Complete packing for 32 x 8 block
- __m256i L_AD16 = _mm256_permute2x128_si256(L_AD0_AD16, L_AD4_AD20, 0x31);
- __m256i L_AD8_AD24 = _mm256_unpacklo_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD12_AD28 = _mm256_unpackhi_epi16(L_AB8_AB24, L_CD8_CD24);
- __m256i L_AD8 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x20);
- _mm256_store_si256(blockA_256++, L_AD8);
- _mm256_store_si256(blockA_256++, L_AD16);
- __m256i L_AD24 = _mm256_permute2x128_si256(L_AD8_AD24, L_AD12_AD28, 0x31);
- _mm256_store_si256(blockA_256++, L_AD24);
- __m256i L_E = lhs.template loadPacket<Packet>(m, k + 4);
- __m256i L_F = lhs.template loadPacket<Packet>(m, k + 5);
- __m256i L_EF0_EF16 = _mm256_unpacklo_epi8(L_E, L_F);
- __m256i L_EF8_EF24 = _mm256_unpackhi_epi8(L_E, L_F);
- __m256i L_G = lhs.template loadPacket<Packet>(m, k + 6);
- __m256i L_H = lhs.template loadPacket<Packet>(m, k + 7);
- __m256i L_GH0_GH16 = _mm256_unpacklo_epi8(L_G, L_H);
- __m256i L_GH8_GH24 = _mm256_unpackhi_epi8(L_G, L_H);
- __m256i L_EH0_EH16 = _mm256_unpacklo_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH4_EH20 = _mm256_unpackhi_epi16(L_EF0_EF16, L_GH0_GH16);
- __m256i L_EH0 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x20);
- _mm256_store_si256(blockA_256++, L_EH0);
- __m256i L_EH16 = _mm256_permute2x128_si256(L_EH0_EH16, L_EH4_EH20, 0x31);
- __m256i L_EH8_EH24 = _mm256_unpacklo_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH12_EH28 = _mm256_unpackhi_epi16(L_EF8_EF24, L_GH8_GH24);
- __m256i L_EH8 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x20);
- _mm256_store_si256(blockA_256++, L_EH8);
- _mm256_store_si256(blockA_256++, L_EH16);
- __m256i L_EH24 = _mm256_permute2x128_si256(L_EH8_EH24, L_EH12_EH28, 0x31);
- _mm256_store_si256(blockA_256++, L_EH24);
- }
- }
-}
-
-// Arrange a block of the right input matrix in contiguous memory.
-//
-// Given column major input (A0 beside A1 in memory):
-// A0 B0 C0 D0 E0 F0 G0 H0 ...
-// A1 B1 C1 D1 E1 F1 G1 H1 ...
-// A2 B2 C2 D2 E2 F2 G2 H2 ...
-// A3 B3 C3 D3 E3 F3 G3 H3 ...
-// A4 B4 C4 D4 E4 F4 G4 H4 ...
-// A5 B5 C5 D5 E5 F5 G5 H5 ...
-// A6 B6 C6 D6 E6 F6 G6 H6 ...
-// A7 B7 C7 D7 E7 F7 G7 H7 ...
-// A8 ...
-// ...
-//
-// Packing yields row major output (A0 beside A1 in memory):
-// A0 A1 A2 A3 A4 A5 A6 A7
-// B0 B1 B2 B3 B4 B5 B6 B7
-// ...
-//
-// At least four elements of the same col are arranged contiguously because
-// maddubs and madd both perform an adjacent addition in the kernel. We can
-// save work by leaving 8 adjacent elements because kr = 8.
-template <typename Index, typename DataMapper, int nr, bool Conjugate,
- bool PanelMode>
-struct gemm_pack_rhs<QUInt8, Index, DataMapper, nr, ColMajor, Conjugate,
- PanelMode> {
- EIGEN_DONT_INLINE void operator()(QUInt8* blockB, const DataMapper& rhs,
- Index depth, Index cols, Index stride = 0,
- Index offset = 0);
-};
-
-template <typename Index, typename DataMapper, int nr, bool Conjugate,
- bool PanelMode>
-EIGEN_DONT_INLINE void gemm_pack_rhs<QUInt8, Index, DataMapper, nr, ColMajor,
- Conjugate, PanelMode>::
-operator()(QUInt8* blockB, const DataMapper& rhs, Index depth, Index cols,
- Index stride, Index offset) {
- eigen_assert(stride == 0);
- eigen_assert(offset == 0);
-
- typedef typename packet_traits<QUInt8>::type Packet;
-
- // Use alternate function for weird sizes
- if (cols % 32 != 0 || depth % 32 != 0) {
- gemm_pack_rhs_any<QUInt8, Index, DataMapper, nr, ColMajor, Conjugate,
- PanelMode> rhs_pack;
- return rhs_pack(blockB, rhs, depth, cols, stride, offset);
- }
-
- // Get vector pointer
- __m256i* blockB_256 = reinterpret_cast<__m256i*>(blockB);
-
- // Perform a step of the packing for 4 columns
- __m256i R_AB_L, R_AB_H, R_CD_L, R_CD_H, R_AD_0, R_AD_8, R_AD_16, R_AD_24;
-#define PACK_STEP \
- R_AB_L = _mm256_unpacklo_epi64(R_A, R_B); \
- R_CD_L = _mm256_unpacklo_epi64(R_C, R_D); \
- R_AB_H = _mm256_unpackhi_epi64(R_A, R_B); \
- R_CD_H = _mm256_unpackhi_epi64(R_C, R_D); \
- R_AD_0 = _mm256_permute2x128_si256(R_AB_L, R_CD_L, 0x20); \
- R_AD_16 = _mm256_permute2x128_si256(R_AB_L, R_CD_L, 0x31); \
- R_AD_8 = _mm256_permute2x128_si256(R_AB_H, R_CD_H, 0x20); \
- R_AD_24 = _mm256_permute2x128_si256(R_AB_H, R_CD_H, 0x31); \
- _mm256_store_si256(blockB_256, R_AD_0); \
- _mm256_store_si256(blockB_256 + 8, R_AD_8); \
- _mm256_store_si256(blockB_256 + 16, R_AD_16); \
- _mm256_store_si256(blockB_256 + 24, R_AD_24); \
- blockB_256++;
-
- // Pack cols in sets of 32
- for (Index n = 0; n < cols; n += 32) {
- // Pack depth in sets of 32
- for (Index k = 0; k < depth; k += 32) {
- __m256i R_A = rhs.template loadPacket<Packet>(k, n);
- __m256i R_B = rhs.template loadPacket<Packet>(k, n + 1);
- __m256i R_C = rhs.template loadPacket<Packet>(k, n + 2);
- __m256i R_D = rhs.template loadPacket<Packet>(k, n + 3);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 4);
- R_B = rhs.template loadPacket<Packet>(k, n + 5);
- R_C = rhs.template loadPacket<Packet>(k, n + 6);
- R_D = rhs.template loadPacket<Packet>(k, n + 7);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 8);
- R_B = rhs.template loadPacket<Packet>(k, n + 9);
- R_C = rhs.template loadPacket<Packet>(k, n + 10);
- R_D = rhs.template loadPacket<Packet>(k, n + 11);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 12);
- R_B = rhs.template loadPacket<Packet>(k, n + 13);
- R_C = rhs.template loadPacket<Packet>(k, n + 14);
- R_D = rhs.template loadPacket<Packet>(k, n + 15);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 16);
- R_B = rhs.template loadPacket<Packet>(k, n + 17);
- R_C = rhs.template loadPacket<Packet>(k, n + 18);
- R_D = rhs.template loadPacket<Packet>(k, n + 19);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 20);
- R_B = rhs.template loadPacket<Packet>(k, n + 21);
- R_C = rhs.template loadPacket<Packet>(k, n + 22);
- R_D = rhs.template loadPacket<Packet>(k, n + 23);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 24);
- R_B = rhs.template loadPacket<Packet>(k, n + 25);
- R_C = rhs.template loadPacket<Packet>(k, n + 26);
- R_D = rhs.template loadPacket<Packet>(k, n + 27);
- PACK_STEP;
-
- R_A = rhs.template loadPacket<Packet>(k, n + 28);
- R_B = rhs.template loadPacket<Packet>(k, n + 29);
- R_C = rhs.template loadPacket<Packet>(k, n + 30);
- R_D = rhs.template loadPacket<Packet>(k, n + 31);
- PACK_STEP;
-
- blockB_256 += 24;
- }
- }
-#undef PACK_STEP
-}
-
-// Perform the actual multiplication on packed inputs
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-struct gebp_kernel<QInt8, QUInt8, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> {
- typedef typename DataMapper::LinearMapper LinearMapper;
-
- EIGEN_DONT_INLINE
- void operator()(const DataMapper& res, const QInt8* blockA,
- const QUInt8* blockB, Index rows, Index depth, Index cols,
- QInt32 alpha, Index strideA = -1, Index strideB = -1,
- Index offsetA = 0, Index offsetB = 0);
-};
-
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-EIGEN_DONT_INLINE void gebp_kernel<QInt8, QUInt8, Index, DataMapper, mr, nr,
- ConjugateLhs, ConjugateRhs>::
-operator()(const DataMapper& res, const QInt8* blockA, const QUInt8* blockB,
- Index rows, Index depth, Index cols, QInt32 alpha, Index strideA,
- Index strideB, Index offsetA, Index offsetB) {
- EIGEN_STATIC_ASSERT(!ConjugateLhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- EIGEN_STATIC_ASSERT(!ConjugateRhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- eigen_assert(alpha.value == 1);
- eigen_assert(strideA == -1);
- eigen_assert(strideB == -1);
- eigen_assert(offsetA == 0);
- eigen_assert(offsetB == 0);
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
- eigen_assert(depth > 0);
- eigen_assert(blockA);
- eigen_assert(blockB);
-
- // Use alternate function for weird sizes
- if (rows % 32 != 0 || cols % 32 != 0 || depth % 32 != 0) {
- gebp_kernel_any<QInt8, QUInt8, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> gebp;
- return gebp(res, blockA, blockB, rows, depth, cols, alpha, strideA, strideB,
- offsetA, offsetB);
- }
-
- // Create result block
- QInt32* blockO = aligned_new<QInt32>(32 * 32);
- // Allocating the result block is about 5-10% faster than declaring stack
- // space. It is unclear why this is the case.
- // ei_declare_aligned_stack_constructed_variable(QInt32, blockO, 32 * 32, 0);
- memset(blockO, 0, 32 * 32 * sizeof(QInt32));
-
- // Get vectorized pointers
- __m256i* blockO_256 = reinterpret_cast<__m256i*>(blockO);
- const __m256i* blockA_256 = reinterpret_cast<const __m256i*>(blockA);
- const __m256i* blockB_256 = reinterpret_cast<const __m256i*>(blockB);
-
- // Loop over blocks of 32 columns
- for (Index n = 0; n < cols; n += 32) {
- // Reset index into blockA
- Index indexL = 0;
- // Loop over blocks of 32 rows
- for (Index m = 0; m < rows; m += 32) {
- // Reset index into blockB
- Index indexR = n / 32 * depth;
- // Loop over blocks of 8 on depth
- for (Index k = 0; k < depth; k += 8) {
- // Load inputs
- __m256i L_AD0 = blockA_256[indexL++];
- __m256i L_AD8 = blockA_256[indexL++];
- __m256i L_AD16 = blockA_256[indexL++];
- __m256i L_AD24 = blockA_256[indexL++];
- __m256i L_EH0 = blockA_256[indexL++];
- __m256i L_EH8 = blockA_256[indexL++];
- __m256i L_EH16 = blockA_256[indexL++];
- __m256i L_EH24 = blockA_256[indexL++];
- __m256i R_AH0 = blockB_256[indexR++];
- __m256i R_AH4 = blockB_256[indexR++];
- __m256i R_AH8 = blockB_256[indexR++];
- __m256i R_AH12 = blockB_256[indexR++];
- __m256i R_AH16 = blockB_256[indexR++];
- __m256i R_AH20 = blockB_256[indexR++];
- __m256i R_AH24 = blockB_256[indexR++];
- __m256i R_AH28 = blockB_256[indexR++];
-
- // This constant is used with madd to convert 16 bit to 32 bit
- const __m256i ONE = _mm256_set1_epi32(0x00010001);
-
- // Declare variables used in COMPUTE_STEP
- __m256i P_16_A, P_16_B, P_32_A, P_32_B, P_32;
-
-#define COMPUTE_STEP(R_INPUT_A, R_INPUT_B, OFFSET) \
- P_16_A = _mm256_maddubs_epi16(R_INPUT_A, L_AD0); \
- P_32_A = _mm256_madd_epi16(P_16_A, ONE); \
- P_16_B = _mm256_maddubs_epi16(R_INPUT_B, L_EH0); \
- P_32_B = _mm256_madd_epi16(P_16_B, ONE); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 4 * OFFSET, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 4 * OFFSET), P_32)); \
- \
- P_16_A = _mm256_maddubs_epi16(R_INPUT_A, L_AD8); \
- P_32_A = _mm256_madd_epi16(P_16_A, ONE); \
- P_16_B = _mm256_maddubs_epi16(R_INPUT_B, L_EH8); \
- P_32_B = _mm256_madd_epi16(P_16_B, ONE); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 4 * OFFSET + 1, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 4 * OFFSET + 1), P_32)); \
- \
- P_16_A = _mm256_maddubs_epi16(R_INPUT_A, L_AD16); \
- P_32_A = _mm256_madd_epi16(P_16_A, ONE); \
- P_16_B = _mm256_maddubs_epi16(R_INPUT_B, L_EH16); \
- P_32_B = _mm256_madd_epi16(P_16_B, ONE); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 4 * OFFSET + 2, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 4 * OFFSET + 2), P_32)); \
- \
- P_16_A = _mm256_maddubs_epi16(R_INPUT_A, L_AD24); \
- P_32_A = _mm256_madd_epi16(P_16_A, ONE); \
- P_16_B = _mm256_maddubs_epi16(R_INPUT_B, L_EH24); \
- P_32_B = _mm256_madd_epi16(P_16_B, ONE); \
- P_32 = _mm256_add_epi32(P_32_A, P_32_B); \
- _mm256_store_si256( \
- blockO_256 + 4 * OFFSET + 3, \
- _mm256_add_epi32(_mm256_load_si256(blockO_256 + 4 * OFFSET + 3), P_32));
-
- // Permute and shuffle to copy a single value across the entire vector
- // Then compute the multiplication
- __m256i R_AH0_ = _mm256_permute2x128_si256(R_AH0, R_AH0, 0x00);
- __m256i R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- __m256i R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 0);
- __m256i R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- __m256i R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 1);
- R_AH0_ = _mm256_permute2x128_si256(R_AH0, R_AH0, 0x11);
- __m256i R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- __m256i R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 2);
- __m256i R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- __m256i R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 3);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH4, R_AH4, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 4);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 5);
- R_AH0_ = _mm256_permute2x128_si256(R_AH4, R_AH4, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 6);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 7);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH8, R_AH8, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 8);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 9);
- R_AH0_ = _mm256_permute2x128_si256(R_AH8, R_AH8, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 10);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 11);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH12, R_AH12, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 12);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 13);
- R_AH0_ = _mm256_permute2x128_si256(R_AH12, R_AH12, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 14);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 15);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH16, R_AH16, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 16);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 17);
- R_AH0_ = _mm256_permute2x128_si256(R_AH16, R_AH16, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 18);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 19);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH20, R_AH20, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 20);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 21);
- R_AH0_ = _mm256_permute2x128_si256(R_AH20, R_AH20, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 22);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 23);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH24, R_AH24, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 24);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 25);
- R_AH0_ = _mm256_permute2x128_si256(R_AH24, R_AH24, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 26);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 27);
-
- R_AH0_ = _mm256_permute2x128_si256(R_AH28, R_AH28, 0x00);
- R_AD0 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH0 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD0, R_EH0, 28);
- R_AD1 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH1 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD1, R_EH1, 29);
- R_AH0_ = _mm256_permute2x128_si256(R_AH28, R_AH28, 0x11);
- R_AD2 = _mm256_shuffle_epi32(R_AH0_, 0x00);
- R_EH2 = _mm256_shuffle_epi32(R_AH0_, 0x55);
- COMPUTE_STEP(R_AD2, R_EH2, 30);
- R_AD3 = _mm256_shuffle_epi32(R_AH0_, 0xAA);
- R_EH3 = _mm256_shuffle_epi32(R_AH0_, 0xFF);
- COMPUTE_STEP(R_AD3, R_EH3, 31);
-
-#undef COMPUTE_STEP
- }
-
- // Transfer the results to the result matrix
- Index i = 0;
- for (Index j = n; j < n + 32; j++) {
- LinearMapper r0 = res.getLinearMapper(m, j);
- LinearMapper r1 = res.getLinearMapper(m + 8, j);
- LinearMapper r2 = res.getLinearMapper(m + 16, j);
- LinearMapper r3 = res.getLinearMapper(m + 24, j);
- typedef typename packet_traits<QInt32>::type Packet;
- r0.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r0.template loadPacket<Packet>(0)));
- r1.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r1.template loadPacket<Packet>(0)));
- r2.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r2.template loadPacket<Packet>(0)));
- r3.template storePacket<Packet>(
- 0, _mm256_add_epi32(blockO_256[i++],
- r3.template loadPacket<Packet>(0)));
- }
-
- // Zero the result block so it can be reused
- memset(blockO, 0, 32 * 32 * sizeof(QInt32));
- }
- }
- aligned_delete(blockO, 32 * 32);
-}
-
-#endif // EIGEN_USE_OPTIMIZED_INT8_UINT8_MAT_MAT_PRODUCT
-
-} // namespace internal
-} // namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_MATMATPRODUCTAVX2_H_
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProductNEON.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProductNEON.h
deleted file mode 100644
index 9e0efae..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatMatProductNEON.h
+++ /dev/null
@@ -1,92 +0,0 @@
-// This file is part of Eigen, a lightweight C++ template library
-// for linear algebra.
-//
-// Copyright (C) 2015 Benoit Steiner <benoit.steiner.goog@gmail.com>
-// Copyright (C) 2015 Benoit Jacob <benoitjacob@google.com>
-//
-// This Source Code Form is subject to the terms of the Mozilla
-// Public License v. 2.0. If a copy of the MPL was not distributed
-// with this file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-#ifndef CXX11_SRC_FIXEDPOINT_MATMATPRODUCTNEON_H_
-#define CXX11_SRC_FIXEDPOINT_MATMATPRODUCTNEON_H_
-
-namespace Eigen {
-namespace internal {
-
-// AVX2 optimized implementation of the case where the lhs is encoded using
-// signed 8bit
-// integers and the rhs using unsigned 8bit integers.
-#ifdef EIGEN_USE_OPTIMIZED_INT8_UINT8_MAT_MAT_PRODUCT
-
-template <bool _ConjLhs, bool _ConjRhs>
-class gebp_traits<QInt8, QUInt8, _ConjLhs, _ConjRhs> {
- public:
- typedef QInt8 LhsScalar;
- typedef QUInt8 RhsScalar;
- typedef QInt32 ResScalar;
-
- enum {
- // register block size along the M and N directions
- // One for the current implementation
- nr = 1,
- mr = 1,
- // Progress made at each iteration of the product loop
- // also 1 for the current implementation
- LhsProgress = 1,
- RhsProgress = 1
- };
-};
-
-// Mat-Mat product of a signed 8bit lhs with an unsigned 8bit rhs
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-struct gebp_kernel<QInt8, QUInt8, Index, DataMapper, mr, nr, ConjugateLhs,
- ConjugateRhs> {
- EIGEN_DONT_INLINE
- void operator()(const DataMapper& res, const QInt8* blockA,
- const QUInt8* blockB, Index rows, Index depth, Index cols,
- QInt32 alpha, Index strideA = -1, Index strideB = -1,
- Index offsetA = 0, Index offsetB = 0);
-};
-
-template <typename Index, typename DataMapper, int mr, int nr,
- bool ConjugateLhs, bool ConjugateRhs>
-EIGEN_DONT_INLINE void gebp_kernel<QInt8, QUInt8, Index, DataMapper, mr, nr,
- ConjugateLhs, ConjugateRhs>::
-operator()(const DataMapper& res, const QInt8* blockA, const QUInt8* blockB,
- Index rows, Index depth, Index cols, QInt32 alpha, Index strideA,
- Index strideB, Index offsetA, Index offsetB) {
- EIGEN_STATIC_ASSERT(!ConjugateLhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
- EIGEN_STATIC_ASSERT(!ConjugateRhs, YOU_MADE_A_PROGRAMMING_MISTAKE);
-
- eigen_assert(alpha.value == 1);
- eigen_assert(strideA == -1);
- eigen_assert(strideB == -1);
- eigen_assert(offsetA == 0);
- eigen_assert(offsetB == 0);
-
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
- eigen_assert(depth > 0);
- eigen_assert(blockA);
- eigen_assert(blockB);
-
- for (Index j = 0; j < cols; ++j) {
- Index startB = j * depth;
-
- for (Index i = 0; i < rows; ++i) {
- Index startA = i * depth;
-
- for (Index k = 0; k < depth; ++k) {
- res(i, j) += blockA[startA + k] * blockB[startB + k];
- }
- }
- }
-}
-#endif
-
-} // namespace internal
-} // namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_MATMATPRODUCTNEON_H_
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatVecProduct.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatVecProduct.h
deleted file mode 100644
index f15200c..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/MatVecProduct.h
+++ /dev/null
@@ -1,145 +0,0 @@
-// This file is part of Eigen, a lightweight C++ template library
-// for linear algebra.
-//
-// Copyright (C) 2015 Benoit Steiner <benoit.steiner.goog@gmail.com>
-//
-// This Source Code Form is subject to the terms of the Mozilla
-// Public License v. 2.0. If a copy of the MPL was not distributed
-// with this file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-#ifndef CXX11_SRC_FIXEDPOINT_MATVECPRODUCT_H_
-#define CXX11_SRC_FIXEDPOINT_MATVECPRODUCT_H_
-
-namespace Eigen {
-namespace internal {
-
-// Mat-Vec product
-// Both lhs and rhs are encoded as 8bit signed integers
-template <typename Index, typename LhsMapper, bool ConjugateLhs,
- typename RhsMapper, bool ConjugateRhs, int Version>
-struct general_matrix_vector_product<Index, QInt8, LhsMapper, ColMajor,
- ConjugateLhs, QInt8, RhsMapper,
- ConjugateRhs, Version> {
- EIGEN_DONT_INLINE static void run(Index rows, Index cols,
- const LhsMapper& lhs, const RhsMapper& rhs,
- QInt32* res, Index resIncr, QInt8 alpha);
-};
-
-template <typename Index, typename LhsMapper, bool ConjugateLhs,
- typename RhsMapper, bool ConjugateRhs, int Version>
-EIGEN_DONT_INLINE void general_matrix_vector_product<
- Index, QInt8, LhsMapper, ColMajor, ConjugateLhs, QInt8, RhsMapper,
- ConjugateRhs, Version>::run(Index rows, Index cols, const LhsMapper& lhs,
- const RhsMapper& rhs, QInt32* res,
- Index resIncr, QInt8 alpha) {
- eigen_assert(alpha.value == 1);
- eigen_assert(resIncr == 1);
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
-
- for (Index i = 0; i < rows; ++i) {
- for (Index j = 0; j < cols; ++j) {
- res[i] += lhs(i, j) * rhs(j, 0);
- }
- }
-}
-
-// Mat-Vec product
-// Both lhs and rhs are encoded as 16bit signed integers
-template <typename Index, typename LhsMapper, bool ConjugateLhs,
- typename RhsMapper, bool ConjugateRhs, int Version>
-struct general_matrix_vector_product<Index, QInt16, LhsMapper, ColMajor,
- ConjugateLhs, QInt16, RhsMapper,
- ConjugateRhs, Version> {
- EIGEN_DONT_INLINE static void run(Index rows, Index cols,
- const LhsMapper& lhs, const RhsMapper& rhs,
- QInt32* res, Index resIncr, QInt16 alpha);
-};
-
-template <typename Index, typename LhsMapper, bool ConjugateLhs,
- typename RhsMapper, bool ConjugateRhs, int Version>
-EIGEN_DONT_INLINE void general_matrix_vector_product<
- Index, QInt16, LhsMapper, ColMajor, ConjugateLhs, QInt16, RhsMapper,
- ConjugateRhs, Version>::run(Index rows, Index cols, const LhsMapper& lhs,
- const RhsMapper& rhs, QInt32* res,
- Index resIncr, QInt16 alpha) {
- eigen_assert(alpha.value == 1);
- eigen_assert(resIncr == 1);
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
-
- for (Index i = 0; i < rows; ++i) {
- for (Index j = 0; j < cols; ++j) {
- res[i] += lhs(i, j) * rhs(j, 0);
- }
- }
-}
-
-// Mat-Vec product
-// The lhs is encoded using 8bit signed integers, the rhs using 8bit unsigned
-// integers
-template <typename Index, typename LhsMapper, bool ConjugateLhs,
- typename RhsMapper, bool ConjugateRhs, int Version>
-struct general_matrix_vector_product<Index, QInt8, LhsMapper, ColMajor,
- ConjugateLhs, QUInt8, RhsMapper,
- ConjugateRhs, Version> {
- EIGEN_DONT_INLINE static void run(Index rows, Index cols,
- const LhsMapper& lhs, const RhsMapper& rhs,
- QInt32* res, Index resIncr, QUInt8 alpha);
-};
-
-template <typename Index, typename LhsMapper, bool ConjugateLhs,
- typename RhsMapper, bool ConjugateRhs, int Version>
-EIGEN_DONT_INLINE void general_matrix_vector_product<
- Index, QInt8, LhsMapper, ColMajor, ConjugateLhs, QUInt8, RhsMapper,
- ConjugateRhs, Version>::run(Index rows, Index cols, const LhsMapper& lhs,
- const RhsMapper& rhs, QInt32* res,
- Index resIncr, QUInt8 alpha) {
- eigen_assert(alpha.value == 1);
- eigen_assert(resIncr == 1);
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
-
- for (Index i = 0; i < rows; ++i) {
- for (Index j = 0; j < cols; ++j) {
- res[i] += lhs(i, j) * rhs(j, 0);
- }
- }
-}
-
-// Mat-Vec product
-// The lhs is encoded using bit unsigned integers, the rhs using 8bit signed
-// integers
-template <typename Index, typename LhsMapper, bool ConjugateLhs,
- typename RhsMapper, bool ConjugateRhs, int Version>
-struct general_matrix_vector_product<Index, QUInt8, LhsMapper, ColMajor,
- ConjugateLhs, QInt8, RhsMapper,
- ConjugateRhs, Version> {
- EIGEN_DONT_INLINE static void run(Index rows, Index cols,
- const LhsMapper& lhs, const RhsMapper& rhs,
- QInt32* res, Index resIncr, QInt8 alpha);
-};
-
-template <typename Index, typename LhsMapper, bool ConjugateLhs,
- typename RhsMapper, bool ConjugateRhs, int Version>
-EIGEN_DONT_INLINE void general_matrix_vector_product<
- Index, QUInt8, LhsMapper, ColMajor, ConjugateLhs, QInt8, RhsMapper,
- ConjugateRhs, Version>::run(Index rows, Index cols, const LhsMapper& lhs,
- const RhsMapper& rhs, QInt32* res,
- Index resIncr, QInt8 alpha) {
- eigen_assert(alpha.value == 1);
- eigen_assert(resIncr == 1);
- eigen_assert(rows > 0);
- eigen_assert(cols > 0);
-
- for (Index i = 0; i < rows; ++i) {
- for (Index j = 0; j < cols; ++j) {
- res[i] += lhs(i, j) * rhs(j, 0);
- }
- }
-}
-
-} // namespace internal
-} // namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_MATVECPRODUCT_H_
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/PacketMathAVX2.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/PacketMathAVX2.h
deleted file mode 100644
index 223ea4d..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/PacketMathAVX2.h
+++ /dev/null
@@ -1,506 +0,0 @@
-#ifndef CXX11_SRC_FIXEDPOINT_PACKETMATHAVX2_H_
-#define CXX11_SRC_FIXEDPOINT_PACKETMATHAVX2_H_
-#ifdef _MSC_VER
-
-#include <immintrin.h>
-#include <emmintrin.h>
-#include <smmintrin.h>
-
-#endif
-
-inline int _mm256_extract_epi16_N0(const __m256i X) {
- return _mm_extract_epi16(_mm256_extractf128_si256(X, 0 >> 3), 0 % 8);
-}
-
-inline int _mm256_extract_epi16_N1(const __m256i X) {
- return _mm_extract_epi16(_mm256_extractf128_si256(X, 1 >> 3), 1 % 8);
-}
-
-inline int _mm256_extract_epi8_N0(const __m256i X) {
- return _mm_extract_epi8(_mm256_extractf128_si256((X), 0 >> 4), 0 % 16);
-}
-
-inline int _mm256_extract_epi8_N1(const __m256i X) {
- return _mm_extract_epi8(_mm256_extractf128_si256((X), 1 >> 4), 1 % 16);
-}
-
-namespace Eigen {
-namespace internal {
-
-typedef struct Packet32q8i {
- __m256i val;
- operator __m256i() const { return val; }
- Packet32q8i() : val(_mm256_setzero_si256()){};
- Packet32q8i(__m256i val) : val(val) {}
-} Packet32q8i;
-
-typedef struct Packet16q16i {
- __m256i val;
- operator __m256i() const { return val; }
- Packet16q16i() : val(_mm256_setzero_si256()){};
- Packet16q16i(__m256i val) : val(val) {}
-} Packet16q16i;
-
-typedef struct Packet32q8u {
- __m256i val;
- operator __m256i() const { return val; }
- Packet32q8u() : val(_mm256_setzero_si256()){};
- Packet32q8u(__m256i val) : val(val) {}
-} Packet32q8u;
-
-typedef struct Packet16q8i {
- __m128i val;
- operator __m128i() const { return val; }
- Packet16q8i() : val(_mm_setzero_si128()) {}
- Packet16q8i(__m128i val) : val(val) {}
-} Packet16q8i;
-
-typedef struct Packet16q8u {
- __m128i val;
- operator __m128i() const { return val; }
- Packet16q8u() : val(_mm_setzero_si128()) {}
- Packet16q8u(__m128i val) : val(val) {}
-} Packet16q8u;
-
-typedef struct Packet8q16i {
- __m128i val;
- operator __m128i() const { return val; }
- Packet8q16i() : val(_mm_setzero_si128()) {}
- Packet8q16i(__m128i val) : val(val) {}
-} Packet8q16i;
-
-typedef struct Packet8q32i {
- __m256i val;
- operator __m256i() const { return val; }
- Packet8q32i() : val(_mm256_setzero_si256()){};
- Packet8q32i(__m256i val) : val(val) {}
-} Packet8q32i;
-
-typedef struct Packet4q32i {
- __m128i val;
- operator __m128i() const { return val; }
- Packet4q32i() : val(_mm_setzero_si128()) {}
- Packet4q32i(__m128i val) : val(val) {}
-} Packet4q32i;
-
-#ifndef EIGEN_VECTORIZE_AVX512
-template <>
-struct packet_traits<QInt8> : default_packet_traits {
- typedef Packet32q8i type;
- typedef Packet16q8i half;
- enum {
- Vectorizable = 1,
- AlignedOnScalar = 1,
- size = 32,
- };
- enum {
- HasAdd = 0,
- HasSub = 0,
- HasMul = 0,
- HasNegate = 0,
- HasAbs = 0,
- HasAbs2 = 0,
- HasMin = 1,
- HasMax = 1,
- HasConj = 0,
- HasSetLinear = 0
- };
-};
-template <>
-struct packet_traits<QUInt8> : default_packet_traits {
- typedef Packet32q8u type;
- typedef Packet16q8u half;
- enum {
- Vectorizable = 1,
- AlignedOnScalar = 1,
- size = 32,
- };
- enum {
- HasAdd = 0,
- HasSub = 0,
- HasMul = 0,
- HasNegate = 0,
- HasAbs = 0,
- HasAbs2 = 0,
- HasMin = 1,
- HasMax = 1,
- HasConj = 0,
- HasSetLinear = 0
- };
-};
-template <>
-struct packet_traits<QInt16> : default_packet_traits {
- typedef Packet16q16i type;
- typedef Packet8q16i half;
- enum {
- Vectorizable = 1,
- AlignedOnScalar = 1,
- size = 16,
- };
- enum {
- HasAdd = 0,
- HasSub = 0,
- HasMul = 0,
- HasNegate = 0,
- HasAbs = 0,
- HasAbs2 = 0,
- HasMin = 1,
- HasMax = 1,
- HasConj = 0,
- HasSetLinear = 0
- };
-};
-template <>
-struct packet_traits<QInt32> : default_packet_traits {
- typedef Packet8q32i type;
- typedef Packet4q32i half;
- enum {
- Vectorizable = 1,
- AlignedOnScalar = 1,
- size = 8,
- };
- enum {
- HasAdd = 1,
- HasSub = 1,
- HasMul = 1,
- HasNegate = 1,
- HasAbs = 0,
- HasAbs2 = 0,
- HasMin = 1,
- HasMax = 1,
- HasConj = 0,
- HasSetLinear = 0
- };
-};
-#endif
-
-template <>
-struct unpacket_traits<Packet32q8i> {
- typedef QInt8 type;
- typedef Packet16q8i half;
- enum { size = 32, alignment = Aligned32 };
-};
-template <>
-struct unpacket_traits<Packet16q16i> {
- typedef QInt16 type;
- typedef Packet8q16i half;
- enum { size = 16, alignment = Aligned32 };
-};
-template <>
-struct unpacket_traits<Packet32q8u> {
- typedef QUInt8 type;
- typedef Packet16q8u half;
- enum { size = 32, alignment = Aligned32 };
-};
-template <>
-struct unpacket_traits<Packet8q32i> {
- typedef QInt32 type;
- typedef Packet4q32i half;
- enum { size = 8, alignment = Aligned32 };
-};
-
-// Unaligned load
-template <>
-EIGEN_STRONG_INLINE Packet32q8i ploadu<Packet32q8i>(const QInt8* from) {
- EIGEN_DEBUG_UNALIGNED_LOAD return _mm256_loadu_si256(
- reinterpret_cast<const __m256i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q8u ploadu<Packet32q8u>(const QUInt8* from) {
- EIGEN_DEBUG_UNALIGNED_LOAD return _mm256_loadu_si256(
- reinterpret_cast<const __m256i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q16i ploadu<Packet16q16i>(const QInt16* from) {
- EIGEN_DEBUG_UNALIGNED_LOAD return _mm256_loadu_si256(
- reinterpret_cast<const __m256i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet8q32i ploadu<Packet8q32i>(const QInt32* from) {
- EIGEN_DEBUG_UNALIGNED_LOAD return _mm256_loadu_si256(
- reinterpret_cast<const __m256i*>(from));
-}
-
-// Aligned load
-template <>
-EIGEN_STRONG_INLINE Packet32q8i pload<Packet32q8i>(const QInt8* from) {
- EIGEN_DEBUG_ALIGNED_LOAD return _mm256_load_si256(
- reinterpret_cast<const __m256i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q8u pload<Packet32q8u>(const QUInt8* from) {
- EIGEN_DEBUG_ALIGNED_LOAD return _mm256_load_si256(
- reinterpret_cast<const __m256i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q16i pload<Packet16q16i>(const QInt16* from) {
- EIGEN_DEBUG_ALIGNED_LOAD return _mm256_load_si256(
- reinterpret_cast<const __m256i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet8q32i pload<Packet8q32i>(const QInt32* from) {
- EIGEN_DEBUG_ALIGNED_LOAD return _mm256_load_si256(
- reinterpret_cast<const __m256i*>(from));
-}
-
-// Unaligned store
-template <>
-EIGEN_STRONG_INLINE void pstoreu<QInt8>(QInt8* to, const Packet32q8i& from) {
- EIGEN_DEBUG_UNALIGNED_STORE _mm256_storeu_si256(
- reinterpret_cast<__m256i*>(to), from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstoreu<QUInt8>(QUInt8* to, const Packet32q8u& from) {
- EIGEN_DEBUG_UNALIGNED_STORE _mm256_storeu_si256(
- reinterpret_cast<__m256i*>(to), from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstoreu<QInt16>(QInt16* to, const Packet16q16i& from) {
- EIGEN_DEBUG_UNALIGNED_STORE _mm256_storeu_si256(
- reinterpret_cast<__m256i*>(to), from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstoreu<QInt32>(QInt32* to, const Packet8q32i& from) {
- EIGEN_DEBUG_UNALIGNED_STORE _mm256_storeu_si256(
- reinterpret_cast<__m256i*>(to), from.val);
-}
-
-// Aligned store
-template <>
-EIGEN_STRONG_INLINE void pstore<QInt32>(QInt32* to, const Packet8q32i& from) {
- EIGEN_DEBUG_ALIGNED_STORE _mm256_store_si256(reinterpret_cast<__m256i*>(to),
- from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstore<QInt16>(QInt16* to, const Packet16q16i& from) {
- EIGEN_DEBUG_ALIGNED_STORE _mm256_store_si256(reinterpret_cast<__m256i*>(to),
- from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstore<QUInt8>(QUInt8* to, const Packet32q8u& from) {
- EIGEN_DEBUG_ALIGNED_STORE _mm256_store_si256(reinterpret_cast<__m256i*>(to),
- from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstore<QInt8>(QInt8* to, const Packet32q8i& from) {
- EIGEN_DEBUG_ALIGNED_STORE _mm256_store_si256(reinterpret_cast<__m256i*>(to),
- from.val);
-}
-
-// Extract first element.
-template <>
-EIGEN_STRONG_INLINE QInt32 pfirst<Packet8q32i>(const Packet8q32i& a) {
- return _mm_cvtsi128_si32(_mm256_castsi256_si128(a));
-}
-template <>
-EIGEN_STRONG_INLINE QInt16 pfirst<Packet16q16i>(const Packet16q16i& a) {
- return _mm256_extract_epi16_N0(a.val);
-}
-template <>
-EIGEN_STRONG_INLINE QUInt8 pfirst<Packet32q8u>(const Packet32q8u& a) {
- return static_cast<uint8_t>(_mm256_extract_epi8_N0(a.val));
-}
-template <>
-EIGEN_STRONG_INLINE QInt8 pfirst<Packet32q8i>(const Packet32q8i& a) {
- return _mm256_extract_epi8_N0(a.val);
-}
-
-// Initialize to constant value.
-template <>
-EIGEN_STRONG_INLINE Packet32q8i pset1<Packet32q8i>(const QInt8& from) {
- return _mm256_set1_epi8(from.value);
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q8u pset1<Packet32q8u>(const QUInt8& from) {
- return _mm256_set1_epi8(static_cast<uint8_t>(from.value));
-}
-template <>
-EIGEN_STRONG_INLINE Packet8q32i pset1<Packet8q32i>(const QInt32& from) {
- return _mm256_set1_epi32(from.value);
-}
-
-// Basic arithmetic packet ops for QInt32.
-template <>
-EIGEN_STRONG_INLINE Packet8q32i padd<Packet8q32i>(const Packet8q32i& a,
- const Packet8q32i& b) {
- return _mm256_add_epi32(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q16i pset1<Packet16q16i>(const QInt16& from) {
- return _mm256_set1_epi16(from.value);
-}
-template <>
-EIGEN_STRONG_INLINE Packet8q32i psub<Packet8q32i>(const Packet8q32i& a,
- const Packet8q32i& b) {
- return _mm256_sub_epi32(a.val, b.val);
-}
-// Note: mullo truncates the result to 32 bits.
-template <>
-EIGEN_STRONG_INLINE Packet8q32i pmul<Packet8q32i>(const Packet8q32i& a,
- const Packet8q32i& b) {
- return _mm256_mullo_epi32(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet8q32i pnegate<Packet8q32i>(const Packet8q32i& a) {
- return _mm256_sub_epi32(_mm256_setzero_si256(), a.val);
-}
-
-// Min and max.
-template <>
-EIGEN_STRONG_INLINE Packet8q32i pmin<Packet8q32i>(const Packet8q32i& a,
- const Packet8q32i& b) {
- return _mm256_min_epi32(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet8q32i pmax<Packet8q32i>(const Packet8q32i& a,
- const Packet8q32i& b) {
- return _mm256_max_epi32(a.val, b.val);
-}
-
-template <>
-EIGEN_STRONG_INLINE Packet16q16i pmin<Packet16q16i>(const Packet16q16i& a,
- const Packet16q16i& b) {
- return _mm256_min_epi16(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q16i pmax<Packet16q16i>(const Packet16q16i& a,
- const Packet16q16i& b) {
- return _mm256_max_epi16(a.val, b.val);
-}
-
-template <>
-EIGEN_STRONG_INLINE Packet32q8u pmin<Packet32q8u>(const Packet32q8u& a,
- const Packet32q8u& b) {
- return _mm256_min_epu8(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q8u pmax<Packet32q8u>(const Packet32q8u& a,
- const Packet32q8u& b) {
- return _mm256_max_epu8(a.val, b.val);
-}
-
-template <>
-EIGEN_STRONG_INLINE Packet32q8i pmin<Packet32q8i>(const Packet32q8i& a,
- const Packet32q8i& b) {
- return _mm256_min_epi8(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q8i pmax<Packet32q8i>(const Packet32q8i& a,
- const Packet32q8i& b) {
- return _mm256_max_epi8(a.val, b.val);
-}
-
-// Reductions.
-template <>
-EIGEN_STRONG_INLINE QInt32 predux_min<Packet8q32i>(const Packet8q32i& a) {
- __m256i tmp = _mm256_min_epi32(a, _mm256_permute2f128_si256(a, a, 1));
- tmp =
- _mm256_min_epi32(tmp, _mm256_shuffle_epi32(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- return pfirst<Packet8q32i>(
- _mm256_min_epi32(tmp, _mm256_shuffle_epi32(tmp, 1)));
-}
-template <>
-EIGEN_STRONG_INLINE QInt32 predux_max<Packet8q32i>(const Packet8q32i& a) {
- __m256i tmp = _mm256_max_epi32(a, _mm256_permute2f128_si256(a, a, 1));
- tmp =
- _mm256_max_epi32(tmp, _mm256_shuffle_epi32(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- return pfirst<Packet8q32i>(
- _mm256_max_epi32(tmp, _mm256_shuffle_epi32(tmp, 1)));
-}
-
-template <>
-EIGEN_STRONG_INLINE QInt16 predux_min<Packet16q16i>(const Packet16q16i& a) {
- __m256i tmp = _mm256_min_epi16(a, _mm256_permute2f128_si256(a, a, 1));
- tmp =
- _mm256_min_epi16(tmp, _mm256_shuffle_epi32(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- tmp = _mm256_min_epi16(tmp, _mm256_shuffle_epi32(tmp, 1));
- return std::min(_mm256_extract_epi16_N0(tmp), _mm256_extract_epi16_N1(tmp));
-}
-template <>
-EIGEN_STRONG_INLINE QInt16 predux_max<Packet16q16i>(const Packet16q16i& a) {
- __m256i tmp = _mm256_max_epi16(a, _mm256_permute2f128_si256(a, a, 1));
- tmp =
- _mm256_max_epi16(tmp, _mm256_shuffle_epi32(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- tmp = _mm256_max_epi16(tmp, _mm256_shuffle_epi32(tmp, 1));
- return std::max(_mm256_extract_epi16_N0(tmp), _mm256_extract_epi16_N1(tmp));
-}
-
-template <>
-EIGEN_STRONG_INLINE QUInt8 predux_min<Packet32q8u>(const Packet32q8u& a) {
- __m256i tmp = _mm256_min_epu8(a, _mm256_permute2f128_si256(a, a, 1));
- tmp =
- _mm256_min_epu8(tmp, _mm256_shuffle_epi32(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- tmp = _mm256_min_epu8(tmp, _mm256_shuffle_epi32(tmp, 1));
- tmp = _mm256_min_epu8(tmp,
- _mm256_shufflelo_epi16(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- return std::min(static_cast<uint8_t>(_mm256_extract_epi8_N0(tmp)),
- static_cast<uint8_t>(_mm256_extract_epi8_N1(tmp)));
-}
-template <>
-EIGEN_STRONG_INLINE QUInt8 predux_max<Packet32q8u>(const Packet32q8u& a) {
- __m256i tmp = _mm256_max_epu8(a, _mm256_permute2f128_si256(a, a, 1));
- tmp =
- _mm256_max_epu8(tmp, _mm256_shuffle_epi32(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- tmp = _mm256_max_epu8(tmp, _mm256_shuffle_epi32(tmp, 1));
- tmp = _mm256_max_epu8(tmp,
- _mm256_shufflelo_epi16(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- return std::max(static_cast<uint8_t>(_mm256_extract_epi8_N0(tmp)),
- static_cast<uint8_t>(_mm256_extract_epi8_N1(tmp)));
-}
-
-template <>
-EIGEN_STRONG_INLINE QInt8 predux_min<Packet32q8i>(const Packet32q8i& a) {
- __m256i tmp = _mm256_min_epi8(a, _mm256_permute2f128_si256(a, a, 1));
- tmp =
- _mm256_min_epi8(tmp, _mm256_shuffle_epi32(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- tmp = _mm256_min_epi8(tmp, _mm256_shuffle_epi32(tmp, 1));
- tmp = _mm256_min_epi8(tmp,
- _mm256_shufflelo_epi16(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- return std::min(_mm256_extract_epi8_N0(tmp), _mm256_extract_epi8_N1(tmp));
-}
-template <>
-EIGEN_STRONG_INLINE QInt8 predux_max<Packet32q8i>(const Packet32q8i& a) {
- __m256i tmp = _mm256_max_epi8(a, _mm256_permute2f128_si256(a, a, 1));
- tmp =
- _mm256_max_epi8(tmp, _mm256_shuffle_epi32(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- tmp = _mm256_max_epi8(tmp, _mm256_shuffle_epi32(tmp, 1));
- tmp = _mm256_max_epi8(tmp,
- _mm256_shufflelo_epi16(tmp, _MM_SHUFFLE(1, 0, 3, 2)));
- return std::max(_mm256_extract_epi8_N0(tmp), _mm256_extract_epi8_N1(tmp));
-}
-
-// Vectorized scaling of Packet32q8i by float.
-template <>
-struct scalar_product_op<QInt32, double> : binary_op_base<QInt32, double> {
- typedef typename ScalarBinaryOpTraits<QInt32, double>::ReturnType result_type;
-#ifndef EIGEN_SCALAR_BINARY_OP_PLUGIN
- EIGEN_EMPTY_STRUCT_CTOR(scalar_product_op)
-#else
- scalar_product_op() { EIGEN_SCALAR_BINARY_OP_PLUGIN }
-#endif
- EIGEN_DEVICE_FUNC EIGEN_STRONG_INLINE result_type
- operator()(const QInt32& a, const double& b) const {
- return a * b;
- }
-
- EIGEN_STRONG_INLINE const Packet8q32i packetOp(const Packet8q32i& a,
- const double& b) const {
- __m256d scale = _mm256_set1_pd(b);
- __m256d a_lo = _mm256_cvtepi32_pd(_mm256_castsi256_si128(a));
- __m128i result_lo = _mm256_cvtpd_epi32(_mm256_mul_pd(scale, a_lo));
- __m256d a_hi = _mm256_cvtepi32_pd(_mm256_extracti128_si256(a, 1));
- __m128i result_hi = _mm256_cvtpd_epi32(_mm256_mul_pd(scale, a_hi));
- return _mm256_insertf128_si256(_mm256_castsi128_si256(result_lo), result_hi,
- 1);
- }
-};
-
-template <>
-struct functor_traits<scalar_product_op<QInt32, double>> {
- enum { Cost = 4 * NumTraits<float>::MulCost, PacketAccess = true };
-};
-
-} // end namespace internal
-} // end namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_PACKETMATHAVX2_H_
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/PacketMathAVX512.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/PacketMathAVX512.h
deleted file mode 100644
index 84750c1..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/PacketMathAVX512.h
+++ /dev/null
@@ -1,519 +0,0 @@
-#ifndef CXX11_SRC_FIXEDPOINT_PACKETMATHAVX512_H_
-#define CXX11_SRC_FIXEDPOINT_PACKETMATHAVX512_H_
-
-#include "PacketMathAVX2.h"
-
-namespace Eigen {
-namespace internal {
-
-typedef struct Packet64q8i {
- __m512i val;
- operator __m512i() const { return val; }
- Packet64q8i();
- Packet64q8i(__m512i val) : val(val) {}
-} Packet64q8i;
-
-typedef struct Packet32q16i {
- __m512i val;
- operator __m512i() const { return val; }
- Packet32q16i();
- Packet32q16i(__m512i val) : val(val) {}
-} Packet32q16i;
-
-typedef struct Packet64q8u {
- __m512i val;
- operator __m512i() const { return val; }
- Packet64q8u();
- Packet64q8u(__m512i val) : val(val) {}
-} Packet64q8u;
-
-typedef struct Packet16q32i {
- __m512i val;
- operator __m512i() const { return val; }
- Packet16q32i();
- Packet16q32i(__m512i val) : val(val) {}
-} Packet16q32i;
-
-template <>
-struct packet_traits<QInt8> : default_packet_traits {
- typedef Packet64q8i type;
- typedef Packet32q8i half;
- enum {
- Vectorizable = 1,
- AlignedOnScalar = 1,
- size = 64,
- };
- enum {
- HasAdd = 0,
- HasSub = 0,
- HasMul = 0,
- HasNegate = 0,
- HasAbs = 0,
- HasAbs2 = 0,
- HasMin = 1,
- HasMax = 1,
- HasConj = 0,
- HasSetLinear = 0
- };
-};
-template <>
-struct packet_traits<QUInt8> : default_packet_traits {
- typedef Packet64q8u type;
- typedef Packet32q8u half;
- enum {
- Vectorizable = 1,
- AlignedOnScalar = 1,
- size = 64,
- };
- enum {
- HasAdd = 0,
- HasSub = 0,
- HasMul = 0,
- HasNegate = 0,
- HasAbs = 0,
- HasAbs2 = 0,
- HasMin = 1,
- HasMax = 1,
- HasConj = 0,
- HasSetLinear = 0
- };
-};
-template <>
-struct packet_traits<QInt16> : default_packet_traits {
- typedef Packet32q16i type;
- typedef Packet16q16i half;
- enum {
- Vectorizable = 1,
- AlignedOnScalar = 1,
- size = 32,
- };
- enum {
- HasAdd = 0,
- HasSub = 0,
- HasMul = 0,
- HasNegate = 0,
- HasAbs = 0,
- HasAbs2 = 0,
- HasMin = 1,
- HasMax = 1,
- HasConj = 0,
- HasSetLinear = 0
- };
-};
-template <>
-struct packet_traits<QInt32> : default_packet_traits {
- typedef Packet16q32i type;
- typedef Packet8q32i half;
- enum {
- Vectorizable = 1,
- AlignedOnScalar = 1,
- size = 16,
- };
- enum {
- HasAdd = 1,
- HasSub = 1,
- HasMul = 1,
- HasNegate = 1,
- HasAbs = 0,
- HasAbs2 = 0,
- HasMin = 1,
- HasMax = 1,
- HasConj = 0,
- HasSetLinear = 0
- };
-};
-
-template <>
-struct unpacket_traits<Packet64q8i> {
- typedef QInt8 type;
- typedef Packet32q8i half;
- enum { size = 64, alignment = Aligned64 };
-};
-template <>
-struct unpacket_traits<Packet32q16i> {
- typedef QInt16 type;
- typedef Packet16q16i half;
- enum { size = 32, alignment = Aligned64 };
-};
-template <>
-struct unpacket_traits<Packet64q8u> {
- typedef QUInt8 type;
- typedef Packet32q8u half;
- enum { size = 64, alignment = Aligned64 };
-};
-template <>
-struct unpacket_traits<Packet16q32i> {
- typedef QInt32 type;
- typedef Packet8q32i half;
- enum { size = 16, alignment = Aligned64 };
-};
-
-// Unaligned load
-template <>
-EIGEN_STRONG_INLINE Packet64q8i ploadu<Packet64q8i>(const QInt8* from) {
- EIGEN_DEBUG_UNALIGNED_LOAD return _mm512_loadu_si512(
- reinterpret_cast<const __m512i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q16i ploadu<Packet32q16i>(const QInt16* from) {
- EIGEN_DEBUG_UNALIGNED_LOAD return _mm512_loadu_si512(
- reinterpret_cast<const __m512i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet64q8u ploadu<Packet64q8u>(const QUInt8* from) {
- EIGEN_DEBUG_UNALIGNED_LOAD return _mm512_loadu_si512(
- reinterpret_cast<const __m512i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q32i ploadu<Packet16q32i>(const QInt32* from) {
- EIGEN_DEBUG_UNALIGNED_LOAD return _mm512_loadu_si512(
- reinterpret_cast<const __m512i*>(from));
-}
-
-// Aligned load
-template <>
-EIGEN_STRONG_INLINE Packet64q8i pload<Packet64q8i>(const QInt8* from) {
- EIGEN_DEBUG_ALIGNED_LOAD return _mm512_load_si512(
- reinterpret_cast<const __m512i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q16i pload<Packet32q16i>(const QInt16* from) {
- EIGEN_DEBUG_ALIGNED_LOAD return _mm512_load_si512(
- reinterpret_cast<const __m512i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet64q8u pload<Packet64q8u>(const QUInt8* from) {
- EIGEN_DEBUG_ALIGNED_LOAD return _mm512_load_si512(
- reinterpret_cast<const __m512i*>(from));
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q32i pload<Packet16q32i>(const QInt32* from) {
- EIGEN_DEBUG_ALIGNED_LOAD return _mm512_load_si512(
- reinterpret_cast<const __m512i*>(from));
-}
-
-// Unaligned store
-template <>
-EIGEN_STRONG_INLINE void pstoreu<QInt8>(QInt8* to, const Packet64q8i& from) {
- EIGEN_DEBUG_UNALIGNED_STORE _mm512_storeu_si512(
- reinterpret_cast<__m512i*>(to), from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstoreu<QInt16>(QInt16* to, const Packet32q16i& from) {
- EIGEN_DEBUG_UNALIGNED_STORE _mm512_storeu_si512(
- reinterpret_cast<__m512i*>(to), from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstoreu<QUInt8>(QUInt8* to, const Packet64q8u& from) {
- EIGEN_DEBUG_UNALIGNED_STORE _mm512_storeu_si512(
- reinterpret_cast<__m512i*>(to), from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstoreu<QInt32>(QInt32* to, const Packet16q32i& from) {
- EIGEN_DEBUG_UNALIGNED_STORE _mm512_storeu_si512(
- reinterpret_cast<__m512i*>(to), from.val);
-}
-
-// Aligned store
-template <>
-EIGEN_STRONG_INLINE void pstore<QInt32>(QInt32* to, const Packet16q32i& from) {
- EIGEN_DEBUG_ALIGNED_STORE _mm512_store_si512(reinterpret_cast<__m512i*>(to),
- from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstore<QUInt8>(QUInt8* to, const Packet64q8u& from) {
- EIGEN_DEBUG_ALIGNED_STORE _mm512_store_si512(reinterpret_cast<__m512i*>(to),
- from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstore<QInt8>(QInt8* to, const Packet64q8i& from) {
- EIGEN_DEBUG_ALIGNED_STORE _mm512_store_si512(reinterpret_cast<__m512i*>(to),
- from.val);
-}
-template <>
-EIGEN_STRONG_INLINE void pstore<QInt16>(QInt16* to, const Packet32q16i& from) {
- EIGEN_DEBUG_ALIGNED_STORE _mm512_store_si512(reinterpret_cast<__m512i*>(to),
- from.val);
-}
-
-// Extract first element.
-template <>
-EIGEN_STRONG_INLINE QInt32 pfirst<Packet16q32i>(const Packet16q32i& a) {
- return _mm_cvtsi128_si32(_mm512_extracti32x4_epi32(a, 0));
-}
-template <>
-EIGEN_STRONG_INLINE QUInt8 pfirst<Packet64q8u>(const Packet64q8u& a) {
- return static_cast<uint8_t>(
- _mm_extract_epi8(_mm512_extracti32x4_epi32(a.val, 0), 0));
-}
-template <>
-EIGEN_STRONG_INLINE QInt8 pfirst<Packet64q8i>(const Packet64q8i& a) {
- return _mm_extract_epi8(_mm512_extracti32x4_epi32(a.val, 0), 0);
-}
-template <>
-EIGEN_STRONG_INLINE QInt16 pfirst<Packet32q16i>(const Packet32q16i& a) {
- return _mm_extract_epi16(_mm512_extracti32x4_epi32(a.val, 0), 0);
-}
-
-// Initialize to constant value.
-template <>
-EIGEN_STRONG_INLINE Packet64q8i pset1<Packet64q8i>(const QInt8& from) {
- return _mm512_set1_epi8(from.value);
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q16i pset1<Packet32q16i>(const QInt16& from) {
- return _mm512_set1_epi16(from.value);
-}
-template <>
-EIGEN_STRONG_INLINE Packet64q8u pset1<Packet64q8u>(const QUInt8& from) {
- return _mm512_set1_epi8(static_cast<uint8_t>(from.value));
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q32i pset1<Packet16q32i>(const QInt32& from) {
- return _mm512_set1_epi32(from.value);
-}
-
-// Basic arithmetic packet ops for QInt32.
-template <>
-EIGEN_STRONG_INLINE Packet16q32i padd<Packet16q32i>(const Packet16q32i& a,
- const Packet16q32i& b) {
- return _mm512_add_epi32(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q32i psub<Packet16q32i>(const Packet16q32i& a,
- const Packet16q32i& b) {
- return _mm512_sub_epi32(a.val, b.val);
-}
-// Note: mullo truncates the result to 32 bits.
-template <>
-EIGEN_STRONG_INLINE Packet16q32i pmul<Packet16q32i>(const Packet16q32i& a,
- const Packet16q32i& b) {
- return _mm512_mullo_epi32(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q32i pnegate<Packet16q32i>(const Packet16q32i& a) {
- return _mm512_sub_epi32(_mm512_setzero_si512(), a.val);
-}
-
-// Min and max.
-template <>
-EIGEN_STRONG_INLINE Packet16q32i pmin<Packet16q32i>(const Packet16q32i& a,
- const Packet16q32i& b) {
- return _mm512_min_epi32(a.val, b.val);
-}
-template <>
-EIGEN_STRONG_INLINE Packet16q32i pmax<Packet16q32i>(const Packet16q32i& a,
- const Packet16q32i& b) {
- return _mm512_max_epi32(a.val, b.val);
-}
-
-template <>
-EIGEN_STRONG_INLINE Packet64q8u pmin<Packet64q8u>(const Packet64q8u& a,
- const Packet64q8u& b) {
-#ifdef EIGEN_VECTORIZE_AVX512BW
- return _mm512_min_epu8(a.val, b.val);
-#else
- __m256i ap0 = _mm512_extracti32x8_epi32(a.val, 0);
- __m256i ap1 = _mm512_extracti32x8_epi32(a.val, 1);
- __m256i bp0 = _mm512_extracti32x8_epi32(b.val, 0);
- __m256i bp1 = _mm512_extracti32x8_epi32(b.val, 1);
- __m256i r0 = _mm256_min_epu8(ap0, bp0);
- __m256i r1 = _mm256_min_epu8(ap1, bp1);
- return _mm512_inserti32x8(_mm512_castsi256_si512(r0), r1, 1);
-#endif
-}
-template <>
-EIGEN_STRONG_INLINE Packet64q8u pmax<Packet64q8u>(const Packet64q8u& a,
- const Packet64q8u& b) {
-#ifdef EIGEN_VECTORIZE_AVX512BW
- return _mm512_max_epu8(a.val, b.val);
-#else
- __m256i ap0 = _mm512_extracti32x8_epi32(a.val, 0);
- __m256i ap1 = _mm512_extracti32x8_epi32(a.val, 1);
- __m256i bp0 = _mm512_extracti32x8_epi32(b.val, 0);
- __m256i bp1 = _mm512_extracti32x8_epi32(b.val, 1);
- __m256i r0 = _mm256_max_epu8(ap0, bp0);
- __m256i r1 = _mm256_max_epu8(ap1, bp1);
- return _mm512_inserti32x8(_mm512_castsi256_si512(r0), r1, 1);
-#endif
-}
-
-template <>
-EIGEN_STRONG_INLINE Packet64q8i pmin<Packet64q8i>(const Packet64q8i& a,
- const Packet64q8i& b) {
-#ifdef EIGEN_VECTORIZE_AVX512BW
- return _mm512_min_epi8(a.val, b.val);
-#else
- __m256i ap0 = _mm512_extracti32x8_epi32(a.val, 0);
- __m256i ap1 = _mm512_extracti32x8_epi32(a.val, 1);
- __m256i bp0 = _mm512_extracti32x8_epi32(b.val, 0);
- __m256i bp1 = _mm512_extracti32x8_epi32(b.val, 1);
- __m256i r0 = _mm256_min_epi8(ap0, bp0);
- __m256i r1 = _mm256_min_epi8(ap1, bp1);
- return _mm512_inserti32x8(_mm512_castsi256_si512(r0), r1, 1);
-#endif
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q16i pmin<Packet32q16i>(const Packet32q16i& a,
- const Packet32q16i& b) {
-#ifdef EIGEN_VECTORIZE_AVX512BW
- return _mm512_min_epi16(a.val, b.val);
-#else
- __m256i ap0 = _mm512_extracti32x8_epi32(a.val, 0);
- __m256i ap1 = _mm512_extracti32x8_epi32(a.val, 1);
- __m256i bp0 = _mm512_extracti32x8_epi32(b.val, 0);
- __m256i bp1 = _mm512_extracti32x8_epi32(b.val, 1);
- __m256i r0 = _mm256_min_epi16(ap0, bp0);
- __m256i r1 = _mm256_min_epi16(ap1, bp1);
- return _mm512_inserti32x8(_mm512_castsi256_si512(r0), r1, 1);
-#endif
-}
-template <>
-EIGEN_STRONG_INLINE Packet64q8i pmax<Packet64q8i>(const Packet64q8i& a,
- const Packet64q8i& b) {
-#ifdef EIGEN_VECTORIZE_AVX512BW
- return _mm512_max_epi8(a.val, b.val);
-#else
- __m256i ap0 = _mm512_extracti32x8_epi32(a.val, 0);
- __m256i ap1 = _mm512_extracti32x8_epi32(a.val, 1);
- __m256i bp0 = _mm512_extracti32x8_epi32(b.val, 0);
- __m256i bp1 = _mm512_extracti32x8_epi32(b.val, 1);
- __m256i r0 = _mm256_max_epi8(ap0, bp0);
- __m256i r1 = _mm256_max_epi8(ap1, bp1);
- return _mm512_inserti32x8(_mm512_castsi256_si512(r0), r1, 1);
-#endif
-}
-template <>
-EIGEN_STRONG_INLINE Packet32q16i pmax<Packet32q16i>(const Packet32q16i& a,
- const Packet32q16i& b) {
-#ifdef EIGEN_VECTORIZE_AVX512BW
- return _mm512_max_epi16(a.val, b.val);
-#else
- __m256i ap0 = _mm512_extracti32x8_epi32(a.val, 0);
- __m256i ap1 = _mm512_extracti32x8_epi32(a.val, 1);
- __m256i bp0 = _mm512_extracti32x8_epi32(b.val, 0);
- __m256i bp1 = _mm512_extracti32x8_epi32(b.val, 1);
- __m256i r0 = _mm256_max_epi16(ap0, bp0);
- __m256i r1 = _mm256_max_epi16(ap1, bp1);
- return _mm512_inserti32x8(_mm512_castsi256_si512(r0), r1, 1);
-#endif
-}
-
-// Reductions.
-template <>
-EIGEN_STRONG_INLINE QInt32 predux_min<Packet16q32i>(const Packet16q32i& a) {
- Packet4i lane0 = _mm512_extracti32x4_epi32(a.val, 0);
- Packet4i lane1 = _mm512_extracti32x4_epi32(a.val, 1);
- Packet4i lane2 = _mm512_extracti32x4_epi32(a.val, 2);
- Packet4i lane3 = _mm512_extracti32x4_epi32(a.val, 3);
- Packet4i res =
- _mm_min_epi32(_mm_min_epi32(lane0, lane1), _mm_min_epi32(lane2, lane3));
- res = _mm_min_epi32(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 3, 2)));
- return pfirst(
- _mm_min_epi32(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 0, 1))));
-}
-template <>
-EIGEN_STRONG_INLINE QInt32 predux_max<Packet16q32i>(const Packet16q32i& a) {
- Packet4i lane0 = _mm512_extracti32x4_epi32(a.val, 0);
- Packet4i lane1 = _mm512_extracti32x4_epi32(a.val, 1);
- Packet4i lane2 = _mm512_extracti32x4_epi32(a.val, 2);
- Packet4i lane3 = _mm512_extracti32x4_epi32(a.val, 3);
- Packet4i res =
- _mm_max_epi32(_mm_max_epi32(lane0, lane1), _mm_max_epi32(lane2, lane3));
- res = _mm_max_epi32(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 3, 2)));
- return pfirst(
- _mm_max_epi32(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 0, 1))));
-}
-template <>
-EIGEN_STRONG_INLINE QInt16 predux_min<Packet32q16i>(const Packet32q16i& a) {
- Packet4i lane0 = _mm512_extracti32x4_epi32(a.val, 0);
- Packet4i lane1 = _mm512_extracti32x4_epi32(a.val, 1);
- Packet4i lane2 = _mm512_extracti32x4_epi32(a.val, 2);
- Packet4i lane3 = _mm512_extracti32x4_epi32(a.val, 3);
- Packet4i res =
- _mm_min_epi16(_mm_min_epi16(lane0, lane1), _mm_min_epi16(lane2, lane3));
- res = _mm_min_epi16(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 3, 2)));
- std::uint32_t w = pfirst(
- _mm_min_epi16(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 0, 1))));
- return std::min(
- {static_cast<std::int16_t>(w >> 16), static_cast<std::int16_t>(w)});
-}
-template <>
-EIGEN_STRONG_INLINE QInt16 predux_max<Packet32q16i>(const Packet32q16i& a) {
- Packet4i lane0 = _mm512_extracti32x4_epi32(a.val, 0);
- Packet4i lane1 = _mm512_extracti32x4_epi32(a.val, 1);
- Packet4i lane2 = _mm512_extracti32x4_epi32(a.val, 2);
- Packet4i lane3 = _mm512_extracti32x4_epi32(a.val, 3);
- Packet4i res =
- _mm_max_epi16(_mm_max_epi16(lane0, lane1), _mm_max_epi16(lane2, lane3));
- res = _mm_max_epi16(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 3, 2)));
- std::uint32_t w = pfirst(
- _mm_max_epi16(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 0, 1))));
- return std::max(
- {static_cast<std::int16_t>(w >> 16), static_cast<std::int16_t>(w)});
-}
-template <>
-EIGEN_STRONG_INLINE QUInt8 predux_min<Packet64q8u>(const Packet64q8u& a) {
- Packet4i lane0 = _mm512_extracti32x4_epi32(a.val, 0);
- Packet4i lane1 = _mm512_extracti32x4_epi32(a.val, 1);
- Packet4i lane2 = _mm512_extracti32x4_epi32(a.val, 2);
- Packet4i lane3 = _mm512_extracti32x4_epi32(a.val, 3);
- Packet4i res =
- _mm_min_epu8(_mm_min_epu8(lane0, lane1), _mm_min_epu8(lane2, lane3));
- res = _mm_min_epu8(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 3, 2)));
- std::uint32_t w = pfirst(
- _mm_min_epu8(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 0, 1))));
- return std::min(
- {static_cast<std::uint8_t>(w >> 24), static_cast<std::uint8_t>(w >> 16),
- static_cast<std::uint8_t>(w >> 8), static_cast<std::uint8_t>(w)});
-}
-template <>
-EIGEN_STRONG_INLINE QUInt8 predux_max<Packet64q8u>(const Packet64q8u& a) {
- Packet4i lane0 = _mm512_extracti32x4_epi32(a.val, 0);
- Packet4i lane1 = _mm512_extracti32x4_epi32(a.val, 1);
- Packet4i lane2 = _mm512_extracti32x4_epi32(a.val, 2);
- Packet4i lane3 = _mm512_extracti32x4_epi32(a.val, 3);
- Packet4i res =
- _mm_max_epu8(_mm_max_epu8(lane0, lane1), _mm_max_epu8(lane2, lane3));
- res = _mm_max_epu8(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 3, 2)));
- std::uint32_t w = pfirst(
- _mm_max_epu8(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 0, 1))));
- return std::max(
- {static_cast<std::uint8_t>(w >> 24), static_cast<std::uint8_t>(w >> 16),
- static_cast<std::uint8_t>(w >> 8), static_cast<std::uint8_t>(w)});
-}
-template <>
-EIGEN_STRONG_INLINE QInt8 predux_min<Packet64q8i>(const Packet64q8i& a) {
- Packet4i lane0 = _mm512_extracti32x4_epi32(a.val, 0);
- Packet4i lane1 = _mm512_extracti32x4_epi32(a.val, 1);
- Packet4i lane2 = _mm512_extracti32x4_epi32(a.val, 2);
- Packet4i lane3 = _mm512_extracti32x4_epi32(a.val, 3);
- Packet4i res =
- _mm_min_epi8(_mm_min_epi8(lane0, lane1), _mm_min_epi8(lane2, lane3));
- res = _mm_min_epi8(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 3, 2)));
- std::uint32_t w = pfirst(
- _mm_min_epi8(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 0, 1))));
- return std::min(
- {static_cast<std::int8_t>(w >> 24), static_cast<std::int8_t>(w >> 16),
- static_cast<std::int8_t>(w >> 8), static_cast<std::int8_t>(w)});
-}
-template <>
-EIGEN_STRONG_INLINE QInt8 predux_max<Packet64q8i>(const Packet64q8i& a) {
- Packet4i lane0 = _mm512_extracti32x4_epi32(a.val, 0);
- Packet4i lane1 = _mm512_extracti32x4_epi32(a.val, 1);
- Packet4i lane2 = _mm512_extracti32x4_epi32(a.val, 2);
- Packet4i lane3 = _mm512_extracti32x4_epi32(a.val, 3);
- Packet4i res =
- _mm_max_epi8(_mm_max_epi8(lane0, lane1), _mm_max_epi8(lane2, lane3));
- res = _mm_max_epi8(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 3, 2)));
- std::uint32_t w = pfirst(
- _mm_max_epi8(res, _mm_shuffle_epi32(res, _MM_SHUFFLE(0, 0, 0, 1))));
- return std::min(
- {static_cast<std::int8_t>(w >> 24), static_cast<std::int8_t>(w >> 16),
- static_cast<std::int8_t>(w >> 8), static_cast<std::int8_t>(w)});
-}
-
-} // end namespace internal
-} // end namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_PACKETMATHAVX512_H_
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/TypeCastingAVX2.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/TypeCastingAVX2.h
deleted file mode 100644
index 9561d6a..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/TypeCastingAVX2.h
+++ /dev/null
@@ -1,74 +0,0 @@
-#ifndef CXX11_SRC_FIXEDPOINT_TYPECASTINGAVX2_H_
-#define CXX11_SRC_FIXEDPOINT_TYPECASTINGAVX2_H_
-
-namespace Eigen {
-namespace internal {
-
-typedef __m256 Packet8f;
-
-template <>
-struct type_casting_traits<QInt32, float> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 1, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet8f pcast<Packet8q32i>(const Packet8q32i& a) {
- return _mm256_cvtepi32_ps(a.val);
-}
-
-template <>
-struct type_casting_traits<float, QInt32> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 1, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet8q32i pcast<Packet8f>(const Packet8f& a) {
- return _mm256_cvtps_epi32(a);
-}
-
-template <>
-struct type_casting_traits<QInt32, QInt8> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 4, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet32q8i
-pcast<Packet8q32i, Packet32q8i>(const Packet8q32i& a, const Packet8q32i& b,
- const Packet8q32i& c, const Packet8q32i& d) {
- __m256i converted = _mm256_packs_epi16(_mm256_packs_epi32(a.val, b.val),
- _mm256_packs_epi32(c.val, d.val));
- // Since packs does not cross 128 bit lane boundaries,
- // we have to permute to properly order the final result.
- const __m256i permute_mask = _mm256_set_epi32(7, 3, 6, 2, 5, 1, 4, 0);
- return _mm256_permutevar8x32_epi32(converted, permute_mask);
-}
-
-template <>
-struct type_casting_traits<QInt32, QUInt8> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 4, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet32q8u
-pcast<Packet8q32i, Packet32q8u>(const Packet8q32i& a, const Packet8q32i& b,
- const Packet8q32i& c, const Packet8q32i& d) {
- // _mm256_packus_epi32 trims negative numbers to 0 but we can't allow numbers
- // that are too large because _mm256_packus_epi16 expects signed input
- // (example of problem input: 0x11111111, which saturates to 0xffff = -1,
- // which saturates to 0).
- const __m256i a_clip = _mm256_min_epi32(a, _mm256_set1_epi32(255));
- const __m256i b_clip = _mm256_min_epi32(b, _mm256_set1_epi32(255));
- const __m256i c_clip = _mm256_min_epi32(c, _mm256_set1_epi32(255));
- const __m256i d_clip = _mm256_min_epi32(d, _mm256_set1_epi32(255));
- const __m256i converted = _mm256_packus_epi16(
- _mm256_packus_epi32(a_clip, b_clip), _mm256_packus_epi32(c_clip, d_clip));
- // Since packus does not cross 128 bit lane boundaries,
- // we have to permute to properly order the final result.
- const __m256i permute_mask = _mm256_set_epi32(7, 3, 6, 2, 5, 1, 4, 0);
- return _mm256_permutevar8x32_epi32(converted, permute_mask);
-}
-
-} // end namespace internal
-} // end namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_TYPECASTINGAVX2_H_
diff --git a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/TypeCastingAVX512.h b/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/TypeCastingAVX512.h
deleted file mode 100644
index d3b0240..0000000
--- a/third_party/eigen3/unsupported/Eigen/CXX11/src/FixedPoint/TypeCastingAVX512.h
+++ /dev/null
@@ -1,191 +0,0 @@
-#ifndef CXX11_SRC_FIXEDPOINT_TYPECASTINGAVX512_H_
-#define CXX11_SRC_FIXEDPOINT_TYPECASTINGAVX512_H_
-
-namespace Eigen {
-namespace internal {
-
-typedef __m512 Packet16f;
-typedef __m512i Packet16i;
-
-template <>
-struct type_casting_traits<QInt32, float> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 1, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet16f pcast<Packet16q32i>(const Packet16q32i& a) {
- return _mm512_cvtepi32_ps(a.val);
-}
-
-template <>
-struct type_casting_traits<float, QInt32> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 1, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet16q32i pcast<Packet16f>(const Packet16f& a) {
- return _mm512_cvtps_epi32(a);
-}
-
-template <>
-struct type_casting_traits<float, QInt16> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 2, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet32q16i pcast<Packet16f>(const Packet16f& a,
- const Packet16f& b) {
- Packet16i a_int = _mm512_cvtps_epi32(a);
- Packet16i b_int = _mm512_cvtps_epi32(b);
-#ifdef EIGEN_VECTORIZE_AVX512BW
- return _mm512_packs_epi32(a_int, b_int);
-#else
- Packet8i ab_int16_low = _mm256_permute4x64_epi64(
- _mm256_packs_epi32(_mm512_castsi512_si256(a_int),
- _mm512_castsi512_si256(b_int)),
- _MM_SHUFFLE(0, 2, 1, 3));
- Packet8i ab_int16_high = _mm256_permute4x64_epi64(
- _mm256_packs_epi32(_mm512_extracti32x8_epi32(a_int, 1),
- _mm512_extracti32x8_epi32(b_int, 1)),
- _MM_SHUFFLE(0, 2, 1, 3));
- return _mm512_inserti32x8(_mm512_castsi256_si512(ab_int16_low), ab_int16_high,
- 1);
-#endif
-}
-
-template <>
-struct type_casting_traits<float, QInt8> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 4, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet64q8i pcast<Packet16f>(const Packet16f& a,
- const Packet16f& b,
- const Packet16f& c,
- const Packet16f& d) {
- Packet16i a_int = _mm512_cvtps_epi32(a);
- Packet16i b_int = _mm512_cvtps_epi32(b);
- Packet16i c_int = _mm512_cvtps_epi32(c);
- Packet16i d_int = _mm512_cvtps_epi32(d);
-#ifdef EIGEN_VECTORIZE_AVX512BW
- return _mm512_packs_epi16(_mm512_packs_epi32(a_int, b_int),
- _mm512_packs_epi32(c_int, d_int));
-#else
- Packet8i ab_int16_low = _mm256_permute4x64_epi64(
- _mm256_packs_epi32(_mm512_castsi512_si256(a_int),
- _mm512_castsi512_si256(b_int)),
- _MM_SHUFFLE(0, 2, 1, 3));
- Packet8i cd_int16_low = _mm256_permute4x64_epi64(
- _mm256_packs_epi32(_mm512_castsi512_si256(c_int),
- _mm512_castsi512_si256(d_int)),
- _MM_SHUFFLE(0, 2, 1, 3));
- Packet8i ab_int16_high = _mm256_permute4x64_epi64(
- _mm256_packs_epi32(_mm512_extracti32x8_epi32(a_int, 1),
- _mm512_extracti32x8_epi32(b_int, 1)),
- _MM_SHUFFLE(0, 2, 1, 3));
- Packet8i cd_int16_high = _mm256_permute4x64_epi64(
- _mm256_packs_epi32(_mm512_extracti32x8_epi32(c_int, 1),
- _mm512_extracti32x8_epi32(d_int, 1)),
- _MM_SHUFFLE(0, 2, 1, 3));
- Packet8i abcd_int8_low = _mm256_permute4x64_epi64(
- _mm256_packs_epi16(ab_int16_low, cd_int16_low), _MM_SHUFFLE(0, 2, 1, 3));
- Packet8i abcd_int8_high =
- _mm256_permute4x64_epi64(_mm256_packs_epi16(ab_int16_high, cd_int16_high),
- _MM_SHUFFLE(0, 2, 1, 3));
- return _mm512_inserti32x8(_mm512_castsi256_si512(abcd_int8_low),
- abcd_int8_high, 1);
-#endif
-}
-
-template <>
-struct type_casting_traits<QInt32, QInt8> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 4, TgtCoeffRatio = 1 };
-};
-
-template <>
-struct type_casting_traits<QInt32, QInt16> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 2, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet64q8i
-pcast<Packet16q32i, Packet64q8i>(const Packet16q32i& a, const Packet16q32i& b,
- const Packet16q32i& c, const Packet16q32i& d) {
- __m128i a_part = _mm512_cvtsepi32_epi8(a);
- __m128i b_part = _mm512_cvtsepi32_epi8(b);
- __m128i c_part = _mm512_cvtsepi32_epi8(c);
- __m128i d_part = _mm512_cvtsepi32_epi8(d);
- __m256i ab =
- _mm256_inserti128_si256(_mm256_castsi128_si256(a_part), b_part, 1);
- __m256i cd =
- _mm256_inserti128_si256(_mm256_castsi128_si256(c_part), d_part, 1);
- __m512i converted = _mm512_inserti64x4(_mm512_castsi256_si512(ab), cd, 1);
- return converted;
-}
-
-template <>
-EIGEN_STRONG_INLINE Packet32q16i pcast<Packet16q32i, Packet32q16i>(
- const Packet16q32i& a, const Packet16q32i& b) {
- __m256i a_part = _mm512_cvtsepi32_epi16(a);
- __m256i b_part = _mm512_cvtsepi32_epi16(b);
- __m512i converted =
- _mm512_inserti64x4(_mm512_castsi256_si512(a_part), b_part, 1);
- return converted;
-}
-
-template <>
-struct type_casting_traits<QInt32, QUInt8> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 4, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet64q8u
-pcast<Packet16q32i, Packet64q8u>(const Packet16q32i& a, const Packet16q32i& b,
- const Packet16q32i& c, const Packet16q32i& d) {
- // Brute-force saturation since there isn't a pack operation for unsigned
- // numbers that keeps the elements in order.
- __m128i a_part = _mm512_cvtepi32_epi8(_mm512_max_epi32(
- _mm512_min_epi32(a, _mm512_set1_epi32(255)), _mm512_setzero_si512()));
- __m128i b_part = _mm512_cvtepi32_epi8(_mm512_max_epi32(
- _mm512_min_epi32(b, _mm512_set1_epi32(255)), _mm512_setzero_si512()));
- __m128i c_part = _mm512_cvtepi32_epi8(_mm512_max_epi32(
- _mm512_min_epi32(c, _mm512_set1_epi32(255)), _mm512_setzero_si512()));
- __m128i d_part = _mm512_cvtepi32_epi8(_mm512_max_epi32(
- _mm512_min_epi32(d, _mm512_set1_epi32(255)), _mm512_setzero_si512()));
- __m256i ab =
- _mm256_inserti128_si256(_mm256_castsi128_si256(a_part), b_part, 1);
- __m256i cd =
- _mm256_inserti128_si256(_mm256_castsi128_si256(c_part), d_part, 1);
- __m512i converted = _mm512_inserti64x4(_mm512_castsi256_si512(ab), cd, 1);
- return converted;
-}
-
-#if 0
-// The type Packet32q16u does not exist for AVX-512 yet
-template <>
-struct type_casting_traits<QInt32, QUInt16> {
- enum { VectorizedCast = 1, SrcCoeffRatio = 2, TgtCoeffRatio = 1 };
-};
-
-template <>
-EIGEN_STRONG_INLINE Packet32q16u
-pcast<Packet16q32i, Packet32q16u>(const Packet16q32i& a,
- const Packet16q32i& b) {
- // Brute-force saturation since there isn't a pack operation for unsigned
- // numbers that keeps the elements in order.
- __m256i a_part =
- _mm512_cvtepi32_epi16(_mm512_max_epi32(
- _mm512_min_epi32(a, _mm512_set1_epi32(65535)), _mm512_setzero_si512()));
- __m256i b_part = _mm512_cvtepi32_epi16(
- _mm512_max_epi32(_mm512_min_epi32(b, _mm512_set1_epi32(65535)),
- _mm512_setzero_si512()));
- __m512i converted =
- _mm512_inserti64x4(_mm512_castsi256_si512(a_part), b_part, 1);
- return converted;
-}
-#endif
-
-} // end namespace internal
-} // end namespace Eigen
-
-#endif // CXX11_SRC_FIXEDPOINT_TYPECASTINGAVX512_H_
diff --git a/third_party/eigen3/unsupported/Eigen/MatrixFunctions b/third_party/eigen3/unsupported/Eigen/MatrixFunctions
deleted file mode 100644
index 314b325..0000000
--- a/third_party/eigen3/unsupported/Eigen/MatrixFunctions
+++ /dev/null
@@ -1 +0,0 @@
-#include "unsupported/Eigen/MatrixFunctions"
diff --git a/third_party/eigen3/unsupported/Eigen/SpecialFunctions b/third_party/eigen3/unsupported/Eigen/SpecialFunctions
deleted file mode 100644
index ad13359..0000000
--- a/third_party/eigen3/unsupported/Eigen/SpecialFunctions
+++ /dev/null
@@ -1 +0,0 @@
-#include "unsupported/Eigen/SpecialFunctions"
diff --git a/third_party/examples/eager/spinn/BUILD b/third_party/examples/eager/spinn/BUILD
deleted file mode 100644
index 0e39d46..0000000
--- a/third_party/examples/eager/spinn/BUILD
+++ /dev/null
@@ -1,14 +0,0 @@
-licenses(["notice"]) # 3-clause BSD.
-
-py_binary(
- name = "spinn",
- srcs = ["spinn.py"],
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
- deps = [
- "//tensorflow:tensorflow_py",
- "//tensorflow/contrib/eager/python:tfe",
- "//tensorflow/contrib/eager/python/examples/spinn:data",
- "@six_archive//:six",
- ],
-)
diff --git a/third_party/examples/eager/spinn/LICENSE b/third_party/examples/eager/spinn/LICENSE
deleted file mode 100644
index 09d493b..0000000
--- a/third_party/examples/eager/spinn/LICENSE
+++ /dev/null
@@ -1,29 +0,0 @@
-BSD 3-Clause License
-
-Copyright (c) 2017,
-All rights reserved.
-
-Redistribution and use in source and binary forms, with or without
-modification, are permitted provided that the following conditions are met:
-
-* Redistributions of source code must retain the above copyright notice, this
- list of conditions and the following disclaimer.
-
-* Redistributions in binary form must reproduce the above copyright notice,
- this list of conditions and the following disclaimer in the documentation
- and/or other materials provided with the distribution.
-
-* Neither the name of the copyright holder nor the names of its
- contributors may be used to endorse or promote products derived from
- this software without specific prior written permission.
-
-THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
-AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
-IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
-DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
-FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
-DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
-SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
-CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
-OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
-OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
diff --git a/third_party/examples/eager/spinn/README.md b/third_party/examples/eager/spinn/README.md
deleted file mode 100644
index e2fd800..0000000
--- a/third_party/examples/eager/spinn/README.md
+++ /dev/null
@@ -1,109 +0,0 @@
-# SPINN with TensorFlow eager execution
-
-SPINN, or Stack-Augmented Parser-Interpreter Neural Network, is a recursive
-neural network that utilizes syntactic parse information for natural language
-understanding.
-
-SPINN was originally described by:
-Bowman, S.R., Gauthier, J., Rastogi A., Gupta, R., Manning, C.D., & Potts, C.
- (2016). A Fast Unified Model for Parsing and Sentence Understanding.
- https://arxiv.org/abs/1603.06021
-
-Our implementation is based on @jekbradbury's PyTorch implementation at:
-https://github.com/jekbradbury/examples/blob/spinn/snli/spinn.py,
-
-which was released under the BSD 3-Clause License at:
-https://github.com/jekbradbury/examples/blob/spinn/LICENSE
-
-Other eager execution examples can be found under [tensorflow/contrib/eager/python/examples](../../../../tensorflow/contrib/eager/python/examples).
-
-## Content
-
-- [`data.py`](../../../../tensorflow/contrib/eager/python/examples/spinn/data.py): Pipeline for loading and preprocessing the
- [SNLI](https://nlp.stanford.edu/projects/snli/) data and
- [GloVe](https://nlp.stanford.edu/projects/glove/) word embedding, written
- using the [`tf.data`](https://www.tensorflow.org/guide/datasets)
- API.
-- [`spinn.py`](./spinn.py): Model definition and training routines.
- This example illustrates how one might perform the following actions with
- eager execution enabled:
- * defining a model consisting of a dynamic computation graph,
- * assigning operations to the CPU or GPU dependending on device availability,
- * training the model using the data from the `tf.data`-based pipeline,
- * obtaining metrics such as mean accuracy during training,
- * saving and loading checkpoints,
- * writing summaries for monitoring and visualization in TensorBoard.
-
-## To run
-
-- Make sure you have installed TensorFlow release 1.5 or higher. Alternatively,
- you can use the latest `tf-nightly` or `tf-nightly-gpu` pip
- package to access the eager execution feature.
-
-- Download and extract the raw SNLI data and GloVe embedding vectors.
- For example:
-
- ```bash
- curl -fSsL https://nlp.stanford.edu/projects/snli/snli_1.0.zip --create-dirs -o /tmp/spinn-data/snli/snli_1.0.zip
- unzip -d /tmp/spinn-data/snli /tmp/spinn-data/snli/snli_1.0.zip
- curl -fSsL http://nlp.stanford.edu/data/glove.42B.300d.zip --create-dirs -o /tmp/spinn-data/glove/glove.42B.300d.zip
- unzip -d /tmp/spinn-data/glove /tmp/spinn-data/glove/glove.42B.300d.zip
- ```
-
-- Train model. E.g.,
-
- ```bash
- python spinn.py --data_root /tmp/spinn-data --logdir /tmp/spinn-logs
- ```
-
- During training, model checkpoints and TensorBoard summaries will be written
- periodically to the directory specified with the `--logdir` flag.
- The training script will reload a saved checkpoint from the directory if it
- can find one there.
-
- To view the summaries with TensorBoard:
-
- ```bash
- tensorboard --logdir /tmp/spinn-logs
- ```
-
-- After training, you may use the model to perform inference on input data in
- the SNLI data format. The premise and hypotheses sentences are specified with
- the command-line flags `--inference_premise` and `--inference_hypothesis`,
- respectively. Each sentence should include the words, as well as parentheses
- representing a binary parsing of the sentence. The words and parentheses
- should all be separated by spaces. For instance,
-
- ```bash
- python spinn.py --data_root /tmp/spinn-data --logdir /tmp/spinn-logs \
- --inference_premise '( ( The dog ) ( ( is running ) . ) )' \
- --inference_hypothesis '( ( The dog ) ( moves . ) )'
- ```
-
- which will generate an output like the following, due to the semantic
- consistency of the two sentences.
-
- ```none
- Inference logits:
- entailment: 1.101249 (winner)
- contradiction: -2.374171
- neutral: -0.296733
- ```
-
- By contrast, the following sentence pair:
-
- ```bash
- python spinn.py --data_root /tmp/spinn-data --logdir /tmp/spinn-logs \
- --inference_premise '( ( The dog ) ( ( is running ) . ) )' \
- --inference_hypothesis '( ( The dog ) ( rests . ) )'
- ```
-
- will give you an output like the following, due to the semantic
- contradiction of the two sentences.
-
- ```none
- Inference logits:
- entailment: -1.070098
- contradiction: 2.798695 (winner)
- neutral: -1.402287
- ```
diff --git a/third_party/examples/eager/spinn/spinn.py b/third_party/examples/eager/spinn/spinn.py
deleted file mode 100644
index de63ebe..0000000
--- a/third_party/examples/eager/spinn/spinn.py
+++ /dev/null
@@ -1,813 +0,0 @@
-r"""Implementation of SPINN in TensorFlow eager execution.
-
-SPINN: Stack-Augmented Parser-Interpreter Neural Network.
-
-Ths file contains model definition and code for training the model.
-
-The model definition is based on PyTorch implementation at:
- https://github.com/jekbradbury/examples/tree/spinn/snli
-
-which was released under a BSD 3-Clause License at:
-https://github.com/jekbradbury/examples/blob/spinn/LICENSE:
-
-Copyright (c) 2017,
-All rights reserved.
-
-See ./LICENSE for more details.
-
-Instructions for use:
-* See `README.md` for details on how to prepare the SNLI and GloVe data.
-* Suppose you have prepared the data at "/tmp/spinn-data", use the folloing
- command to train the model:
-
- ```bash
- python spinn.py --data_root /tmp/spinn-data --logdir /tmp/spinn-logs
- ```
-
- Checkpoints and TensorBoard summaries will be written to "/tmp/spinn-logs".
-
-References:
-* Bowman, S.R., Gauthier, J., Rastogi A., Gupta, R., Manning, C.D., & Potts, C.
- (2016). A Fast Unified Model for Parsing and Sentence Understanding.
- https://arxiv.org/abs/1603.06021
-* Bradbury, J. (2017). Recursive Neural Networks with PyTorch.
- https://devblogs.nvidia.com/parallelforall/recursive-neural-networks-pytorch/
-"""
-
-from __future__ import absolute_import
-from __future__ import division
-from __future__ import print_function
-
-import argparse
-import itertools
-import os
-import sys
-import time
-
-from six.moves import xrange # pylint: disable=redefined-builtin
-import tensorflow as tf
-
-import tensorflow.contrib.eager as tfe
-from tensorflow.contrib.eager.python.examples.spinn import data
-
-
-layers = tf.keras.layers
-
-
-def _bundle(lstm_iter):
- """Concatenate a list of Tensors along 1st axis and split result into two.
-
- Args:
- lstm_iter: A `list` of `N` dense `Tensor`s, each of which has the shape
- (R, 2 * M).
-
- Returns:
- A `list` of two dense `Tensor`s, each of which has the shape (N * R, M).
- """
- return tf.split(tf.concat(lstm_iter, 0), 2, axis=1)
-
-
-def _unbundle(state):
- """Concatenate a list of Tensors along 2nd axis and split result.
-
- This is the inverse of `_bundle`.
-
- Args:
- state: A `list` of two dense `Tensor`s, each of which has the shape (R, M).
-
- Returns:
- A `list` of `R` dense `Tensors`, each of which has the shape (1, 2 * M).
- """
- return tf.split(tf.concat(state, 1), state[0].shape[0], axis=0)
-
-
-# pylint: disable=not-callable
-class Reducer(tf.keras.Model):
- """A module that applies reduce operation on left and right vectors."""
-
- def __init__(self, size, tracker_size=None):
- super(Reducer, self).__init__()
- self.left = layers.Dense(5 * size, activation=None)
- self.right = layers.Dense(5 * size, activation=None, use_bias=False)
- if tracker_size is not None:
- self.track = layers.Dense(5 * size, activation=None, use_bias=False)
- else:
- self.track = None
-
- def call(self, left_in, right_in, tracking=None):
- """Invoke forward pass of the Reduce module.
-
- This method feeds a linear combination of `left_in`, `right_in` and
- `tracking` into a Tree LSTM and returns the output of the Tree LSTM.
-
- Args:
- left_in: A list of length L. Each item is a dense `Tensor` with
- the shape (1, n_dims). n_dims is the size of the embedding vector.
- right_in: A list of the same length as `left_in`. Each item should have
- the same shape as the items of `left_in`.
- tracking: Optional list of the same length as `left_in`. Each item is a
- dense `Tensor` with shape (1, tracker_size * 2). tracker_size is the
- size of the Tracker's state vector.
-
- Returns:
- Output: A list of length batch_size. Each item has the shape (1, n_dims).
- """
- left, right = _bundle(left_in), _bundle(right_in)
- lstm_in = self.left(left[0]) + self.right(right[0])
- if self.track and tracking:
- lstm_in += self.track(_bundle(tracking)[0])
- return _unbundle(self._tree_lstm(left[1], right[1], lstm_in))
-
- def _tree_lstm(self, c1, c2, lstm_in):
- a, i, f1, f2, o = tf.split(lstm_in, 5, axis=1)
- c = tf.tanh(a) * tf.sigmoid(i) + tf.sigmoid(f1) * c1 + tf.sigmoid(f2) * c2
- h = tf.sigmoid(o) * tf.tanh(c)
- return h, c
-
-
-class Tracker(tf.keras.Model):
- """A module that tracks the history of the sentence with an LSTM."""
-
- def __init__(self, tracker_size, predict):
- """Constructor of Tracker.
-
- Args:
- tracker_size: Number of dimensions of the underlying `LSTMCell`.
- predict: (`bool`) Whether prediction mode is enabled.
- """
- super(Tracker, self).__init__()
- self._rnn = tf.nn.rnn_cell.LSTMCell(tracker_size)
- self._state_size = tracker_size
- if predict:
- self._transition = layers.Dense(4)
- else:
- self._transition = None
-
- def reset_state(self):
- self.state = None
-
- def call(self, bufs, stacks):
- """Invoke the forward pass of the Tracker module.
-
- This method feeds the concatenation of the top two elements of the stacks
- into an LSTM cell and returns the resultant state of the LSTM cell.
-
- Args:
- bufs: A `list` of length batch_size. Each item is a `list` of
- max_sequence_len (maximum sequence length of the batch). Each item
- of the nested list is a dense `Tensor` of shape (1, d_proj), where
- d_proj is the size of the word embedding vector or the size of the
- vector space that the word embedding vector is projected to.
- stacks: A `list` of size batch_size. Each item is a `list` of
- variable length corresponding to the current height of the stack.
- Each item of the nested list is a dense `Tensor` of shape (1, d_proj).
-
- Returns:
- 1. A list of length batch_size. Each item is a dense `Tensor` of shape
- (1, d_tracker * 2).
- 2. If under predict mode, result of applying a Dense layer on the
- first state vector of the RNN. Else, `None`.
- """
- buf = _bundle([buf[-1] for buf in bufs])[0]
- stack1 = _bundle([stack[-1] for stack in stacks])[0]
- stack2 = _bundle([stack[-2] for stack in stacks])[0]
- x = tf.concat([buf, stack1, stack2], 1)
- if self.state is None:
- batch_size = int(x.shape[0])
- zeros = tf.zeros((batch_size, self._state_size), dtype=tf.float32)
- self.state = [zeros, zeros]
- _, self.state = self._rnn(x, self.state)
- unbundled = _unbundle(self.state)
- if self._transition:
- return unbundled, self._transition(self.state[0])
- else:
- return unbundled, None
-
-
-class SPINN(tf.keras.Model):
- """Stack-augmented Parser-Interpreter Neural Network.
-
- See https://arxiv.org/abs/1603.06021 for more details.
- """
-
- def __init__(self, config):
- """Constructor of SPINN.
-
- Args:
- config: A `namedtupled` with the following attributes.
- d_proj - (`int`) number of dimensions of the vector space to project the
- word embeddings to.
- d_tracker - (`int`) number of dimensions of the Tracker's state vector.
- d_hidden - (`int`) number of the dimensions of the hidden state, for the
- Reducer module.
- n_mlp_layers - (`int`) number of multi-layer perceptron layers to use to
- convert the output of the `Feature` module to logits.
- predict - (`bool`) Whether the Tracker will enabled predictions.
- """
- super(SPINN, self).__init__()
- self.config = config
- self.reducer = Reducer(config.d_hidden, config.d_tracker)
- if config.d_tracker is not None:
- self.tracker = Tracker(config.d_tracker, config.predict)
- else:
- self.tracker = None
-
- def call(self, buffers, transitions, training=False):
- """Invoke the forward pass of the SPINN model.
-
- Args:
- buffers: Dense `Tensor` of shape
- (max_sequence_len, batch_size, config.d_proj).
- transitions: Dense `Tensor` with integer values that represent the parse
- trees of the sentences. A value of 2 indicates "reduce"; a value of 3
- indicates "shift". Shape: (max_sequence_len * 2 - 3, batch_size).
- training: Whether the invocation is under training mode.
-
- Returns:
- Output `Tensor` of shape (batch_size, config.d_embed).
- """
- max_sequence_len, batch_size, d_proj = (int(x) for x in buffers.shape)
-
- # Split the buffers into left and right word items and put the initial
- # items in a stack.
- splitted = tf.split(
- tf.reshape(tf.transpose(buffers, [1, 0, 2]), [-1, d_proj]),
- max_sequence_len * batch_size, axis=0)
- buffers = [splitted[k:k + max_sequence_len]
- for k in xrange(0, len(splitted), max_sequence_len)]
- stacks = [[buf[0], buf[0]] for buf in buffers]
-
- if self.tracker:
- # Reset tracker state for new batch.
- self.tracker.reset_state()
-
- num_transitions = transitions.shape[0]
-
- # Iterate through transitions and perform the appropriate stack-pop, reduce
- # and stack-push operations.
- transitions = transitions.numpy()
- for i in xrange(num_transitions):
- trans = transitions[i]
- if self.tracker:
- # Invoke tracker to obtain the current tracker states for the sentences.
- tracker_states, trans_hypothesis = self.tracker(buffers, stacks=stacks)
- if trans_hypothesis:
- trans = tf.argmax(trans_hypothesis, axis=-1)
- else:
- tracker_states = itertools.repeat(None)
- lefts, rights, trackings = [], [], []
- for transition, buf, stack, tracking in zip(
- trans, buffers, stacks, tracker_states):
- if int(transition) == 3: # Shift.
- stack.append(buf.pop())
- elif int(transition) == 2: # Reduce.
- rights.append(stack.pop())
- lefts.append(stack.pop())
- trackings.append(tracking)
-
- if rights:
- reducer_output = self.reducer(lefts, rights, trackings)
- reduced = iter(reducer_output)
-
- for transition, stack in zip(trans, stacks):
- if int(transition) == 2: # Reduce.
- stack.append(next(reduced))
- return _bundle([stack.pop() for stack in stacks])[0]
-
-
-class Perceptron(tf.keras.Model):
- """One layer of the SNLIClassifier multi-layer perceptron."""
-
- def __init__(self, dimension, dropout_rate, previous_layer):
- """Configure the Perceptron."""
- super(Perceptron, self).__init__()
- self.dense = tf.keras.layers.Dense(dimension, activation=tf.nn.elu)
- self.batchnorm = layers.BatchNormalization()
- self.dropout = layers.Dropout(rate=dropout_rate)
- self.previous_layer = previous_layer
-
- def call(self, x, training):
- """Run previous Perceptron layers, then this one."""
- x = self.previous_layer(x, training=training)
- x = self.dense(x)
- x = self.batchnorm(x, training=training)
- x = self.dropout(x, training=training)
- return x
-
-
-class SNLIClassifier(tf.keras.Model):
- """SNLI Classifier Model.
-
- A model aimed at solving the SNLI (Standford Natural Language Inference)
- task, using the SPINN model from above. For details of the task, see:
- https://nlp.stanford.edu/projects/snli/
- """
-
- def __init__(self, config, embed):
- """Constructor of SNLICLassifier.
-
- Args:
- config: A namedtuple containing required configurations for the model. It
- needs to have the following attributes.
- projection - (`bool`) whether the word vectors are to be projected onto
- another vector space (of `d_proj` dimensions).
- d_proj - (`int`) number of dimensions of the vector space to project the
- word embeddings to.
- embed_dropout - (`float`) dropout rate for the word embedding vectors.
- n_mlp_layers - (`int`) number of multi-layer perceptron (MLP) layers to
- use to convert the output of the `Feature` module to logits.
- mlp_dropout - (`float`) dropout rate of the MLP layers.
- d_out - (`int`) number of dimensions of the final output of the MLP
- layers.
- lr - (`float`) learning rate.
- embed: A embedding matrix of shape (vocab_size, d_embed).
- """
- super(SNLIClassifier, self).__init__()
- self.config = config
- self.embed = tf.constant(embed)
-
- self.projection = layers.Dense(config.d_proj)
- self.embed_bn = layers.BatchNormalization()
- self.embed_dropout = layers.Dropout(rate=config.embed_dropout)
- self.encoder = SPINN(config)
-
- self.feature_bn = layers.BatchNormalization()
- self.feature_dropout = layers.Dropout(rate=config.mlp_dropout)
-
- current_mlp = lambda result, training: result
- for _ in range(config.n_mlp_layers):
- current_mlp = Perceptron(dimension=config.d_mlp,
- dropout_rate=config.mlp_dropout,
- previous_layer=current_mlp)
- self.mlp = current_mlp
- self.mlp_output = layers.Dense(
- config.d_out,
- kernel_initializer=tf.random_uniform_initializer(minval=-5e-3,
- maxval=5e-3))
-
- def call(self,
- premise,
- premise_transition,
- hypothesis,
- hypothesis_transition,
- training=False):
- """Invoke the forward pass the SNLIClassifier model.
-
- Args:
- premise: The word indices of the premise sentences, with shape
- (max_prem_seq_len, batch_size).
- premise_transition: The transitions for the premise sentences, with shape
- (max_prem_seq_len * 2 - 3, batch_size).
- hypothesis: The word indices of the hypothesis sentences, with shape
- (max_hypo_seq_len, batch_size).
- hypothesis_transition: The transitions for the hypothesis sentences, with
- shape (max_hypo_seq_len * 2 - 3, batch_size).
- training: Whether the invocation is under training mode.
-
- Returns:
- The logits, as a dense `Tensor` of shape (batch_size, d_out), where d_out
- is the size of the output vector.
- """
- # Perform embedding lookup on the premise and hypothesis inputs, which have
- # the word-index format.
- premise_embed = tf.nn.embedding_lookup(self.embed, premise)
- hypothesis_embed = tf.nn.embedding_lookup(self.embed, hypothesis)
-
- if self.config.projection:
- # Project the embedding vectors to another vector space.
- premise_embed = self.projection(premise_embed)
- hypothesis_embed = self.projection(hypothesis_embed)
-
- # Perform batch normalization and dropout on the possibly projected word
- # vectors.
- premise_embed = self.embed_bn(premise_embed, training=training)
- hypothesis_embed = self.embed_bn(hypothesis_embed, training=training)
- premise_embed = self.embed_dropout(premise_embed, training=training)
- hypothesis_embed = self.embed_dropout(hypothesis_embed, training=training)
-
- # Run the batch-normalized and dropout-processed word vectors through the
- # SPINN encoder.
- premise = self.encoder(premise_embed, premise_transition,
- training=training)
- hypothesis = self.encoder(hypothesis_embed, hypothesis_transition,
- training=training)
-
- # Combine encoder outputs for premises and hypotheses into logits.
- # Then apply batch normalization and dropuout on the logits.
- logits = tf.concat(
- [premise, hypothesis, premise - hypothesis, premise * hypothesis], 1)
- logits = self.feature_dropout(
- self.feature_bn(logits, training=training), training=training)
-
- # Apply the multi-layer perceptron on the logits.
- logits = self.mlp(logits, training=training)
- logits = self.mlp_output(logits)
- return logits
-
-
-class SNLIClassifierTrainer(tfe.Checkpointable):
- """A class that coordinates the training of an SNLIClassifier."""
-
- def __init__(self, snli_classifier, lr):
- """Constructor of SNLIClassifierTrainer.
-
- Args:
- snli_classifier: An instance of `SNLIClassifier`.
- lr: Learning rate.
- """
- self._model = snli_classifier
- # Create a custom learning rate Variable for the RMSProp optimizer, because
- # the learning rate needs to be manually decayed later (see
- # decay_learning_rate()).
- self._learning_rate = tf.Variable(lr, name="learning_rate")
- self._optimizer = tf.train.RMSPropOptimizer(self._learning_rate,
- epsilon=1e-6)
-
- def loss(self, labels, logits):
- """Calculate the loss given a batch of data.
-
- Args:
- labels: The truth labels, with shape (batch_size,).
- logits: The logits output from the forward pass of the SNLIClassifier
- model, with shape (batch_size, d_out), where d_out is the output
- dimension size of the SNLIClassifier.
-
- Returns:
- The loss value, as a scalar `Tensor`.
- """
- return tf.reduce_mean(tf.nn.sparse_softmax_cross_entropy_with_logits(
- labels=labels, logits=logits))
-
- def train_batch(self,
- labels,
- premise,
- premise_transition,
- hypothesis,
- hypothesis_transition):
- """Train model on batch of data.
-
- Args:
- labels: The truth labels, with shape (batch_size,).
- premise: The word indices of the premise sentences, with shape
- (max_prem_seq_len, batch_size).
- premise_transition: The transitions for the premise sentences, with shape
- (max_prem_seq_len * 2 - 3, batch_size).
- hypothesis: The word indices of the hypothesis sentences, with shape
- (max_hypo_seq_len, batch_size).
- hypothesis_transition: The transitions for the hypothesis sentences, with
- shape (max_hypo_seq_len * 2 - 3, batch_size).
-
- Returns:
- 1. loss value as a scalar `Tensor`.
- 2. logits as a dense `Tensor` of shape (batch_size, d_out), where d_out is
- the output dimension size of the SNLIClassifier.
- """
- with tf.GradientTape() as tape:
- tape.watch(self._model.variables)
- logits = self._model(premise,
- premise_transition,
- hypothesis,
- hypothesis_transition,
- training=True)
- loss = self.loss(labels, logits)
- gradients = tape.gradient(loss, self._model.variables)
- self._optimizer.apply_gradients(zip(gradients, self._model.variables),
- global_step=tf.train.get_global_step())
- return loss, logits
-
- def decay_learning_rate(self, decay_by):
- """Decay learning rate of the optimizer by factor decay_by."""
- self._learning_rate.assign(self._learning_rate * decay_by)
- print("Decayed learning rate of optimizer to: %s" %
- self._learning_rate.numpy())
-
- @property
- def learning_rate(self):
- return self._learning_rate
-
- @property
- def model(self):
- return self._model
-
- @property
- def variables(self):
- return (self._model.variables + [self.learning_rate] +
- self._optimizer.variables())
-
-
-def _batch_n_correct(logits, label):
- """Calculate number of correct predictions in a batch.
-
- Args:
- logits: A logits Tensor of shape `(batch_size, num_categories)` and dtype
- `float32`.
- label: A labels Tensor of shape `(batch_size,)` and dtype `int64`
-
- Returns:
- Number of correct predictions.
- """
- return tf.reduce_sum(
- tf.cast((tf.equal(
- tf.argmax(logits, axis=1), label)), tf.float32)).numpy()
-
-
-def _evaluate_on_dataset(snli_data, batch_size, trainer, use_gpu):
- """Run evaluation on a dataset.
-
- Args:
- snli_data: The `data.SnliData` to use in this evaluation.
- batch_size: The batch size to use during this evaluation.
- trainer: An instance of `SNLIClassifierTrainer to use for this
- evaluation.
- use_gpu: Whether GPU is being used.
-
- Returns:
- 1. Average loss across all examples of the dataset.
- 2. Average accuracy rate across all examples of the dataset.
- """
- mean_loss = tfe.metrics.Mean()
- accuracy = tfe.metrics.Accuracy()
- for label, prem, prem_trans, hypo, hypo_trans in _get_dataset_iterator(
- snli_data, batch_size):
- if use_gpu:
- label, prem, hypo = label.gpu(), prem.gpu(), hypo.gpu()
- logits = trainer.model(prem, prem_trans, hypo, hypo_trans, training=False)
- loss_val = trainer.loss(label, logits)
- batch_size = tf.shape(label)[0]
- mean_loss(loss_val, weights=batch_size.gpu() if use_gpu else batch_size)
- accuracy(tf.argmax(logits, axis=1), label)
- return mean_loss.result().numpy(), accuracy.result().numpy()
-
-
-def _get_dataset_iterator(snli_data, batch_size):
- """Get a data iterator for a split of SNLI data.
-
- Args:
- snli_data: A `data.SnliData` object.
- batch_size: The desired batch size.
-
- Returns:
- A dataset iterator.
- """
- with tf.device("/device:CPU:0"):
- # Some tf.data ops, such as ShuffleDataset, are available only on CPU.
- dataset = tf.data.Dataset.from_generator(
- snli_data.get_generator(batch_size),
- (tf.int64, tf.int64, tf.int64, tf.int64, tf.int64))
- dataset = dataset.shuffle(snli_data.num_batches(batch_size))
- return tfe.Iterator(dataset)
-
-
-def train_or_infer_spinn(embed,
- word2index,
- train_data,
- dev_data,
- test_data,
- config):
- """Perform Training or Inference on a SPINN model.
-
- Args:
- embed: The embedding matrix as a float32 numpy array with shape
- [vocabulary_size, word_vector_len]. word_vector_len is the length of a
- word embedding vector.
- word2index: A `dict` mapping word to word index.
- train_data: An instance of `data.SnliData`, for the train split.
- dev_data: Same as above, for the dev split.
- test_data: Same as above, for the test split.
- config: A configuration object. See the argument to this Python binary for
- details.
-
- Returns:
- If `config.inference_premise ` and `config.inference_hypothesis` are not
- `None`, i.e., inference mode: the logits for the possible labels of the
- SNLI data set, as a `Tensor` of three floats.
- else:
- The trainer object.
- Raises:
- ValueError: if only one of config.inference_premise and
- config.inference_hypothesis is specified.
- """
- # TODO(cais): Refactor this function into separate one for training and
- # inference.
- use_gpu = tfe.num_gpus() > 0 and not config.force_cpu
- device = "gpu:0" if use_gpu else "cpu:0"
- print("Using device: %s" % device)
-
- if ((config.inference_premise and not config.inference_hypothesis) or
- (not config.inference_premise and config.inference_hypothesis)):
- raise ValueError(
- "--inference_premise and --inference_hypothesis must be both "
- "specified or both unspecified, but only one is specified.")
-
- if config.inference_premise:
- # Inference mode.
- inference_sentence_pair = [
- data.encode_sentence(config.inference_premise, word2index),
- data.encode_sentence(config.inference_hypothesis, word2index)]
- else:
- inference_sentence_pair = None
-
- log_header = (
- " Time Epoch Iteration Progress (%Epoch) Loss Dev/Loss"
- " Accuracy Dev/Accuracy")
- log_template = (
- "{:>6.0f} {:>5.0f} {:>9.0f} {:>5.0f}/{:<5.0f} {:>7.0f}% {:>8.6f} {} "
- "{:12.4f} {}")
- dev_log_template = (
- "{:>6.0f} {:>5.0f} {:>9.0f} {:>5.0f}/{:<5.0f} {:>7.0f}% {:>8.6f} "
- "{:8.6f} {:12.4f} {:12.4f}")
-
- summary_writer = tf.contrib.summary.create_file_writer(
- config.logdir, flush_millis=10000)
-
- with tf.device(device), \
- summary_writer.as_default(), \
- tf.contrib.summary.always_record_summaries():
- model = SNLIClassifier(config, embed)
- global_step = tf.train.get_or_create_global_step()
- trainer = SNLIClassifierTrainer(model, config.lr)
- checkpoint = tf.train.Checkpoint(trainer=trainer, global_step=global_step)
- checkpoint.restore(tf.train.latest_checkpoint(config.logdir))
-
- if inference_sentence_pair:
- # Inference mode.
- prem, prem_trans = inference_sentence_pair[0]
- hypo, hypo_trans = inference_sentence_pair[1]
- hypo_trans = inference_sentence_pair[1][1]
- inference_logits = model(
- tf.constant(prem), tf.constant(prem_trans),
- tf.constant(hypo), tf.constant(hypo_trans), training=False)
- inference_logits = inference_logits[0][1:]
- max_index = tf.argmax(inference_logits)
- print("\nInference logits:")
- for i, (label, logit) in enumerate(
- zip(data.POSSIBLE_LABELS, inference_logits)):
- winner_tag = " (winner)" if max_index == i else ""
- print(" {0:<16}{1:.6f}{2}".format(label + ":", logit, winner_tag))
- return inference_logits
-
- train_len = train_data.num_batches(config.batch_size)
- start = time.time()
- iterations = 0
- mean_loss = tfe.metrics.Mean()
- accuracy = tfe.metrics.Accuracy()
- print(log_header)
- for epoch in xrange(config.epochs):
- batch_idx = 0
- for label, prem, prem_trans, hypo, hypo_trans in _get_dataset_iterator(
- train_data, config.batch_size):
- if use_gpu:
- label, prem, hypo = label.gpu(), prem.gpu(), hypo.gpu()
- # prem_trans and hypo_trans are used for dynamic control flow and can
- # remain on CPU. Same in _evaluate_on_dataset().
-
- iterations += 1
- batch_train_loss, batch_train_logits = trainer.train_batch(
- label, prem, prem_trans, hypo, hypo_trans)
- batch_size = tf.shape(label)[0]
- mean_loss(batch_train_loss.numpy(),
- weights=batch_size.gpu() if use_gpu else batch_size)
- accuracy(tf.argmax(batch_train_logits, axis=1), label)
-
- if iterations % config.save_every == 0:
- checkpoint.save(os.path.join(config.logdir, "ckpt"))
-
- if iterations % config.dev_every == 0:
- dev_loss, dev_frac_correct = _evaluate_on_dataset(
- dev_data, config.batch_size, trainer, use_gpu)
- print(dev_log_template.format(
- time.time() - start,
- epoch, iterations, 1 + batch_idx, train_len,
- 100.0 * (1 + batch_idx) / train_len,
- mean_loss.result(), dev_loss,
- accuracy.result() * 100.0, dev_frac_correct * 100.0))
- tf.contrib.summary.scalar("dev/loss", dev_loss)
- tf.contrib.summary.scalar("dev/accuracy", dev_frac_correct)
- elif iterations % config.log_every == 0:
- mean_loss_val = mean_loss.result()
- accuracy_val = accuracy.result()
- print(log_template.format(
- time.time() - start,
- epoch, iterations, 1 + batch_idx, train_len,
- 100.0 * (1 + batch_idx) / train_len,
- mean_loss_val, " " * 8, accuracy_val * 100.0, " " * 12))
- tf.contrib.summary.scalar("train/loss", mean_loss_val)
- tf.contrib.summary.scalar("train/accuracy", accuracy_val)
- # Reset metrics.
- mean_loss = tfe.metrics.Mean()
- accuracy = tfe.metrics.Accuracy()
-
- batch_idx += 1
- if (epoch + 1) % config.lr_decay_every == 0:
- trainer.decay_learning_rate(config.lr_decay_by)
-
- test_loss, test_frac_correct = _evaluate_on_dataset(
- test_data, config.batch_size, trainer, use_gpu)
- print("Final test loss: %g; accuracy: %g%%" %
- (test_loss, test_frac_correct * 100.0))
-
- return trainer
-
-
-def main(_):
- config = FLAGS
-
- # Load embedding vectors.
- vocab = data.load_vocabulary(FLAGS.data_root)
- word2index, embed = data.load_word_vectors(FLAGS.data_root, vocab)
-
- if not (config.inference_premise or config.inference_hypothesis):
- print("Loading train, dev and test data...")
- train_data = data.SnliData(
- os.path.join(FLAGS.data_root, "snli/snli_1.0/snli_1.0_train.txt"),
- word2index, sentence_len_limit=FLAGS.sentence_len_limit)
- dev_data = data.SnliData(
- os.path.join(FLAGS.data_root, "snli/snli_1.0/snli_1.0_dev.txt"),
- word2index, sentence_len_limit=FLAGS.sentence_len_limit)
- test_data = data.SnliData(
- os.path.join(FLAGS.data_root, "snli/snli_1.0/snli_1.0_test.txt"),
- word2index, sentence_len_limit=FLAGS.sentence_len_limit)
- else:
- train_data = None
- dev_data = None
- test_data = None
-
- train_or_infer_spinn(
- embed, word2index, train_data, dev_data, test_data, config)
-
-
-if __name__ == "__main__":
- parser = argparse.ArgumentParser(
- description=
- "TensorFlow eager implementation of the SPINN SNLI classifier.")
- parser.add_argument("--data_root", type=str, default="/tmp/spinn-data",
- help="Root directory in which the training data and "
- "embedding matrix are found. See README.md for how to "
- "generate such a directory.")
- parser.add_argument("--sentence_len_limit", type=int, default=-1,
- help="Maximum allowed sentence length (# of words). "
- "The default of -1 means unlimited.")
- parser.add_argument("--logdir", type=str, default="/tmp/spinn-logs",
- help="Directory in which summaries will be written for "
- "TensorBoard.")
- parser.add_argument("--inference_premise", type=str, default=None,
- help="Premise sentence for inference. Must be "
- "accompanied by --inference_hypothesis. If specified, "
- "will override all training parameters and perform "
- "inference.")
- parser.add_argument("--inference_hypothesis", type=str, default=None,
- help="Hypothesis sentence for inference. Must be "
- "accompanied by --inference_premise. If specified, will "
- "override all training parameters and perform inference.")
- parser.add_argument("--epochs", type=int, default=50,
- help="Number of epochs to train.")
- parser.add_argument("--batch_size", type=int, default=128,
- help="Batch size to use during training.")
- parser.add_argument("--d_proj", type=int, default=600,
- help="Dimensions to project the word embedding vectors "
- "to.")
- parser.add_argument("--d_hidden", type=int, default=300,
- help="Size of the hidden layer of the Tracker.")
- parser.add_argument("--d_out", type=int, default=4,
- help="Output dimensions of the SNLIClassifier.")
- parser.add_argument("--d_mlp", type=int, default=1024,
- help="Size of each layer of the multi-layer perceptron "
- "of the SNLICLassifier.")
- parser.add_argument("--n_mlp_layers", type=int, default=2,
- help="Number of layers in the multi-layer perceptron "
- "of the SNLICLassifier.")
- parser.add_argument("--d_tracker", type=int, default=64,
- help="Size of the tracker LSTM.")
- parser.add_argument("--log_every", type=int, default=50,
- help="Print log and write TensorBoard summary every _ "
- "training batches.")
- parser.add_argument("--lr", type=float, default=2e-3,
- help="Initial learning rate.")
- parser.add_argument("--lr_decay_by", type=float, default=0.75,
- help="The ratio to multiply the learning rate by every "
- "time the learning rate is decayed.")
- parser.add_argument("--lr_decay_every", type=float, default=1,
- help="Decay the learning rate every _ epoch(s).")
- parser.add_argument("--dev_every", type=int, default=1000,
- help="Run evaluation on the dev split every _ training "
- "batches.")
- parser.add_argument("--save_every", type=int, default=1000,
- help="Save checkpoint every _ training batches.")
- parser.add_argument("--embed_dropout", type=float, default=0.08,
- help="Word embedding dropout rate.")
- parser.add_argument("--mlp_dropout", type=float, default=0.07,
- help="SNLIClassifier multi-layer perceptron dropout "
- "rate.")
- parser.add_argument("--no-projection", action="store_false",
- dest="projection",
- help="Whether word embedding vectors are projected to "
- "another set of vectors (see d_proj).")
- parser.add_argument("--predict_transitions", action="store_true",
- dest="predict",
- help="Whether the Tracker will perform prediction.")
- parser.add_argument("--force_cpu", action="store_true", dest="force_cpu",
- help="Force use CPU-only regardless of whether a GPU is "
- "available.")
- FLAGS, unparsed = parser.parse_known_args()
-
- tfe.run(main=main, argv=[sys.argv[0]] + unparsed)
diff --git a/third_party/farmhash.BUILD b/third_party/farmhash.BUILD
deleted file mode 100644
index 4b84646..0000000
--- a/third_party/farmhash.BUILD
+++ /dev/null
@@ -1,23 +0,0 @@
-licenses(["notice"]) # MIT
-
-exports_files(["COPYING"])
-
-config_setting(
- name = "windows",
- values = {
- "cpu": "x64_windows",
- },
-)
-
-cc_library(
- name = "farmhash",
- srcs = ["src/farmhash.cc"],
- hdrs = ["src/farmhash.h"],
- # Disable __builtin_expect support on Windows
- copts = select({
- ":windows": ["/DFARMHASH_OPTIONAL_BUILTIN_EXPECT"],
- "//conditions:default": [],
- }),
- includes = ["src/."],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/fft2d/BUILD b/third_party/fft2d/BUILD
deleted file mode 100644
index 8135442..0000000
--- a/third_party/fft2d/BUILD
+++ /dev/null
@@ -1,39 +0,0 @@
-# Headers for 2D Fast Fourier Transform package
-# from http://momonga.t.u-tokyo.ac.jp/~ooura/fft.html
-# This is a separate package because the original downloaded archive doesn't
-# contain any header files.
-
-package(
- default_visibility = ["//visibility:public"],
-)
-
-# Unrestricted use; can only distribute original package.
-# See fft/readme.txt
-licenses(["notice"])
-
-exports_files(["LICENSE"])
-
-cc_library(
- name = "fft2d_headers",
- srcs = ["fft.h"],
-)
-
-objc_library(
- name = "fft2d_headersd_ios",
- srcs = ["fft.h"],
-)
-
-# Export the source code so that it could be compiled for Andoid native apps.
-filegroup(
- name = "fft2d_headers_srcs",
- srcs = ["fft.h"],
-)
-
-filegroup(
- name = "all_files",
- srcs = glob(
- ["**/*"],
- exclude = ["**/OWNERS"],
- ),
- visibility = ["//tensorflow:__subpackages__"],
-)
diff --git a/third_party/fft2d/LICENSE b/third_party/fft2d/LICENSE
deleted file mode 100644
index 2bd8550..0000000
--- a/third_party/fft2d/LICENSE
+++ /dev/null
@@ -1,3 +0,0 @@
-Copyright(C) 1997,2001 Takuya OOURA (email: ooura@kurims.kyoto-u.ac.jp).
-You may use, copy, modify this code for any purpose and
-without fee. You may distribute this ORIGINAL package.
diff --git a/third_party/fft2d/fft.h b/third_party/fft2d/fft.h
deleted file mode 100644
index 31b4935..0000000
--- a/third_party/fft2d/fft.h
+++ /dev/null
@@ -1,36 +0,0 @@
-/* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
-
-Licensed under the Apache License, Version 2.0 (the "License");
-you may not use this file except in compliance with the License.
-You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
-Unless required by applicable law or agreed to in writing, software
-distributed under the License is distributed on an "AS IS" BASIS,
-WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-See the License for the specific language governing permissions and
-limitations under the License.
-==============================================================================*/
-
-// Declarations for 1D FFT routines in third_party/fft2d/fft.
-
-#ifndef FFT2D_FFT_H__
-#define FFT2D_FFT_H__
-
-#ifdef __cplusplus
-extern "C" {
-#endif
-
-extern void cdft(int, int, double *, int *, double *);
-extern void rdft(int, int, double *, int *, double *);
-extern void ddct(int, int, double *, int *, double *);
-extern void ddst(int, int, double *, int *, double *);
-extern void dfct(int, double *, double *, int *, double *);
-extern void dfst(int, double *, double *, int *, double *);
-
-#ifdef __cplusplus
-}
-#endif
-
-#endif // FFT2D_FFT_H__
diff --git a/third_party/fft2d/fft2d.BUILD b/third_party/fft2d/fft2d.BUILD
deleted file mode 100644
index 74dd311..0000000
--- a/third_party/fft2d/fft2d.BUILD
+++ /dev/null
@@ -1,44 +0,0 @@
-# 2D Fast Fourier Transform package
-# from http://momonga.t.u-tokyo.ac.jp/~ooura/fft.html
-
-package(
- default_visibility = ["//visibility:public"],
-)
-
-# Unrestricted use; can only distribute original package.
-licenses(["notice"])
-
-exports_files(["fft/readme.txt"])
-
-FFT2D_SRCS = [
- "fft/fftsg.c",
-]
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
-)
-
-# This is the main 2D FFT library. The 2D FFTs in this library call
-# 1D FFTs. In addition, fast DCTs are provided for the special case
-# of 8x8 and 16x16. This code in this library is referred to as
-# "Version II" on http://momonga.t.u-tokyo.ac.jp/~ooura/fft.html.
-cc_library(
- name = "fft2d",
- srcs = FFT2D_SRCS,
- linkopts = select({
- ":windows": [],
- "//conditions:default": ["-lm"],
- }),
-)
-
-objc_library(
- name = "fft2d_ios",
- srcs = FFT2D_SRCS,
-)
-
-# Export the source code so that it could be compiled for Andoid native apps.
-filegroup(
- name = "fft2d_srcs",
- srcs = FFT2D_SRCS,
-)
diff --git a/third_party/flatbuffers/BUILD b/third_party/flatbuffers/BUILD
deleted file mode 100644
index 82bab3f..0000000
--- a/third_party/flatbuffers/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# This empty BUILD file is required to make Bazel treat this directory as a package.
diff --git a/third_party/flatbuffers/BUILD.bazel b/third_party/flatbuffers/BUILD.bazel
deleted file mode 100644
index d0be482..0000000
--- a/third_party/flatbuffers/BUILD.bazel
+++ /dev/null
@@ -1,159 +0,0 @@
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(["LICENSE.txt"])
-
-config_setting(
- name = "freebsd",
- values = {"cpu": "freebsd"},
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
-)
-
-FLATBUFFERS_COPTS = select({
- ":windows": [],
- "//conditions:default": [
- "-Wno-implicit-fallthrough",
- "-fexceptions",
- ],
-})
-
-# Public flatc library to compile flatbuffer files at runtime.
-cc_library(
- name = "flatbuffers",
- srcs = [
- "include/flatbuffers/code_generators.h",
- "include/flatbuffers/reflection_generated.h",
- "src/code_generators.cpp",
- "src/idl_gen_fbs.cpp",
- "src/idl_gen_general.cpp",
- "src/idl_gen_text.cpp",
- "src/idl_parser.cpp",
- "src/reflection.cpp",
- "src/util.cpp",
- ],
- hdrs = [
- "include/flatbuffers/base.h",
- "include/flatbuffers/flatbuffers.h",
- "include/flatbuffers/flexbuffers.h",
- "include/flatbuffers/hash.h",
- "include/flatbuffers/idl.h",
- "include/flatbuffers/reflection.h",
- "include/flatbuffers/stl_emulation.h",
- "include/flatbuffers/util.h",
- ],
- copts = FLATBUFFERS_COPTS,
- includes = ["include/"],
-)
-
-# Public flatc compiler library.
-cc_library(
- name = "flatc_library",
- srcs = [
- "grpc/src/compiler/config.h",
- "grpc/src/compiler/go_generator.h",
- "grpc/src/compiler/schema_interface.h",
- "include/flatbuffers/base.h",
- "include/flatbuffers/code_generators.h",
- "include/flatbuffers/flatbuffers.h",
- "include/flatbuffers/flatc.h",
- "include/flatbuffers/flexbuffers.h",
- "include/flatbuffers/hash.h",
- "include/flatbuffers/idl.h",
- "include/flatbuffers/reflection.h",
- "include/flatbuffers/reflection_generated.h",
- "include/flatbuffers/stl_emulation.h",
- "include/flatbuffers/util.h",
- "src/code_generators.cpp",
- "src/flatc.cpp",
- "src/idl_gen_fbs.cpp",
- "src/idl_parser.cpp",
- "src/reflection.cpp",
- "src/util.cpp",
- ],
- hdrs = [
- "include/flatbuffers/base.h",
- "include/flatbuffers/code_generators.h",
- "include/flatbuffers/flatbuffers.h",
- "include/flatbuffers/flatc.h",
- "include/flatbuffers/idl.h",
- "include/flatbuffers/reflection.h",
- "include/flatbuffers/stl_emulation.h",
- "include/flatbuffers/util.h",
- ],
- copts = FLATBUFFERS_COPTS,
- includes = [
- "grpc/",
- "include/",
- ],
-)
-
-# Public flatc compiler.
-cc_binary(
- name = "flatc",
- srcs = [
- "grpc/src/compiler/cpp_generator.cc",
- "grpc/src/compiler/cpp_generator.h",
- "grpc/src/compiler/go_generator.cc",
- "grpc/src/compiler/go_generator.h",
- "grpc/src/compiler/java_generator.cc",
- "grpc/src/compiler/java_generator.h",
- "grpc/src/compiler/schema_interface.h",
- "src/flatc_main.cpp",
- "src/idl_gen_cpp.cpp",
- "src/idl_gen_dart.cpp",
- "src/idl_gen_general.cpp",
- "src/idl_gen_go.cpp",
- "src/idl_gen_grpc.cpp",
- "src/idl_gen_js.cpp",
- "src/idl_gen_json_schema.cpp",
- "src/idl_gen_lobster.cpp",
- "src/idl_gen_lua.cpp",
- "src/idl_gen_php.cpp",
- "src/idl_gen_python.cpp",
- "src/idl_gen_text.cpp",
- ],
- copts = FLATBUFFERS_COPTS,
- includes = [
- "grpc/",
- "include/",
- ],
- linkopts = select({
- ":freebsd": [
- "-lm",
- ],
- ":windows": [],
- "//conditions:default": [
- "-lm",
- "-ldl",
- ],
- }),
- deps = [
- ":flatc_library",
- ],
-)
-
-filegroup(
- name = "runtime_cc_srcs",
- srcs = [
- "include/flatbuffers/base.h",
- "include/flatbuffers/flatbuffers.h",
- "include/flatbuffers/minireflect.h",
- "include/flatbuffers/stl_emulation.h",
- "include/flatbuffers/util.h",
- ],
-)
-
-cc_library(
- name = "runtime_cc",
- hdrs = ["runtime_cc_srcs"],
- includes = ["include"],
- linkstatic = 1,
-)
diff --git a/third_party/flatbuffers/BUILD.system b/third_party/flatbuffers/BUILD.system
deleted file mode 100644
index 14fcead..0000000
--- a/third_party/flatbuffers/BUILD.system
+++ /dev/null
@@ -1,38 +0,0 @@
-licenses(["notice"]) # Apache 2.0
-
-filegroup(
- name = "LICENSE.txt",
- visibility = ["//visibility:public"],
-)
-
-# Public flatc library to compile flatbuffer files at runtime.
-cc_library(
- name = "flatbuffers",
- linkopts = ["-lflatbuffers"],
- visibility = ["//visibility:public"],
-)
-
-# Public flatc compiler library.
-cc_library(
- name = "flatc_library",
- linkopts = ["-lflatbuffers"],
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "lnflatc",
- outs = ["flatc.bin"],
- cmd = "ln -s $$(which flatc) $@",
-)
-
-# Public flatc compiler.
-sh_binary(
- name = "flatc",
- srcs = ["flatc.bin"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "runtime_cc",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/flatbuffers/build_defs.bzl b/third_party/flatbuffers/build_defs.bzl
deleted file mode 100644
index 235b44f..0000000
--- a/third_party/flatbuffers/build_defs.bzl
+++ /dev/null
@@ -1,217 +0,0 @@
-"""BUILD rules for generating flatbuffer files."""
-
-flatc_path = "@flatbuffers//:flatc"
-
-DEFAULT_FLATC_ARGS = [
- "--no-union-value-namespacing",
- "--gen-object-api",
-]
-
-def flatbuffer_library_public(
- name,
- srcs,
- outs,
- language_flag,
- out_prefix = "",
- includes = [],
- include_paths = [],
- flatc_args = DEFAULT_FLATC_ARGS,
- reflection_name = "",
- reflection_visiblity = None,
- output_to_bindir = False):
- """Generates code files for reading/writing the given flatbuffers in the requested language using the public compiler.
-
- Outs:
- filegroup(name): all generated source files.
- Fileset([reflection_name]): (Optional) all generated reflection binaries.
-
- Args:
- name: Rule name.
- srcs: Source .fbs files. Sent in order to the compiler.
- outs: Output files from flatc.
- language_flag: Target language flag. One of [-c, -j, -js].
- out_prefix: Prepend this path to the front of all generated files except on
- single source targets. Usually is a directory name.
- includes: Optional, list of filegroups of schemas that the srcs depend on.
- include_paths: Optional, list of paths the includes files can be found in.
- flatc_args: Optional, list of additional arguments to pass to flatc.
- reflection_name: Optional, if set this will generate the flatbuffer
- reflection binaries for the schemas.
- reflection_visiblity: The visibility of the generated reflection Fileset.
- output_to_bindir: Passed to genrule for output to bin directory.
- """
- include_paths_cmd = ["-I %s" % (s) for s in include_paths]
-
- # '$(@D)' when given a single source target will give the appropriate
- # directory. Appending 'out_prefix' is only necessary when given a build
- # target with multiple sources.
- output_directory = (
- ("-o $(@D)/%s" % (out_prefix)) if len(srcs) > 1 else ("-o $(@D)")
- )
- genrule_cmd = " ".join([
- "for f in $(SRCS); do",
- "$(location %s)" % (flatc_path),
- " ".join(flatc_args),
- " ".join(include_paths_cmd),
- language_flag,
- output_directory,
- "$$f;",
- "done",
- ])
- native.genrule(
- name = name,
- srcs = srcs,
- outs = outs,
- output_to_bindir = output_to_bindir,
- tools = includes + [flatc_path],
- cmd = genrule_cmd,
- message = "Generating flatbuffer files for %s:" % (name),
- )
- if reflection_name:
- reflection_genrule_cmd = " ".join([
- "for f in $(SRCS); do",
- "$(location %s)" % (flatc_path),
- "-b --schema",
- " ".join(flatc_args),
- " ".join(include_paths_cmd),
- language_flag,
- output_directory,
- "$$f;",
- "done",
- ])
- reflection_outs = [
- (out_prefix + "%s.bfbs") % (s.replace(".fbs", "").split("/")[-1])
- for s in srcs
- ]
- native.genrule(
- name = "%s_srcs" % reflection_name,
- srcs = srcs,
- outs = reflection_outs,
- output_to_bindir = output_to_bindir,
- tools = includes + [flatc_path],
- cmd = reflection_genrule_cmd,
- message = "Generating flatbuffer reflection binary for %s:" % (name),
- )
- # TODO(b/114456773): Make bazel rules proper and supported by flatbuffer
- # Have to comment this since FilesetEntry is not supported in bazel
- # skylark.
- # native.Fileset(
- # name = reflection_name,
- # out = "%s_out" % reflection_name,
- # entries = [
- # native.FilesetEntry(files = reflection_outs),
- # ],
- # visibility = reflection_visiblity,
- # )
-
-def flatbuffer_cc_library(
- name,
- srcs,
- srcs_filegroup_name = "",
- out_prefix = "",
- includes = [],
- include_paths = [],
- flatc_args = DEFAULT_FLATC_ARGS,
- visibility = None,
- srcs_filegroup_visibility = None,
- gen_reflections = False):
- '''A cc_library with the generated reader/writers for the given flatbuffer definitions.
-
- Outs:
- filegroup([name]_srcs): all generated .h files.
- filegroup(srcs_filegroup_name if specified, or [name]_includes if not):
- Other flatbuffer_cc_library's can pass this in for their `includes`
- parameter, if they depend on the schemas in this library.
- Fileset([name]_reflection): (Optional) all generated reflection binaries.
- cc_library([name]): library with sources and flatbuffers deps.
-
- Remarks:
- ** Because the genrule used to call flatc does not have any trivial way of
- computing the output list of files transitively generated by includes and
- --gen-includes (the default) being defined for flatc, the --gen-includes
- flag will not work as expected. The way around this is to add a dependency
- to the flatbuffer_cc_library defined alongside the flatc included Fileset.
- For example you might define:
-
- flatbuffer_cc_library(
- name = "my_fbs",
- srcs = [ "schemas/foo.fbs" ],
- includes = [ "//third_party/bazz:bazz_fbs_includes" ],
- )
-
- In which foo.fbs includes a few files from the Fileset defined at
- //third_party/bazz:bazz_fbs_includes. When compiling the library that
- includes foo_generated.h, and therefore has my_fbs as a dependency, it
- will fail to find any of the bazz *_generated.h files unless you also
- add bazz's flatbuffer_cc_library to your own dependency list, e.g.:
-
- cc_library(
- name = "my_lib",
- deps = [
- ":my_fbs",
- "//third_party/bazz:bazz_fbs"
- ],
- )
-
- Happy dependent Flatbuffering!
-
- Args:
- name: Rule name.
- srcs: Source .fbs files. Sent in order to the compiler.
- srcs_filegroup_name: Name of the output filegroup that holds srcs. Pass this
- filegroup into the `includes` parameter of any other
- flatbuffer_cc_library that depends on this one's schemas.
- out_prefix: Prepend this path to the front of all generated files. Usually
- is a directory name.
- includes: Optional, list of filegroups of schemas that the srcs depend on.
- ** SEE REMARKS BELOW **
- include_paths: Optional, list of paths the includes files can be found in.
- flatc_args: Optional list of additional arguments to pass to flatc
- (e.g. --gen-mutable).
- visibility: The visibility of the generated cc_library. By default, use the
- default visibility of the project.
- srcs_filegroup_visibility: The visibility of the generated srcs filegroup.
- By default, use the value of the visibility parameter above.
- gen_reflections: Optional, if true this will generate the flatbuffer
- reflection binaries for the schemas.
- '''
- output_headers = [
- (out_prefix + "%s_generated.h") % (s.replace(".fbs", "").split("/")[-1])
- for s in srcs
- ]
- reflection_name = "%s_reflection" % name if gen_reflections else ""
-
- flatbuffer_library_public(
- name = "%s_srcs" % (name),
- srcs = srcs,
- outs = output_headers,
- language_flag = "-c",
- out_prefix = out_prefix,
- includes = includes,
- include_paths = include_paths,
- flatc_args = flatc_args,
- reflection_name = reflection_name,
- reflection_visiblity = visibility,
- )
- native.cc_library(
- name = name,
- hdrs = output_headers,
- srcs = output_headers,
- features = [
- "-parse_headers",
- ],
- deps = [
- "@flatbuffers//:runtime_cc",
- ],
- includes = ["."],
- linkstatic = 1,
- visibility = visibility,
- )
-
- # A filegroup for the `srcs`. That is, all the schema files for this
- # Flatbuffer set.
- native.filegroup(
- name = srcs_filegroup_name if srcs_filegroup_name else "%s_includes" % (name),
- srcs = srcs,
- visibility = srcs_filegroup_visibility if srcs_filegroup_visibility != None else visibility,
- )
diff --git a/third_party/flatbuffers/workspace.bzl b/third_party/flatbuffers/workspace.bzl
deleted file mode 100644
index 7613767..0000000
--- a/third_party/flatbuffers/workspace.bzl
+++ /dev/null
@@ -1,19 +0,0 @@
-"""Loads the Flatbuffers library, used by TF Lite."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "flatbuffers",
- strip_prefix = "flatbuffers-1f5eae5d6a135ff6811724f6c57f911d1f46bb15",
- sha256 = "b2bb0311ca40b12ebe36671bdda350b10c7728caf0cfe2d432ea3b6e409016f3",
- urls = [
- "https://mirror.bazel.build/github.com/google/flatbuffers/archive/1f5eae5d6a135ff6811724f6c57f911d1f46bb15.tar.gz",
- "https://github.com/google/flatbuffers/archive/1f5eae5d6a135ff6811724f6c57f911d1f46bb15.tar.gz",
- ],
- build_file = "//third_party/flatbuffers:BUILD.bazel",
- system_build_file = "//third_party/flatbuffers:BUILD.system",
- link_files = {
- "//third_party/flatbuffers:build_defs.bzl": "build_defs.bzl",
- },
- )
diff --git a/third_party/gast.BUILD b/third_party/gast.BUILD
deleted file mode 100644
index 4866982..0000000
--- a/third_party/gast.BUILD
+++ /dev/null
@@ -1,19 +0,0 @@
-# Description:
-# Python AST that abstracts the underlying Python version.
-
-licenses(["notice"]) # BSD 3-clause
-
-exports_files(["PKG-INFO"])
-
-py_library(
- name = "gast",
- srcs = [
- "gast/__init__.py",
- "gast/ast2.py",
- "gast/ast3.py",
- "gast/astn.py",
- "gast/gast.py",
- ],
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/gif.BUILD b/third_party/gif.BUILD
deleted file mode 100644
index cbe730f..0000000
--- a/third_party/gif.BUILD
+++ /dev/null
@@ -1,61 +0,0 @@
-# Description:
-# A library for decoding and encoding GIF images
-
-licenses(["notice"]) # MIT
-
-exports_files(["COPYING"])
-
-cc_library(
- name = "gif",
- srcs = [
- "lib/dgif_lib.c",
- "lib/egif_lib.c",
- "lib/gif_err.c",
- "lib/gif_font.c",
- "lib/gif_hash.c",
- "lib/gif_hash.h",
- "lib/gif_lib_private.h",
- "lib/gifalloc.c",
- "lib/openbsd-reallocarray.c",
- "lib/quantize.c",
- ],
- hdrs = ["lib/gif_lib.h"],
- defines = select({
- ":android": [
- "S_IREAD=S_IRUSR",
- "S_IWRITE=S_IWUSR",
- "S_IEXEC=S_IXUSR",
- ],
- "//conditions:default": [],
- }),
- includes = ["lib/."],
- visibility = ["//visibility:public"],
- deps = select({
- ":windows": [":windows_polyfill"],
- "//conditions:default": [],
- }),
-)
-
-cc_library(
- name = "windows_polyfill",
- hdrs = ["windows/unistd.h"],
- includes = ["windows"],
-)
-
-genrule(
- name = "windows_unistd_h",
- outs = ["windows/unistd.h"],
- cmd = "touch $@",
-)
-
-config_setting(
- name = "windows",
- values = {
- "cpu": "x64_windows",
- },
-)
-
-config_setting(
- name = "android",
- values = {"crosstool_top": "//external:android/crosstool"},
-)
diff --git a/third_party/git/BUILD b/third_party/git/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/git/BUILD
+++ /dev/null
diff --git a/third_party/git/BUILD.tpl b/third_party/git/BUILD.tpl
deleted file mode 100644
index 7b031e7..0000000
--- a/third_party/git/BUILD.tpl
+++ /dev/null
@@ -1,10 +0,0 @@
-# Description:
-# Exports generated files used to generate tensorflow/core/util/version_info.cc
-
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"])
-
-exports_files(
- glob(["gen/*"]),
-)
diff --git a/third_party/git/git_configure.bzl b/third_party/git/git_configure.bzl
deleted file mode 100644
index 8e2839b..0000000
--- a/third_party/git/git_configure.bzl
+++ /dev/null
@@ -1,60 +0,0 @@
-"""Repository rule for Git autoconfiguration.
-
-`git_configure` depends on the following environment variables:
-
- * `PYTHON_BIN_PATH`: location of python binary.
-"""
-
-_PYTHON_BIN_PATH = "PYTHON_BIN_PATH"
-
-def _fail(msg):
- """Output failure message when auto configuration fails."""
- red = "\033[0;31m"
- no_color = "\033[0m"
- fail("%sGit Configuration Error:%s %s\n" % (red, no_color, msg))
-
-def _get_python_bin(repository_ctx):
- """Gets the python bin path."""
- python_bin = repository_ctx.os.environ.get(_PYTHON_BIN_PATH)
- if python_bin != None:
- return python_bin
- python_bin_path = repository_ctx.which("python")
- if python_bin_path != None:
- return str(python_bin_path)
- _fail("Cannot find python in PATH, please make sure " +
- "python is installed and add its directory in PATH, or --define " +
- "%s='/something/else'.\nPATH=%s" % (
- _PYTHON_BIN_PATH, repository_ctx.os.environ.get("PATH", "")))
-
-
-def _git_conf_impl(repository_ctx):
- repository_ctx.template(
- "BUILD",
- Label("//third_party/git:BUILD.tpl"))
-
- tensorflow_root_path = str(repository_ctx.path(
- Label("@org_tensorflow//:BUILD")))[:-len("BUILD")]
- python_script_path = repository_ctx.path(
- Label("@org_tensorflow//tensorflow/tools/git:gen_git_source.py"))
- generated_files_path = repository_ctx.path("gen")
-
- r = repository_ctx.execute(
- ["test", "-f", "%s/.git/logs/HEAD" % tensorflow_root_path])
- if r.return_code == 0:
- unused_var = repository_ctx.path(Label("//:.git/HEAD")) # pylint: disable=unused-variable
-
- result = repository_ctx.execute([
- _get_python_bin(repository_ctx),
- python_script_path, "--configure", tensorflow_root_path,
- "--gen_root_path", generated_files_path], quiet=False)
-
- if not result.return_code == 0:
- _fail(result.stderr)
-
-
-git_configure = repository_rule(
- implementation = _git_conf_impl,
- environ = [
- _PYTHON_BIN_PATH,
- ],
-)
diff --git a/third_party/googleapis.BUILD b/third_party/googleapis.BUILD
deleted file mode 100644
index b8871ed..0000000
--- a/third_party/googleapis.BUILD
+++ /dev/null
@@ -1,47 +0,0 @@
-# Copyright 2018 Google LLC
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(["LICENSE"])
-
-load("@protobuf_archive//:protobuf.bzl", "cc_proto_library")
-
-cc_proto_library(
- name = "bigtable_protos",
- srcs = [
- "google/api/annotations.proto",
- "google/api/auth.proto",
- "google/api/http.proto",
- "google/bigtable/admin/v2/bigtable_instance_admin.proto",
- "google/bigtable/admin/v2/bigtable_table_admin.proto",
- "google/bigtable/admin/v2/common.proto",
- "google/bigtable/admin/v2/instance.proto",
- "google/bigtable/admin/v2/table.proto",
- "google/bigtable/v2/bigtable.proto",
- "google/bigtable/v2/data.proto",
- "google/iam/v1/iam_policy.proto",
- "google/iam/v1/policy.proto",
- "google/longrunning/operations.proto",
- "google/rpc/error_details.proto",
- "google/rpc/status.proto",
- ],
- include = ".",
- default_runtime = "@protobuf_archive//:protobuf",
- protoc = "@protobuf_archive//:protoc",
- use_grpc_plugin = True,
- deps = ["@protobuf_archive//:cc_wkt_protos"],
-)
diff --git a/third_party/gpus/BUILD b/third_party/gpus/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/gpus/BUILD
+++ /dev/null
diff --git a/third_party/gpus/crosstool/BUILD b/third_party/gpus/crosstool/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/gpus/crosstool/BUILD
+++ /dev/null
diff --git a/third_party/gpus/crosstool/BUILD.tpl b/third_party/gpus/crosstool/BUILD.tpl
deleted file mode 100644
index db76306..0000000
--- a/third_party/gpus/crosstool/BUILD.tpl
+++ /dev/null
@@ -1,96 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-toolchain(
- name = "toolchain-linux-x86_64",
- exec_compatible_with = [
- "@bazel_tools//platforms:linux",
- "@bazel_tools//platforms:x86_64",
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:linux",
- "@bazel_tools//platforms:x86_64",
- ],
- toolchain = ":cc-compiler-local",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
-
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "local|compiler": ":cc-compiler-local",
- "darwin|compiler": ":cc-compiler-darwin",
- "x64_windows|msvc-cl": ":cc-compiler-windows",
- "x64_windows": ":cc-compiler-windows",
- "arm": ":cc-compiler-local",
- "k8": ":cc-compiler-local",
- "piii": ":cc-compiler-local",
- "ppc": ":cc-compiler-local",
- "darwin": ":cc-compiler-darwin",
- },
-)
-
-cc_toolchain(
- name = "cc-compiler-local",
- all_files = "%{linker_files}",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = "%{linker_files}",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- # To support linker flags that need to go to the start of command line
- # we need the toolchain to support parameter files. Parameter files are
- # last on the command line and contain all shared libraries to link, so all
- # regular options will be left of them.
- supports_param_files = 1,
- toolchain_identifier = "local_linux",
-)
-
-cc_toolchain(
- name = "cc-compiler-darwin",
- all_files = "%{linker_files}",
- compiler_files = ":empty",
- cpu = "darwin",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = "%{linker_files}",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 0,
- toolchain_identifier = "local_darwin",
-)
-
-cc_toolchain(
- name = "cc-compiler-windows",
- all_files = "%{win_linker_files}",
- compiler_files = ":empty",
- cpu = "x64_windows",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = "%{win_linker_files}",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
- toolchain_identifier = "local_windows",
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
-
-filegroup(
- name = "crosstool_wrapper_driver_is_not_gcc",
- srcs = ["clang/bin/crosstool_wrapper_driver_is_not_gcc"],
-)
-
-filegroup(
- name = "windows_msvc_wrapper_files",
- srcs = glob(["windows/msvc_*"]),
-)
diff --git a/third_party/gpus/crosstool/CROSSTOOL.tpl b/third_party/gpus/crosstool/CROSSTOOL.tpl
deleted file mode 100644
index 1a13ac8..0000000
--- a/third_party/gpus/crosstool/CROSSTOOL.tpl
+++ /dev/null
@@ -1,1409 +0,0 @@
-major_version: "local"
-minor_version: ""
-default_target_cpu: "same_as_host"
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_linux"
-
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lstdc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- feature {
- name: "alwayslink"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,-no-as-needed"
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
- %{host_compiler_warnings}
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "build-id"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- # Stamp the binary with a unique identifier.
- flag: "-Wl,--build-id=md5"
- flag: "-Wl,--hash-style=gnu"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-no-canonical-prefixes"
- %{extra_no_canonical_prefixes_flags}
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- %{linker_bin_path_flag}
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "alwayslink"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "build-id"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,--gc-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "%{host_compiler_path}" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
-%{host_compiler_includes}
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "macosx"
- target_cpu: "darwin"
- target_system_name: "local"
- toolchain_identifier: "local_darwin"
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
- %{host_compiler_warnings}
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag:"-no-canonical-prefixes"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- %{linker_bin_path_flag}
- }
- }
- }
-
- feature {
- name: "undefined-dynamic"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-undefined"
- flag: "dynamic_lookup"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- implies: "undefined-dynamic"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "%{host_compiler_path}" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/libtool" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
-%{host_compiler_includes}
-}
-
-toolchain {
- toolchain_identifier: "local_windows"
- host_system_name: "local"
- target_system_name: "local"
-
- abi_version: "local"
- abi_libc_version: "local"
- target_cpu: "x64_windows"
- compiler: "msvc-cl"
- target_libc: "msvcrt"
-
-%{cxx_builtin_include_directory}
-
- tool_path {
- name: "ar"
- path: "%{msvc_lib_path}"
- }
- tool_path {
- name: "ml"
- path: "%{msvc_ml_path}"
- }
- tool_path {
- name: "cpp"
- path: "%{msvc_cl_path}"
- }
- tool_path {
- name: "gcc"
- path: "%{msvc_cl_path}"
- }
- tool_path {
- name: "gcov"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "ld"
- path: "%{msvc_link_path}"
- }
- tool_path {
- name: "nm"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objcopy"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objdump"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "strip"
- path: "wrapper/bin/msvc_nop.bat"
- }
- supports_interface_shared_objects: true
-
- # TODO(pcloudy): Review those flags below, they should be defined by cl.exe
- compiler_flag: "/DCOMPILER_MSVC"
-
- # Don't define min/max macros in windows.h.
- compiler_flag: "/DNOMINMAX"
-
- # Platform defines.
- compiler_flag: "/D_WIN32_WINNT=0x0600"
- # Turn off warning messages.
- compiler_flag: "/D_CRT_SECURE_NO_DEPRECATE"
- compiler_flag: "/D_CRT_SECURE_NO_WARNINGS"
- compiler_flag: "/D_SILENCE_STDEXT_HASH_DEPRECATION_WARNINGS"
-
- # Useful options to have on for compilation.
- # Increase the capacity of object files to 2^32 sections.
- compiler_flag: "/bigobj"
- # Allocate 500MB for precomputed headers.
- compiler_flag: "/Zm500"
- # Use unsigned char by default.
- compiler_flag: "/J"
- # Use function level linking.
- compiler_flag: "/Gy"
- # Use string pooling.
- compiler_flag: "/GF"
- # Catch C++ exceptions only and tell the compiler to assume that functions declared
- # as extern "C" never throw a C++ exception.
- compiler_flag: "/EHsc"
-
- # Globally disabled warnings.
- # Don't warn about elements of array being be default initialized.
- compiler_flag: "/wd4351"
- # Don't warn about no matching delete found.
- compiler_flag: "/wd4291"
- # Don't warn about diamond inheritance patterns.
- compiler_flag: "/wd4250"
- # Don't warn about insecure functions (e.g. non _s functions).
- compiler_flag: "/wd4996"
-
- linker_flag: "/MACHINE:X64"
-
- feature {
- name: "no_legacy_features"
- }
-
- # TODO(klimek): Previously we were using a .bat file to start python to run
- # the python script that can redirect to nvcc - unfortunately .bat files
- # have a rather short maximum length for command lines (8k). Instead, we
- # now use the python binary as the compiler and pass the python script to
- # it at the start of the command line. Investigate different possibilities
- # to run the nvcc wrapper, either using pyinstaller --onefile, or writing
- # a small C++ wrapper to redirect.
- feature {
- name: "redirector"
- enabled: true
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- flag_group {
- flag: "-B"
- flag: "external/local_config_cuda/crosstool/windows/msvc_wrapper_for_nvcc.py"
- }
- }
- }
-
- # Suppress startup banner.
- feature {
- name: "nologo"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- flag_group {
- flag: "/nologo"
- }
- }
- }
-
- feature {
- name: 'has_configured_linker_path'
- }
-
- # This feature indicates strip is not supported, building stripped binary will just result a copy of orignial binary
- feature {
- name: 'no_stripping'
- }
-
- # This feature indicates this is a toolchain targeting Windows.
- feature {
- name: 'targets_windows'
- implies: 'copy_dynamic_libraries_to_binary'
- enabled: true
- }
-
- feature {
- name: 'copy_dynamic_libraries_to_binary'
- }
-
- action_config {
- config_name: 'assemble'
- action_name: 'assemble'
- tool {
- tool_path: '%{msvc_ml_path}'
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'preprocess-assemble'
- action_name: 'preprocess-assemble'
- tool {
- tool_path: '%{msvc_ml_path}'
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'c-compile'
- action_name: 'c-compile'
- tool {
- tool_path: '%{msvc_cl_path}'
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-compile'
- action_name: 'c++-compile'
- tool {
- tool_path: '%{msvc_cl_path}'
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-link-executable'
- action_name: 'c++-link-executable'
- tool {
- tool_path: '%{msvc_link_path}'
- }
- implies: 'nologo'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- }
-
- action_config {
- config_name: 'c++-link-dynamic-library'
- action_name: 'c++-link-dynamic-library'
- tool {
- tool_path: '%{msvc_link_path}'
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-nodeps-dynamic-library'
- action_name: 'c++-link-nodeps-dynamic-library'
- tool {
- tool_path: '%{msvc_link_path}'
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-static-library'
- action_name: 'c++-link-static-library'
- tool {
- tool_path: '%{msvc_lib_path}'
- }
- implies: 'nologo'
- implies: 'archiver_flags'
- implies: 'input_param_flags'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- }
-
- # TODO(b/65151735): Remove legacy_compile_flags feature when legacy fields are
- # not used in this crosstool
- feature {
- name: 'legacy_compile_flags'
- flag_set {
- expand_if_all_available: 'legacy_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'legacy_compile_flags'
- flag: '%{legacy_compile_flags}'
- }
- }
- }
-
- feature {
- name: "msvc_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "PATH"
- value: "%{msvc_env_path}"
- }
- env_entry {
- key: "INCLUDE"
- value: "%{msvc_env_include}"
- }
- env_entry {
- key: "LIB"
- value: "%{msvc_env_lib}"
- }
- env_entry {
- key: "TMP"
- value: "%{msvc_env_tmp}"
- }
- env_entry {
- key: "TEMP"
- value: "%{msvc_env_tmp}"
- }
- }
- }
-
- feature {
- name: 'include_paths'
- flag_set {
- action: "assemble"
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- flag_group {
- iterate_over: 'quote_include_paths'
- flag: '/I%{quote_include_paths}'
- }
- flag_group {
- iterate_over: 'include_paths'
- flag: '/I%{include_paths}'
- }
- flag_group {
- iterate_over: 'system_include_paths'
- flag: '/I%{system_include_paths}'
- }
- }
- }
-
- feature {
- name: "preprocessor_defines"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-module-compile"
- flag_group {
- flag: "/D%{preprocessor_defines}"
- iterate_over: "preprocessor_defines"
- }
- }
- }
-
- # Tell Bazel to parse the output of /showIncludes
- feature {
- name: 'parse_showincludes'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-module-compile'
- action: 'c++-header-parsing'
- flag_group {
- flag: "/showIncludes"
- }
- }
- }
-
-
- feature {
- name: 'generate_pdb_file'
- requires: {
- feature: 'dbg'
- }
- requires: {
- feature: 'fastbuild'
- }
- }
-
- feature {
- name: 'shared_flag'
- flag_set {
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/DLL'
- }
- }
- }
-
- feature {
- name: 'linkstamps'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- expand_if_all_available: 'linkstamp_paths'
- flag_group {
- iterate_over: 'linkstamp_paths'
- flag: '%{linkstamp_paths}'
- }
- }
- }
-
- feature {
- name: 'output_execpath_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'archiver_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-static-library'
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'input_param_flags'
- flag_set {
- expand_if_all_available: 'interface_library_output_path'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/IMPLIB:%{interface_library_output_path}"
- }
- }
- flag_set {
- expand_if_all_available: 'libopts'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'libopts'
- flag: '%{libopts}'
- }
- }
- flag_set {
- expand_if_all_available: 'libraries_to_link'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- iterate_over: 'libraries_to_link'
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file_group'
- }
- iterate_over: 'libraries_to_link.object_files'
- flag_group {
- flag: '%{libraries_to_link.object_files}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'interface_library'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'static_library'
- }
- flag_group {
- expand_if_false: 'libraries_to_link.is_whole_archive'
- flag: '%{libraries_to_link.name}'
- }
- flag_group {
- expand_if_true: 'libraries_to_link.is_whole_archive'
- flag: '/WHOLEARCHIVE:%{libraries_to_link.name}'
- }
- }
- }
- }
- }
-
- # Since this feature is declared earlier in the CROSSTOOL than
- # "user_link_flags", this feature will be applied prior to it anwyhere they
- # are both implied. And since "user_link_flags" contains the linkopts from
- # the build rule, this allows the user to override the /SUBSYSTEM in the BUILD
- # file.
- feature {
- name: 'linker_subsystem_flag'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/SUBSYSTEM:CONSOLE'
- }
- }
- }
-
- # The "user_link_flags" contains user-defined linkopts (from build rules)
- # so it should be defined after features that declare user-overridable flags.
- # For example the "linker_subsystem_flag" defines a default "/SUBSYSTEM" flag
- # but we want to let the user override it, therefore "link_flag_subsystem" is
- # defined earlier in the CROSSTOOL file than "user_link_flags".
- feature {
- name: 'user_link_flags'
- flag_set {
- expand_if_all_available: 'user_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'user_link_flags'
- flag: '%{user_link_flags}'
- }
- }
- }
- feature {
- name: 'legacy_link_flags'
- flag_set {
- expand_if_all_available: 'legacy_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'legacy_link_flags'
- flag: '%{legacy_link_flags}'
- }
- }
- }
-
- feature {
- name: 'linker_param_file'
- flag_set {
- expand_if_all_available: 'linker_param_file'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- flag: '@%{linker_param_file}'
- }
- }
- }
-
- feature {
- name: 'static_link_msvcrt'
- }
-
- feature {
- name: 'static_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MT"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MD"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'static_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MTd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MDd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dbg'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FULL"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'fastbuild'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FASTLINK"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'opt'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/O2"
- flag: "/DNDEBUG"
- }
- }
- }
-
- feature {
- name: 'user_compile_flags'
- flag_set {
- expand_if_all_available: 'user_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'user_compile_flags'
- flag: '%{user_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'sysroot'
- flag_set {
- expand_if_all_available: 'sysroot'
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'sysroot'
- flag: '--sysroot=%{sysroot}'
- }
- }
- }
-
- feature {
- name: 'unfiltered_compile_flags'
- flag_set {
- expand_if_all_available: 'unfiltered_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'unfiltered_compile_flags'
- flag: '%{unfiltered_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'compiler_output_flags'
- flag_set {
- action: 'assemble'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- flag: '/Zi'
- }
- }
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_assembly_file'
- flag: '/Fa%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_preprocess_file'
- flag: '/P'
- flag: '/Fi%{output_file}'
- }
- }
- }
-
- feature {
- name: 'compiler_input_flags'
- flag_set {
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'source_file'
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- }
-
- feature {
- name : 'def_file',
- flag_set {
- expand_if_all_available: 'def_file_path'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEF:%{def_file_path}"
- # We can specify a different DLL name in DEF file, /ignore:4070 suppresses
- # the warning message about DLL name doesn't match the default one.
- # See https://msdn.microsoft.com/en-us/library/sfkk2fz7.aspx
- flag: "/ignore:4070"
- }
- }
- }
-
- feature {
- name: 'windows_export_all_symbols'
- }
-
- feature {
- name: 'no_windows_export_all_symbols'
- }
-
- linking_mode_flags { mode: DYNAMIC }
-}
diff --git a/third_party/gpus/crosstool/CROSSTOOL_hipcc.tpl b/third_party/gpus/crosstool/CROSSTOOL_hipcc.tpl
deleted file mode 100644
index 0e175b3..0000000
--- a/third_party/gpus/crosstool/CROSSTOOL_hipcc.tpl
+++ /dev/null
@@ -1,158 +0,0 @@
-major_version: "local"
-minor_version: ""
-default_target_cpu: "same_as_host"
-
-default_toolchain {
- cpu: "k8"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "piii"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "arm"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "ppc"
- toolchain_identifier: "local_linux"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- supports_gold_linker: false
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: false
- supports_thin_archives: false
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_linux"
-
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- # As part of the TensorFlow release, we place some ROCm-related compilation
- # files in @local_config_rocm//crosstool/clang/bin, and this relative
- # path, combined with the rest of our Bazel configuration causes our
- # compilation to use those files.
- tool_path { name: "gcc" path: "clang/bin/crosstool_wrapper_driver_rocm" }
- # Use "-std=c++11" for hipcc. For consistency, force both the host compiler
- # and the device compiler to use "-std=c++11".
- cxx_flag: "-std=c++11"
- linker_flag: "-Wl,-no-as-needed"
- linker_flag: "-lstdc++"
- #linker_flag: "-B/usr/bin/"
- linker_flag: "-B/opt/rocm/hcc/compiler/bin"
-
-%{host_compiler_includes}
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
-
- # C(++) compiles invoke the compiler (as that is the one knowing where
- # to find libraries), but we provide LD so other rules can invoke the linker.
- tool_path { name: "ld" path: "/usr/bin/ld" }
-
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Anticipated future default.
- unfiltered_cxx_flag: "-no-canonical-prefixes"
-
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
- unfiltered_cxx_flag: "-D__HIP_PLATFORM_HCC__"
- # The macro EIGEN_USE_HIP is used to tell Eigen to use the HIP platform headers
- # It needs to be always set when compiling Eigen headers
- # (irrespective of whether the source file is being compiled via HIPCC)
- # so adding -DEIGEN_USE_HIP as a default CXX flag here
- unfiltered_cxx_flag: "-DEIGEN_USE_HIP"
-
-
- # Security hardening on by default.
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now have
- # it enabled by default.
- #compiler_flag: "-U_FORTIFY_SOURCE"
- #compiler_flag: "-D_FORTIFY_SOURCE=1"
- #compiler_flag: "-fstack-protector"
- #compiler_flag: "-fPIE"
- #linker_flag: "-pie"
- #linker_flag: "-Wl,-z,relro,-z,now"
-
- # Enable coloring even if there's no attached terminal. Bazel removes the
- # escape sequences if --nocolor is specified. This isn't supported by gcc
- # on Ubuntu 14.04.
- # compiler_flag: "-fcolor-diagnostics"
-
- # All warnings are enabled. Maybe enable -Werror as well?
- compiler_flag: "-Wall"
- # Enable a few more warnings that aren't part of -Wall.
- compiler_flag: "-Wunused-but-set-parameter"
- # But disable some that are problematic.
- compiler_flag: "-Wno-free-nonheap-object" # has false positives
-
- # Keep stack frames for debugging, even in opt mode.
- compiler_flag: "-fno-omit-frame-pointer"
-
- # Anticipated future default.
- linker_flag: "-no-canonical-prefixes"
- unfiltered_cxx_flag: "-fno-canonical-system-headers"
- # Have gcc return the exit code from ld.
- linker_flag: "-pass-exit-codes"
- # Stamp the binary with a unique identifier.
- linker_flag: "-Wl,--build-id=md5"
- linker_flag: "-Wl,--hash-style=gnu"
- # Gold linker only? Can we enable this by default?
- # linker_flag: "-Wl,--warn-execstack"
- # linker_flag: "-Wl,--detect-odr-violations"
-
- # Include directory for ROCm headers.
-%{rocm_include_path}
-
- compilation_mode_flags {
- mode: DBG
- # Enable debug symbols.
- compiler_flag: "-g"
- }
- compilation_mode_flags {
- mode: OPT
-
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt or
- # even generally? However, that can't happen here, as it requires special
- # handling in Bazel.
- compiler_flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- compiler_flag: "-O2"
-
- # Disable assertions
- compiler_flag: "-DNDEBUG"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- compiler_flag: "-ffunction-sections"
- compiler_flag: "-fdata-sections"
- linker_flag: "-Wl,--gc-sections"
- }
- linking_mode_flags { mode: DYNAMIC }
-}
diff --git a/third_party/gpus/crosstool/LICENSE b/third_party/gpus/crosstool/LICENSE
deleted file mode 100644
index d3da228..0000000
--- a/third_party/gpus/crosstool/LICENSE
+++ /dev/null
@@ -1,203 +0,0 @@
-Copyright 2015 The TensorFlow Authors. All rights reserved.
-
- Apache License
- Version 2.0, January 2004
- http://www.apache.org/licenses/
-
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
-
- 1. Definitions.
-
- "License" shall mean the terms and conditions for use, reproduction,
- and distribution as defined by Sections 1 through 9 of this document.
-
- "Licensor" shall mean the copyright owner or entity authorized by
- the copyright owner that is granting the License.
-
- "Legal Entity" shall mean the union of the acting entity and all
- other entities that control, are controlled by, or are under common
- control with that entity. For the purposes of this definition,
- "control" means (i) the power, direct or indirect, to cause the
- direction or management of such entity, whether by contract or
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
- outstanding shares, or (iii) beneficial ownership of such entity.
-
- "You" (or "Your") shall mean an individual or Legal Entity
- exercising permissions granted by this License.
-
- "Source" form shall mean the preferred form for making modifications,
- including but not limited to software source code, documentation
- source, and configuration files.
-
- "Object" form shall mean any form resulting from mechanical
- transformation or translation of a Source form, including but
- not limited to compiled object code, generated documentation,
- and conversions to other media types.
-
- "Work" shall mean the work of authorship, whether in Source or
- Object form, made available under the License, as indicated by a
- copyright notice that is included in or attached to the work
- (an example is provided in the Appendix below).
-
- "Derivative Works" shall mean any work, whether in Source or Object
- form, that is based on (or derived from) the Work and for which the
- editorial revisions, annotations, elaborations, or other modifications
- represent, as a whole, an original work of authorship. For the purposes
- of this License, Derivative Works shall not include works that remain
- separable from, or merely link (or bind by name) to the interfaces of,
- the Work and Derivative Works thereof.
-
- "Contribution" shall mean any work of authorship, including
- the original version of the Work and any modifications or additions
- to that Work or Derivative Works thereof, that is intentionally
- submitted to Licensor for inclusion in the Work by the copyright owner
- or by an individual or Legal Entity authorized to submit on behalf of
- the copyright owner. For the purposes of this definition, "submitted"
- means any form of electronic, verbal, or written communication sent
- to the Licensor or its representatives, including but not limited to
- communication on electronic mailing lists, source code control systems,
- and issue tracking systems that are managed by, or on behalf of, the
- Licensor for the purpose of discussing and improving the Work, but
- excluding communication that is conspicuously marked or otherwise
- designated in writing by the copyright owner as "Not a Contribution."
-
- "Contributor" shall mean Licensor and any individual or Legal Entity
- on behalf of whom a Contribution has been received by Licensor and
- subsequently incorporated within the Work.
-
- 2. Grant of Copyright License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- copyright license to reproduce, prepare Derivative Works of,
- publicly display, publicly perform, sublicense, and distribute the
- Work and such Derivative Works in Source or Object form.
-
- 3. Grant of Patent License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- (except as stated in this section) patent license to make, have made,
- use, offer to sell, sell, import, and otherwise transfer the Work,
- where such license applies only to those patent claims licensable
- by such Contributor that are necessarily infringed by their
- Contribution(s) alone or by combination of their Contribution(s)
- with the Work to which such Contribution(s) was submitted. If You
- institute patent litigation against any entity (including a
- cross-claim or counterclaim in a lawsuit) alleging that the Work
- or a Contribution incorporated within the Work constitutes direct
- or contributory patent infringement, then any patent licenses
- granted to You under this License for that Work shall terminate
- as of the date such litigation is filed.
-
- 4. Redistribution. You may reproduce and distribute copies of the
- Work or Derivative Works thereof in any medium, with or without
- modifications, and in Source or Object form, provided that You
- meet the following conditions:
-
- (a) You must give any other recipients of the Work or
- Derivative Works a copy of this License; and
-
- (b) You must cause any modified files to carry prominent notices
- stating that You changed the files; and
-
- (c) You must retain, in the Source form of any Derivative Works
- that You distribute, all copyright, patent, trademark, and
- attribution notices from the Source form of the Work,
- excluding those notices that do not pertain to any part of
- the Derivative Works; and
-
- (d) If the Work includes a "NOTICE" text file as part of its
- distribution, then any Derivative Works that You distribute must
- include a readable copy of the attribution notices contained
- within such NOTICE file, excluding those notices that do not
- pertain to any part of the Derivative Works, in at least one
- of the following places: within a NOTICE text file distributed
- as part of the Derivative Works; within the Source form or
- documentation, if provided along with the Derivative Works; or,
- within a display generated by the Derivative Works, if and
- wherever such third-party notices normally appear. The contents
- of the NOTICE file are for informational purposes only and
- do not modify the License. You may add Your own attribution
- notices within Derivative Works that You distribute, alongside
- or as an addendum to the NOTICE text from the Work, provided
- that such additional attribution notices cannot be construed
- as modifying the License.
-
- You may add Your own copyright statement to Your modifications and
- may provide additional or different license terms and conditions
- for use, reproduction, or distribution of Your modifications, or
- for any such Derivative Works as a whole, provided Your use,
- reproduction, and distribution of the Work otherwise complies with
- the conditions stated in this License.
-
- 5. Submission of Contributions. Unless You explicitly state otherwise,
- any Contribution intentionally submitted for inclusion in the Work
- by You to the Licensor shall be under the terms and conditions of
- this License, without any additional terms or conditions.
- Notwithstanding the above, nothing herein shall supersede or modify
- the terms of any separate license agreement you may have executed
- with Licensor regarding such Contributions.
-
- 6. Trademarks. This License does not grant permission to use the trade
- names, trademarks, service marks, or product names of the Licensor,
- except as required for reasonable and customary use in describing the
- origin of the Work and reproducing the content of the NOTICE file.
-
- 7. Disclaimer of Warranty. Unless required by applicable law or
- agreed to in writing, Licensor provides the Work (and each
- Contributor provides its Contributions) on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
- implied, including, without limitation, any warranties or conditions
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
- PARTICULAR PURPOSE. You are solely responsible for determining the
- appropriateness of using or redistributing the Work and assume any
- risks associated with Your exercise of permissions under this License.
-
- 8. Limitation of Liability. In no event and under no legal theory,
- whether in tort (including negligence), contract, or otherwise,
- unless required by applicable law (such as deliberate and grossly
- negligent acts) or agreed to in writing, shall any Contributor be
- liable to You for damages, including any direct, indirect, special,
- incidental, or consequential damages of any character arising as a
- result of this License or out of the use or inability to use the
- Work (including but not limited to damages for loss of goodwill,
- work stoppage, computer failure or malfunction, or any and all
- other commercial damages or losses), even if such Contributor
- has been advised of the possibility of such damages.
-
- 9. Accepting Warranty or Additional Liability. While redistributing
- the Work or Derivative Works thereof, You may choose to offer,
- and charge a fee for, acceptance of support, warranty, indemnity,
- or other liability obligations and/or rights consistent with this
- License. However, in accepting such obligations, You may act only
- on Your own behalf and on Your sole responsibility, not on behalf
- of any other Contributor, and only if You agree to indemnify,
- defend, and hold each Contributor harmless for any liability
- incurred by, or claims asserted against, such Contributor by reason
- of your accepting any such warranty or additional liability.
-
- END OF TERMS AND CONDITIONS
-
- APPENDIX: How to apply the Apache License to your work.
-
- To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "[]"
- replaced with your own identifying information. (Don't include
- the brackets!) The text should be enclosed in the appropriate
- comment syntax for the file format. We also recommend that a
- file or class name and description of purpose be included on the
- same "printed page" as the copyright notice for easier
- identification within third-party archives.
-
- Copyright 2015, The TensorFlow Authors.
-
- Licensed under the Apache License, Version 2.0 (the "License");
- you may not use this file except in compliance with the License.
- You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
- Unless required by applicable law or agreed to in writing, software
- distributed under the License is distributed on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- See the License for the specific language governing permissions and
- limitations under the License.
diff --git a/third_party/gpus/crosstool/clang/bin/crosstool_wrapper_driver_is_not_gcc.tpl b/third_party/gpus/crosstool/clang/bin/crosstool_wrapper_driver_is_not_gcc.tpl
deleted file mode 100755
index f4f4d0e..0000000
--- a/third_party/gpus/crosstool/clang/bin/crosstool_wrapper_driver_is_not_gcc.tpl
+++ /dev/null
@@ -1,264 +0,0 @@
-#!/usr/bin/env python
-# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Crosstool wrapper for compiling CUDA programs.
-
-SYNOPSIS:
- crosstool_wrapper_is_not_gcc [options passed in by cc_library()
- or cc_binary() rule]
-
-DESCRIPTION:
- This script is expected to be called by the cc_library() or cc_binary() bazel
- rules. When the option "-x cuda" is present in the list of arguments passed
- to this script, it invokes the nvcc CUDA compiler. Most arguments are passed
- as is as a string to --compiler-options of nvcc. When "-x cuda" is not
- present, this wrapper invokes hybrid_driver_is_not_gcc with the input
- arguments as is.
-
-NOTES:
- Changes to the contents of this file must be propagated from
- //third_party/gpus/crosstool/crosstool_wrapper_is_not_gcc to
- //third_party/gpus/crosstool/v*/*/clang/bin/crosstool_wrapper_is_not_gcc
-"""
-
-from __future__ import print_function
-
-__author__ = 'keveman@google.com (Manjunath Kudlur)'
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by cuda_autoconf.
-CPU_COMPILER = ('%{cpu_compiler}')
-GCC_HOST_COMPILER_PATH = ('%{gcc_host_compiler_path}')
-
-NVCC_PATH = '%{nvcc_path}'
-PREFIX_DIR = os.path.dirname(GCC_HOST_COMPILER_PATH)
-NVCC_VERSION = '%{cuda_version}'
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from the argv list.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- option: The option whose value to extract, without the leading '-'.
-
- Returns:
- A list of values, either directly following the option,
- (eg., -opt val1 val2) or values collected from multiple occurrences of
- the option (eg., -opt val1 -opt val2).
- """
-
- parser = ArgumentParser()
- parser.add_argument('-' + option, nargs='*', action='append')
- args, _ = parser.parse_known_args(argv)
- if not args or not vars(args)[option]:
- return []
- else:
- return sum(vars(args)[option], [])
-
-
-def GetHostCompilerOptions(argv):
- """Collect the -isystem, -iquote, and --sysroot option values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be used as the --compiler-options to nvcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-isystem', nargs='*', action='append')
- parser.add_argument('-iquote', nargs='*', action='append')
- parser.add_argument('--sysroot', nargs=1)
- parser.add_argument('-g', nargs='*', action='append')
- parser.add_argument('-fno-canonical-system-headers', action='store_true')
-
- args, _ = parser.parse_known_args(argv)
-
- opts = ''
-
- if args.isystem:
- opts += ' -isystem ' + ' -isystem '.join(sum(args.isystem, []))
- if args.iquote:
- opts += ' -iquote ' + ' -iquote '.join(sum(args.iquote, []))
- if args.g:
- opts += ' -g' + ' -g'.join(sum(args.g, []))
- if args.fno_canonical_system_headers:
- opts += ' -fno-canonical-system-headers'
- if args.sysroot:
- opts += ' --sysroot ' + args.sysroot[0]
-
- return opts
-
-def _update_options(nvcc_options):
- if NVCC_VERSION in ("7.0",):
- return nvcc_options
-
- update_options = { "relaxed-constexpr" : "expt-relaxed-constexpr" }
- return [ update_options[opt] if opt in update_options else opt
- for opt in nvcc_options ]
-
-def GetNvccOptions(argv):
- """Collect the -nvcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be passed directly to nvcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-nvcc_options', nargs='*', action='append')
-
- args, _ = parser.parse_known_args(argv)
-
- if args.nvcc_options:
- options = _update_options(sum(args.nvcc_options, []))
- return ' '.join(['--'+a for a in options])
- return ''
-
-
-def InvokeNvcc(argv, log=False):
- """Call nvcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('nvcc ' + args)
- """
-
- host_compiler_options = GetHostCompilerOptions(argv)
- nvcc_compiler_options = GetNvccOptions(argv)
- opt_option = GetOptionValue(argv, 'O')
- m_options = GetOptionValue(argv, 'm')
- m_options = ''.join([' -m' + m for m in m_options if m in ['32', '64']])
- include_options = GetOptionValue(argv, 'I')
- out_file = GetOptionValue(argv, 'o')
- depfiles = GetOptionValue(argv, 'MF')
- defines = GetOptionValue(argv, 'D')
- defines = ''.join([' -D' + define for define in defines])
- undefines = GetOptionValue(argv, 'U')
- undefines = ''.join([' -U' + define for define in undefines])
- std_options = GetOptionValue(argv, 'std')
- # currently only c++11 is supported by Cuda 7.0 std argument
- nvcc_allowed_std_options = ["c++11"]
- std_options = ''.join([' -std=' + define
- for define in std_options if define in nvcc_allowed_std_options])
-
- # The list of source files get passed after the -c option. I don't know of
- # any other reliable way to just get the list of source files to be compiled.
- src_files = GetOptionValue(argv, 'c')
-
- # Pass -w through from host to nvcc, but don't do anything fancier with
- # warnings-related flags, since they're not necessarily the same across
- # compilers.
- warning_options = ' -w' if '-w' in argv else ''
-
- if len(src_files) == 0:
- return 1
- if len(out_file) != 1:
- return 1
-
- opt = (' -O2' if (len(opt_option) > 0 and int(opt_option[0]) > 0)
- else ' -g -G')
-
- includes = (' -I ' + ' -I '.join(include_options)
- if len(include_options) > 0
- else '')
-
- # Unfortunately, there are other options that have -c prefix too.
- # So allowing only those look like C/C++ files.
- src_files = [f for f in src_files if
- re.search('\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)]
- srcs = ' '.join(src_files)
- out = ' -o ' + out_file[0]
-
- supported_cuda_compute_capabilities = [ %{cuda_compute_capabilities} ]
- nvccopts = '-D_FORCE_INLINES '
- for capability in supported_cuda_compute_capabilities:
- capability = capability.replace('.', '')
- nvccopts += r'-gencode=arch=compute_%s,\"code=sm_%s,compute_%s\" ' % (
- capability, capability, capability)
- nvccopts += ' ' + nvcc_compiler_options
- nvccopts += undefines
- nvccopts += defines
- nvccopts += std_options
- nvccopts += m_options
- nvccopts += warning_options
-
- if depfiles:
- # Generate the dependency file
- depfile = depfiles[0]
- cmd = (NVCC_PATH + ' ' + nvccopts +
- ' --compiler-options "' + host_compiler_options + '"' +
- ' --compiler-bindir=' + GCC_HOST_COMPILER_PATH +
- ' -I .' +
- ' -x cu ' + opt + includes + ' ' + srcs + ' -M -o ' + depfile)
- if log: Log(cmd)
- exit_status = os.system(cmd)
- if exit_status != 0:
- return exit_status
-
- cmd = (NVCC_PATH + ' ' + nvccopts +
- ' --compiler-options "' + host_compiler_options + ' -fPIC"' +
- ' --compiler-bindir=' + GCC_HOST_COMPILER_PATH +
- ' -I .' +
- ' -x cu ' + opt + includes + ' -c ' + srcs + out)
-
- # TODO(zhengxq): for some reason, 'gcc' needs this help to find 'as'.
- # Need to investigate and fix.
- cmd = 'PATH=' + PREFIX_DIR + ':$PATH ' + cmd
- if log: Log(cmd)
- return os.system(cmd)
-
-
-def main():
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--cuda_log', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'cuda':
- if args.cuda_log: Log('-x cuda')
- leftover = [pipes.quote(s) for s in leftover]
- if args.cuda_log: Log('using nvcc')
- return InvokeNvcc(leftover, log=args.cuda_log)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x cuda. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--cuda_log'))]
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/gpus/crosstool/clang/bin/crosstool_wrapper_driver_rocm.tpl b/third_party/gpus/crosstool/clang/bin/crosstool_wrapper_driver_rocm.tpl
deleted file mode 100755
index 8242380..0000000
--- a/third_party/gpus/crosstool/clang/bin/crosstool_wrapper_driver_rocm.tpl
+++ /dev/null
@@ -1,241 +0,0 @@
-#!/usr/bin/env python
-"""Crosstool wrapper for compiling ROCm programs.
-
-SYNOPSIS:
- crosstool_wrapper_driver_rocm [options passed in by cc_library()
- or cc_binary() rule]
-
-DESCRIPTION:
- This script is expected to be called by the cc_library() or cc_binary() bazel
- rules. When the option "-x rocm" is present in the list of arguments passed
- to this script, it invokes the hipcc compiler. Most arguments are passed
- as is as a string to --compiler-options of hipcc. When "-x rocm" is not
- present, this wrapper invokes gcc with the input arguments as is.
-"""
-
-from __future__ import print_function
-
-__author__ = 'whchung@gmail.com (Wen-Heng (Jack) Chung)'
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by rocm_configure.bzl.
-CPU_COMPILER = ('%{cpu_compiler}')
-GCC_HOST_COMPILER_PATH = ('%{gcc_host_compiler_path}')
-
-HIPCC_PATH = '%{hipcc_path}'
-PREFIX_DIR = os.path.dirname(GCC_HOST_COMPILER_PATH)
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from the argv list.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- option: The option whose value to extract, without the leading '-'.
-
- Returns:
- A list of values, either directly following the option,
- (eg., -opt val1 val2) or values collected from multiple occurrences of
- the option (eg., -opt val1 -opt val2).
- """
-
- parser = ArgumentParser()
- parser.add_argument('-' + option, nargs='*', action='append')
- args, _ = parser.parse_known_args(argv)
- if not args or not vars(args)[option]:
- return []
- else:
- return sum(vars(args)[option], [])
-
-
-def GetHostCompilerOptions(argv):
- """Collect the -isystem, -iquote, and --sysroot option values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be used as the --compiler-options to hipcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-isystem', nargs='*', action='append')
- parser.add_argument('-iquote', nargs='*', action='append')
- parser.add_argument('--sysroot', nargs=1)
- parser.add_argument('-g', nargs='*', action='append')
- parser.add_argument('-fno-canonical-system-headers', action='store_true')
-
- args, _ = parser.parse_known_args(argv)
-
- opts = ''
-
- if args.isystem:
- opts += ' -isystem ' + ' -isystem '.join(sum(args.isystem, []))
- if args.iquote:
- opts += ' -iquote ' + ' -iquote '.join(sum(args.iquote, []))
- if args.g:
- opts += ' -g' + ' -g'.join(sum(args.g, []))
- #if args.fno_canonical_system_headers:
- # opts += ' -fno-canonical-system-headers'
- if args.sysroot:
- opts += ' --sysroot ' + args.sysroot[0]
-
- return opts
-
-def GetHipccOptions(argv):
- """Collect the -hipcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be passed directly to hipcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-hipcc_options', nargs='*', action='append')
-
- args, _ = parser.parse_known_args(argv)
-
- if args.hipcc_options:
- options = _update_options(sum(args.hipcc_options, []))
- return ' '.join(['--'+a for a in options])
- return ''
-
-
-def InvokeHipcc(argv, log=False):
- """Call hipcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('hipcc ' + args)
- """
-
- host_compiler_options = GetHostCompilerOptions(argv)
- hipcc_compiler_options = GetHipccOptions(argv)
- opt_option = GetOptionValue(argv, 'O')
- m_options = GetOptionValue(argv, 'm')
- m_options = ''.join([' -m' + m for m in m_options if m in ['32', '64']])
- include_options = GetOptionValue(argv, 'I')
- out_file = GetOptionValue(argv, 'o')
- depfiles = GetOptionValue(argv, 'MF')
- defines = GetOptionValue(argv, 'D')
- defines = ''.join([' -D' + define for define in defines])
- undefines = GetOptionValue(argv, 'U')
- undefines = ''.join([' -U' + define for define in undefines])
- std_options = GetOptionValue(argv, 'std')
- hipcc_allowed_std_options = ["c++11"]
- std_options = ''.join([' -std=' + define
- for define in std_options if define in hipcc_allowed_std_options])
-
- # The list of source files get passed after the -c option. I don't know of
- # any other reliable way to just get the list of source files to be compiled.
- src_files = GetOptionValue(argv, 'c')
-
- if len(src_files) == 0:
- return 1
- if len(out_file) != 1:
- return 1
-
- opt = (' -O2' if (len(opt_option) > 0 and int(opt_option[0]) > 0)
- else ' -g')
-
- includes = (' -I ' + ' -I '.join(include_options)
- if len(include_options) > 0
- else '')
-
- # Unfortunately, there are other options that have -c prefix too.
- # So allowing only those look like C/C++ files.
- src_files = [f for f in src_files if
- re.search('\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)]
- srcs = ' '.join(src_files)
- out = ' -o ' + out_file[0]
-
- hipccopts = ' '
- hipccopts += ' ' + hipcc_compiler_options
- hipccopts += undefines
- hipccopts += defines
- hipccopts += std_options
- hipccopts += m_options
-
- if depfiles:
- # Generate the dependency file
- depfile = depfiles[0]
- cmd = (HIPCC_PATH + ' ' + hipccopts +
- host_compiler_options +
- ' ' + GCC_HOST_COMPILER_PATH +
- ' -I .' + includes + ' ' + srcs + ' -M -o ' + depfile)
- if log: Log(cmd)
- exit_status = os.system(cmd)
- if exit_status != 0:
- return exit_status
-
- cmd = (HIPCC_PATH + ' ' + hipccopts +
- host_compiler_options + ' -fPIC' +
- ' ' + GCC_HOST_COMPILER_PATH +
- ' -I .' + opt + includes + ' -c ' + srcs + out)
-
- # TODO(zhengxq): for some reason, 'gcc' needs this help to find 'as'.
- # Need to investigate and fix.
- cmd = 'PATH=' + PREFIX_DIR + ':$PATH ' + cmd
- if log: Log(cmd)
- return os.system(cmd)
-
-
-def main():
- # ignore PWD env var
- os.environ['PWD']=''
-
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--rocm_log', action='store_true')
- parser.add_argument('-pass-exit-codes', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'rocm':
- if args.rocm_log: Log('-x rocm')
- leftover = [pipes.quote(s) for s in leftover]
- if args.rocm_log: Log('using hipcc')
- return InvokeHipcc(leftover, log=args.rocm_log)
-
- # XXX use hipcc to link
- if args.pass_exit_codes:
- gpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('-pass-exit-codes'))]
-
- # special handling for $ORIGIN
- # - guard every argument with ''
- modified_gpu_compiler_flags = []
- for flag in gpu_compiler_flags:
- modified_gpu_compiler_flags.append("'" + flag + "'")
-
- if args.rocm_log: Log('Link with hipcc: %s' % (' '.join([HIPCC_PATH] + modified_gpu_compiler_flags)))
- return subprocess.call([HIPCC_PATH] + modified_gpu_compiler_flags)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x rocm. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--rocm_log'))]
-
- # XXX: SE codes need to be built with gcc, but need this macro defined
- cpu_compiler_flags.append("-D__HIP_PLATFORM_HCC__")
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/gpus/crosstool/windows/msvc_wrapper_for_nvcc.py.tpl b/third_party/gpus/crosstool/windows/msvc_wrapper_for_nvcc.py.tpl
deleted file mode 100644
index 1a09756..0000000
--- a/third_party/gpus/crosstool/windows/msvc_wrapper_for_nvcc.py.tpl
+++ /dev/null
@@ -1,192 +0,0 @@
-#!/usr/bin/env python
-# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Crosstool wrapper for compiling CUDA programs with nvcc on Windows.
-
-DESCRIPTION:
- This script is the Windows version of //third_party/gpus/crosstool/crosstool_wrapper_is_not_gcc
-"""
-
-from __future__ import print_function
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by cuda_autoconf.
-CPU_COMPILER = ('%{cpu_compiler}')
-GCC_HOST_COMPILER_PATH = ('%{gcc_host_compiler_path}')
-
-NVCC_PATH = '%{nvcc_path}'
-NVCC_VERSION = '%{cuda_version}'
-NVCC_TEMP_DIR = "%{nvcc_tmp_dir}"
-supported_cuda_compute_capabilities = [ %{cuda_compute_capabilities} ]
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from options.
-
- Args:
- option: The option whose value to extract, without the leading '/'.
-
- Returns:
- 1. A list of values, either directly following the option,
- (eg., /opt val1 val2) or values collected from multiple occurrences of
- the option (eg., /opt val1 /opt val2).
- 2. The leftover options.
- """
-
- parser = ArgumentParser(prefix_chars='/')
- parser.add_argument('/' + option, nargs='*', action='append')
- args, leftover = parser.parse_known_args(argv)
- if args and vars(args)[option]:
- return (sum(vars(args)[option], []), leftover)
- return ([], leftover)
-
-def _update_options(nvcc_options):
- if NVCC_VERSION in ("7.0",):
- return nvcc_options
-
- update_options = { "relaxed-constexpr" : "expt-relaxed-constexpr" }
- return [ update_options[opt] if opt in update_options else opt
- for opt in nvcc_options ]
-
-def GetNvccOptions(argv):
- """Collect the -nvcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- 1. The string that can be passed directly to nvcc.
- 2. The leftover options.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-nvcc_options', nargs='*', action='append')
-
- args, leftover = parser.parse_known_args(argv)
-
- if args.nvcc_options:
- options = _update_options(sum(args.nvcc_options, []))
- return (['--' + a for a in options], leftover)
- return ([], leftover)
-
-
-def InvokeNvcc(argv, log=False):
- """Call nvcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('nvcc ' + args)
- """
-
- src_files = [f for f in argv if
- re.search('\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)]
- if len(src_files) == 0:
- raise Error('No source files found for cuda compilation.')
-
- out_file = [ f for f in argv if f.startswith('/Fo') ]
- if len(out_file) != 1:
- raise Error('Please sepecify exactly one output file for cuda compilation.')
- out = ['-o', out_file[0][len('/Fo'):]]
-
- nvcc_compiler_options, argv = GetNvccOptions(argv)
-
- opt_option, argv = GetOptionValue(argv, 'O')
- opt = ['-g', '-G']
- if (len(opt_option) > 0 and opt_option[0] != 'd'):
- opt = ['-O2']
-
- include_options, argv = GetOptionValue(argv, 'I')
- includes = ["-I " + include for include in include_options]
-
- defines, argv = GetOptionValue(argv, 'D')
- defines = ['-D' + define for define in defines]
-
- undefines, argv = GetOptionValue(argv, 'U')
- undefines = ['-U' + define for define in undefines]
-
- # The rest of the unrecongized options should be passed to host compiler
- host_compiler_options = [option for option in argv if option not in (src_files + out_file)]
-
- m_options = ["-m64"]
-
- nvccopts = ['-D_FORCE_INLINES']
- for capability in supported_cuda_compute_capabilities:
- capability = capability.replace('.', '')
- nvccopts += [r'-gencode=arch=compute_%s,"code=sm_%s,compute_%s"' % (
- capability, capability, capability)]
- nvccopts += nvcc_compiler_options
- nvccopts += undefines
- nvccopts += defines
- nvccopts += m_options
- nvccopts += ['--compiler-options="' + " ".join(host_compiler_options) + '"']
- nvccopts += ['-x', 'cu'] + opt + includes + out + ['-c'] + src_files
- # If we don't specify --keep-dir, nvcc will generate intermediate files under TEMP
- # Put them under NVCC_TEMP_DIR instead, then Bazel can ignore files under NVCC_TEMP_DIR during dependency check
- # http://docs.nvidia.com/cuda/cuda-compiler-driver-nvcc/index.html#options-for-guiding-compiler-driver
- # Different actions are sharing NVCC_TEMP_DIR, so we cannot remove it if the directory already exists.
- if os.path.isfile(NVCC_TEMP_DIR):
- os.remove(NVCC_TEMP_DIR)
- if not os.path.exists(NVCC_TEMP_DIR):
- os.makedirs(NVCC_TEMP_DIR)
- nvccopts += ['--keep', '--keep-dir', NVCC_TEMP_DIR]
- cmd = [NVCC_PATH] + nvccopts
- if log:
- Log(cmd)
- proc = subprocess.Popen(cmd,
- stdout=sys.stdout,
- stderr=sys.stderr,
- env=os.environ.copy(),
- shell=True)
- proc.wait()
- return proc.returncode
-
-def main():
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--cuda_log', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'cuda':
- if args.cuda_log: Log('-x cuda')
- leftover = [pipes.quote(s) for s in leftover]
- if args.cuda_log: Log('using nvcc')
- return InvokeNvcc(leftover, log=args.cuda_log)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x cuda. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--cuda_log'))
- and not flag.startswith(('-nvcc_options'))]
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/gpus/cuda/BUILD b/third_party/gpus/cuda/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/gpus/cuda/BUILD
+++ /dev/null
diff --git a/third_party/gpus/cuda/BUILD.tpl b/third_party/gpus/cuda/BUILD.tpl
deleted file mode 100644
index 1921ef7..0000000
--- a/third_party/gpus/cuda/BUILD.tpl
+++ /dev/null
@@ -1,205 +0,0 @@
-licenses(["restricted"]) # MPL2, portions GPL v3, LGPL v3, BSD-like
-
-package(default_visibility = ["//visibility:public"])
-
-config_setting(
- name = "using_nvcc",
- values = {
- "define": "using_cuda_nvcc=true",
- },
-)
-
-config_setting(
- name = "using_clang",
- values = {
- "define": "using_cuda_clang=true",
- },
-)
-
-# Equivalent to using_clang && -c opt.
-config_setting(
- name = "using_clang_opt",
- values = {
- "define": "using_cuda_clang=true",
- "compilation_mode": "opt",
- },
-)
-
-config_setting(
- name = "darwin",
- values = {"cpu": "darwin"},
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "freebsd",
- values = {"cpu": "freebsd"},
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_headers",
- hdrs = [
- "cuda/cuda_config.h",
- %{cuda_headers}
- ],
- includes = [
- ".",
- "cuda/include",
- "cuda/include/crt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudart_static",
- srcs = ["cuda/lib/%{cudart_static_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkopts = select({
- ":freebsd": [],
- "//conditions:default": ["-ldl"],
- }) + [
- "-lpthread",
- %{cudart_static_linkopt}
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_driver",
- srcs = ["cuda/lib/%{cuda_driver_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudart",
- srcs = ["cuda/lib/%{cudart_lib}"],
- data = ["cuda/lib/%{cudart_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cublas",
- srcs = ["cuda/lib/%{cublas_lib}"],
- data = ["cuda/lib/%{cublas_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cusolver",
- srcs = ["cuda/lib/%{cusolver_lib}"],
- data = ["cuda/lib/%{cusolver_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkopts = ["-lgomp"],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn",
- srcs = ["cuda/lib/%{cudnn_lib}"],
- data = ["cuda/lib/%{cudnn_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn_header",
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cufft",
- srcs = ["cuda/lib/%{cufft_lib}"],
- data = ["cuda/lib/%{cufft_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "curand",
- srcs = ["cuda/lib/%{curand_lib}"],
- data = ["cuda/lib/%{curand_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda",
- visibility = ["//visibility:public"],
- deps = [
- ":cublas",
- ":cuda_headers",
- ":cudart",
- ":cudnn",
- ":cufft",
- ":curand",
- ],
-)
-
-cc_library(
- name = "cupti_headers",
- hdrs = [
- "cuda/cuda_config.h",
- ":cuda-extras",
- ],
- includes = [
- ".",
- "cuda/extras/CUPTI/include/",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cupti_dsos",
- data = ["cuda/lib/%{cupti_lib}"],
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "libdevice_root",
- data = [":cuda-nvvm"],
- visibility = ["//visibility:public"],
-)
-
-%{copy_rules}
diff --git a/third_party/gpus/cuda/BUILD.windows.tpl b/third_party/gpus/cuda/BUILD.windows.tpl
deleted file mode 100644
index 3ed4fd4..0000000
--- a/third_party/gpus/cuda/BUILD.windows.tpl
+++ /dev/null
@@ -1,164 +0,0 @@
-licenses(["restricted"]) # MPL2, portions GPL v3, LGPL v3, BSD-like
-
-package(default_visibility = ["//visibility:public"])
-
-config_setting(
- name = "using_nvcc",
- values = {
- "define": "using_cuda_nvcc=true",
- },
-)
-
-config_setting(
- name = "using_clang",
- values = {
- "define": "using_cuda_clang=true",
- },
-)
-
-# Equivalent to using_clang && -c opt.
-config_setting(
- name = "using_clang_opt",
- values = {
- "define": "using_cuda_clang=true",
- "compilation_mode": "opt",
- },
-)
-
-config_setting(
- name = "darwin",
- values = {"cpu": "darwin"},
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "freebsd",
- values = {"cpu": "freebsd"},
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_headers",
- hdrs = [
- "cuda/cuda_config.h",
- %{cuda_headers}
- ],
- includes = [
- ".",
- "cuda/include",
- "cuda/include/crt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "cudart_static",
- # /WHOLEARCHIVE:cudart_static.lib will cause a
- # "Internal error during CImplib::EmitThunk" error.
- # Treat this library as interface library to avoid being whole archived when
- # linking a DLL that depends on this.
- # TODO(pcloudy): Remove this rule after b/111278841 is resolved.
- interface_library = "cuda/lib/%{cudart_static_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "cuda_driver",
- interface_library = "cuda/lib/%{cuda_driver_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "cudart",
- interface_library = "cuda/lib/%{cudart_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "cublas",
- interface_library = "cuda/lib/%{cublas_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "cusolver",
- interface_library = "cuda/lib/%{cusolver_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "cudnn",
- interface_library = "cuda/lib/%{cudnn_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn_header",
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "cufft",
- interface_library = "cuda/lib/%{cufft_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "curand",
- interface_library = "cuda/lib/%{curand_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda",
- visibility = ["//visibility:public"],
- deps = [
- ":cublas",
- ":cuda_headers",
- ":cudart",
- ":cudnn",
- ":cufft",
- ":curand",
- ],
-)
-
-cc_library(
- name = "cupti_headers",
- hdrs = [
- "cuda/cuda_config.h",
- ":cuda-extras",
- ],
- includes = [
- ".",
- "cuda/",
- "cuda/extras/CUPTI/include/",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_import(
- name = "cupti_dsos",
- interface_library = "cuda/lib/%{cupti_lib}",
- system_provided = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "libdevice_root",
- data = [":cuda-nvvm"],
- visibility = ["//visibility:public"],
-)
-
-%{copy_rules}
diff --git a/third_party/gpus/cuda/LICENSE b/third_party/gpus/cuda/LICENSE
deleted file mode 100644
index d3da228..0000000
--- a/third_party/gpus/cuda/LICENSE
+++ /dev/null
@@ -1,203 +0,0 @@
-Copyright 2015 The TensorFlow Authors. All rights reserved.
-
- Apache License
- Version 2.0, January 2004
- http://www.apache.org/licenses/
-
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
-
- 1. Definitions.
-
- "License" shall mean the terms and conditions for use, reproduction,
- and distribution as defined by Sections 1 through 9 of this document.
-
- "Licensor" shall mean the copyright owner or entity authorized by
- the copyright owner that is granting the License.
-
- "Legal Entity" shall mean the union of the acting entity and all
- other entities that control, are controlled by, or are under common
- control with that entity. For the purposes of this definition,
- "control" means (i) the power, direct or indirect, to cause the
- direction or management of such entity, whether by contract or
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
- outstanding shares, or (iii) beneficial ownership of such entity.
-
- "You" (or "Your") shall mean an individual or Legal Entity
- exercising permissions granted by this License.
-
- "Source" form shall mean the preferred form for making modifications,
- including but not limited to software source code, documentation
- source, and configuration files.
-
- "Object" form shall mean any form resulting from mechanical
- transformation or translation of a Source form, including but
- not limited to compiled object code, generated documentation,
- and conversions to other media types.
-
- "Work" shall mean the work of authorship, whether in Source or
- Object form, made available under the License, as indicated by a
- copyright notice that is included in or attached to the work
- (an example is provided in the Appendix below).
-
- "Derivative Works" shall mean any work, whether in Source or Object
- form, that is based on (or derived from) the Work and for which the
- editorial revisions, annotations, elaborations, or other modifications
- represent, as a whole, an original work of authorship. For the purposes
- of this License, Derivative Works shall not include works that remain
- separable from, or merely link (or bind by name) to the interfaces of,
- the Work and Derivative Works thereof.
-
- "Contribution" shall mean any work of authorship, including
- the original version of the Work and any modifications or additions
- to that Work or Derivative Works thereof, that is intentionally
- submitted to Licensor for inclusion in the Work by the copyright owner
- or by an individual or Legal Entity authorized to submit on behalf of
- the copyright owner. For the purposes of this definition, "submitted"
- means any form of electronic, verbal, or written communication sent
- to the Licensor or its representatives, including but not limited to
- communication on electronic mailing lists, source code control systems,
- and issue tracking systems that are managed by, or on behalf of, the
- Licensor for the purpose of discussing and improving the Work, but
- excluding communication that is conspicuously marked or otherwise
- designated in writing by the copyright owner as "Not a Contribution."
-
- "Contributor" shall mean Licensor and any individual or Legal Entity
- on behalf of whom a Contribution has been received by Licensor and
- subsequently incorporated within the Work.
-
- 2. Grant of Copyright License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- copyright license to reproduce, prepare Derivative Works of,
- publicly display, publicly perform, sublicense, and distribute the
- Work and such Derivative Works in Source or Object form.
-
- 3. Grant of Patent License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- (except as stated in this section) patent license to make, have made,
- use, offer to sell, sell, import, and otherwise transfer the Work,
- where such license applies only to those patent claims licensable
- by such Contributor that are necessarily infringed by their
- Contribution(s) alone or by combination of their Contribution(s)
- with the Work to which such Contribution(s) was submitted. If You
- institute patent litigation against any entity (including a
- cross-claim or counterclaim in a lawsuit) alleging that the Work
- or a Contribution incorporated within the Work constitutes direct
- or contributory patent infringement, then any patent licenses
- granted to You under this License for that Work shall terminate
- as of the date such litigation is filed.
-
- 4. Redistribution. You may reproduce and distribute copies of the
- Work or Derivative Works thereof in any medium, with or without
- modifications, and in Source or Object form, provided that You
- meet the following conditions:
-
- (a) You must give any other recipients of the Work or
- Derivative Works a copy of this License; and
-
- (b) You must cause any modified files to carry prominent notices
- stating that You changed the files; and
-
- (c) You must retain, in the Source form of any Derivative Works
- that You distribute, all copyright, patent, trademark, and
- attribution notices from the Source form of the Work,
- excluding those notices that do not pertain to any part of
- the Derivative Works; and
-
- (d) If the Work includes a "NOTICE" text file as part of its
- distribution, then any Derivative Works that You distribute must
- include a readable copy of the attribution notices contained
- within such NOTICE file, excluding those notices that do not
- pertain to any part of the Derivative Works, in at least one
- of the following places: within a NOTICE text file distributed
- as part of the Derivative Works; within the Source form or
- documentation, if provided along with the Derivative Works; or,
- within a display generated by the Derivative Works, if and
- wherever such third-party notices normally appear. The contents
- of the NOTICE file are for informational purposes only and
- do not modify the License. You may add Your own attribution
- notices within Derivative Works that You distribute, alongside
- or as an addendum to the NOTICE text from the Work, provided
- that such additional attribution notices cannot be construed
- as modifying the License.
-
- You may add Your own copyright statement to Your modifications and
- may provide additional or different license terms and conditions
- for use, reproduction, or distribution of Your modifications, or
- for any such Derivative Works as a whole, provided Your use,
- reproduction, and distribution of the Work otherwise complies with
- the conditions stated in this License.
-
- 5. Submission of Contributions. Unless You explicitly state otherwise,
- any Contribution intentionally submitted for inclusion in the Work
- by You to the Licensor shall be under the terms and conditions of
- this License, without any additional terms or conditions.
- Notwithstanding the above, nothing herein shall supersede or modify
- the terms of any separate license agreement you may have executed
- with Licensor regarding such Contributions.
-
- 6. Trademarks. This License does not grant permission to use the trade
- names, trademarks, service marks, or product names of the Licensor,
- except as required for reasonable and customary use in describing the
- origin of the Work and reproducing the content of the NOTICE file.
-
- 7. Disclaimer of Warranty. Unless required by applicable law or
- agreed to in writing, Licensor provides the Work (and each
- Contributor provides its Contributions) on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
- implied, including, without limitation, any warranties or conditions
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
- PARTICULAR PURPOSE. You are solely responsible for determining the
- appropriateness of using or redistributing the Work and assume any
- risks associated with Your exercise of permissions under this License.
-
- 8. Limitation of Liability. In no event and under no legal theory,
- whether in tort (including negligence), contract, or otherwise,
- unless required by applicable law (such as deliberate and grossly
- negligent acts) or agreed to in writing, shall any Contributor be
- liable to You for damages, including any direct, indirect, special,
- incidental, or consequential damages of any character arising as a
- result of this License or out of the use or inability to use the
- Work (including but not limited to damages for loss of goodwill,
- work stoppage, computer failure or malfunction, or any and all
- other commercial damages or losses), even if such Contributor
- has been advised of the possibility of such damages.
-
- 9. Accepting Warranty or Additional Liability. While redistributing
- the Work or Derivative Works thereof, You may choose to offer,
- and charge a fee for, acceptance of support, warranty, indemnity,
- or other liability obligations and/or rights consistent with this
- License. However, in accepting such obligations, You may act only
- on Your own behalf and on Your sole responsibility, not on behalf
- of any other Contributor, and only if You agree to indemnify,
- defend, and hold each Contributor harmless for any liability
- incurred by, or claims asserted against, such Contributor by reason
- of your accepting any such warranty or additional liability.
-
- END OF TERMS AND CONDITIONS
-
- APPENDIX: How to apply the Apache License to your work.
-
- To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "[]"
- replaced with your own identifying information. (Don't include
- the brackets!) The text should be enclosed in the appropriate
- comment syntax for the file format. We also recommend that a
- file or class name and description of purpose be included on the
- same "printed page" as the copyright notice for easier
- identification within third-party archives.
-
- Copyright 2015, The TensorFlow Authors.
-
- Licensed under the Apache License, Version 2.0 (the "License");
- you may not use this file except in compliance with the License.
- You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
- Unless required by applicable law or agreed to in writing, software
- distributed under the License is distributed on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- See the License for the specific language governing permissions and
- limitations under the License.
diff --git a/third_party/gpus/cuda/build_defs.bzl.tpl b/third_party/gpus/cuda/build_defs.bzl.tpl
deleted file mode 100644
index ca8bbc1..0000000
--- a/third_party/gpus/cuda/build_defs.bzl.tpl
+++ /dev/null
@@ -1,33 +0,0 @@
-# Macros for building CUDA code.
-def if_cuda(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with CUDA.
-
- Returns a select statement which evaluates to if_true if we're building
- with CUDA enabled. Otherwise, the select statement evaluates to if_false.
-
- """
- return select({
- "@local_config_cuda//cuda:using_nvcc": if_true,
- "@local_config_cuda//cuda:using_clang": if_true,
- "//conditions:default": if_false
- })
-
-
-def cuda_default_copts():
- """Default options for all CUDA compilations."""
- return if_cuda(["-x", "cuda", "-DGOOGLE_CUDA=1"] + %{cuda_extra_copts})
-
-
-def cuda_is_configured():
- """Returns true if CUDA was enabled during the configure process."""
- return %{cuda_is_configured}
-
-def if_cuda_is_configured(x):
- """Tests if the CUDA was enabled during the configure process.
-
- Unlike if_cuda(), this does not require that we are building with
- --config=cuda. Used to allow non-CUDA code to depend on CUDA libraries.
- """
- if cuda_is_configured():
- return x
- return []
diff --git a/third_party/gpus/cuda/cuda_config.h.tpl b/third_party/gpus/cuda/cuda_config.h.tpl
deleted file mode 100644
index 811b040..0000000
--- a/third_party/gpus/cuda/cuda_config.h.tpl
+++ /dev/null
@@ -1,26 +0,0 @@
-/* Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-
-Licensed under the Apache License, Version 2.0 (the "License");
-you may not use this file except in compliance with the License.
-You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
-Unless required by applicable law or agreed to in writing, software
-distributed under the License is distributed on an "AS IS" BASIS,
-WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-See the License for the specific language governing permissions and
-limitations under the License.
-==============================================================================*/
-
-#ifndef CUDA_CUDA_CONFIG_H_
-#define CUDA_CUDA_CONFIG_H_
-
-#define TF_CUDA_CAPABILITIES %{cuda_compute_capabilities}
-
-#define TF_CUDA_VERSION "%{cuda_version}"
-#define TF_CUDNN_VERSION "%{cudnn_version}"
-
-#define TF_CUDA_TOOLKIT_PATH "%{cuda_toolkit_path}"
-
-#endif // CUDA_CUDA_CONFIG_H_
diff --git a/third_party/gpus/cuda_configure.bzl b/third_party/gpus/cuda_configure.bzl
deleted file mode 100644
index 7a6c7f4..0000000
--- a/third_party/gpus/cuda_configure.bzl
+++ /dev/null
@@ -1,1565 +0,0 @@
-# -*- Python -*-
-"""Repository rule for CUDA autoconfiguration.
-
-`cuda_configure` depends on the following environment variables:
-
- * `TF_NEED_CUDA`: Whether to enable building with CUDA.
- * `GCC_HOST_COMPILER_PATH`: The GCC host compiler path
- * `TF_CUDA_CLANG`: Whether to use clang as a cuda compiler.
- * `CLANG_CUDA_COMPILER_PATH`: The clang compiler path that will be used for
- both host and device code compilation if TF_CUDA_CLANG is 1.
- * `TF_DOWNLOAD_CLANG`: Whether to download a recent release of clang
- compiler and use it to build tensorflow. When this option is set
- CLANG_CUDA_COMPILER_PATH is ignored.
- * `CUDA_TOOLKIT_PATH`: The path to the CUDA toolkit. Default is
- `/usr/local/cuda`.
- * `TF_CUDA_VERSION`: The version of the CUDA toolkit. If this is blank, then
- use the system default.
- * `TF_CUDNN_VERSION`: The version of the cuDNN library.
- * `CUDNN_INSTALL_PATH`: The path to the cuDNN library. Default is
- `/usr/local/cuda`.
- * `TF_CUDA_COMPUTE_CAPABILITIES`: The CUDA compute capabilities. Default is
- `3.5,5.2`.
- * `PYTHON_BIN_PATH`: The python binary path
-"""
-
-_GCC_HOST_COMPILER_PATH = "GCC_HOST_COMPILER_PATH"
-_CLANG_CUDA_COMPILER_PATH = "CLANG_CUDA_COMPILER_PATH"
-_CUDA_TOOLKIT_PATH = "CUDA_TOOLKIT_PATH"
-_TF_CUDA_VERSION = "TF_CUDA_VERSION"
-_TF_CUDNN_VERSION = "TF_CUDNN_VERSION"
-_CUDNN_INSTALL_PATH = "CUDNN_INSTALL_PATH"
-_TF_CUDA_COMPUTE_CAPABILITIES = "TF_CUDA_COMPUTE_CAPABILITIES"
-_TF_CUDA_CONFIG_REPO = "TF_CUDA_CONFIG_REPO"
-_TF_DOWNLOAD_CLANG = "TF_DOWNLOAD_CLANG"
-_PYTHON_BIN_PATH = "PYTHON_BIN_PATH"
-
-_DEFAULT_CUDA_VERSION = ""
-_DEFAULT_CUDNN_VERSION = ""
-_DEFAULT_CUDA_TOOLKIT_PATH = "/usr/local/cuda"
-_DEFAULT_CUDNN_INSTALL_PATH = "/usr/local/cuda"
-_DEFAULT_CUDA_COMPUTE_CAPABILITIES = ["3.5", "5.2"]
-
-# Lookup paths for CUDA / cuDNN libraries, relative to the install directories.
-#
-# Paths will be tried out in the order listed below. The first successful path
-# will be used. For example, when looking for the cudart libraries, the first
-# attempt will be lib64/cudart inside the CUDA toolkit.
-CUDA_LIB_PATHS = [
- "lib64/",
- "lib64/stubs/",
- "lib/powerpc64le-linux-gnu/",
- "lib/x86_64-linux-gnu/",
- "lib/x64/",
- "lib/",
- "",
-]
-
-# Lookup paths for cupti.h, relative to the CUDA toolkit directory.
-#
-# On most systems, the cupti library is not installed in the same directory as
-# the other CUDA libraries but rather in a special extras/CUPTI directory.
-CUPTI_HEADER_PATHS = [
- "extras/CUPTI/include/",
- "include/cuda/CUPTI/",
- "include/",
-]
-
-# Lookup paths for the cupti library, relative to the
-#
-# On most systems, the cupti library is not installed in the same directory as
-# the other CUDA libraries but rather in a special extras/CUPTI directory.
-CUPTI_LIB_PATHS = [
- "extras/CUPTI/lib64/",
- "lib/powerpc64le-linux-gnu/",
- "lib/x86_64-linux-gnu/",
- "lib64/",
- "extras/CUPTI/libx64/",
- "extras/CUPTI/lib/",
- "lib/",
-]
-
-# Lookup paths for CUDA headers (cuda.h) relative to the CUDA toolkit directory.
-CUDA_INCLUDE_PATHS = [
- "include/",
- "include/cuda/",
-]
-
-# Lookup paths for cudnn.h relative to the CUDNN install directory.
-CUDNN_INCLUDE_PATHS = [
- "",
- "include/",
- "include/cuda/",
-]
-
-# Lookup paths for NVVM libdevice relative to the CUDA directory toolkit.
-#
-# libdevice implements mathematical functions for GPU kernels, and is provided
-# in NVVM bitcode (a subset of LLVM bitcode).
-NVVM_LIBDEVICE_PATHS = [
- "nvvm/libdevice/",
- "share/cuda/",
- "lib/nvidia-cuda-toolkit/libdevice/",
-]
-
-# Files used to detect the NVVM libdevice path.
-NVVM_LIBDEVICE_FILES = [
- # CUDA 9.0 has a single file.
- "libdevice.10.bc",
-
- # CUDA 8.0 has separate files for compute versions 2.0, 3.0, 3.5 and 5.0.
- # Probing for one of them is sufficient.
- "libdevice.compute_20.10.bc",
-]
-
-load("//third_party/clang_toolchain:download_clang.bzl", "download_clang")
-load(
- "@bazel_tools//tools/cpp:lib_cc_configure.bzl",
- "escape_string",
- "get_env_var",
-)
-load(
- "@bazel_tools//tools/cpp:windows_cc_configure.bzl",
- "find_msvc_tool",
- "find_vc_path",
- "setup_vc_env_vars",
-)
-
-def _get_python_bin(repository_ctx):
- """Gets the python bin path."""
- python_bin = repository_ctx.os.environ.get(_PYTHON_BIN_PATH)
- if python_bin != None:
- return python_bin
- python_bin_name = "python.exe" if _is_windows(repository_ctx) else "python"
- python_bin_path = repository_ctx.which(python_bin_name)
- if python_bin_path != None:
- return str(python_bin_path)
- auto_configure_fail(
- "Cannot find python in PATH, please make sure " +
- "python is installed and add its directory in PATH, or --define " +
- "%s='/something/else'.\nPATH=%s" % (
- _PYTHON_BIN_PATH,
- repository_ctx.os.environ.get("PATH", ""),
- ))
-
-
-def _get_nvcc_tmp_dir_for_windows(repository_ctx):
- """Return the tmp directory for nvcc to generate intermediate source files."""
- escaped_tmp_dir = escape_string(
- get_env_var(repository_ctx, "TMP", "C:\\Windows\\Temp").replace(
- "\\", "\\\\"),)
- return escaped_tmp_dir + "\\\\nvcc_inter_files_tmp_dir"
-
-
-def _get_msvc_compiler(repository_ctx):
- vc_path = find_vc_path(repository_ctx)
- return find_msvc_tool(repository_ctx, vc_path, "cl.exe").replace("\\", "/")
-
-
-def _get_win_cuda_defines(repository_ctx):
- """Return CROSSTOOL defines for Windows"""
-
- # If we are not on Windows, return empty vaules for Windows specific fields.
- # This ensures the CROSSTOOL file parser is happy.
- if not _is_windows(repository_ctx):
- return {
- "%{msvc_env_tmp}": "",
- "%{msvc_env_path}": "",
- "%{msvc_env_include}": "",
- "%{msvc_env_lib}": "",
- "%{msvc_cl_path}": "",
- "%{msvc_ml_path}": "",
- "%{msvc_link_path}": "",
- "%{msvc_lib_path}": "",
- "%{cxx_builtin_include_directory}": "",
- }
-
- vc_path = find_vc_path(repository_ctx)
- if not vc_path:
- auto_configure_fail(
- "Visual C++ build tools not found on your machine." +
- "Please check your installation following https://docs.bazel.build/versions/master/windows.html#using"
- )
- return {}
-
- env = setup_vc_env_vars(repository_ctx, vc_path)
- escaped_paths = escape_string(env["PATH"])
- escaped_include_paths = escape_string(env["INCLUDE"])
- escaped_lib_paths = escape_string(env["LIB"])
- escaped_tmp_dir = escape_string(
- get_env_var(repository_ctx, "TMP", "C:\\Windows\\Temp").replace(
- "\\", "\\\\"),)
-
- msvc_cl_path = _get_python_bin(repository_ctx)
- msvc_ml_path = find_msvc_tool(repository_ctx, vc_path, "ml64.exe").replace(
- "\\", "/")
- msvc_link_path = find_msvc_tool(repository_ctx, vc_path, "link.exe").replace(
- "\\", "/")
- msvc_lib_path = find_msvc_tool(repository_ctx, vc_path, "lib.exe").replace(
- "\\", "/")
-
- # nvcc will generate some temporary source files under %{nvcc_tmp_dir}
- # The generated files are guranteed to have unique name, so they can share the same tmp directory
- escaped_cxx_include_directories = [
- "cxx_builtin_include_directory: \"%s\"" %
- _get_nvcc_tmp_dir_for_windows(repository_ctx)
- ]
- for path in escaped_include_paths.split(";"):
- if path:
- escaped_cxx_include_directories.append(
- "cxx_builtin_include_directory: \"%s\"" % path)
-
- return {
- "%{msvc_env_tmp}":
- escaped_tmp_dir,
- "%{msvc_env_path}":
- escaped_paths,
- "%{msvc_env_include}":
- escaped_include_paths,
- "%{msvc_env_lib}":
- escaped_lib_paths,
- "%{msvc_cl_path}":
- msvc_cl_path,
- "%{msvc_ml_path}":
- msvc_ml_path,
- "%{msvc_link_path}":
- msvc_link_path,
- "%{msvc_lib_path}":
- msvc_lib_path,
- "%{cxx_builtin_include_directory}":
- "\n".join(escaped_cxx_include_directories),
- }
-
-# TODO(dzc): Once these functions have been factored out of Bazel's
-# cc_configure.bzl, load them from @bazel_tools instead.
-# BEGIN cc_configure common functions.
-def find_cc(repository_ctx):
- """Find the C++ compiler."""
- if _is_windows(repository_ctx):
- return _get_msvc_compiler(repository_ctx)
-
- if _use_cuda_clang(repository_ctx):
- target_cc_name = "clang"
- cc_path_envvar = _CLANG_CUDA_COMPILER_PATH
- if _flag_enabled(repository_ctx, _TF_DOWNLOAD_CLANG):
- return "extra_tools/bin/clang"
- else:
- target_cc_name = "gcc"
- cc_path_envvar = _GCC_HOST_COMPILER_PATH
- cc_name = target_cc_name
-
- if cc_path_envvar in repository_ctx.os.environ:
- cc_name_from_env = repository_ctx.os.environ[cc_path_envvar].strip()
- if cc_name_from_env:
- cc_name = cc_name_from_env
- if cc_name.startswith("/"):
- # Absolute path, maybe we should make this supported by our which function.
- return cc_name
- cc = repository_ctx.which(cc_name)
- if cc == None:
- fail(("Cannot find {}, either correct your path or set the {}" +
- " environment variable").format(target_cc_name, cc_path_envvar))
- return cc
-
-
-_INC_DIR_MARKER_BEGIN = "#include <...>"
-
-# OSX add " (framework directory)" at the end of line, strip it.
-_OSX_FRAMEWORK_SUFFIX = " (framework directory)"
-_OSX_FRAMEWORK_SUFFIX_LEN = len(_OSX_FRAMEWORK_SUFFIX)
-
-def _cxx_inc_convert(path):
- """Convert path returned by cc -E xc++ in a complete path."""
- path = path.strip()
- if path.endswith(_OSX_FRAMEWORK_SUFFIX):
- path = path[:-_OSX_FRAMEWORK_SUFFIX_LEN].strip()
- return path
-
-
-def _normalize_include_path(repository_ctx, path):
- """Normalizes include paths before writing them to the crosstool.
-
- If path points inside the 'crosstool' folder of the repository, a relative
- path is returned.
- If path points outside the 'crosstool' folder, an absolute path is returned.
- """
- path = str(repository_ctx.path(path))
- crosstool_folder = str(repository_ctx.path(".").get_child("crosstool"))
-
- if path.startswith(crosstool_folder):
- # We drop the path to "$REPO/crosstool" and a trailing path separator.
- return path[len(crosstool_folder) + 1:]
- return path
-
-
-def _get_cxx_inc_directories_impl(repository_ctx, cc, lang_is_cpp):
- """Compute the list of default C or C++ include directories."""
- if lang_is_cpp:
- lang = "c++"
- else:
- lang = "c"
- result = repository_ctx.execute([cc, "-E", "-x" + lang, "-", "-v"])
- index1 = result.stderr.find(_INC_DIR_MARKER_BEGIN)
- if index1 == -1:
- return []
- index1 = result.stderr.find("\n", index1)
- if index1 == -1:
- return []
- index2 = result.stderr.rfind("\n ")
- if index2 == -1 or index2 < index1:
- return []
- index2 = result.stderr.find("\n", index2 + 1)
- if index2 == -1:
- inc_dirs = result.stderr[index1 + 1:]
- else:
- inc_dirs = result.stderr[index1 + 1:index2].strip()
-
- return [
- _normalize_include_path(repository_ctx, _cxx_inc_convert(p))
- for p in inc_dirs.split("\n")
- ]
-
-
-def get_cxx_inc_directories(repository_ctx, cc):
- """Compute the list of default C and C++ include directories."""
-
- # For some reason `clang -xc` sometimes returns include paths that are
- # different from the ones from `clang -xc++`. (Symlink and a dir)
- # So we run the compiler with both `-xc` and `-xc++` and merge resulting lists
- includes_cpp = _get_cxx_inc_directories_impl(repository_ctx, cc, True)
- includes_c = _get_cxx_inc_directories_impl(repository_ctx, cc, False)
-
- includes_cpp_set = depset(includes_cpp)
- return includes_cpp + [
- inc for inc in includes_c if inc not in includes_cpp_set
- ]
-
-
-def auto_configure_fail(msg):
- """Output failure message when cuda configuration fails."""
- red = "\033[0;31m"
- no_color = "\033[0m"
- fail("\n%sCuda Configuration Error:%s %s\n" % (red, no_color, msg))
-
-# END cc_configure common functions (see TODO above).
-
-def _host_compiler_includes(repository_ctx, cc):
- """Generates the cxx_builtin_include_directory entries for gcc inc dirs.
-
- Args:
- repository_ctx: The repository context.
- cc: The path to the gcc host compiler.
-
- Returns:
- A string containing the cxx_builtin_include_directory for each of the gcc
- host compiler include directories, which can be added to the CROSSTOOL
- file.
- """
- inc_dirs = get_cxx_inc_directories(repository_ctx, cc)
- inc_entries = []
- for inc_dir in inc_dirs:
- inc_entries.append(" cxx_builtin_include_directory: \"%s\"" % inc_dir)
- return "\n".join(inc_entries)
-
-
-def _cuda_include_path(repository_ctx, cuda_config):
- """Generates the cxx_builtin_include_directory entries for cuda inc dirs.
-
- Args:
- repository_ctx: The repository context.
- cc: The path to the gcc host compiler.
-
- Returns:
- A string containing the cxx_builtin_include_directory for each of the gcc
- host compiler include directories, which can be added to the CROSSTOOL
- file.
- """
- nvcc_path = repository_ctx.path("%s/bin/nvcc%s" % (
- cuda_config.cuda_toolkit_path,
- ".exe" if cuda_config.cpu_value == "Windows" else "",
- ))
- result = repository_ctx.execute([
- nvcc_path,
- "-v",
- "/dev/null",
- "-o",
- "/dev/null",
- ])
- target_dir = ""
- for one_line in result.stderr.splitlines():
- if one_line.startswith("#$ _TARGET_DIR_="):
- target_dir = (
- cuda_config.cuda_toolkit_path + "/" + one_line.replace(
- "#$ _TARGET_DIR_=", "") + "/include")
- inc_entries = []
- if target_dir != "":
- inc_entries.append(" cxx_builtin_include_directory: \"%s\"" % target_dir)
- default_include = cuda_config.cuda_toolkit_path + "/include"
- inc_entries.append(
- " cxx_builtin_include_directory: \"%s\"" % default_include)
- return "\n".join(inc_entries)
-
-
-def enable_cuda(repository_ctx):
- if "TF_NEED_CUDA" in repository_ctx.os.environ:
- enable_cuda = repository_ctx.os.environ["TF_NEED_CUDA"].strip()
- return enable_cuda == "1"
- return False
-
-
-def cuda_toolkit_path(repository_ctx):
- """Finds the cuda toolkit directory.
-
- Args:
- repository_ctx: The repository context.
-
- Returns:
- A speculative real path of the cuda toolkit install directory.
- """
- cuda_toolkit_path = _DEFAULT_CUDA_TOOLKIT_PATH
- if _CUDA_TOOLKIT_PATH in repository_ctx.os.environ:
- cuda_toolkit_path = repository_ctx.os.environ[_CUDA_TOOLKIT_PATH].strip()
- if not repository_ctx.path(cuda_toolkit_path).exists:
- auto_configure_fail("Cannot find cuda toolkit path.")
- return str(repository_ctx.path(cuda_toolkit_path).realpath)
-
-
-def _cudnn_install_basedir(repository_ctx):
- """Finds the cudnn install directory."""
- cudnn_install_path = _DEFAULT_CUDNN_INSTALL_PATH
- if _CUDNN_INSTALL_PATH in repository_ctx.os.environ:
- cudnn_install_path = repository_ctx.os.environ[_CUDNN_INSTALL_PATH].strip()
- if not repository_ctx.path(cudnn_install_path).exists:
- auto_configure_fail("Cannot find cudnn install path.")
- return cudnn_install_path
-
-
-def matches_version(environ_version, detected_version):
- """Checks whether the user-specified version matches the detected version.
-
- This function performs a weak matching so that if the user specifies only
- the
- major or major and minor versions, the versions are still considered
- matching
- if the version parts match. To illustrate:
-
- environ_version detected_version result
- -----------------------------------------
- 5.1.3 5.1.3 True
- 5.1 5.1.3 True
- 5 5.1 True
- 5.1.3 5.1 False
- 5.2.3 5.1.3 False
-
- Args:
- environ_version: The version specified by the user via environment
- variables.
- detected_version: The version autodetected from the CUDA installation on
- the system.
- Returns: True if user-specified version matches detected version and False
- otherwise.
- """
- environ_version_parts = environ_version.split(".")
- detected_version_parts = detected_version.split(".")
- if len(detected_version_parts) < len(environ_version_parts):
- return False
- for i, part in enumerate(detected_version_parts):
- if i >= len(environ_version_parts):
- break
- if part != environ_version_parts[i]:
- return False
- return True
-
-
-_NVCC_VERSION_PREFIX = "Cuda compilation tools, release "
-
-def _cuda_version(repository_ctx, cuda_toolkit_path, cpu_value):
- """Detects the version of CUDA installed on the system.
-
- Args:
- repository_ctx: The repository context.
- cuda_toolkit_path: The CUDA install directory.
-
- Returns:
- String containing the version of CUDA.
- """
-
- # Run nvcc --version and find the line containing the CUDA version.
- nvcc_path = repository_ctx.path("%s/bin/nvcc%s" % (
- cuda_toolkit_path,
- ".exe" if cpu_value == "Windows" else "",
- ))
- if not nvcc_path.exists:
- auto_configure_fail("Cannot find nvcc at %s" % str(nvcc_path))
- result = repository_ctx.execute([str(nvcc_path), "--version"])
- if result.stderr:
- auto_configure_fail("Error running nvcc --version: %s" % result.stderr)
- lines = result.stdout.splitlines()
- version_line = lines[len(lines) - 1]
- if version_line.find(_NVCC_VERSION_PREFIX) == -1:
- auto_configure_fail(
- "Could not parse CUDA version from nvcc --version. Got: %s" %
- result.stdout,)
-
- # Parse the CUDA version from the line containing the CUDA version.
- prefix_removed = version_line.replace(_NVCC_VERSION_PREFIX, "")
- parts = prefix_removed.split(",")
- if len(parts) != 2 or len(parts[0]) < 2:
- auto_configure_fail(
- "Could not parse CUDA version from nvcc --version. Got: %s" %
- result.stdout,)
- full_version = parts[1].strip()
- if full_version.startswith("V"):
- full_version = full_version[1:]
-
- # Check whether TF_CUDA_VERSION was set by the user and fail if it does not
- # match the detected version.
- environ_version = ""
- if _TF_CUDA_VERSION in repository_ctx.os.environ:
- environ_version = repository_ctx.os.environ[_TF_CUDA_VERSION].strip()
- if environ_version and not matches_version(environ_version, full_version):
- auto_configure_fail(
- ("CUDA version detected from nvcc (%s) does not match " +
- "TF_CUDA_VERSION (%s)") % (full_version, environ_version),)
-
- # We only use the version consisting of the major and minor version numbers.
- version_parts = full_version.split(".")
- if len(version_parts) < 2:
- auto_configure_fail("CUDA version detected from nvcc (%s) is incomplete.")
- if cpu_value == "Windows":
- version = "64_%s%s" % (version_parts[0], version_parts[1])
- else:
- version = "%s.%s" % (version_parts[0], version_parts[1])
- return version
-
-
-_DEFINE_CUDNN_MAJOR = "#define CUDNN_MAJOR"
-_DEFINE_CUDNN_MINOR = "#define CUDNN_MINOR"
-_DEFINE_CUDNN_PATCHLEVEL = "#define CUDNN_PATCHLEVEL"
-
-def find_cuda_define(repository_ctx, header_dir, header_file, define):
- """Returns the value of a #define in a header file.
-
- Greps through a header file and returns the value of the specified #define.
- If the #define is not found, then raise an error.
-
- Args:
- repository_ctx: The repository context.
- header_dir: The directory containing the header file.
- header_file: The header file name.
- define: The #define to search for.
-
- Returns:
- The value of the #define found in the header.
- """
-
- # Confirm location of the header and grep for the line defining the macro.
- h_path = repository_ctx.path("%s/%s" % (header_dir, header_file))
- if not h_path.exists:
- auto_configure_fail("Cannot find %s at %s" % (header_file, str(h_path)))
- result = repository_ctx.execute(
- # Grep one more lines as some #defines are splitted into two lines.
- ["grep", "--color=never", "-A1", "-E", define,
- str(h_path)],)
- if result.stderr:
- auto_configure_fail("Error reading %s: %s" % (str(h_path), result.stderr))
-
- # Parse the version from the line defining the macro.
- if result.stdout.find(define) == -1:
- auto_configure_fail(
- "Cannot find line containing '%s' in %s" % (define, h_path))
-
- # Split results to lines
- lines = result.stdout.split("\n")
- num_lines = len(lines)
- for l in range(num_lines):
- line = lines[l]
- if define in line: # Find the line with define
- version = line
- if l != num_lines - 1 and line[-1] == "\\": # Add next line, if multiline
- version = version[:-1] + lines[l + 1]
- break
-
- # Remove any comments
- version = version.split("//")[0]
-
- # Remove define name
- version = version.replace(define, "").strip()
-
- # Remove the code after the version number.
- version_end = version.find(" ")
- if version_end != -1:
- if version_end == 0:
- auto_configure_fail(
- "Cannot extract the version from line containing '%s' in %s" %
- (define, str(h_path)),)
- version = version[:version_end].strip()
- return version
-
-
-def _cudnn_version(repository_ctx, cudnn_install_basedir, cpu_value):
- """Detects the version of cuDNN installed on the system.
-
- Args:
- repository_ctx: The repository context.
- cpu_value: The name of the host operating system.
- cudnn_install_basedir: The cuDNN install directory.
-
- Returns:
- A string containing the version of cuDNN.
- """
- cudnn_header_dir = _find_cudnn_header_dir(
- repository_ctx,
- cudnn_install_basedir,
- )
- major_version = find_cuda_define(
- repository_ctx,
- cudnn_header_dir,
- "cudnn.h",
- _DEFINE_CUDNN_MAJOR,
- )
- minor_version = find_cuda_define(
- repository_ctx,
- cudnn_header_dir,
- "cudnn.h",
- _DEFINE_CUDNN_MINOR,
- )
- patch_version = find_cuda_define(
- repository_ctx,
- cudnn_header_dir,
- "cudnn.h",
- _DEFINE_CUDNN_PATCHLEVEL,
- )
- full_version = "%s.%s.%s" % (major_version, minor_version, patch_version)
-
- # Check whether TF_CUDNN_VERSION was set by the user and fail if it does not
- # match the detected version.
- environ_version = ""
- if _TF_CUDNN_VERSION in repository_ctx.os.environ:
- environ_version = repository_ctx.os.environ[_TF_CUDNN_VERSION].strip()
- if environ_version and not matches_version(environ_version, full_version):
- cudnn_h_path = repository_ctx.path(
- "%s/include/cudnn.h" % cudnn_install_basedir)
- auto_configure_fail(("cuDNN version detected from %s (%s) does not match " +
- "TF_CUDNN_VERSION (%s)") %
- (str(cudnn_h_path), full_version, environ_version),)
- # Only use the major version to match the SONAME of the library.
- version = major_version
- if cpu_value == "Windows":
- version = "64_" + version
- return version
-
-
-def compute_capabilities(repository_ctx):
- """Returns a list of strings representing cuda compute capabilities."""
- if _TF_CUDA_COMPUTE_CAPABILITIES not in repository_ctx.os.environ:
- return _DEFAULT_CUDA_COMPUTE_CAPABILITIES
- capabilities_str = repository_ctx.os.environ[_TF_CUDA_COMPUTE_CAPABILITIES]
- capabilities = capabilities_str.split(",")
- for capability in capabilities:
- # Workaround for Skylark's lack of support for regex. This check should
- # be equivalent to checking:
- # if re.match("[0-9]+.[0-9]+", capability) == None:
- parts = capability.split(".")
- if len(parts) != 2 or not parts[0].isdigit() or not parts[1].isdigit():
- auto_configure_fail("Invalid compute capability: %s" % capability)
- return capabilities
-
-
-def get_cpu_value(repository_ctx):
- """Returns the name of the host operating system.
-
- Args:
- repository_ctx: The repository context.
-
- Returns:
- A string containing the name of the host operating system.
- """
- os_name = repository_ctx.os.name.lower()
- if os_name.startswith("mac os"):
- return "Darwin"
- if os_name.find("windows") != -1:
- return "Windows"
- result = repository_ctx.execute(["uname", "-s"])
- return result.stdout.strip()
-
-
-def _is_windows(repository_ctx):
- """Returns true if the host operating system is windows."""
- return get_cpu_value(repository_ctx) == "Windows"
-
-
-def lib_name(base_name, cpu_value, version = None, static = False):
- """Constructs the platform-specific name of a library.
-
- Args:
- base_name: The name of the library, such as "cudart"
- cpu_value: The name of the host operating system.
- version: The version of the library.
- static: True the library is static or False if it is a shared object.
-
- Returns:
- The platform-specific name of the library.
- """
- version = "" if not version else "." + version
- if cpu_value in ("Linux", "FreeBSD"):
- if static:
- return "lib%s.a" % base_name
- return "lib%s.so%s" % (base_name, version)
- elif cpu_value == "Windows":
- return "%s.lib" % base_name
- elif cpu_value == "Darwin":
- if static:
- return "lib%s.a" % base_name
- return "lib%s%s.dylib" % (base_name, version)
- else:
- auto_configure_fail("Invalid cpu_value: %s" % cpu_value)
-
-def find_lib(repository_ctx, paths, check_soname = True):
- """
- Finds a library among a list of potential paths.
-
- Args:
- paths: List of paths to inspect.
-
- Returns:
- Returns the first path in paths that exist.
- """
- objdump = repository_ctx.which("objdump")
- mismatches = []
- for path in [repository_ctx.path(path) for path in paths]:
- if not path.exists:
- continue
- if check_soname and objdump != None:
- output = repository_ctx.execute([objdump, "-p", str(path)]).stdout
- output = [line for line in output.splitlines() if "SONAME" in line]
- sonames = [line.strip().split(" ")[-1] for line in output]
- if not any([soname == path.basename for soname in sonames]):
- mismatches.append(str(path))
- continue
- return path
- if mismatches:
- auto_configure_fail(
- "None of the libraries match their SONAME: " + ", ".join(mismatches))
- auto_configure_fail("No library found under: " + ", ".join(paths))
-
-
-def _find_cuda_lib(
- lib,
- repository_ctx,
- cpu_value,
- basedir,
- version,
- static = False):
- """Finds the given CUDA or cuDNN library on the system.
-
- Args:
- lib: The name of the library, such as "cudart"
- repository_ctx: The repository context.
- cpu_value: The name of the host operating system.
- basedir: The install directory of CUDA or cuDNN.
- version: The version of the library.
- static: True if static library, False if shared object.
-
- Returns:
- Returns the path to the library.
- """
- file_name = lib_name(lib, cpu_value, version, static)
- return find_lib(repository_ctx, [
- "%s/%s%s" % (basedir, path, file_name) for path in CUDA_LIB_PATHS
- ], check_soname = version and not static)
-
-
-def _find_cupti_header_dir(repository_ctx, cuda_config):
- """Returns the path to the directory containing cupti.h
-
- On most systems, the cupti library is not installed in the same directory as
- the other CUDA libraries but rather in a special extras/CUPTI directory.
-
- Args:
- repository_ctx: The repository context.
- cuda_config: The CUDA config as returned by _get_cuda_config
-
- Returns:
- The path of the directory containing the cupti header.
- """
- cuda_toolkit_path = cuda_config.cuda_toolkit_path
- for relative_path in CUPTI_HEADER_PATHS:
- if repository_ctx.path(
- "%s/%scupti.h" % (cuda_toolkit_path, relative_path)).exists:
- return ("%s/%s" % (cuda_toolkit_path, relative_path))[:-1]
- auto_configure_fail("Cannot find cupti.h under %s" % ", ".join(
- [cuda_toolkit_path + "/" + s for s in CUPTI_HEADER_PATHS]))
-
-
-def _find_cupti_lib(repository_ctx, cuda_config):
- """Finds the cupti library on the system.
-
- On most systems, the cupti library is not installed in the same directory as
- the other CUDA libraries but rather in a special extras/CUPTI directory.
-
- Args:
- repository_ctx: The repository context.
- cuda_config: The cuda configuration as returned by _get_cuda_config.
-
- Returns:
- Returns the path to the library.
- """
- file_name = lib_name(
- "cupti",
- cuda_config.cpu_value,
- cuda_config.cuda_version,
- )
- basedir = cuda_config.cuda_toolkit_path
- return find_lib(repository_ctx, [
- "%s/%s%s" % (basedir, path, file_name) for path in CUPTI_LIB_PATHS
- ])
-
-
-def _find_libs(repository_ctx, cuda_config):
- """Returns the CUDA and cuDNN libraries on the system.
-
- Args:
- repository_ctx: The repository context.
- cuda_config: The CUDA config as returned by _get_cuda_config
-
- Returns:
- Map of library names to structs of filename and path.
- """
- cpu_value = cuda_config.cpu_value
- return {
- "cuda":
- _find_cuda_lib(
- "cuda",
- repository_ctx,
- cpu_value,
- cuda_config.cuda_toolkit_path,
- None),
- "cudart":
- _find_cuda_lib(
- "cudart",
- repository_ctx,
- cpu_value,
- cuda_config.cuda_toolkit_path,
- cuda_config.cuda_version,
- ),
- "cudart_static":
- _find_cuda_lib(
- "cudart_static",
- repository_ctx,
- cpu_value,
- cuda_config.cuda_toolkit_path,
- cuda_config.cuda_version,
- static=True,
- ),
- "cublas":
- _find_cuda_lib(
- "cublas",
- repository_ctx,
- cpu_value,
- cuda_config.cuda_toolkit_path,
- cuda_config.cuda_version,
- ),
- "cusolver":
- _find_cuda_lib(
- "cusolver",
- repository_ctx,
- cpu_value,
- cuda_config.cuda_toolkit_path,
- cuda_config.cuda_version,
- ),
- "curand":
- _find_cuda_lib(
- "curand",
- repository_ctx,
- cpu_value,
- cuda_config.cuda_toolkit_path,
- cuda_config.cuda_version,
- ),
- "cufft":
- _find_cuda_lib(
- "cufft",
- repository_ctx,
- cpu_value,
- cuda_config.cuda_toolkit_path,
- cuda_config.cuda_version,
- ),
- "cudnn":
- _find_cuda_lib(
- "cudnn",
- repository_ctx,
- cpu_value,
- cuda_config.cudnn_install_basedir,
- cuda_config.cudnn_version,
- ),
- "cupti":
- _find_cupti_lib(repository_ctx, cuda_config),
- }
-
-
-def _find_cuda_include_path(repository_ctx, cuda_config):
- """Returns the path to the directory containing cuda.h
-
- Args:
- repository_ctx: The repository context.
- cuda_config: The CUDA config as returned by _get_cuda_config
-
- Returns:
- The path of the directory containing the CUDA headers.
- """
- cuda_toolkit_path = cuda_config.cuda_toolkit_path
- for relative_path in CUDA_INCLUDE_PATHS:
- if repository_ctx.path(
- "%s/%scuda.h" % (cuda_toolkit_path, relative_path)).exists:
- return ("%s/%s" % (cuda_toolkit_path, relative_path))[:-1]
- auto_configure_fail("Cannot find cuda.h under %s" % cuda_toolkit_path)
-
-
-def _find_cudnn_header_dir(repository_ctx, cudnn_install_basedir):
- """Returns the path to the directory containing cudnn.h
-
- Args:
- repository_ctx: The repository context.
- cudnn_install_basedir: The cudnn install directory as returned by
- _cudnn_install_basedir.
-
- Returns:
- The path of the directory containing the cudnn header.
- """
- for relative_path in CUDA_INCLUDE_PATHS:
- if repository_ctx.path(
- "%s/%scudnn.h" % (cudnn_install_basedir, relative_path)).exists:
- return ("%s/%s" % (cudnn_install_basedir, relative_path))[:-1]
- if repository_ctx.path("/usr/include/cudnn.h").exists:
- return "/usr/include"
- auto_configure_fail("Cannot find cudnn.h under %s" % cudnn_install_basedir)
-
-
-def _find_nvvm_libdevice_dir(repository_ctx, cuda_config):
- """Returns the path to the directory containing libdevice in bitcode format.
-
- Args:
- repository_ctx: The repository context.
- cuda_config: The CUDA config as returned by _get_cuda_config
-
- Returns:
- The path of the directory containing the CUDA headers.
- """
- cuda_toolkit_path = cuda_config.cuda_toolkit_path
- for libdevice_file in NVVM_LIBDEVICE_FILES:
- for relative_path in NVVM_LIBDEVICE_PATHS:
- if repository_ctx.path("%s/%s%s" % (cuda_toolkit_path, relative_path,
- libdevice_file)).exists:
- return ("%s/%s" % (cuda_toolkit_path, relative_path))[:-1]
- auto_configure_fail(
- "Cannot find libdevice*.bc files under %s" % cuda_toolkit_path)
-
-
-def _cudart_static_linkopt(cpu_value):
- """Returns additional platform-specific linkopts for cudart."""
- return "" if cpu_value == "Darwin" else "\"-lrt\","
-
-
-def _get_cuda_config(repository_ctx):
- """Detects and returns information about the CUDA installation on the system.
-
- Args:
- repository_ctx: The repository context.
-
- Returns:
- A struct containing the following fields:
- cuda_toolkit_path: The CUDA toolkit installation directory.
- cudnn_install_basedir: The cuDNN installation directory.
- cuda_version: The version of CUDA on the system.
- cudnn_version: The version of cuDNN on the system.
- compute_capabilities: A list of the system's CUDA compute capabilities.
- cpu_value: The name of the host operating system.
- """
- cpu_value = get_cpu_value(repository_ctx)
- toolkit_path = cuda_toolkit_path(repository_ctx)
- cuda_version = _cuda_version(repository_ctx, toolkit_path, cpu_value)
- cudnn_install_basedir = _cudnn_install_basedir(repository_ctx)
- cudnn_version = _cudnn_version(repository_ctx, cudnn_install_basedir,
- cpu_value)
- return struct(
- cuda_toolkit_path=toolkit_path,
- cudnn_install_basedir=cudnn_install_basedir,
- cuda_version=cuda_version,
- cudnn_version=cudnn_version,
- compute_capabilities=compute_capabilities(repository_ctx),
- cpu_value=cpu_value,
- )
-
-
-def _tpl(repository_ctx, tpl, substitutions = {}, out = None):
- if not out:
- out = tpl.replace(":", "/")
- repository_ctx.template(
- out,
- Label("//third_party/gpus/%s.tpl" % tpl),
- substitutions,
- )
-
-
-def _file(repository_ctx, label):
- repository_ctx.template(
- label.replace(":", "/"),
- Label("//third_party/gpus/%s.tpl" % label),
- {},
- )
-
-
-_DUMMY_CROSSTOOL_BZL_FILE = """
-def error_gpu_disabled():
- fail("ERROR: Building with --config=cuda but TensorFlow is not configured " +
- "to build with GPU support. Please re-run ./configure and enter 'Y' " +
- "at the prompt to build with GPU support.")
-
- native.genrule(
- name = "error_gen_crosstool",
- outs = ["CROSSTOOL"],
- cmd = "echo 'Should not be run.' && exit 1",
- )
-
- native.filegroup(
- name = "crosstool",
- srcs = [":CROSSTOOL"],
- output_licenses = ["unencumbered"],
- )
-"""
-
-_DUMMY_CROSSTOOL_BUILD_FILE = """
-load("//crosstool:error_gpu_disabled.bzl", "error_gpu_disabled")
-
-error_gpu_disabled()
-"""
-
-def _create_dummy_repository(repository_ctx):
- cpu_value = get_cpu_value(repository_ctx)
-
- # Set up BUILD file for cuda/.
- _tpl(
- repository_ctx,
- "cuda:build_defs.bzl",
- {
- "%{cuda_is_configured}": "False",
- "%{cuda_extra_copts}": "[]",
- },
- )
- _tpl(
- repository_ctx,
- "cuda:BUILD",
- {
- "%{cuda_driver_lib}":
- lib_name("cuda", cpu_value),
- "%{cudart_static_lib}":
- lib_name(
- "cudart_static",
- cpu_value,
- static=True,
- ),
- "%{cudart_static_linkopt}":
- _cudart_static_linkopt(cpu_value),
- "%{cudart_lib}":
- lib_name("cudart", cpu_value),
- "%{cublas_lib}":
- lib_name("cublas", cpu_value),
- "%{cusolver_lib}":
- lib_name("cusolver", cpu_value),
- "%{cudnn_lib}":
- lib_name("cudnn", cpu_value),
- "%{cufft_lib}":
- lib_name("cufft", cpu_value),
- "%{curand_lib}":
- lib_name("curand", cpu_value),
- "%{cupti_lib}":
- lib_name("cupti", cpu_value),
- "%{copy_rules}":
- "",
- "%{cuda_headers}":
- "",
- },
- )
-
- # Create dummy files for the CUDA toolkit since they are still required by
- # tensorflow/core/platform/default/build_config:cuda.
- repository_ctx.file("cuda/cuda/include/cuda.h")
- repository_ctx.file("cuda/cuda/include/cublas.h")
- repository_ctx.file("cuda/cuda/include/cudnn.h")
- repository_ctx.file("cuda/cuda/extras/CUPTI/include/cupti.h")
- repository_ctx.file("cuda/cuda/lib/%s" % lib_name("cuda", cpu_value))
- repository_ctx.file("cuda/cuda/lib/%s" % lib_name("cudart", cpu_value))
- repository_ctx.file(
- "cuda/cuda/lib/%s" % lib_name("cudart_static", cpu_value))
- repository_ctx.file("cuda/cuda/lib/%s" % lib_name("cublas", cpu_value))
- repository_ctx.file("cuda/cuda/lib/%s" % lib_name("cusolver", cpu_value))
- repository_ctx.file("cuda/cuda/lib/%s" % lib_name("cudnn", cpu_value))
- repository_ctx.file("cuda/cuda/lib/%s" % lib_name("curand", cpu_value))
- repository_ctx.file("cuda/cuda/lib/%s" % lib_name("cufft", cpu_value))
- repository_ctx.file("cuda/cuda/lib/%s" % lib_name("cupti", cpu_value))
-
- # Set up cuda_config.h, which is used by
- # tensorflow/stream_executor/dso_loader.cc.
- _tpl(
- repository_ctx,
- "cuda:cuda_config.h",
- {
- "%{cuda_version}":
- _DEFAULT_CUDA_VERSION,
- "%{cudnn_version}":
- _DEFAULT_CUDNN_VERSION,
- "%{cuda_compute_capabilities}":
- ",".join([
- "CudaVersion(\"%s\")" % c
- for c in _DEFAULT_CUDA_COMPUTE_CAPABILITIES
- ]),
- "%{cuda_toolkit_path}":
- _DEFAULT_CUDA_TOOLKIT_PATH,
- },
- "cuda/cuda/cuda_config.h",
- )
-
- # If cuda_configure is not configured to build with GPU support, and the user
- # attempts to build with --config=cuda, add a dummy build rule to intercept
- # this and fail with an actionable error message.
- repository_ctx.file(
- "crosstool/error_gpu_disabled.bzl",
- _DUMMY_CROSSTOOL_BZL_FILE,
- )
- repository_ctx.file("crosstool/BUILD", _DUMMY_CROSSTOOL_BUILD_FILE)
-
-
-def _execute(
- repository_ctx,
- cmdline,
- error_msg = None,
- error_details = None,
- empty_stdout_fine = False):
- """Executes an arbitrary shell command.
-
- Args:
- repository_ctx: the repository_ctx object
- cmdline: list of strings, the command to execute
- error_msg: string, a summary of the error if the command fails
- error_details: string, details about the error or steps to fix it
- empty_stdout_fine: bool, if True, an empty stdout result is fine,
- otherwise it's an error
- Return: the result of repository_ctx.execute(cmdline)
- """
- result = repository_ctx.execute(cmdline)
- if result.stderr or not (empty_stdout_fine or result.stdout):
- auto_configure_fail(
- "\n".join([
- error_msg.strip() if error_msg else "Repository command failed",
- result.stderr.strip(),
- error_details if error_details else "",
- ]),)
- return result
-
-
-def _norm_path(path):
- """Returns a path with '/' and remove the trailing slash."""
- path = path.replace("\\", "/")
- if path[-1] == "/":
- path = path[:-1]
- return path
-
-def make_copy_files_rule(repository_ctx, name, srcs, outs):
- """Returns a rule to copy a set of files."""
- cmds = []
- # Copy files.
- for src, out in zip(srcs, outs):
- cmds.append('cp -f "%s" $(location %s)' % (src, out))
- outs = [(' "%s",' % out) for out in outs]
- return """genrule(
- name = "%s",
- outs = [
-%s
- ],
- cmd = \"""%s \""",
-)""" % (name, "\n".join(outs), " && ".join(cmds))
-
-def make_copy_dir_rule(repository_ctx, name, src_dir, out_dir):
- """Returns a rule to recursively copy a directory."""
- src_dir = _norm_path(src_dir)
- out_dir = _norm_path(out_dir)
- outs = _read_dir(repository_ctx, src_dir)
- outs = [(' "%s",' % out.replace(src_dir, out_dir)) for out in outs]
- # '@D' already contains the relative path for a single file, see
- # http://docs.bazel.build/versions/master/be/make-variables.html#predefined_genrule_variables
- out_dir = "$(@D)/%s" % out_dir if len(outs) > 1 else "$(@D)"
- return """genrule(
- name = "%s",
- outs = [
-%s
- ],
- cmd = \"""cp -rf "%s/." "%s/" \""",
-)""" % (name, "\n".join(outs), src_dir, out_dir)
-
-def _read_dir(repository_ctx, src_dir):
- """Returns a string with all files in a directory.
-
- Finds all files inside a directory, traversing subfolders and following
- symlinks. The returned string contains the full path of all files
- separated by line breaks.
- """
- if _is_windows(repository_ctx):
- src_dir = src_dir.replace("/", "\\")
- find_result = _execute(
- repository_ctx,
- ["cmd.exe", "/c", "dir", src_dir, "/b", "/s", "/a-d"],
- empty_stdout_fine=True,
- )
-
- # src_files will be used in genrule.outs where the paths must
- # use forward slashes.
- result = find_result.stdout.replace("\\", "/")
- else:
- find_result = _execute(
- repository_ctx,
- ["find", src_dir, "-follow", "-type", "f"],
- empty_stdout_fine=True,
- )
- result = find_result.stdout
- return sorted(result.splitlines())
-
-
-def _flag_enabled(repository_ctx, flag_name):
- if flag_name in repository_ctx.os.environ:
- value = repository_ctx.os.environ[flag_name].strip()
- return value == "1"
- return False
-
-
-def _use_cuda_clang(repository_ctx):
- return _flag_enabled(repository_ctx, "TF_CUDA_CLANG")
-
-
-def _compute_cuda_extra_copts(repository_ctx, compute_capabilities):
- if _use_cuda_clang(repository_ctx):
- capability_flags = [
- "--cuda-gpu-arch=sm_" + cap.replace(".", "")
- for cap in compute_capabilities
- ]
- else:
- # Capabilities are handled in the "crosstool_wrapper_driver_is_not_gcc" for nvcc
- # TODO(csigg): Make this consistent with cuda clang and pass to crosstool.
- capability_flags = []
- return str(capability_flags)
-
-
-def _create_local_cuda_repository(repository_ctx):
- """Creates the repository containing files set up to build with CUDA."""
- cuda_config = _get_cuda_config(repository_ctx)
-
- cuda_include_path = _find_cuda_include_path(repository_ctx, cuda_config)
- cudnn_header_dir = _find_cudnn_header_dir(
- repository_ctx,
- cuda_config.cudnn_install_basedir,
- )
- cupti_header_dir = _find_cupti_header_dir(repository_ctx, cuda_config)
- nvvm_libdevice_dir = _find_nvvm_libdevice_dir(repository_ctx, cuda_config)
-
- # Create genrule to copy files from the installed CUDA toolkit into execroot.
- copy_rules = [
- make_copy_dir_rule(
- repository_ctx,
- name = "cuda-include",
- src_dir = cuda_include_path,
- out_dir = "cuda/include",
- ),
- make_copy_dir_rule(
- repository_ctx,
- name = "cuda-nvvm",
- src_dir = nvvm_libdevice_dir,
- out_dir = "cuda/nvvm/libdevice",
- ),
- make_copy_dir_rule(
- repository_ctx,
- name = "cuda-extras",
- src_dir = cupti_header_dir,
- out_dir = "cuda/extras/CUPTI/include",
- ),
- ]
-
- cuda_libs = _find_libs(repository_ctx, cuda_config)
- cuda_lib_srcs = []
- cuda_lib_outs = []
- for path in cuda_libs.values():
- cuda_lib_srcs.append(str(path))
- cuda_lib_outs.append("cuda/lib/" + path.basename)
- copy_rules.append(make_copy_files_rule(
- repository_ctx,
- name = "cuda-lib",
- srcs = cuda_lib_srcs,
- outs = cuda_lib_outs,
- ))
-
- copy_rules.append(make_copy_dir_rule(
- repository_ctx,
- name = "cuda-bin",
- src_dir = cuda_config.cuda_toolkit_path + "/bin",
- out_dir = "cuda/bin"
- ))
-
- # Copy cudnn.h if cuDNN was not installed to CUDA_TOOLKIT_PATH.
- included_files = _read_dir(repository_ctx, cuda_include_path)
- if not any([file.endswith("cudnn.h") for file in included_files]):
- copy_rules.append(make_copy_files_rule(
- repository_ctx,
- name = "cudnn-include",
- srcs = [cudnn_header_dir + "/cudnn.h"],
- outs = ["cuda/include/cudnn.h"],
- ))
- else:
- copy_rules.append("filegroup(name = 'cudnn-include')\n")
-
- # Set up BUILD file for cuda/
- _tpl(
- repository_ctx,
- "cuda:build_defs.bzl",
- {
- "%{cuda_is_configured}":
- "True",
- "%{cuda_extra_copts}":
- _compute_cuda_extra_copts(
- repository_ctx,
- cuda_config.compute_capabilities,
- ),
- },
- )
- _tpl(
- repository_ctx,
- "cuda:BUILD.windows" if _is_windows(repository_ctx) else "cuda:BUILD",
- {
- "%{cuda_driver_lib}":
- cuda_libs["cuda"].basename,
- "%{cudart_static_lib}":
- cuda_libs["cudart_static"].basename,
- "%{cudart_static_linkopt}":
- _cudart_static_linkopt(cuda_config.cpu_value,),
- "%{cudart_lib}":
- cuda_libs["cudart"].basename,
- "%{cublas_lib}":
- cuda_libs["cublas"].basename,
- "%{cusolver_lib}":
- cuda_libs["cusolver"].basename,
- "%{cudnn_lib}":
- cuda_libs["cudnn"].basename,
- "%{cufft_lib}":
- cuda_libs["cufft"].basename,
- "%{curand_lib}":
- cuda_libs["curand"].basename,
- "%{cupti_lib}":
- cuda_libs["cupti"].basename,
- "%{copy_rules}":
- "\n".join(copy_rules),
- "%{cuda_headers}": ('":cuda-include",\n' + ' ":cudnn-include",'
- ),
- },
- "cuda/BUILD",
- )
-
- is_cuda_clang = _use_cuda_clang(repository_ctx)
-
- should_download_clang = is_cuda_clang and _flag_enabled(
- repository_ctx,
- _TF_DOWNLOAD_CLANG,
- )
- if should_download_clang:
- download_clang(repository_ctx, "crosstool/extra_tools")
-
- # Set up crosstool/
- cc = find_cc(repository_ctx)
- cc_fullpath = cc if not should_download_clang else "crosstool/" + cc
-
- host_compiler_includes = _host_compiler_includes(repository_ctx, cc_fullpath)
- cuda_defines = {}
- # Bazel sets '-B/usr/bin' flag to workaround build errors on RHEL (see
- # https://github.com/bazelbuild/bazel/issues/760).
- # However, this stops our custom clang toolchain from picking the provided
- # LLD linker, so we're only adding '-B/usr/bin' when using non-downloaded
- # toolchain.
- # TODO: when bazel stops adding '-B/usr/bin' by default, remove this
- # flag from the CROSSTOOL completely (see
- # https://github.com/bazelbuild/bazel/issues/5634)
- if should_download_clang:
- cuda_defines["%{linker_bin_path_flag}"] = ""
- else:
- cuda_defines["%{linker_bin_path_flag}"] = 'flag: "-B/usr/bin"'
-
- if is_cuda_clang:
- cuda_defines["%{host_compiler_path}"] = str(cc)
- cuda_defines["%{host_compiler_warnings}"] = """
- # Some parts of the codebase set -Werror and hit this warning, so
- # switch it off for now.
- flag: "-Wno-invalid-partial-specialization"
- """
- cuda_defines["%{host_compiler_includes}"] = host_compiler_includes
- cuda_defines["%{extra_no_canonical_prefixes_flags}"] = ""
- _tpl(repository_ctx, "crosstool:BUILD", {
- "%{linker_files}": ":empty",
- "%{win_linker_files}": ":empty"
- })
- repository_ctx.file(
- "crosstool/clang/bin/crosstool_wrapper_driver_is_not_gcc", "")
- repository_ctx.file("crosstool/windows/msvc_wrapper_for_nvcc.py", "")
- else:
- cuda_defines[
- "%{host_compiler_path}"] = "clang/bin/crosstool_wrapper_driver_is_not_gcc"
- cuda_defines["%{host_compiler_warnings}"] = ""
-
- # nvcc has the system include paths built in and will automatically
- # search them; we cannot work around that, so we add the relevant cuda
- # system paths to the allowed compiler specific include paths.
- cuda_defines["%{host_compiler_includes}"] = (
- host_compiler_includes + "\n" + _cuda_include_path(
- repository_ctx, cuda_config) +
- "\n cxx_builtin_include_directory: \"%s\"" % cupti_header_dir +
- "\n cxx_builtin_include_directory: \"%s\"" % cudnn_header_dir)
-
- # For gcc, do not canonicalize system header paths; some versions of gcc
- # pick the shortest possible path for system includes when creating the
- # .d file - given that includes that are prefixed with "../" multiple
- # time quickly grow longer than the root of the tree, this can lead to
- # bazel's header check failing.
- cuda_defines["%{extra_no_canonical_prefixes_flags}"] = (
- "flag: \"-fno-canonical-system-headers\"")
- nvcc_path = str(
- repository_ctx.path("%s/bin/nvcc%s" % (
- cuda_config.cuda_toolkit_path,
- ".exe" if _is_windows(repository_ctx) else "",
- )))
- _tpl(
- repository_ctx,
- "crosstool:BUILD",
- {
- "%{linker_files}": ":crosstool_wrapper_driver_is_not_gcc",
- "%{win_linker_files}": ":windows_msvc_wrapper_files",
- },
- )
- wrapper_defines = {
- "%{cpu_compiler}":
- str(cc),
- "%{cuda_version}":
- cuda_config.cuda_version,
- "%{nvcc_path}":
- nvcc_path,
- "%{gcc_host_compiler_path}":
- str(cc),
- "%{cuda_compute_capabilities}":
- ", ".join(
- ["\"%s\"" % c for c in cuda_config.compute_capabilities],),
- "%{nvcc_tmp_dir}":
- _get_nvcc_tmp_dir_for_windows(repository_ctx),
- }
- _tpl(
- repository_ctx,
- "crosstool:clang/bin/crosstool_wrapper_driver_is_not_gcc",
- wrapper_defines,
- )
- _tpl(
- repository_ctx,
- "crosstool:windows/msvc_wrapper_for_nvcc.py",
- wrapper_defines,
- )
-
- _tpl(
- repository_ctx,
- "crosstool:CROSSTOOL",
- cuda_defines + _get_win_cuda_defines(repository_ctx),
- out="crosstool/CROSSTOOL",
- )
-
- # Set up cuda_config.h, which is used by
- # tensorflow/stream_executor/dso_loader.cc.
- _tpl(
- repository_ctx,
- "cuda:cuda_config.h",
- {
- "%{cuda_version}":
- cuda_config.cuda_version,
- "%{cudnn_version}":
- cuda_config.cudnn_version,
- "%{cuda_compute_capabilities}":
- ",".join([
- "CudaVersion(\"%s\")" % c
- for c in cuda_config.compute_capabilities
- ],),
- "%{cuda_toolkit_path}":
- cuda_config.cuda_toolkit_path,
- },
- "cuda/cuda/cuda_config.h",
- )
-
-
-def _create_remote_cuda_repository(repository_ctx, remote_config_repo):
- """Creates pointers to a remotely configured repo set up to build with CUDA."""
- _tpl(
- repository_ctx,
- "cuda:build_defs.bzl",
- {
- "%{cuda_is_configured}":
- "True",
- "%{cuda_extra_copts}":
- _compute_cuda_extra_copts(
- repository_ctx,
- compute_capabilities(repository_ctx),
- ),
- },
- )
- repository_ctx.template(
- "cuda/BUILD",
- Label(remote_config_repo + "/cuda/BUILD"),
- {},
- )
- repository_ctx.template(
- "crosstool/BUILD",
- Label(remote_config_repo + "/crosstool/BUILD"),
- {},
- )
-
-
-def _cuda_autoconf_impl(repository_ctx):
- """Implementation of the cuda_autoconf repository rule."""
- if not enable_cuda(repository_ctx):
- _create_dummy_repository(repository_ctx)
- elif _TF_CUDA_CONFIG_REPO in repository_ctx.os.environ:
- _create_remote_cuda_repository(
- repository_ctx,
- repository_ctx.os.environ[_TF_CUDA_CONFIG_REPO],
- )
- else:
- _create_local_cuda_repository(repository_ctx)
-
-
-cuda_configure = repository_rule(
- implementation = _cuda_autoconf_impl,
- environ = [
- _GCC_HOST_COMPILER_PATH,
- _CLANG_CUDA_COMPILER_PATH,
- "TF_NEED_CUDA",
- "TF_CUDA_CLANG",
- _TF_DOWNLOAD_CLANG,
- _CUDA_TOOLKIT_PATH,
- _CUDNN_INSTALL_PATH,
- _TF_CUDA_VERSION,
- _TF_CUDNN_VERSION,
- _TF_CUDA_COMPUTE_CAPABILITIES,
- _TF_CUDA_CONFIG_REPO,
- "NVVMIR_LIBRARY_DIR",
- _PYTHON_BIN_PATH,
- ],
-)
-
-"""Detects and configures the local CUDA toolchain.
-
-Add the following to your WORKSPACE FILE:
-
-```python
-cuda_configure(name = "local_config_cuda")
-```
-
-Args:
- name: A unique name for this workspace rule.
-"""
diff --git a/third_party/gpus/rocm/BUILD b/third_party/gpus/rocm/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/gpus/rocm/BUILD
+++ /dev/null
diff --git a/third_party/gpus/rocm/BUILD.tpl b/third_party/gpus/rocm/BUILD.tpl
deleted file mode 100644
index 655acae..0000000
--- a/third_party/gpus/rocm/BUILD.tpl
+++ /dev/null
@@ -1,99 +0,0 @@
-licenses(["restricted"]) # MPL2, portions GPL v3, LGPL v3, BSD-like
-
-package(default_visibility = ["//visibility:public"])
-
-config_setting(
- name = "using_hipcc",
- values = {
- "define": "using_rocm_hipcc=true",
- },
-)
-
-cc_library(
- name = "rocm_headers",
- hdrs = [
- "rocm/rocm_config.h",
- %{rocm_headers}
- ],
- includes = [
- ".",
- "rocm/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "hip",
- srcs = ["rocm/lib/%{hip_lib}"],
- data = ["rocm/lib/%{hip_lib}"],
- includes = [
- ".",
- "rocm/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "rocblas",
- srcs = ["rocm/lib/%{rocblas_lib}"],
- data = ["rocm/lib/%{rocblas_lib}"],
- includes = [
- ".",
- "rocm/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "rocfft",
- srcs = ["rocm/lib/%{rocfft_lib}"],
- data = ["rocm/lib/%{rocfft_lib}"],
- includes = [
- ".",
- "rocm/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "hiprand",
- srcs = ["rocm/lib/%{hiprand_lib}"],
- data = ["rocm/lib/%{hiprand_lib}"],
- includes = [
- ".",
- "rocm/include",
- "rocm/include/rocrand",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "miopen",
- srcs = ["rocm/lib/%{miopen_lib}"],
- data = ["rocm/lib/%{miopen_lib}"],
- includes = [
- ".",
- "rocm/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "rocm",
- visibility = ["//visibility:public"],
- deps = [
- ":rocm_headers",
- ":hip",
- ":rocblas",
- ":rocfft",
- ":hiprand",
- ":miopen",
- ],
-)
-
-%{copy_rules}
diff --git a/third_party/gpus/rocm/build_defs.bzl.tpl b/third_party/gpus/rocm/build_defs.bzl.tpl
deleted file mode 100644
index 08c59f9..0000000
--- a/third_party/gpus/rocm/build_defs.bzl.tpl
+++ /dev/null
@@ -1,45 +0,0 @@
-# Macros for building ROCm code.
-def if_rocm(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with ROCm.
-
- Returns a select statement which evaluates to if_true if we're building
- with ROCm enabled. Otherwise, the select statement evaluates to if_false.
-
- """
- return select({
- "@local_config_rocm//rocm:using_hipcc": if_true,
- "//conditions:default": if_false
- })
-
-
-def rocm_default_copts():
- """Default options for all ROCm compilations."""
- return if_rocm(["-x", "rocm"] + %{rocm_extra_copts})
-
-def rocm_copts(opts = []):
- """Gets the appropriate set of copts for (maybe) ROCm compilation.
-
- If we're doing ROCm compilation, returns copts for our particular ROCm
- compiler. If we're not doing ROCm compilation, returns an empty list.
-
- """
- return rocm_default_copts() + select({
- "//conditions:default": [],
- "@local_config_rocm//rocm:using_hipcc": ([
- "",
- ]),
- }) + if_rocm_is_configured(opts)
-
-def rocm_is_configured():
- """Returns true if ROCm was enabled during the configure process."""
- return %{rocm_is_configured}
-
-def if_rocm_is_configured(x):
- """Tests if the ROCm was enabled during the configure process.
-
- Unlike if_rocm(), this does not require that we are building with
- --config=rocm. Used to allow non-ROCm code to depend on ROCm libraries.
- """
- if rocm_is_configured():
- return x
- return []
diff --git a/third_party/gpus/rocm/rocm_config.h.tpl b/third_party/gpus/rocm/rocm_config.h.tpl
deleted file mode 100644
index c5f25a8..0000000
--- a/third_party/gpus/rocm/rocm_config.h.tpl
+++ /dev/null
@@ -1,21 +0,0 @@
-/* Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-
-Licensed under the Apache License, Version 2.0 (the "License");
-you may not use this file except in compliance with the License.
-You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
-Unless required by applicable law or agreed to in writing, software
-distributed under the License is distributed on an "AS IS" BASIS,
-WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-See the License for the specific language governing permissions and
-limitations under the License.
-==============================================================================*/
-
-#ifndef ROCM_ROCM_CONFIG_H_
-#define ROCM_ROCM_CONFIG_H_
-
-#define TF_ROCM_TOOLKIT_PATH "/opt/rocm"
-
-#endif // ROCM_ROCM_CONFIG_H_
diff --git a/third_party/gpus/rocm_configure.bzl b/third_party/gpus/rocm_configure.bzl
deleted file mode 100644
index a57ec9f..0000000
--- a/third_party/gpus/rocm_configure.bzl
+++ /dev/null
@@ -1,739 +0,0 @@
-# -*- Python -*-
-"""Repository rule for ROCm autoconfiguration.
-
-`rocm_configure` depends on the following environment variables:
-
- * `TF_NEED_ROCM`: Whether to enable building with ROCm.
- * `GCC_HOST_COMPILER_PATH`: The GCC host compiler path
- * `ROCM_TOOLKIT_PATH`: The path to the ROCm toolkit. Default is
- `/opt/rocm`.
- * `TF_ROCM_VERSION`: The version of the ROCm toolkit. If this is blank, then
- use the system default.
- * `TF_MIOPEN_VERSION`: The version of the MIOpen library.
- * `TF_ROCM_AMDGPU_TARGETS`: The AMDGPU targets. Default is
- `gfx803,gfx900`.
-"""
-
-load(
- ":cuda_configure.bzl",
- "make_copy_dir_rule",
- "make_copy_files_rule",
-)
-
-_GCC_HOST_COMPILER_PATH = "GCC_HOST_COMPILER_PATH"
-_ROCM_TOOLKIT_PATH = "ROCM_TOOLKIT_PATH"
-_TF_ROCM_VERSION = "TF_ROCM_VERSION"
-_TF_MIOPEN_VERSION = "TF_MIOPEN_VERSION"
-_TF_ROCM_AMDGPU_TARGETS = "TF_ROCM_AMDGPU_TARGETS"
-_TF_ROCM_CONFIG_REPO = "TF_ROCM_CONFIG_REPO"
-
-_DEFAULT_ROCM_VERSION = ""
-_DEFAULT_MIOPEN_VERSION = ""
-_DEFAULT_ROCM_TOOLKIT_PATH = "/opt/rocm"
-_DEFAULT_ROCM_AMDGPU_TARGETS = ["gfx803", "gfx900"]
-
-def find_cc(repository_ctx):
- """Find the C++ compiler."""
-
- # Return a dummy value for GCC detection here to avoid error
- target_cc_name = "gcc"
- cc_path_envvar = _GCC_HOST_COMPILER_PATH
- cc_name = target_cc_name
-
- if cc_path_envvar in repository_ctx.os.environ:
- cc_name_from_env = repository_ctx.os.environ[cc_path_envvar].strip()
- if cc_name_from_env:
- cc_name = cc_name_from_env
- if cc_name.startswith("/"):
- # Absolute path, maybe we should make this supported by our which function.
- return cc_name
- cc = repository_ctx.which(cc_name)
- if cc == None:
- fail(("Cannot find {}, either correct your path or set the {}" +
- " environment variable").format(target_cc_name, cc_path_envvar))
- return cc
-
-_INC_DIR_MARKER_BEGIN = "#include <...>"
-
-def _cxx_inc_convert(path):
- """Convert path returned by cc -E xc++ in a complete path."""
- path = path.strip()
- return path
-
-def _get_cxx_inc_directories_impl(repository_ctx, cc, lang_is_cpp):
- """Compute the list of default C or C++ include directories."""
- if lang_is_cpp:
- lang = "c++"
- else:
- lang = "c"
-
- # TODO: We pass -no-canonical-prefixes here to match the compiler flags,
- # but in rocm_clang CROSSTOOL file that is a `feature` and we should
- # handle the case when it's disabled and no flag is passed
- result = repository_ctx.execute([
- cc,
- "-no-canonical-prefixes",
- "-E",
- "-x" + lang,
- "-",
- "-v",
- ])
- index1 = result.stderr.find(_INC_DIR_MARKER_BEGIN)
- if index1 == -1:
- return []
- index1 = result.stderr.find("\n", index1)
- if index1 == -1:
- return []
- index2 = result.stderr.rfind("\n ")
- if index2 == -1 or index2 < index1:
- return []
- index2 = result.stderr.find("\n", index2 + 1)
- if index2 == -1:
- inc_dirs = result.stderr[index1 + 1:]
- else:
- inc_dirs = result.stderr[index1 + 1:index2].strip()
-
- return [
- str(repository_ctx.path(_cxx_inc_convert(p)))
- for p in inc_dirs.split("\n")
- ]
-
-def get_cxx_inc_directories(repository_ctx, cc):
- """Compute the list of default C and C++ include directories."""
-
- # For some reason `clang -xc` sometimes returns include paths that are
- # different from the ones from `clang -xc++`. (Symlink and a dir)
- # So we run the compiler with both `-xc` and `-xc++` and merge resulting lists
- includes_cpp = _get_cxx_inc_directories_impl(repository_ctx, cc, True)
- includes_c = _get_cxx_inc_directories_impl(repository_ctx, cc, False)
-
- includes_cpp_set = depset(includes_cpp)
- return includes_cpp + [
- inc
- for inc in includes_c
- if inc not in includes_cpp_set.to_list()
- ]
-
-def auto_configure_fail(msg):
- """Output failure message when rocm configuration fails."""
- red = "\033[0;31m"
- no_color = "\033[0m"
- fail("\n%sROCm Configuration Error:%s %s\n" % (red, no_color, msg))
-
-# END cc_configure common functions (see TODO above).
-
-def _host_compiler_includes(repository_ctx, cc):
- """Generates the cxx_builtin_include_directory entries for gcc inc dirs.
-
- Args:
- repository_ctx: The repository context.
- cc: The path to the gcc host compiler.
-
- Returns:
- A string containing the cxx_builtin_include_directory for each of the gcc
- host compiler include directories, which can be added to the CROSSTOOL
- file.
- """
- inc_dirs = get_cxx_inc_directories(repository_ctx, cc)
-
- # Add numpy headers
- inc_dirs.append("/usr/lib/python2.7/dist-packages/numpy/core/include")
-
- entries = []
- for inc_dir in inc_dirs:
- entries.append(" cxx_builtin_include_directory: \"%s\"" % inc_dir)
-
- # define TENSORFLOW_USE_ROCM
- entries.append(" unfiltered_cxx_flag: \"-DTENSORFLOW_USE_ROCM\"")
-
- return "\n".join(entries)
-
-def _rocm_include_path(repository_ctx, rocm_config):
- """Generates the cxx_builtin_include_directory entries for rocm inc dirs.
-
- Args:
- repository_ctx: The repository context.
- cc: The path to the gcc host compiler.
-
- Returns:
- A string containing the cxx_builtin_include_directory for each of the gcc
- host compiler include directories, which can be added to the CROSSTOOL
- file.
- """
- inc_dirs = []
-
- # general ROCm include path
- inc_dirs.append(rocm_config.rocm_toolkit_path + "/include")
-
- # Add HSA headers
- inc_dirs.append("/opt/rocm/hsa/include")
-
- # Add HIP headers
- inc_dirs.append("/opt/rocm/include/hip")
- inc_dirs.append("/opt/rocm/include/hip/hcc_detail")
-
- # Add rocrand and hiprand headers
- inc_dirs.append("/opt/rocm/rocrand/include")
- inc_dirs.append("/opt/rocm/hiprand/include")
-
- # Add rocfft headers
- inc_dirs.append("/opt/rocm/rocfft/include")
-
- # Add rocBLAS headers
- inc_dirs.append("/opt/rocm/rocblas/include")
-
- # Add MIOpen headers
- inc_dirs.append("/opt/rocm/miopen/include")
-
- # Add hcc headers
- inc_dirs.append("/opt/rocm/hcc/include")
- inc_dirs.append("/opt/rocm/hcc/compiler/lib/clang/7.0.0/include/")
- inc_dirs.append("/opt/rocm/hcc/lib/clang/7.0.0/include")
-
- # Newer hcc builds use/are based off of clang 8.0.0.
- inc_dirs.append("/opt/rocm/hcc/compiler/lib/clang/8.0.0/include/")
- inc_dirs.append("/opt/rocm/hcc/lib/clang/8.0.0/include")
-
- inc_entries = []
- for inc_dir in inc_dirs:
- inc_entries.append(" cxx_builtin_include_directory: \"%s\"" % inc_dir)
- return "\n".join(inc_entries)
-
-def _enable_rocm(repository_ctx):
- if "TF_NEED_ROCM" in repository_ctx.os.environ:
- enable_rocm = repository_ctx.os.environ["TF_NEED_ROCM"].strip()
- return enable_rocm == "1"
- return False
-
-def _rocm_toolkit_path(repository_ctx):
- """Finds the rocm toolkit directory.
-
- Args:
- repository_ctx: The repository context.
-
- Returns:
- A speculative real path of the rocm toolkit install directory.
- """
- rocm_toolkit_path = _DEFAULT_ROCM_TOOLKIT_PATH
- if _ROCM_TOOLKIT_PATH in repository_ctx.os.environ:
- rocm_toolkit_path = repository_ctx.os.environ[_ROCM_TOOLKIT_PATH].strip()
- if not repository_ctx.path(rocm_toolkit_path).exists:
- auto_configure_fail("Cannot find rocm toolkit path.")
- return str(repository_ctx.path(rocm_toolkit_path).realpath)
-
-def _amdgpu_targets(repository_ctx):
- """Returns a list of strings representing AMDGPU targets."""
- if _TF_ROCM_AMDGPU_TARGETS not in repository_ctx.os.environ:
- return _DEFAULT_ROCM_AMDGPU_TARGETS
- amdgpu_targets_str = repository_ctx.os.environ[_TF_ROCM_AMDGPU_TARGETS]
- amdgpu_targets = amdgpu_targets_str.split(",")
- for amdgpu_target in amdgpu_targets:
- if amdgpu_target[:3] != "gfx" or not amdgpu_target[3:].isdigit():
- auto_configure_fail("Invalid AMDGPU target: %s" % amdgpu_target)
- return amdgpu_targets
-
-def _cpu_value(repository_ctx):
- """Returns the name of the host operating system.
-
- Args:
- repository_ctx: The repository context.
-
- Returns:
- A string containing the name of the host operating system.
- """
- os_name = repository_ctx.os.name.lower()
- if os_name.startswith("mac os"):
- return "Darwin"
- if os_name.find("windows") != -1:
- return "Windows"
- result = repository_ctx.execute(["uname", "-s"])
- return result.stdout.strip()
-
-def _lib_name(lib, cpu_value, version = "", static = False):
- """Constructs the platform-specific name of a library.
-
- Args:
- lib: The name of the library, such as "hip"
- cpu_value: The name of the host operating system.
- version: The version of the library.
- static: True the library is static or False if it is a shared object.
-
- Returns:
- The platform-specific name of the library.
- """
- if cpu_value in ("Linux"):
- if static:
- return "lib%s.a" % lib
- else:
- if version:
- version = ".%s" % version
- return "lib%s.so%s" % (lib, version)
- elif cpu_value == "Windows":
- return "%s.lib" % lib
- elif cpu_value == "Darwin":
- if static:
- return "lib%s.a" % lib
- elif version:
- version = ".%s" % version
- return "lib%s%s.dylib" % (lib, version)
- else:
- auto_configure_fail("Invalid cpu_value: %s" % cpu_value)
-
-def _find_rocm_lib(
- lib,
- repository_ctx,
- cpu_value,
- basedir,
- version = "",
- static = False):
- """Finds the given ROCm libraries on the system.
-
- Args:
- lib: The name of the library, such as "hip"
- repository_ctx: The repository context.
- cpu_value: The name of the host operating system.
- basedir: The install directory of ROCm.
- version: The version of the library.
- static: True if static library, False if shared object.
-
- Returns:
- Returns a struct with the following fields:
- file_name: The basename of the library found on the system.
- path: The full path to the library.
- """
- file_name = _lib_name(lib, cpu_value, version, static)
- if cpu_value == "Linux":
- path = repository_ctx.path("%s/lib64/%s" % (basedir, file_name))
- if path.exists:
- return struct(file_name = file_name, path = str(path.realpath))
- path = repository_ctx.path("%s/lib64/stubs/%s" % (basedir, file_name))
- if path.exists:
- return struct(file_name = file_name, path = str(path.realpath))
- path = repository_ctx.path(
- "%s/lib/x86_64-linux-gnu/%s" % (basedir, file_name),
- )
- if path.exists:
- return struct(file_name = file_name, path = str(path.realpath))
-
- path = repository_ctx.path("%s/lib/%s" % (basedir, file_name))
- if path.exists:
- return struct(file_name = file_name, path = str(path.realpath))
- path = repository_ctx.path("%s/%s" % (basedir, file_name))
- if path.exists:
- return struct(file_name = file_name, path = str(path.realpath))
-
- auto_configure_fail("Cannot find rocm library %s" % file_name)
-
-def _find_libs(repository_ctx, rocm_config):
- """Returns the ROCm libraries on the system.
-
- Args:
- repository_ctx: The repository context.
- rocm_config: The ROCm config as returned by _get_rocm_config
-
- Returns:
- Map of library names to structs of filename and path as returned by
- _find_rocm_lib.
- """
- cpu_value = rocm_config.cpu_value
- return {
- "hip": _find_rocm_lib(
- "hip_hcc",
- repository_ctx,
- cpu_value,
- rocm_config.rocm_toolkit_path,
- ),
- "rocblas": _find_rocm_lib(
- "rocblas",
- repository_ctx,
- cpu_value,
- rocm_config.rocm_toolkit_path + "/rocblas",
- ),
- "rocfft": _find_rocm_lib(
- "rocfft",
- repository_ctx,
- cpu_value,
- rocm_config.rocm_toolkit_path + "/rocfft",
- ),
- "hiprand": _find_rocm_lib(
- "hiprand",
- repository_ctx,
- cpu_value,
- rocm_config.rocm_toolkit_path + "/hiprand",
- ),
- "miopen": _find_rocm_lib(
- "MIOpen",
- repository_ctx,
- cpu_value,
- rocm_config.rocm_toolkit_path + "/miopen",
- ),
- }
-
-def _get_rocm_config(repository_ctx):
- """Detects and returns information about the ROCm installation on the system.
-
- Args:
- repository_ctx: The repository context.
-
- Returns:
- A struct containing the following fields:
- rocm_toolkit_path: The ROCm toolkit installation directory.
- amdgpu_targets: A list of the system's AMDGPU targets.
- cpu_value: The name of the host operating system.
- """
- cpu_value = _cpu_value(repository_ctx)
- rocm_toolkit_path = _rocm_toolkit_path(repository_ctx)
- return struct(
- rocm_toolkit_path = rocm_toolkit_path,
- amdgpu_targets = _amdgpu_targets(repository_ctx),
- cpu_value = cpu_value,
- )
-
-def _tpl(repository_ctx, tpl, substitutions = {}, out = None):
- if not out:
- out = tpl.replace(":", "/")
- repository_ctx.template(
- out,
- Label("//third_party/gpus/%s.tpl" % tpl),
- substitutions,
- )
-
-def _file(repository_ctx, label):
- repository_ctx.template(
- label.replace(":", "/"),
- Label("//third_party/gpus/%s.tpl" % label),
- {},
- )
-
-_DUMMY_CROSSTOOL_BZL_FILE = """
-def error_gpu_disabled():
- fail("ERROR: Building with --config=rocm but TensorFlow is not configured " +
- "to build with GPU support. Please re-run ./configure and enter 'Y' " +
- "at the prompt to build with GPU support.")
-
- native.genrule(
- name = "error_gen_crosstool",
- outs = ["CROSSTOOL"],
- cmd = "echo 'Should not be run.' && exit 1",
- )
-
- native.filegroup(
- name = "crosstool",
- srcs = [":CROSSTOOL"],
- output_licenses = ["unencumbered"],
- )
-"""
-
-_DUMMY_CROSSTOOL_BUILD_FILE = """
-load("//crosstool:error_gpu_disabled.bzl", "error_gpu_disabled")
-
-error_gpu_disabled()
-"""
-
-def _create_dummy_repository(repository_ctx):
- cpu_value = _cpu_value(repository_ctx)
-
- # Set up BUILD file for rocm/.
- _tpl(
- repository_ctx,
- "rocm:build_defs.bzl",
- {
- "%{rocm_is_configured}": "False",
- "%{rocm_extra_copts}": "[]",
- },
- )
- _tpl(
- repository_ctx,
- "rocm:BUILD",
- {
- "%{hip_lib}": _lib_name("hip", cpu_value),
- "%{rocblas_lib}": _lib_name("rocblas", cpu_value),
- "%{miopen_lib}": _lib_name("miopen", cpu_value),
- "%{rocfft_lib}": _lib_name("rocfft", cpu_value),
- "%{hiprand_lib}": _lib_name("hiprand", cpu_value),
- "%{copy_rules}": "",
- "%{rocm_headers}": "",
- },
- )
-
- # Create dummy files for the ROCm toolkit since they are still required by
- # tensorflow/core/platform/default/build_config:rocm.
- repository_ctx.file("rocm/hip/include/hip/hip_runtime.h", "")
-
- # Set up rocm_config.h, which is used by
- # tensorflow/stream_executor/dso_loader.cc.
- _tpl(
- repository_ctx,
- "rocm:rocm_config.h",
- {
- "%{rocm_toolkit_path}": _DEFAULT_ROCM_TOOLKIT_PATH,
- },
- "rocm/rocm/rocm_config.h",
- )
-
- # If rocm_configure is not configured to build with GPU support, and the user
- # attempts to build with --config=rocm, add a dummy build rule to intercept
- # this and fail with an actionable error message.
- repository_ctx.file(
- "crosstool/error_gpu_disabled.bzl",
- _DUMMY_CROSSTOOL_BZL_FILE,
- )
- repository_ctx.file("crosstool/BUILD", _DUMMY_CROSSTOOL_BUILD_FILE)
-
-def _execute(
- repository_ctx,
- cmdline,
- error_msg = None,
- error_details = None,
- empty_stdout_fine = False):
- """Executes an arbitrary shell command.
-
- Args:
- repository_ctx: the repository_ctx object
- cmdline: list of strings, the command to execute
- error_msg: string, a summary of the error if the command fails
- error_details: string, details about the error or steps to fix it
- empty_stdout_fine: bool, if True, an empty stdout result is fine, otherwise
- it's an error
- Return:
- the result of repository_ctx.execute(cmdline)
- """
- result = repository_ctx.execute(cmdline)
- if result.stderr or not (empty_stdout_fine or result.stdout):
- auto_configure_fail(
- "\n".join([
- error_msg.strip() if error_msg else "Repository command failed",
- result.stderr.strip(),
- error_details if error_details else "",
- ]),
- )
- return result
-
-def _norm_path(path):
- """Returns a path with '/' and remove the trailing slash."""
- path = path.replace("\\", "/")
- if path[-1] == "/":
- path = path[:-1]
- return path
-
-def _genrule(src_dir, genrule_name, command, outs):
- """Returns a string with a genrule.
-
- Genrule executes the given command and produces the given outputs.
- """
- return (
- "genrule(\n" +
- ' name = "' +
- genrule_name + '",\n' +
- " outs = [\n" +
- outs +
- "\n ],\n" +
- ' cmd = """\n' +
- command +
- '\n """,\n' +
- ")\n"
- )
-
-def _read_dir(repository_ctx, src_dir):
- """Returns a string with all files in a directory.
-
- Finds all files inside a directory, traversing subfolders and following
- symlinks. The returned string contains the full path of all files
- separated by line breaks.
- """
- find_result = _execute(
- repository_ctx,
- ["find", src_dir, "-follow", "-type", "f"],
- empty_stdout_fine = True,
- )
- result = find_result.stdout
- return result
-
-def _compute_rocm_extra_copts(repository_ctx, amdgpu_targets):
- if False:
- amdgpu_target_flags = ["--amdgpu-target=" +
- amdgpu_target for amdgpu_target in amdgpu_targets]
- else:
- # AMDGPU targets are handled in the "crosstool_wrapper_driver_is_not_gcc"
- amdgpu_target_flags = []
- return str(amdgpu_target_flags)
-
-def _create_local_rocm_repository(repository_ctx):
- """Creates the repository containing files set up to build with ROCm."""
- rocm_config = _get_rocm_config(repository_ctx)
-
- # Copy header and library files to execroot.
- # rocm_toolkit_path
- rocm_toolkit_path = rocm_config.rocm_toolkit_path
- copy_rules = [
- make_copy_dir_rule(
- repository_ctx,
- name = "rocm-include",
- src_dir = rocm_toolkit_path + "/include",
- out_dir = "rocm/include",
- ),
- make_copy_dir_rule(
- repository_ctx,
- name = "rocfft-include",
- src_dir = rocm_toolkit_path + "/rocfft/include",
- out_dir = "rocm/include/rocfft",
- ),
- make_copy_dir_rule(
- repository_ctx,
- name = "rocm-blas",
- src_dir = rocm_toolkit_path + "/rocblas/include",
- out_dir = "rocm/include/rocblas",
- ),
- make_copy_dir_rule(
- repository_ctx,
- name = "rocm-miopen",
- src_dir = rocm_toolkit_path + "/miopen/include",
- out_dir = "rocm/include/miopen",
- ),
- ]
-
- rocm_libs = _find_libs(repository_ctx, rocm_config)
- rocm_lib_srcs = []
- rocm_lib_outs = []
- for lib in rocm_libs.values():
- rocm_lib_srcs.append(lib.path)
- rocm_lib_outs.append("rocm/lib/" + lib.file_name)
- copy_rules.append(make_copy_files_rule(
- repository_ctx,
- name = "rocm-lib",
- srcs = rocm_lib_srcs,
- outs = rocm_lib_outs,
- ))
-
-
- # Set up BUILD file for rocm/
- _tpl(
- repository_ctx,
- "rocm:build_defs.bzl",
- {
- "%{rocm_is_configured}": "True",
- "%{rocm_extra_copts}": _compute_rocm_extra_copts(
- repository_ctx,
- rocm_config.amdgpu_targets,
- ),
- },
- )
- _tpl(
- repository_ctx,
- "rocm:BUILD",
- {
- "%{hip_lib}": rocm_libs["hip"].file_name,
- "%{rocblas_lib}": rocm_libs["rocblas"].file_name,
- "%{rocfft_lib}": rocm_libs["rocfft"].file_name,
- "%{hiprand_lib}": rocm_libs["hiprand"].file_name,
- "%{miopen_lib}": rocm_libs["miopen"].file_name,
- "%{copy_rules}": "\n".join(copy_rules),
- "%{rocm_headers}": ('":rocm-include",\n' +
- '":rocfft-include",\n' +
- '":rocblas-include",\n' +
- '":miopen-include",'),
- },
- )
-
- # Set up crosstool/
- _tpl(repository_ctx, "crosstool:BUILD", {"%{linker_files}": ":empty", "%{win_linker_files}": ":empty"})
- cc = find_cc(repository_ctx)
- host_compiler_includes = _host_compiler_includes(repository_ctx, cc)
- rocm_defines = {
- "%{rocm_include_path}": _rocm_include_path(
- repository_ctx,
- rocm_config,
- ),
- "%{host_compiler_includes}": host_compiler_includes,
- "%{clang_path}": str(cc),
- }
-
- _tpl(repository_ctx, "crosstool:CROSSTOOL_hipcc", rocm_defines, out = "crosstool/CROSSTOOL")
-
- _tpl(
- repository_ctx,
- "crosstool:clang/bin/crosstool_wrapper_driver_rocm",
- {
- "%{cpu_compiler}": str(cc),
- "%{hipcc_path}": "/opt/rocm/bin/hipcc",
- "%{gcc_host_compiler_path}": str(cc),
- "%{rocm_amdgpu_targets}": ",".join(
- ["\"%s\"" % c for c in rocm_config.amdgpu_targets],
- ),
- },
- )
-
- # Set up rocm_config.h, which is used by
- # tensorflow/stream_executor/dso_loader.cc.
- _tpl(
- repository_ctx,
- "rocm:rocm_config.h",
- {
- "%{rocm_amdgpu_targets}": ",".join(
- ["\"%s\"" % c for c in rocm_config.amdgpu_targets],
- ),
- "%{rocm_toolkit_path}": rocm_config.rocm_toolkit_path,
- },
- "rocm/rocm/rocm_config.h",
- )
-
-def _create_remote_rocm_repository(repository_ctx, remote_config_repo):
- """Creates pointers to a remotely configured repo set up to build with ROCm."""
- _tpl(
- repository_ctx,
- "rocm:build_defs.bzl",
- {
- "%{rocm_is_configured}": "True",
- "%{rocm_extra_copts}": _compute_rocm_extra_copts(
- repository_ctx, #_compute_capabilities(repository_ctx)
- ),
- },
- )
- _tpl(
- repository_ctx,
- "rocm:remote.BUILD",
- {
- "%{remote_rocm_repo}": remote_config_repo,
- },
- "rocm/BUILD",
- )
- _tpl(repository_ctx, "crosstool:remote.BUILD", {
- "%{remote_rocm_repo}": remote_config_repo,
- }, "crosstool/BUILD")
-
-def _rocm_autoconf_impl(repository_ctx):
- """Implementation of the rocm_autoconf repository rule."""
- if not _enable_rocm(repository_ctx):
- _create_dummy_repository(repository_ctx)
- elif _TF_ROCM_CONFIG_REPO in repository_ctx.os.environ:
- _create_remote_rocm_repository(
- repository_ctx,
- repository_ctx.os.environ[_TF_ROCM_CONFIG_REPO],
- )
- else:
- _create_local_rocm_repository(repository_ctx)
-
-rocm_configure = repository_rule(
- implementation = _rocm_autoconf_impl,
- environ = [
- _GCC_HOST_COMPILER_PATH,
- "TF_NEED_ROCM",
- _ROCM_TOOLKIT_PATH,
- _TF_ROCM_VERSION,
- _TF_MIOPEN_VERSION,
- _TF_ROCM_AMDGPU_TARGETS,
- _TF_ROCM_CONFIG_REPO,
- ],
-)
-
-"""Detects and configures the local ROCm toolchain.
-
-Add the following to your WORKSPACE FILE:
-
-```python
-rocm_configure(name = "local_config_rocm")
-```
-
-Args:
- name: A unique name for this workspace rule.
-"""
diff --git a/third_party/grpc/BUILD b/third_party/grpc/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/grpc/BUILD
+++ /dev/null
diff --git a/third_party/hadoop/BUILD b/third_party/hadoop/BUILD
deleted file mode 100644
index c3c5e42..0000000
--- a/third_party/hadoop/BUILD
+++ /dev/null
@@ -1,10 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(["LICENSE.txt"])
-
-cc_library(
- name = "hdfs",
- hdrs = ["hdfs.h"],
-)
diff --git a/third_party/hadoop/LICENSE.txt b/third_party/hadoop/LICENSE.txt
deleted file mode 100644
index 6ccfd09..0000000
--- a/third_party/hadoop/LICENSE.txt
+++ /dev/null
@@ -1,284 +0,0 @@
-
- Apache License
- Version 2.0, January 2004
- http://www.apache.org/licenses/
-
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
-
- 1. Definitions.
-
- "License" shall mean the terms and conditions for use, reproduction,
- and distribution as defined by Sections 1 through 9 of this document.
-
- "Licensor" shall mean the copyright owner or entity authorized by
- the copyright owner that is granting the License.
-
- "Legal Entity" shall mean the union of the acting entity and all
- other entities that control, are controlled by, or are under common
- control with that entity. For the purposes of this definition,
- "control" means (i) the power, direct or indirect, to cause the
- direction or management of such entity, whether by contract or
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
- outstanding shares, or (iii) beneficial ownership of such entity.
-
- "You" (or "Your") shall mean an individual or Legal Entity
- exercising permissions granted by this License.
-
- "Source" form shall mean the preferred form for making modifications,
- including but not limited to software source code, documentation
- source, and configuration files.
-
- "Object" form shall mean any form resulting from mechanical
- transformation or translation of a Source form, including but
- not limited to compiled object code, generated documentation,
- and conversions to other media types.
-
- "Work" shall mean the work of authorship, whether in Source or
- Object form, made available under the License, as indicated by a
- copyright notice that is included in or attached to the work
- (an example is provided in the Appendix below).
-
- "Derivative Works" shall mean any work, whether in Source or Object
- form, that is based on (or derived from) the Work and for which the
- editorial revisions, annotations, elaborations, or other modifications
- represent, as a whole, an original work of authorship. For the purposes
- of this License, Derivative Works shall not include works that remain
- separable from, or merely link (or bind by name) to the interfaces of,
- the Work and Derivative Works thereof.
-
- "Contribution" shall mean any work of authorship, including
- the original version of the Work and any modifications or additions
- to that Work or Derivative Works thereof, that is intentionally
- submitted to Licensor for inclusion in the Work by the copyright owner
- or by an individual or Legal Entity authorized to submit on behalf of
- the copyright owner. For the purposes of this definition, "submitted"
- means any form of electronic, verbal, or written communication sent
- to the Licensor or its representatives, including but not limited to
- communication on electronic mailing lists, source code control systems,
- and issue tracking systems that are managed by, or on behalf of, the
- Licensor for the purpose of discussing and improving the Work, but
- excluding communication that is conspicuously marked or otherwise
- designated in writing by the copyright owner as "Not a Contribution."
-
- "Contributor" shall mean Licensor and any individual or Legal Entity
- on behalf of whom a Contribution has been received by Licensor and
- subsequently incorporated within the Work.
-
- 2. Grant of Copyright License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- copyright license to reproduce, prepare Derivative Works of,
- publicly display, publicly perform, sublicense, and distribute the
- Work and such Derivative Works in Source or Object form.
-
- 3. Grant of Patent License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- (except as stated in this section) patent license to make, have made,
- use, offer to sell, sell, import, and otherwise transfer the Work,
- where such license applies only to those patent claims licensable
- by such Contributor that are necessarily infringed by their
- Contribution(s) alone or by combination of their Contribution(s)
- with the Work to which such Contribution(s) was submitted. If You
- institute patent litigation against any entity (including a
- cross-claim or counterclaim in a lawsuit) alleging that the Work
- or a Contribution incorporated within the Work constitutes direct
- or contributory patent infringement, then any patent licenses
- granted to You under this License for that Work shall terminate
- as of the date such litigation is filed.
-
- 4. Redistribution. You may reproduce and distribute copies of the
- Work or Derivative Works thereof in any medium, with or without
- modifications, and in Source or Object form, provided that You
- meet the following conditions:
-
- (a) You must give any other recipients of the Work or
- Derivative Works a copy of this License; and
-
- (b) You must cause any modified files to carry prominent notices
- stating that You changed the files; and
-
- (c) You must retain, in the Source form of any Derivative Works
- that You distribute, all copyright, patent, trademark, and
- attribution notices from the Source form of the Work,
- excluding those notices that do not pertain to any part of
- the Derivative Works; and
-
- (d) If the Work includes a "NOTICE" text file as part of its
- distribution, then any Derivative Works that You distribute must
- include a readable copy of the attribution notices contained
- within such NOTICE file, excluding those notices that do not
- pertain to any part of the Derivative Works, in at least one
- of the following places: within a NOTICE text file distributed
- as part of the Derivative Works; within the Source form or
- documentation, if provided along with the Derivative Works; or,
- within a display generated by the Derivative Works, if and
- wherever such third-party notices normally appear. The contents
- of the NOTICE file are for informational purposes only and
- do not modify the License. You may add Your own attribution
- notices within Derivative Works that You distribute, alongside
- or as an addendum to the NOTICE text from the Work, provided
- that such additional attribution notices cannot be construed
- as modifying the License.
-
- You may add Your own copyright statement to Your modifications and
- may provide additional or different license terms and conditions
- for use, reproduction, or distribution of Your modifications, or
- for any such Derivative Works as a whole, provided Your use,
- reproduction, and distribution of the Work otherwise complies with
- the conditions stated in this License.
-
- 5. Submission of Contributions. Unless You explicitly state otherwise,
- any Contribution intentionally submitted for inclusion in the Work
- by You to the Licensor shall be under the terms and conditions of
- this License, without any additional terms or conditions.
- Notwithstanding the above, nothing herein shall supersede or modify
- the terms of any separate license agreement you may have executed
- with Licensor regarding such Contributions.
-
- 6. Trademarks. This License does not grant permission to use the trade
- names, trademarks, service marks, or product names of the Licensor,
- except as required for reasonable and customary use in describing the
- origin of the Work and reproducing the content of the NOTICE file.
-
- 7. Disclaimer of Warranty. Unless required by applicable law or
- agreed to in writing, Licensor provides the Work (and each
- Contributor provides its Contributions) on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
- implied, including, without limitation, any warranties or conditions
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
- PARTICULAR PURPOSE. You are solely responsible for determining the
- appropriateness of using or redistributing the Work and assume any
- risks associated with Your exercise of permissions under this License.
-
- 8. Limitation of Liability. In no event and under no legal theory,
- whether in tort (including negligence), contract, or otherwise,
- unless required by applicable law (such as deliberate and grossly
- negligent acts) or agreed to in writing, shall any Contributor be
- liable to You for damages, including any direct, indirect, special,
- incidental, or consequential damages of any character arising as a
- result of this License or out of the use or inability to use the
- Work (including but not limited to damages for loss of goodwill,
- work stoppage, computer failure or malfunction, or any and all
- other commercial damages or losses), even if such Contributor
- has been advised of the possibility of such damages.
-
- 9. Accepting Warranty or Additional Liability. While redistributing
- the Work or Derivative Works thereof, You may choose to offer,
- and charge a fee for, acceptance of support, warranty, indemnity,
- or other liability obligations and/or rights consistent with this
- License. However, in accepting such obligations, You may act only
- on Your own behalf and on Your sole responsibility, not on behalf
- of any other Contributor, and only if You agree to indemnify,
- defend, and hold each Contributor harmless for any liability
- incurred by, or claims asserted against, such Contributor by reason
- of your accepting any such warranty or additional liability.
-
- END OF TERMS AND CONDITIONS
-
- APPENDIX: How to apply the Apache License to your work.
-
- To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "[]"
- replaced with your own identifying information. (Don't include
- the brackets!) The text should be enclosed in the appropriate
- comment syntax for the file format. We also recommend that a
- file or class name and description of purpose be included on the
- same "printed page" as the copyright notice for easier
- identification within third-party archives.
-
- Copyright [yyyy] [name of copyright owner]
-
- Licensed under the Apache License, Version 2.0 (the "License");
- you may not use this file except in compliance with the License.
- You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
- Unless required by applicable law or agreed to in writing, software
- distributed under the License is distributed on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- See the License for the specific language governing permissions and
- limitations under the License.
-
-
-APACHE HADOOP SUBCOMPONENTS:
-
-The Apache Hadoop project contains subcomponents with separate copyright
-notices and license terms. Your use of the source code for the these
-subcomponents is subject to the terms and conditions of the following
-licenses.
-
-For the org.apache.hadoop.util.bloom.* classes:
-
-/**
- *
- * Copyright (c) 2005, European Commission project OneLab under contract
- * 034819 (http://www.one-lab.org)
- * All rights reserved.
- * Redistribution and use in source and binary forms, with or
- * without modification, are permitted provided that the following
- * conditions are met:
- * - Redistributions of source code must retain the above copyright
- * notice, this list of conditions and the following disclaimer.
- * - Redistributions in binary form must reproduce the above copyright
- * notice, this list of conditions and the following disclaimer in
- * the documentation and/or other materials provided with the distribution.
- * - Neither the name of the University Catholique de Louvain - UCL
- * nor the names of its contributors may be used to endorse or
- * promote products derived from this software without specific prior
- * written permission.
- *
- * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
- * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
- * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
- * FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
- * COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
- * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
- * BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
- * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
- * CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
- * LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
- * ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
- * POSSIBILITY OF SUCH DAMAGE.
- */
-
-For portions of the native implementation of slicing-by-8 CRC calculation
-in src/main/native/src/org/apache/hadoop/util:
-
-/**
- * Copyright 2008,2009,2010 Massachusetts Institute of Technology.
- * All rights reserved. Use of this source code is governed by a
- * BSD-style license that can be found in the LICENSE file.
- */
-
- For src/main/native/src/org/apache/hadoop/io/compress/lz4/lz4.c:
-
-/*
- LZ4 - Fast LZ compression algorithm
- Copyright (C) 2011, Yann Collet.
- BSD License
-
- Redistribution and use in source and binary forms, with or without
- modification, are permitted provided that the following conditions are
- met:
-
- * Redistributions of source code must retain the above copyright
- notice, this list of conditions and the following disclaimer.
- * Redistributions in binary form must reproduce the above
- copyright notice, this list of conditions and the following disclaimer
- in the documentation and/or other materials provided with the
- distribution.
-
- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
- OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
- LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
- DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
- THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
- (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
- OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
-*/
diff --git a/third_party/hadoop/hdfs.h b/third_party/hadoop/hdfs.h
deleted file mode 100644
index 30c277a..0000000
--- a/third_party/hadoop/hdfs.h
+++ /dev/null
@@ -1,911 +0,0 @@
-/**
- * Licensed to the Apache Software Foundation (ASF) under one
- * or more contributor license agreements. See the NOTICE file
- * distributed with this work for additional information
- * regarding copyright ownership. The ASF licenses this file
- * to you under the Apache License, Version 2.0 (the
- * "License"); you may not use this file except in compliance
- * with the License. You may obtain a copy of the License at
- *
- * http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-#ifndef TENSORFLOW_THIRD_PARTY_HADOOP_HDFS_H_
-#define TENSORFLOW_THIRD_PARTY_HADOOP_HDFS_H_
-
-#include <errno.h> /* for EINTERNAL, etc. */
-#include <fcntl.h> /* for O_RDONLY, O_WRONLY */
-#include <stdint.h> /* for uint64_t, etc. */
-#include <time.h> /* for time_t */
-
-/*
- * Support export of DLL symbols during libhdfs build, and import of DLL symbols
- * during client application build. A client application may optionally define
- * symbol LIBHDFS_DLL_IMPORT in its build. This is not strictly required, but
- * the compiler can produce more efficient code with it.
- */
-#ifdef WIN32
-#ifdef LIBHDFS_DLL_EXPORT
-#define LIBHDFS_EXTERNAL __declspec(dllexport)
-#elif LIBHDFS_DLL_IMPORT
-#define LIBHDFS_EXTERNAL __declspec(dllimport)
-#else
-#define LIBHDFS_EXTERNAL
-#endif
-#else
-#ifdef LIBHDFS_DLL_EXPORT
-#define LIBHDFS_EXTERNAL __attribute__((visibility("default")))
-#elif LIBHDFS_DLL_IMPORT
-#define LIBHDFS_EXTERNAL __attribute__((visibility("default")))
-#else
-#define LIBHDFS_EXTERNAL
-#endif
-#endif
-
-#ifndef O_RDONLY
-#define O_RDONLY 1
-#endif
-
-#ifndef O_WRONLY
-#define O_WRONLY 2
-#endif
-
-#ifndef EINTERNAL
-#define EINTERNAL 255
-#endif
-
-#define ELASTIC_BYTE_BUFFER_POOL_CLASS \
- "org/apache/hadoop/io/ElasticByteBufferPool"
-
-/** All APIs set errno to meaningful values */
-
-#ifdef __cplusplus
-extern "C" {
-#endif
-/**
- * Some utility decls used in libhdfs.
- */
-struct hdfsBuilder;
-typedef int32_t tSize; /// size of data for read/write io ops
-typedef time_t tTime; /// time type in seconds
-typedef int64_t tOffset; /// offset within the file
-typedef uint16_t tPort; /// port
-typedef enum tObjectKind {
- kObjectKindFile = 'F',
- kObjectKindDirectory = 'D',
-} tObjectKind;
-
-/**
- * The C reflection of org.apache.org.hadoop.FileSystem .
- */
-struct hdfs_internal;
-typedef struct hdfs_internal *hdfsFS;
-
-struct hdfsFile_internal;
-typedef struct hdfsFile_internal *hdfsFile;
-
-struct hadoopRzOptions;
-
-struct hadoopRzBuffer;
-
-/**
- * Determine if a file is open for read.
- *
- * @param file The HDFS file
- * @return 1 if the file is open for read; 0 otherwise
- */
-LIBHDFS_EXTERNAL
-int hdfsFileIsOpenForRead(hdfsFile file);
-
-/**
- * Determine if a file is open for write.
- *
- * @param file The HDFS file
- * @return 1 if the file is open for write; 0 otherwise
- */
-LIBHDFS_EXTERNAL
-int hdfsFileIsOpenForWrite(hdfsFile file);
-
-struct hdfsReadStatistics {
- uint64_t totalBytesRead;
- uint64_t totalLocalBytesRead;
- uint64_t totalShortCircuitBytesRead;
- uint64_t totalZeroCopyBytesRead;
-};
-
-/**
- * Get read statistics about a file. This is only applicable to files
- * opened for reading.
- *
- * @param file The HDFS file
- * @param stats (out parameter) on a successful return, the read
- * statistics. Unchanged otherwise. You must free the
- * returned statistics with hdfsFileFreeReadStatistics.
- * @return 0 if the statistics were successfully returned,
- * -1 otherwise. On a failure, please check errno against
- * ENOTSUP. webhdfs, LocalFilesystem, and so forth may
- * not support read statistics.
- */
-LIBHDFS_EXTERNAL
-int hdfsFileGetReadStatistics(hdfsFile file, struct hdfsReadStatistics **stats);
-
-/**
- * @param stats HDFS read statistics for a file.
- *
- * @return the number of remote bytes read.
- */
-LIBHDFS_EXTERNAL
-int64_t hdfsReadStatisticsGetRemoteBytesRead(
- const struct hdfsReadStatistics *stats);
-
-/**
- * Clear the read statistics for a file.
- *
- * @param file The file to clear the read statistics of.
- *
- * @return 0 on success; the error code otherwise.
- * EINVAL: the file is not open for reading.
- * ENOTSUP: the file does not support clearing the read
- * statistics.
- * Errno will also be set to this code on failure.
- */
-LIBHDFS_EXTERNAL
-int hdfsFileClearReadStatistics(hdfsFile file);
-
-/**
- * Free some HDFS read statistics.
- *
- * @param stats The HDFS read statistics to free.
- */
-LIBHDFS_EXTERNAL
-void hdfsFileFreeReadStatistics(struct hdfsReadStatistics *stats);
-
-/**
- * hdfsConnectAsUser - Connect to a hdfs file system as a specific user
- * Connect to the hdfs.
- * @param nn The NameNode. See hdfsBuilderSetNameNode for details.
- * @param port The port on which the server is listening.
- * @param user the user name (this is hadoop domain user). Or NULL is equivalent
- * to hhdfsConnect(host, port)
- * @return Returns a handle to the filesystem or NULL on error.
- * @deprecated Use hdfsBuilderConnect instead.
- */
-LIBHDFS_EXTERNAL
-hdfsFS hdfsConnectAsUser(const char *nn, tPort port, const char *user);
-
-/**
- * hdfsConnect - Connect to a hdfs file system.
- * Connect to the hdfs.
- * @param nn The NameNode. See hdfsBuilderSetNameNode for details.
- * @param port The port on which the server is listening.
- * @return Returns a handle to the filesystem or NULL on error.
- * @deprecated Use hdfsBuilderConnect instead.
- */
-LIBHDFS_EXTERNAL
-hdfsFS hdfsConnect(const char *nn, tPort port);
-
-/**
- * hdfsConnect - Connect to an hdfs file system.
- *
- * Forces a new instance to be created
- *
- * @param nn The NameNode. See hdfsBuilderSetNameNode for details.
- * @param port The port on which the server is listening.
- * @param user The user name to use when connecting
- * @return Returns a handle to the filesystem or NULL on error.
- * @deprecated Use hdfsBuilderConnect instead.
- */
-LIBHDFS_EXTERNAL
-hdfsFS hdfsConnectAsUserNewInstance(const char *nn, tPort port,
- const char *user);
-
-/**
- * hdfsConnect - Connect to an hdfs file system.
- *
- * Forces a new instance to be created
- *
- * @param nn The NameNode. See hdfsBuilderSetNameNode for details.
- * @param port The port on which the server is listening.
- * @return Returns a handle to the filesystem or NULL on error.
- * @deprecated Use hdfsBuilderConnect instead.
- */
-LIBHDFS_EXTERNAL
-hdfsFS hdfsConnectNewInstance(const char *nn, tPort port);
-
-/**
- * Connect to HDFS using the parameters defined by the builder.
- *
- * The HDFS builder will be freed, whether or not the connection was
- * successful.
- *
- * Every successful call to hdfsBuilderConnect should be matched with a call
- * to hdfsDisconnect, when the hdfsFS is no longer needed.
- *
- * @param bld The HDFS builder
- * @return Returns a handle to the filesystem, or NULL on error.
- */
-LIBHDFS_EXTERNAL
-hdfsFS hdfsBuilderConnect(struct hdfsBuilder *bld);
-
-/**
- * Create an HDFS builder.
- *
- * @return The HDFS builder, or NULL on error.
- */
-LIBHDFS_EXTERNAL
-struct hdfsBuilder *hdfsNewBuilder(void);
-
-/**
- * Force the builder to always create a new instance of the FileSystem,
- * rather than possibly finding one in the cache.
- *
- * @param bld The HDFS builder
- */
-LIBHDFS_EXTERNAL
-void hdfsBuilderSetForceNewInstance(struct hdfsBuilder *bld);
-
-/**
- * Set the HDFS NameNode to connect to.
- *
- * @param bld The HDFS builder
- * @param nn The NameNode to use.
- *
- * If the string given is 'default', the default NameNode
- * configuration will be used (from the XML configuration files)
- *
- * If NULL is given, a LocalFileSystem will be created.
- *
- * If the string starts with a protocol type such as file:// or
- * hdfs://, this protocol type will be used. If not, the
- * hdfs:// protocol type will be used.
- *
- * You may specify a NameNode port in the usual way by
- * passing a string of the format hdfs://<hostname>:<port>.
- * Alternately, you may set the port with
- * hdfsBuilderSetNameNodePort. However, you must not pass the
- * port in two different ways.
- */
-LIBHDFS_EXTERNAL
-void hdfsBuilderSetNameNode(struct hdfsBuilder *bld, const char *nn);
-
-/**
- * Set the port of the HDFS NameNode to connect to.
- *
- * @param bld The HDFS builder
- * @param port The port.
- */
-LIBHDFS_EXTERNAL
-void hdfsBuilderSetNameNodePort(struct hdfsBuilder *bld, tPort port);
-
-/**
- * Set the username to use when connecting to the HDFS cluster.
- *
- * @param bld The HDFS builder
- * @param userName The user name. The string will be shallow-copied.
- */
-LIBHDFS_EXTERNAL
-void hdfsBuilderSetUserName(struct hdfsBuilder *bld, const char *userName);
-
-/**
- * Set the path to the Kerberos ticket cache to use when connecting to
- * the HDFS cluster.
- *
- * @param bld The HDFS builder
- * @param kerbTicketCachePath The Kerberos ticket cache path. The string
- * will be shallow-copied.
- */
-LIBHDFS_EXTERNAL
-void hdfsBuilderSetKerbTicketCachePath(struct hdfsBuilder *bld,
- const char *kerbTicketCachePath);
-
-/**
- * Free an HDFS builder.
- *
- * It is normally not necessary to call this function since
- * hdfsBuilderConnect frees the builder.
- *
- * @param bld The HDFS builder
- */
-LIBHDFS_EXTERNAL
-void hdfsFreeBuilder(struct hdfsBuilder *bld);
-
-/**
- * Set a configuration string for an HdfsBuilder.
- *
- * @param key The key to set.
- * @param val The value, or NULL to set no value.
- * This will be shallow-copied. You are responsible for
- * ensuring that it remains valid until the builder is
- * freed.
- *
- * @return 0 on success; nonzero error code otherwise.
- */
-LIBHDFS_EXTERNAL
-int hdfsBuilderConfSetStr(struct hdfsBuilder *bld, const char *key,
- const char *val);
-
-/**
- * Get a configuration string.
- *
- * @param key The key to find
- * @param val (out param) The value. This will be set to NULL if the
- * key isn't found. You must free this string with
- * hdfsConfStrFree.
- *
- * @return 0 on success; nonzero error code otherwise.
- * Failure to find the key is not an error.
- */
-LIBHDFS_EXTERNAL
-int hdfsConfGetStr(const char *key, char **val);
-
-/**
- * Get a configuration integer.
- *
- * @param key The key to find
- * @param val (out param) The value. This will NOT be changed if the
- * key isn't found.
- *
- * @return 0 on success; nonzero error code otherwise.
- * Failure to find the key is not an error.
- */
-LIBHDFS_EXTERNAL
-int hdfsConfGetInt(const char *key, int32_t *val);
-
-/**
- * Free a configuration string found with hdfsConfGetStr.
- *
- * @param val A configuration string obtained from hdfsConfGetStr
- */
-LIBHDFS_EXTERNAL
-void hdfsConfStrFree(char *val);
-
-/**
- * hdfsDisconnect - Disconnect from the hdfs file system.
- * Disconnect from hdfs.
- * @param fs The configured filesystem handle.
- * @return Returns 0 on success, -1 on error.
- * Even if there is an error, the resources associated with the
- * hdfsFS will be freed.
- */
-LIBHDFS_EXTERNAL
-int hdfsDisconnect(hdfsFS fs);
-
-/**
- * hdfsOpenFile - Open a hdfs file in given mode.
- * @param fs The configured filesystem handle.
- * @param path The full path to the file.
- * @param flags - an | of bits/fcntl.h file flags - supported flags are
- * O_RDONLY, O_WRONLY (meaning create or overwrite i.e., implies O_TRUNCAT),
- * O_WRONLY|O_APPEND. Other flags are generally ignored other than (O_RDWR ||
- * (O_EXCL & O_CREAT)) which return NULL and set errno equal ENOTSUP.
- * @param bufferSize Size of buffer for read/write - pass 0 if you want
- * to use the default configured values.
- * @param replication Block replication - pass 0 if you want to use
- * the default configured values.
- * @param blocksize Size of block - pass 0 if you want to use the
- * default configured values.
- * @return Returns the handle to the open file or NULL on error.
- */
-LIBHDFS_EXTERNAL
-hdfsFile hdfsOpenFile(hdfsFS fs, const char *path, int flags, int bufferSize,
- short replication, tSize blocksize);
-
-/**
- * hdfsTruncateFile - Truncate a hdfs file to given length.
- * @param fs The configured filesystem handle.
- * @param path The full path to the file.
- * @param newlength The size the file is to be truncated to
- * @return 1 if the file has been truncated to the desired newlength
- * and is immediately available to be reused for write operations
- * such as append.
- * 0 if a background process of adjusting the length of the last
- * block has been started, and clients should wait for it to
- * complete before proceeding with further file updates.
- * -1 on error.
- */
-int hdfsTruncateFile(hdfsFS fs, const char *path, tOffset newlength);
-
-/**
- * hdfsUnbufferFile - Reduce the buffering done on a file.
- *
- * @param file The file to unbuffer.
- * @return 0 on success
- * ENOTSUP if the file does not support unbuffering
- * Errno will also be set to this value.
- */
-LIBHDFS_EXTERNAL
-int hdfsUnbufferFile(hdfsFile file);
-
-/**
- * hdfsCloseFile - Close an open file.
- * @param fs The configured filesystem handle.
- * @param file The file handle.
- * @return Returns 0 on success, -1 on error.
- * On error, errno will be set appropriately.
- * If the hdfs file was valid, the memory associated with it will
- * be freed at the end of this call, even if there was an I/O
- * error.
- */
-LIBHDFS_EXTERNAL
-int hdfsCloseFile(hdfsFS fs, hdfsFile file);
-
-/**
- * hdfsExists - Checks if a given path exsits on the filesystem
- * @param fs The configured filesystem handle.
- * @param path The path to look for
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsExists(hdfsFS fs, const char *path);
-
-/**
- * hdfsSeek - Seek to given offset in file.
- * This works only for files opened in read-only mode.
- * @param fs The configured filesystem handle.
- * @param file The file handle.
- * @param desiredPos Offset into the file to seek into.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsSeek(hdfsFS fs, hdfsFile file, tOffset desiredPos);
-
-/**
- * hdfsTell - Get the current offset in the file, in bytes.
- * @param fs The configured filesystem handle.
- * @param file The file handle.
- * @return Current offset, -1 on error.
- */
-LIBHDFS_EXTERNAL
-tOffset hdfsTell(hdfsFS fs, hdfsFile file);
-
-/**
- * hdfsRead - Read data from an open file.
- * @param fs The configured filesystem handle.
- * @param file The file handle.
- * @param buffer The buffer to copy read bytes into.
- * @param length The length of the buffer.
- * @return On success, a positive number indicating how many bytes
- * were read.
- * On end-of-file, 0.
- * On error, -1. Errno will be set to the error code.
- * Just like the POSIX read function, hdfsRead will return -1
- * and set errno to EINTR if data is temporarily unavailable,
- * but we are not yet at the end of the file.
- */
-LIBHDFS_EXTERNAL
-tSize hdfsRead(hdfsFS fs, hdfsFile file, void *buffer, tSize length);
-
-/**
- * hdfsPread - Positional read of data from an open file.
- * @param fs The configured filesystem handle.
- * @param file The file handle.
- * @param position Position from which to read
- * @param buffer The buffer to copy read bytes into.
- * @param length The length of the buffer.
- * @return See hdfsRead
- */
-LIBHDFS_EXTERNAL
-tSize hdfsPread(hdfsFS fs, hdfsFile file, tOffset position, void *buffer,
- tSize length);
-
-/**
- * hdfsWrite - Write data into an open file.
- * @param fs The configured filesystem handle.
- * @param file The file handle.
- * @param buffer The data.
- * @param length The no. of bytes to write.
- * @return Returns the number of bytes written, -1 on error.
- */
-LIBHDFS_EXTERNAL
-tSize hdfsWrite(hdfsFS fs, hdfsFile file, const void *buffer, tSize length);
-
-/**
- * hdfsWrite - Flush the data.
- * @param fs The configured filesystem handle.
- * @param file The file handle.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsFlush(hdfsFS fs, hdfsFile file);
-
-/**
- * hdfsHFlush - Flush out the data in client's user buffer. After the
- * return of this call, new readers will see the data.
- * @param fs configured filesystem handle
- * @param file file handle
- * @return 0 on success, -1 on error and sets errno
- */
-LIBHDFS_EXTERNAL
-int hdfsHFlush(hdfsFS fs, hdfsFile file);
-
-/**
- * hdfsHSync - Similar to posix fsync, Flush out the data in client's
- * user buffer. all the way to the disk device (but the disk may have
- * it in its cache).
- * @param fs configured filesystem handle
- * @param file file handle
- * @return 0 on success, -1 on error and sets errno
- */
-LIBHDFS_EXTERNAL
-int hdfsHSync(hdfsFS fs, hdfsFile file);
-
-/**
- * hdfsAvailable - Number of bytes that can be read from this
- * input stream without blocking.
- * @param fs The configured filesystem handle.
- * @param file The file handle.
- * @return Returns available bytes; -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsAvailable(hdfsFS fs, hdfsFile file);
-
-/**
- * hdfsCopy - Copy file from one filesystem to another.
- * @param srcFS The handle to source filesystem.
- * @param src The path of source file.
- * @param dstFS The handle to destination filesystem.
- * @param dst The path of destination file.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsCopy(hdfsFS srcFS, const char *src, hdfsFS dstFS, const char *dst);
-
-/**
- * hdfsMove - Move file from one filesystem to another.
- * @param srcFS The handle to source filesystem.
- * @param src The path of source file.
- * @param dstFS The handle to destination filesystem.
- * @param dst The path of destination file.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsMove(hdfsFS srcFS, const char *src, hdfsFS dstFS, const char *dst);
-
-/**
- * hdfsDelete - Delete file.
- * @param fs The configured filesystem handle.
- * @param path The path of the file.
- * @param recursive if path is a directory and set to
- * non-zero, the directory is deleted else throws an exception. In
- * case of a file the recursive argument is irrelevant.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsDelete(hdfsFS fs, const char *path, int recursive);
-
-/**
- * hdfsRename - Rename file.
- * @param fs The configured filesystem handle.
- * @param oldPath The path of the source file.
- * @param newPath The path of the destination file.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsRename(hdfsFS fs, const char *oldPath, const char *newPath);
-
-/**
- * hdfsGetWorkingDirectory - Get the current working directory for
- * the given filesystem.
- * @param fs The configured filesystem handle.
- * @param buffer The user-buffer to copy path of cwd into.
- * @param bufferSize The length of user-buffer.
- * @return Returns buffer, NULL on error.
- */
-LIBHDFS_EXTERNAL
-char *hdfsGetWorkingDirectory(hdfsFS fs, char *buffer, size_t bufferSize);
-
-/**
- * hdfsSetWorkingDirectory - Set the working directory. All relative
- * paths will be resolved relative to it.
- * @param fs The configured filesystem handle.
- * @param path The path of the new 'cwd'.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsSetWorkingDirectory(hdfsFS fs, const char *path);
-
-/**
- * hdfsCreateDirectory - Make the given file and all non-existent
- * parents into directories.
- * @param fs The configured filesystem handle.
- * @param path The path of the directory.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsCreateDirectory(hdfsFS fs, const char *path);
-
-/**
- * hdfsSetReplication - Set the replication of the specified
- * file to the supplied value
- * @param fs The configured filesystem handle.
- * @param path The path of the file.
- * @return Returns 0 on success, -1 on error.
- */
-LIBHDFS_EXTERNAL
-int hdfsSetReplication(hdfsFS fs, const char *path, int16_t replication);
-
-/**
- * hdfsFileInfo - Information about a file/directory.
- */
-typedef struct {
- tObjectKind mKind; /* file or directory */
- char *mName; /* the name of the file */
- tTime mLastMod; /* the last modification time for the file in seconds */
- tOffset mSize; /* the size of the file in bytes */
- short mReplication; /* the count of replicas */
- tOffset mBlockSize; /* the block size for the file */
- char *mOwner; /* the owner of the file */
- char *mGroup; /* the group associated with the file */
- short mPermissions; /* the permissions associated with the file */
- tTime mLastAccess; /* the last access time for the file in seconds */
-} hdfsFileInfo;
-
-/**
- * hdfsListDirectory - Get list of files/directories for a given
- * directory-path. hdfsFreeFileInfo should be called to deallocate memory.
- * @param fs The configured filesystem handle.
- * @param path The path of the directory.
- * @param numEntries Set to the number of files/directories in path.
- * @return Returns a dynamically-allocated array of hdfsFileInfo
- * objects; NULL on error.
- */
-LIBHDFS_EXTERNAL
-hdfsFileInfo *hdfsListDirectory(hdfsFS fs, const char *path, int *numEntries);
-
-/**
- * hdfsGetPathInfo - Get information about a path as a (dynamically
- * allocated) single hdfsFileInfo struct. hdfsFreeFileInfo should be
- * called when the pointer is no longer needed.
- * @param fs The configured filesystem handle.
- * @param path The path of the file.
- * @return Returns a dynamically-allocated hdfsFileInfo object;
- * NULL on error.
- */
-LIBHDFS_EXTERNAL
-hdfsFileInfo *hdfsGetPathInfo(hdfsFS fs, const char *path);
-
-/**
- * hdfsFreeFileInfo - Free up the hdfsFileInfo array (including fields)
- * @param hdfsFileInfo The array of dynamically-allocated hdfsFileInfo
- * objects.
- * @param numEntries The size of the array.
- */
-LIBHDFS_EXTERNAL
-void hdfsFreeFileInfo(hdfsFileInfo *hdfsFileInfo, int numEntries);
-
-/**
- * hdfsFileIsEncrypted: determine if a file is encrypted based on its
- * hdfsFileInfo.
- * @return -1 if there was an error (errno will be set), 0 if the file is
- * not encrypted, 1 if the file is encrypted.
- */
-LIBHDFS_EXTERNAL
-int hdfsFileIsEncrypted(hdfsFileInfo *hdfsFileInfo);
-
-/**
- * hdfsGetHosts - Get hostnames where a particular block (determined by
- * pos & blocksize) of a file is stored. The last element in the array
- * is NULL. Due to replication, a single block could be present on
- * multiple hosts.
- * @param fs The configured filesystem handle.
- * @param path The path of the file.
- * @param start The start of the block.
- * @param length The length of the block.
- * @return Returns a dynamically-allocated 2-d array of blocks-hosts;
- * NULL on error.
- */
-LIBHDFS_EXTERNAL
-char ***hdfsGetHosts(hdfsFS fs, const char *path, tOffset start,
- tOffset length);
-
-/**
- * hdfsFreeHosts - Free up the structure returned by hdfsGetHosts
- * @param hdfsFileInfo The array of dynamically-allocated hdfsFileInfo
- * objects.
- * @param numEntries The size of the array.
- */
-LIBHDFS_EXTERNAL
-void hdfsFreeHosts(char ***blockHosts);
-
-/**
- * hdfsGetDefaultBlockSize - Get the default blocksize.
- *
- * @param fs The configured filesystem handle.
- * @deprecated Use hdfsGetDefaultBlockSizeAtPath instead.
- *
- * @return Returns the default blocksize, or -1 on error.
- */
-LIBHDFS_EXTERNAL
-tOffset hdfsGetDefaultBlockSize(hdfsFS fs);
-
-/**
- * hdfsGetDefaultBlockSizeAtPath - Get the default blocksize at the
- * filesystem indicated by a given path.
- *
- * @param fs The configured filesystem handle.
- * @param path The given path will be used to locate the actual
- * filesystem. The full path does not have to exist.
- *
- * @return Returns the default blocksize, or -1 on error.
- */
-LIBHDFS_EXTERNAL
-tOffset hdfsGetDefaultBlockSizeAtPath(hdfsFS fs, const char *path);
-
-/**
- * hdfsGetCapacity - Return the raw capacity of the filesystem.
- * @param fs The configured filesystem handle.
- * @return Returns the raw-capacity; -1 on error.
- */
-LIBHDFS_EXTERNAL
-tOffset hdfsGetCapacity(hdfsFS fs);
-
-/**
- * hdfsGetUsed - Return the total raw size of all files in the filesystem.
- * @param fs The configured filesystem handle.
- * @return Returns the total-size; -1 on error.
- */
-LIBHDFS_EXTERNAL
-tOffset hdfsGetUsed(hdfsFS fs);
-
-/**
- * Change the user and/or group of a file or directory.
- *
- * @param fs The configured filesystem handle.
- * @param path the path to the file or directory
- * @param owner User string. Set to NULL for 'no change'
- * @param group Group string. Set to NULL for 'no change'
- * @return 0 on success else -1
- */
-LIBHDFS_EXTERNAL
-int hdfsChown(hdfsFS fs, const char *path, const char *owner,
- const char *group);
-
-/**
- * hdfsChmod
- * @param fs The configured filesystem handle.
- * @param path the path to the file or directory
- * @param mode the bitmask to set it to
- * @return 0 on success else -1
- */
-LIBHDFS_EXTERNAL
-int hdfsChmod(hdfsFS fs, const char *path, short mode);
-
-/**
- * hdfsUtime
- * @param fs The configured filesystem handle.
- * @param path the path to the file or directory
- * @param mtime new modification time or -1 for no change
- * @param atime new access time or -1 for no change
- * @return 0 on success else -1
- */
-LIBHDFS_EXTERNAL
-int hdfsUtime(hdfsFS fs, const char *path, tTime mtime, tTime atime);
-
-/**
- * Allocate a zero-copy options structure.
- *
- * You must free all options structures allocated with this function using
- * hadoopRzOptionsFree.
- *
- * @return A zero-copy options structure, or NULL if one could
- * not be allocated. If NULL is returned, errno will
- * contain the error number.
- */
-LIBHDFS_EXTERNAL
-struct hadoopRzOptions *hadoopRzOptionsAlloc(void);
-
-/**
- * Determine whether we should skip checksums in read0.
- *
- * @param opts The options structure.
- * @param skip Nonzero to skip checksums sometimes; zero to always
- * check them.
- *
- * @return 0 on success; -1 plus errno on failure.
- */
-LIBHDFS_EXTERNAL
-int hadoopRzOptionsSetSkipChecksum(struct hadoopRzOptions *opts, int skip);
-
-/**
- * Set the ByteBufferPool to use with read0.
- *
- * @param opts The options structure.
- * @param className If this is NULL, we will not use any
- * ByteBufferPool. If this is non-NULL, it will be
- * treated as the name of the pool class to use.
- * For example, you can use
- * ELASTIC_BYTE_BUFFER_POOL_CLASS.
- *
- * @return 0 if the ByteBufferPool class was found and
- * instantiated;
- * -1 plus errno otherwise.
- */
-LIBHDFS_EXTERNAL
-int hadoopRzOptionsSetByteBufferPool(struct hadoopRzOptions *opts,
- const char *className);
-
-/**
- * Free a hadoopRzOptionsFree structure.
- *
- * @param opts The options structure to free.
- * Any associated ByteBufferPool will also be freed.
- */
-LIBHDFS_EXTERNAL
-void hadoopRzOptionsFree(struct hadoopRzOptions *opts);
-
-/**
- * Perform a byte buffer read.
- * If possible, this will be a zero-copy (mmap) read.
- *
- * @param file The file to read from.
- * @param opts An options structure created by hadoopRzOptionsAlloc.
- * @param maxLength The maximum length to read. We may read fewer bytes
- * than this length.
- *
- * @return On success, we will return a new hadoopRzBuffer.
- * This buffer will continue to be valid and readable
- * until it is released by readZeroBufferFree. Failure to
- * release a buffer will lead to a memory leak.
- * You can access the data within the hadoopRzBuffer with
- * hadoopRzBufferGet. If you have reached EOF, the data
- * within the hadoopRzBuffer will be NULL. You must still
- * free hadoopRzBuffer instances containing NULL.
- *
- * On failure, we will return NULL plus an errno code.
- * errno = EOPNOTSUPP indicates that we could not do a
- * zero-copy read, and there was no ByteBufferPool
- * supplied.
- */
-LIBHDFS_EXTERNAL
-struct hadoopRzBuffer *hadoopReadZero(hdfsFile file,
- struct hadoopRzOptions *opts,
- int32_t maxLength);
-
-/**
- * Determine the length of the buffer returned from readZero.
- *
- * @param buffer a buffer returned from readZero.
- * @return the length of the buffer.
- */
-LIBHDFS_EXTERNAL
-int32_t hadoopRzBufferLength(const struct hadoopRzBuffer *buffer);
-
-/**
- * Get a pointer to the raw buffer returned from readZero.
- *
- * To find out how many bytes this buffer contains, call
- * hadoopRzBufferLength.
- *
- * @param buffer a buffer returned from readZero.
- * @return a pointer to the start of the buffer. This will be
- * NULL when end-of-file has been reached.
- */
-LIBHDFS_EXTERNAL
-const void *hadoopRzBufferGet(const struct hadoopRzBuffer *buffer);
-
-/**
- * Release a buffer obtained through readZero.
- *
- * @param file The hdfs stream that created this buffer. This must be
- * the same stream you called hadoopReadZero on.
- * @param buffer The buffer to release.
- */
-LIBHDFS_EXTERNAL
-void hadoopRzBufferFree(hdfsFile file, struct hadoopRzBuffer *buffer);
-
-#ifdef __cplusplus
-}
-#endif
-
-#undef LIBHDFS_EXTERNAL
-#endif // TENSORFLOW_THIRD_PARTY_HADOOP_HDFS_H_
-
-/**
- * vim: ts=4: sw=4: et
- */
diff --git a/third_party/highwayhash/BUILD b/third_party/highwayhash/BUILD
deleted file mode 100644
index 2f5d02b..0000000
--- a/third_party/highwayhash/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# Dummy BUILD file to make this directory a package.
diff --git a/third_party/highwayhash/BUILD.bazel b/third_party/highwayhash/BUILD.bazel
deleted file mode 100644
index 39b148b..0000000
--- a/third_party/highwayhash/BUILD.bazel
+++ /dev/null
@@ -1,33 +0,0 @@
-# Description:
-# SipHash and HighwayHash: cryptographically-strong pseudorandom functions
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(["LICENSE"])
-
-cc_library(
- name = "sip_hash",
- srcs = ["highwayhash/sip_hash.cc"],
- hdrs = [
- "highwayhash/endianess.h",
- "highwayhash/sip_hash.h",
- "highwayhash/state_helpers.h",
- ],
- visibility = ["//visibility:public"],
- deps = [
- ":arch_specific",
- ":compiler_specific",
- ],
-)
-
-cc_library(
- name = "arch_specific",
- srcs = ["highwayhash/arch_specific.cc"],
- hdrs = ["highwayhash/arch_specific.h"],
- deps = [":compiler_specific"],
-)
-
-cc_library(
- name = "compiler_specific",
- hdrs = ["highwayhash/compiler_specific.h"],
-)
diff --git a/third_party/highwayhash/workspace.bzl b/third_party/highwayhash/workspace.bzl
deleted file mode 100644
index 793297b..0000000
--- a/third_party/highwayhash/workspace.bzl
+++ /dev/null
@@ -1,15 +0,0 @@
-"""loads the highwayhash library, used by TF."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "highwayhash",
- urls = [
- "http://mirror.bazel.build/github.com/google/highwayhash/archive/fd3d9af80465e4383162e4a7c5e2f406e82dd968.tar.gz",
- "https://github.com/google/highwayhash/archive/fd3d9af80465e4383162e4a7c5e2f406e82dd968.tar.gz",
- ],
- sha256 = "9c3e0e87d581feeb0c18d814d98f170ff23e62967a2bd6855847f0b2fe598a37",
- strip_prefix = "highwayhash-fd3d9af80465e4383162e4a7c5e2f406e82dd968",
- build_file = "//third_party/highwayhash:BUILD.bazel",
- )
diff --git a/third_party/hwloc/BUILD b/third_party/hwloc/BUILD
deleted file mode 100644
index 2f5d02b..0000000
--- a/third_party/hwloc/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# Dummy BUILD file to make this directory a package.
diff --git a/third_party/hwloc/BUILD.bazel b/third_party/hwloc/BUILD.bazel
deleted file mode 100644
index b73267d..0000000
--- a/third_party/hwloc/BUILD.bazel
+++ /dev/null
@@ -1,87 +0,0 @@
-# hwloc: Portable Hardware Locality Library
-
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"])
-
-exports_files(["LICENSE"])
-
-COMMON_INCLUDE_COPTS = [
- "-I.",
- "-Ihwloc",
- "-Iinclude",
-]
-
-DISABLE_WARNINGS_COPTS = [
- "-Wno-vla",
-]
-
-VAR_SETTINGS_COPTS = [
- "-DHWLOC_DUMPED_HWDATA_DIR=",
- "-DRUNSTATEDIR=",
-]
-
-cc_library(
- name = "hwloc",
- srcs = [
- "hwloc/base64.c",
- "hwloc/bind.c",
- "hwloc/bitmap.c",
- "hwloc/components.c",
- "hwloc/diff.c",
- "hwloc/distances.c",
- "hwloc/misc.c",
- "hwloc/pci-common.c",
- "hwloc/shmem.c",
- "hwloc/static-components.h",
- "hwloc/topology.c",
- "hwloc/topology-hardwired.c",
- "hwloc/topology-linux.c",
- "hwloc/topology-noos.c",
- "hwloc/topology-synthetic.c",
- "hwloc/topology-x86.c",
- "hwloc/topology-xml.c",
- "hwloc/topology-xml-nolibxml.c",
- "hwloc/traversal.c",
- "include/hwloc/linux.h",
- "include/hwloc/plugins.h",
- "include/hwloc/shmem.h",
- "include/private/autogen/config.h",
- "include/private/components.h",
- "include/private/cpuid-x86.h",
- "include/private/debug.h",
- "include/private/internal-components.h",
- "include/private/misc.h",
- "include/private/private.h",
- "include/private/xml.h",
- ],
- hdrs = [
- "include/hwloc.h",
- "include/hwloc/autogen/config.h",
- "include/hwloc/bitmap.h",
- "include/hwloc/deprecated.h",
- "include/hwloc/diff.h",
- "include/hwloc/distances.h",
- "include/hwloc/export.h",
- "include/hwloc/helper.h",
- "include/hwloc/inlines.h",
- "include/hwloc/rename.h",
- ],
- copts = COMMON_INCLUDE_COPTS + DISABLE_WARNINGS_COPTS + VAR_SETTINGS_COPTS,
- features = [
- "-parse_headers",
- "-layering_check",
- ],
- deps = [],
-)
-
-cc_binary(
- name = "hwloc_print",
- srcs = ["hwloc_print.cc"],
- copts = COMMON_INCLUDE_COPTS,
- deps = [
- ":hwloc",
- ],
-)
diff --git a/third_party/hwloc/workspace.bzl b/third_party/hwloc/workspace.bzl
deleted file mode 100644
index 47a143c..0000000
--- a/third_party/hwloc/workspace.bzl
+++ /dev/null
@@ -1,15 +0,0 @@
-"""loads the hwloc library, used by TF."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "hwloc",
- urls = [
- "http://mirror.bazel.build/download.open-mpi.org/release/hwloc/v2.0/hwloc-2.0.3.tar.gz",
- "https://download.open-mpi.org/release/hwloc/v2.0/hwloc-2.0.3.tar.gz",
- ],
- sha256 = "64def246aaa5b3a6e411ce10932a22e2146c3031b735c8f94739534f06ad071c",
- strip_prefix = "hwloc-2.0.3",
- build_file = "//third_party/hwloc:BUILD.bazel",
- )
diff --git a/third_party/icu/BUILD b/third_party/icu/BUILD
deleted file mode 100644
index 82bab3f..0000000
--- a/third_party/icu/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# This empty BUILD file is required to make Bazel treat this directory as a package.
diff --git a/third_party/icu/BUILD.bazel b/third_party/icu/BUILD.bazel
deleted file mode 100644
index 36d6b90..0000000
--- a/third_party/icu/BUILD.bazel
+++ /dev/null
@@ -1,88 +0,0 @@
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files([
- "icu4c/LICENSE",
- "icu4j/main/shared/licenses/LICENSE",
-])
-
-cc_library(
- name = "headers",
- hdrs = glob(["icu4c/source/common/unicode/*.h"]),
- includes = [
- "icu4c/source/common",
- ],
- deps = [
- ],
-)
-
-cc_library(
- name = "common",
- hdrs = glob(["icu4c/source/common/unicode/*.h"]),
- includes = [
- "icu4c/source/common",
- ],
- deps = [
- ":icuuc",
- ],
-)
-
-cc_library(
- name = "icuuc",
- srcs = glob(
- [
- "icu4c/source/common/*.c",
- "icu4c/source/common/*.cpp",
- "icu4c/source/stubdata/*.cpp",
- ],
- ),
- hdrs = glob([
- "icu4c/source/common/*.h",
- ]),
- copts = [
- "-DU_COMMON_IMPLEMENTATION",
- "-DU_HAVE_STD_ATOMICS",
- ] + select({
- ":android": [
- "-fdata-sections",
- "-DGOOGLE_VENDOR_SRC_BRANCH",
- "-DU_HAVE_NL_LANGINFO_CODESET=0",
- "-Wno-deprecated-declarations",
- ],
- ":apple": [
- "-DGOOGLE_VENDOR_SRC_BRANCH",
- "-Wno-shorten-64-to-32",
- "-Wno-unused-variable",
- ],
- ":windows": [
- "/utf-8",
- "/DLOCALE_ALLOW_NEUTRAL_NAMES=0",
- ],
- "//conditions:default": [],
- }),
- tags = ["requires-rtti"],
- visibility = [
- "//visibility:private",
- ],
- deps = [
- ":headers",
- ],
-)
-
-config_setting(
- name = "android",
- values = {"crosstool_top": "//external:android/crosstool"},
-)
-
-config_setting(
- name = "apple",
- values = {"cpu": "darwin"},
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
-)
diff --git a/third_party/icu/BUILD.system b/third_party/icu/BUILD.system
deleted file mode 100644
index 8a88a6e..0000000
--- a/third_party/icu/BUILD.system
+++ /dev/null
@@ -1,30 +0,0 @@
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"]) # Apache 2.0
-
-filegroup(
- name = "icu4c/LICENSE",
-)
-
-filegroup(
- name = "icu4j/main/shared/licenses/LICENSE",
-)
-
-cc_library(
- name = "headers",
-)
-
-cc_library(
- name = "common",
- deps = [
- ":icuuc",
- ],
-)
-
-cc_library(
- name = "icuuc",
- linkopts = ["-licuuc"],
- visibility = ["//visibility:private"],
-)
diff --git a/third_party/icu/data/BUILD.bazel b/third_party/icu/data/BUILD.bazel
deleted file mode 100644
index 7db2156..0000000
--- a/third_party/icu/data/BUILD.bazel
+++ /dev/null
@@ -1,46 +0,0 @@
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(["LICENSE"])
-
-# Data for core MIME/Unix/Windows encodings:
-# ISO 8859-2..9, 15; Windows-125x; EUC-CN; GBK (Windows cp936); GB 18030;
-# Big5 (Windows cp950); SJIS (Windows cp932); EUC-JP; EUC-KR, KS C 5601;
-# Windows cp949. Data is pre-processed for little-endian platforms. To replicate
-# this pre-processing (if you want additional encodings, for example), do the
-# following:
-#
-# First, download, build, and install ICU. This installs tools such as makeconv.
-# Then, run the following from your icu4c/source directory:
-# $ cd data/mappings
-# $ rm *.cnv # there shouldn't be any .cnv files here to begin with
-# $ grep \.ucm ucmcore.mk | \
-# sed 's/\(UCM_SOURCE_CORE=\)\?\([^ ]\+\.ucm\)\\\?/\2/g' | \
-# tr '\n' ' ' | xargs makeconv
-# $ ls *.cnv > filelist.lst
-# $ pkgdata -m common -p ucmcore filelist.lst
-# $ genccode -f custom_conversion_data ucmcore.dat
-# This creates custom_conversion_data.c. You will need to change the target
-# :conversion_data to depend on your custom source instead of :conversion_data.c
-filegroup(
- name = "conversion_files",
- srcs = glob(["icu_conversion_data.c.gz.*"]),
-)
-
-# Data files are compressed and split to work around git performance degradation
-# around large files.
-genrule(
- name = "merge_conversion_data",
- srcs = [":conversion_files"],
- outs = ["conversion_data.c"],
- cmd = "cat $(locations :conversion_files) | gunzip > $@",
-)
-
-cc_library(
- name = "conversion_data",
- srcs = [":conversion_data.c"],
- deps = ["@icu//:headers"],
-)
diff --git a/third_party/icu/data/LICENSE b/third_party/icu/data/LICENSE
deleted file mode 100644
index 25b6eb9..0000000
--- a/third_party/icu/data/LICENSE
+++ /dev/null
@@ -1,414 +0,0 @@
-COPYRIGHT AND PERMISSION NOTICE (ICU 58 and later)
-
-Copyright © 1991-2018 Unicode, Inc. All rights reserved.
-Distributed under the Terms of Use in http://www.unicode.org/copyright.html.
-
-Permission is hereby granted, free of charge, to any person obtaining
-a copy of the Unicode data files and any associated documentation
-(the "Data Files") or Unicode software and any associated documentation
-(the "Software") to deal in the Data Files or Software
-without restriction, including without limitation the rights to use,
-copy, modify, merge, publish, distribute, and/or sell copies of
-the Data Files or Software, and to permit persons to whom the Data Files
-or Software are furnished to do so, provided that either
-(a) this copyright and permission notice appear with all copies
-of the Data Files or Software, or
-(b) this copyright and permission notice appear in associated
-Documentation.
-
-THE DATA FILES AND SOFTWARE ARE PROVIDED "AS IS", WITHOUT WARRANTY OF
-ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
-WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
-NONINFRINGEMENT OF THIRD PARTY RIGHTS.
-IN NO EVENT SHALL THE COPYRIGHT HOLDER OR HOLDERS INCLUDED IN THIS
-NOTICE BE LIABLE FOR ANY CLAIM, OR ANY SPECIAL INDIRECT OR CONSEQUENTIAL
-DAMAGES, OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE,
-DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER
-TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR
-PERFORMANCE OF THE DATA FILES OR SOFTWARE.
-
-Except as contained in this notice, the name of a copyright holder
-shall not be used in advertising or otherwise to promote the sale,
-use or other dealings in these Data Files or Software without prior
-written authorization of the copyright holder.
-
----------------------
-
-Third-Party Software Licenses
-
-This section contains third-party software notices and/or additional
-terms for licensed third-party software components included within ICU
-libraries.
-
-1. ICU License - ICU 1.8.1 to ICU 57.1
-
-COPYRIGHT AND PERMISSION NOTICE
-
-Copyright (c) 1995-2016 International Business Machines Corporation and others
-All rights reserved.
-
-Permission is hereby granted, free of charge, to any person obtaining
-a copy of this software and associated documentation files (the
-"Software"), to deal in the Software without restriction, including
-without limitation the rights to use, copy, modify, merge, publish,
-distribute, and/or sell copies of the Software, and to permit persons
-to whom the Software is furnished to do so, provided that the above
-copyright notice(s) and this permission notice appear in all copies of
-the Software and that both the above copyright notice(s) and this
-permission notice appear in supporting documentation.
-
-THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
-EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
-MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
-OF THIRD PARTY RIGHTS. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR
-HOLDERS INCLUDED IN THIS NOTICE BE LIABLE FOR ANY CLAIM, OR ANY
-SPECIAL INDIRECT OR CONSEQUENTIAL DAMAGES, OR ANY DAMAGES WHATSOEVER
-RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF
-CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN
-CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
-
-Except as contained in this notice, the name of a copyright holder
-shall not be used in advertising or otherwise to promote the sale, use
-or other dealings in this Software without prior written authorization
-of the copyright holder.
-
-All trademarks and registered trademarks mentioned herein are the
-property of their respective owners.
-
-2. Chinese/Japanese Word Break Dictionary Data (cjdict.txt)
-
- # The Google Chrome software developed by Google is licensed under
- # the BSD license. Other software included in this distribution is
- # provided under other licenses, as set forth below.
- #
- # The BSD License
- # http://opensource.org/licenses/bsd-license.php
- # Copyright (C) 2006-2008, Google Inc.
- #
- # All rights reserved.
- #
- # Redistribution and use in source and binary forms, with or without
- # modification, are permitted provided that the following conditions are met:
- #
- # Redistributions of source code must retain the above copyright notice,
- # this list of conditions and the following disclaimer.
- # Redistributions in binary form must reproduce the above
- # copyright notice, this list of conditions and the following
- # disclaimer in the documentation and/or other materials provided with
- # the distribution.
- # Neither the name of Google Inc. nor the names of its
- # contributors may be used to endorse or promote products derived from
- # this software without specific prior written permission.
- #
- #
- # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND
- # CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES,
- # INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
- # MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
- # DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
- # LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
- # CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
- # SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR
- # BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
- # LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
- # NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
- # SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
- #
- #
- # The word list in cjdict.txt are generated by combining three word lists
- # listed below with further processing for compound word breaking. The
- # frequency is generated with an iterative training against Google web
- # corpora.
- #
- # * Libtabe (Chinese)
- # - https://sourceforge.net/project/?group_id=1519
- # - Its license terms and conditions are shown below.
- #
- # * IPADIC (Japanese)
- # - http://chasen.aist-nara.ac.jp/chasen/distribution.html
- # - Its license terms and conditions are shown below.
- #
- # ---------COPYING.libtabe ---- BEGIN--------------------
- #
- # /*
- # * Copyright (c) 1999 TaBE Project.
- # * Copyright (c) 1999 Pai-Hsiang Hsiao.
- # * All rights reserved.
- # *
- # * Redistribution and use in source and binary forms, with or without
- # * modification, are permitted provided that the following conditions
- # * are met:
- # *
- # * . Redistributions of source code must retain the above copyright
- # * notice, this list of conditions and the following disclaimer.
- # * . Redistributions in binary form must reproduce the above copyright
- # * notice, this list of conditions and the following disclaimer in
- # * the documentation and/or other materials provided with the
- # * distribution.
- # * . Neither the name of the TaBE Project nor the names of its
- # * contributors may be used to endorse or promote products derived
- # * from this software without specific prior written permission.
- # *
- # * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
- # * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
- # * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
- # * FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
- # * REGENTS OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
- # * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
- # * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
- # * SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
- # * HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT,
- # * STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
- # * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
- # * OF THE POSSIBILITY OF SUCH DAMAGE.
- # */
- #
- # /*
- # * Copyright (c) 1999 Computer Systems and Communication Lab,
- # * Institute of Information Science, Academia
- # * Sinica. All rights reserved.
- # *
- # * Redistribution and use in source and binary forms, with or without
- # * modification, are permitted provided that the following conditions
- # * are met:
- # *
- # * . Redistributions of source code must retain the above copyright
- # * notice, this list of conditions and the following disclaimer.
- # * . Redistributions in binary form must reproduce the above copyright
- # * notice, this list of conditions and the following disclaimer in
- # * the documentation and/or other materials provided with the
- # * distribution.
- # * . Neither the name of the Computer Systems and Communication Lab
- # * nor the names of its contributors may be used to endorse or
- # * promote products derived from this software without specific
- # * prior written permission.
- # *
- # * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
- # * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
- # * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
- # * FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
- # * REGENTS OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
- # * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
- # * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
- # * SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
- # * HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT,
- # * STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
- # * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
- # * OF THE POSSIBILITY OF SUCH DAMAGE.
- # */
- #
- # Copyright 1996 Chih-Hao Tsai @ Beckman Institute,
- # University of Illinois
- # c-tsai4@uiuc.edu http://casper.beckman.uiuc.edu/~c-tsai4
- #
- # ---------------COPYING.libtabe-----END--------------------------------
- #
- #
- # ---------------COPYING.ipadic-----BEGIN-------------------------------
- #
- # Copyright 2000, 2001, 2002, 2003 Nara Institute of Science
- # and Technology. All Rights Reserved.
- #
- # Use, reproduction, and distribution of this software is permitted.
- # Any copy of this software, whether in its original form or modified,
- # must include both the above copyright notice and the following
- # paragraphs.
- #
- # Nara Institute of Science and Technology (NAIST),
- # the copyright holders, disclaims all warranties with regard to this
- # software, including all implied warranties of merchantability and
- # fitness, in no event shall NAIST be liable for
- # any special, indirect or consequential damages or any damages
- # whatsoever resulting from loss of use, data or profits, whether in an
- # action of contract, negligence or other tortuous action, arising out
- # of or in connection with the use or performance of this software.
- #
- # A large portion of the dictionary entries
- # originate from ICOT Free Software. The following conditions for ICOT
- # Free Software applies to the current dictionary as well.
- #
- # Each User may also freely distribute the Program, whether in its
- # original form or modified, to any third party or parties, PROVIDED
- # that the provisions of Section 3 ("NO WARRANTY") will ALWAYS appear
- # on, or be attached to, the Program, which is distributed substantially
- # in the same form as set out herein and that such intended
- # distribution, if actually made, will neither violate or otherwise
- # contravene any of the laws and regulations of the countries having
- # jurisdiction over the User or the intended distribution itself.
- #
- # NO WARRANTY
- #
- # The program was produced on an experimental basis in the course of the
- # research and development conducted during the project and is provided
- # to users as so produced on an experimental basis. Accordingly, the
- # program is provided without any warranty whatsoever, whether express,
- # implied, statutory or otherwise. The term "warranty" used herein
- # includes, but is not limited to, any warranty of the quality,
- # performance, merchantability and fitness for a particular purpose of
- # the program and the nonexistence of any infringement or violation of
- # any right of any third party.
- #
- # Each user of the program will agree and understand, and be deemed to
- # have agreed and understood, that there is no warranty whatsoever for
- # the program and, accordingly, the entire risk arising from or
- # otherwise connected with the program is assumed by the user.
- #
- # Therefore, neither ICOT, the copyright holder, or any other
- # organization that participated in or was otherwise related to the
- # development of the program and their respective officials, directors,
- # officers and other employees shall be held liable for any and all
- # damages, including, without limitation, general, special, incidental
- # and consequential damages, arising out of or otherwise in connection
- # with the use or inability to use the program or any product, material
- # or result produced or otherwise obtained by using the program,
- # regardless of whether they have been advised of, or otherwise had
- # knowledge of, the possibility of such damages at any time during the
- # project or thereafter. Each user will be deemed to have agreed to the
- # foregoing by his or her commencement of use of the program. The term
- # "use" as used herein includes, but is not limited to, the use,
- # modification, copying and distribution of the program and the
- # production of secondary products from the program.
- #
- # In the case where the program, whether in its original form or
- # modified, was distributed or delivered to or received by a user from
- # any person, organization or entity other than ICOT, unless it makes or
- # grants independently of ICOT any specific warranty to the user in
- # writing, such person, organization or entity, will also be exempted
- # from and not be held liable to the user for any such damages as noted
- # above as far as the program is concerned.
- #
- # ---------------COPYING.ipadic-----END----------------------------------
-
-3. Lao Word Break Dictionary Data (laodict.txt)
-
- # Copyright (c) 2013 International Business Machines Corporation
- # and others. All Rights Reserved.
- #
- # Project: http://code.google.com/p/lao-dictionary/
- # Dictionary: http://lao-dictionary.googlecode.com/git/Lao-Dictionary.txt
- # License: http://lao-dictionary.googlecode.com/git/Lao-Dictionary-LICENSE.txt
- # (copied below)
- #
- # This file is derived from the above dictionary, with slight
- # modifications.
- # ----------------------------------------------------------------------
- # Copyright (C) 2013 Brian Eugene Wilson, Robert Martin Campbell.
- # All rights reserved.
- #
- # Redistribution and use in source and binary forms, with or without
- # modification,
- # are permitted provided that the following conditions are met:
- #
- #
- # Redistributions of source code must retain the above copyright notice, this
- # list of conditions and the following disclaimer. Redistributions in
- # binary form must reproduce the above copyright notice, this list of
- # conditions and the following disclaimer in the documentation and/or
- # other materials provided with the distribution.
- #
- #
- # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
- # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
- # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
- # FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
- # COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
- # INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
- # (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
- # SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
- # HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT,
- # STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
- # ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
- # OF THE POSSIBILITY OF SUCH DAMAGE.
- # --------------------------------------------------------------------------
-
-4. Burmese Word Break Dictionary Data (burmesedict.txt)
-
- # Copyright (c) 2014 International Business Machines Corporation
- # and others. All Rights Reserved.
- #
- # This list is part of a project hosted at:
- # github.com/kanyawtech/myanmar-karen-word-lists
- #
- # --------------------------------------------------------------------------
- # Copyright (c) 2013, LeRoy Benjamin Sharon
- # All rights reserved.
- #
- # Redistribution and use in source and binary forms, with or without
- # modification, are permitted provided that the following conditions
- # are met: Redistributions of source code must retain the above
- # copyright notice, this list of conditions and the following
- # disclaimer. Redistributions in binary form must reproduce the
- # above copyright notice, this list of conditions and the following
- # disclaimer in the documentation and/or other materials provided
- # with the distribution.
- #
- # Neither the name Myanmar Karen Word Lists, nor the names of its
- # contributors may be used to endorse or promote products derived
- # from this software without specific prior written permission.
- #
- # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND
- # CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES,
- # INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
- # MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
- # DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS
- # BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
- # EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED
- # TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
- # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON
- # ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR
- # TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF
- # THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
- # SUCH DAMAGE.
- # --------------------------------------------------------------------------
-
-5. Time Zone Database
-
- ICU uses the public domain data and code derived from Time Zone
-Database for its time zone support. The ownership of the TZ database
-is explained in BCP 175: Procedure for Maintaining the Time Zone
-Database section 7.
-
- # 7. Database Ownership
- #
- # The TZ database itself is not an IETF Contribution or an IETF
- # document. Rather it is a pre-existing and regularly updated work
- # that is in the public domain, and is intended to remain in the
- # public domain. Therefore, BCPs 78 [RFC5378] and 79 [RFC3979] do
- # not apply to the TZ Database or contributions that individuals make
- # to it. Should any claims be made and substantiated against the TZ
- # Database, the organization that is providing the IANA
- # Considerations defined in this RFC, under the memorandum of
- # understanding with the IETF, currently ICANN, may act in accordance
- # with all competent court orders. No ownership claims will be made
- # by ICANN or the IETF Trust on the database or the code. Any person
- # making a contribution to the database or code waives all rights to
- # future claims in that contribution or in the TZ Database.
-
-6. Google double-conversion
-
-Copyright 2006-2011, the V8 project authors. All rights reserved.
-Redistribution and use in source and binary forms, with or without
-modification, are permitted provided that the following conditions are
-met:
-
- * Redistributions of source code must retain the above copyright
- notice, this list of conditions and the following disclaimer.
- * Redistributions in binary form must reproduce the above
- copyright notice, this list of conditions and the following
- disclaimer in the documentation and/or other materials provided
- with the distribution.
- * Neither the name of Google Inc. nor the names of its
- contributors may be used to endorse or promote products derived
- from this software without specific prior written permission.
-
-THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
-"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
-LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
-A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
-OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
-SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
-LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
-DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
-THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
-(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
-OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.aa b/third_party/icu/data/icu_conversion_data.c.gz.aa
deleted file mode 100644
index b68a2c6..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.aa
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.ab b/third_party/icu/data/icu_conversion_data.c.gz.ab
deleted file mode 100644
index d60aa92..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.ab
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.ac b/third_party/icu/data/icu_conversion_data.c.gz.ac
deleted file mode 100644
index de9b69f..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.ac
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.ad b/third_party/icu/data/icu_conversion_data.c.gz.ad
deleted file mode 100644
index d5abb06..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.ad
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.ae b/third_party/icu/data/icu_conversion_data.c.gz.ae
deleted file mode 100644
index 0e54fdb..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.ae
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.af b/third_party/icu/data/icu_conversion_data.c.gz.af
deleted file mode 100644
index cfbeb16..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.af
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.ag b/third_party/icu/data/icu_conversion_data.c.gz.ag
deleted file mode 100644
index bde20b6..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.ag
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.ah b/third_party/icu/data/icu_conversion_data.c.gz.ah
deleted file mode 100644
index ae31dff..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.ah
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.ai b/third_party/icu/data/icu_conversion_data.c.gz.ai
deleted file mode 100644
index 981b869..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.ai
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/data/icu_conversion_data.c.gz.aj b/third_party/icu/data/icu_conversion_data.c.gz.aj
deleted file mode 100644
index 1ae6bce..0000000
--- a/third_party/icu/data/icu_conversion_data.c.gz.aj
+++ /dev/null
Binary files differ
diff --git a/third_party/icu/udata.patch b/third_party/icu/udata.patch
deleted file mode 100644
index d6d5910..0000000
--- a/third_party/icu/udata.patch
+++ /dev/null
@@ -1,53 +0,0 @@
---- /icu4c/source/common/udata.cpp.old 2018-06-19 22:34:56.000000000 -0700
-+++ /icu4c/source/common/udata.cpp 2018-10-19 14:26:09.778950855 -0700
-@@ -18,15 +18,15 @@
-
- #include "unicode/utypes.h" /* U_PLATFORM etc. */
-
--#ifdef __GNUC__
--/* if gcc
--#define ATTRIBUTE_WEAK __attribute__ ((weak))
--might have to #include some other header
--*/
-+#if defined(__GNUC__) || defined(__SUNPRO_CC)
-+# define ATTRIBUTE_WEAK __attribute__ ((weak))
-+#else
-+# define ATTRIBUTE_WEAK
- #endif
-
- #include "unicode/putil.h"
- #include "unicode/udata.h"
-+#include "unicode/umachine.h"
- #include "unicode/uversion.h"
- #include "charstr.h"
- #include "cmemory.h"
-@@ -641,10 +641,11 @@
- * partial-data-library access functions where each returns a pointer
- * to its data package, if it is linked in.
- */
--/*
--extern const void *uprv_getICUData_collation(void) ATTRIBUTE_WEAK;
--extern const void *uprv_getICUData_conversion(void) ATTRIBUTE_WEAK;
--*/
-+
-+//extern "C" const void *uprv_getICUData_collation(void);
-+U_CDECL_BEGIN
-+const void *uprv_getICUData_conversion(void) ATTRIBUTE_WEAK;
-+U_CDECL_END
-
- /*----------------------------------------------------------------------*
- * *
-@@ -702,10 +703,11 @@
- if (uprv_getICUData_collation) {
- setCommonICUDataPointer(uprv_getICUData_collation(), FALSE, pErrorCode);
- }
-+ */
- if (uprv_getICUData_conversion) {
-- setCommonICUDataPointer(uprv_getICUData_conversion(), FALSE, pErrorCode);
-+ setCommonICUDataPointer(uprv_getICUData_conversion(), FALSE, pErrorCode);
- }
-- */
-+
- #if U_PLATFORM_HAS_WINUWP_API == 0 // Windows UWP Platform does not support dll icu data at this time
- setCommonICUDataPointer(&U_ICUDATA_ENTRY_POINT, FALSE, pErrorCode);
- {
diff --git a/third_party/icu/workspace.bzl b/third_party/icu/workspace.bzl
deleted file mode 100644
index f100836..0000000
--- a/third_party/icu/workspace.bzl
+++ /dev/null
@@ -1,22 +0,0 @@
-"""Loads a lightweight subset of the ICU library for Unicode processing."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-# Sanitize a dependency so that it works correctly from code that includes
-# TensorFlow as a submodule.
-def clean_dep(dep):
- return str(Label(dep))
-
-def repo():
- third_party_http_archive(
- name = "icu",
- strip_prefix = "icu-release-62-1",
- sha256 = "e15ffd84606323cbad5515bf9ecdf8061cc3bf80fb883b9e6aa162e485aa9761",
- urls = [
- "https://mirror.bazel.build/github.com/unicode-org/icu/archive/release-62-1.tar.gz",
- "https://github.com/unicode-org/icu/archive/release-62-1.tar.gz",
- ],
- build_file = "//third_party/icu:BUILD.bazel",
- system_build_file = "//third_party/icu:BUILD.system",
- patch_file = clean_dep("//third_party/icu:udata.patch"),
- )
diff --git a/third_party/jpeg/BUILD b/third_party/jpeg/BUILD
deleted file mode 100644
index e3aec1f..0000000
--- a/third_party/jpeg/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# Needed to make this a package.
diff --git a/third_party/jpeg/BUILD.bazel b/third_party/jpeg/BUILD.bazel
deleted file mode 100644
index 5243e99..0000000
--- a/third_party/jpeg/BUILD.bazel
+++ /dev/null
@@ -1,752 +0,0 @@
-# Description:
-# libjpeg-turbo is a drop in replacement for jpeglib optimized with SIMD.
-
-licenses(["notice"]) # custom notice-style license, see LICENSE.md
-
-exports_files(["LICENSE.md"])
-
-load("@org_tensorflow//third_party:common.bzl", "template_rule")
-
-libjpegturbo_nocopts = "-[W]error"
-
-WIN_COPTS = [
- "/Ox",
- "-DWITH_SIMD",
- "-wd4996",
-]
-
-libjpegturbo_copts = select({
- ":android": [
- "-O2",
- "-fPIE",
- "-w",
- ],
- ":windows": WIN_COPTS,
- "//conditions:default": [
- "-O3",
- "-w",
- ],
-}) + select({
- ":armeabi-v7a": [
- "-D__ARM_NEON__",
- "-march=armv7-a",
- "-mfloat-abi=softfp",
- "-fprefetch-loop-arrays",
- ],
- ":linux_ppc64le": [
- "-mcpu=power8",
- "-mtune=power8",
- ],
- "//conditions:default": [],
-})
-
-cc_library(
- name = "jpeg",
- srcs = [
- "jaricom.c",
- "jcapimin.c",
- "jcapistd.c",
- "jcarith.c",
- "jccoefct.c",
- "jccolor.c",
- "jcdctmgr.c",
- "jchuff.c",
- "jchuff.h",
- "jcinit.c",
- "jcmainct.c",
- "jcmarker.c",
- "jcmaster.c",
- "jcomapi.c",
- "jconfig.h",
- "jconfigint.h",
- "jcparam.c",
- "jcphuff.c",
- "jcprepct.c",
- "jcsample.c",
- "jctrans.c",
- "jdapimin.c",
- "jdapistd.c",
- "jdarith.c",
- "jdatadst.c",
- "jdatasrc.c",
- "jdcoefct.c",
- "jdcoefct.h",
- "jdcolor.c",
- "jdct.h",
- "jddctmgr.c",
- "jdhuff.c",
- "jdhuff.h",
- "jdinput.c",
- "jdmainct.c",
- "jdmainct.h",
- "jdmarker.c",
- "jdmaster.c",
- "jdmaster.h",
- "jdmerge.c",
- "jdphuff.c",
- "jdpostct.c",
- "jdsample.c",
- "jdsample.h",
- "jdtrans.c",
- "jerror.c",
- "jfdctflt.c",
- "jfdctfst.c",
- "jfdctint.c",
- "jidctflt.c",
- "jidctfst.c",
- "jidctint.c",
- "jidctred.c",
- "jinclude.h",
- "jmemmgr.c",
- "jmemnobs.c",
- "jmemsys.h",
- "jpeg_nbits_table.h",
- "jpegcomp.h",
- "jquant1.c",
- "jquant2.c",
- "jutils.c",
- "jversion.h",
- ],
- hdrs = [
- "jccolext.c", # should have been named .inc
- "jdcol565.c", # should have been named .inc
- "jdcolext.c", # should have been named .inc
- "jdmrg565.c", # should have been named .inc
- "jdmrgext.c", # should have been named .inc
- "jerror.h",
- "jmorecfg.h",
- "jpegint.h",
- "jpeglib.h",
- "jstdhuff.c", # should have been named .inc
- ],
- copts = libjpegturbo_copts,
- nocopts = libjpegturbo_nocopts,
- visibility = ["//visibility:public"],
- deps = select({
- ":k8": [":simd_x86_64"],
- ":armeabi-v7a": [":simd_armv7a"],
- ":arm64-v8a": [":simd_armv8a"],
- ":linux_ppc64le": [":simd_altivec"],
- ":windows": [":simd_win_x86_64"],
- "//conditions:default": [":simd_none"],
- }),
-)
-
-cc_library(
- name = "simd_altivec",
- srcs = [
- "jchuff.h",
- "jconfig.h",
- "jdct.h",
- "jerror.h",
- "jinclude.h",
- "jmorecfg.h",
- "jpegint.h",
- "jpeglib.h",
- "jsimd.h",
- "jsimddct.h",
- "simd/jsimd.h",
- "simd/powerpc/jccolor-altivec.c",
- "simd/powerpc/jcgray-altivec.c",
- "simd/powerpc/jcsample-altivec.c",
- "simd/powerpc/jdcolor-altivec.c",
- "simd/powerpc/jdmerge-altivec.c",
- "simd/powerpc/jdsample-altivec.c",
- "simd/powerpc/jfdctfst-altivec.c",
- "simd/powerpc/jfdctint-altivec.c",
- "simd/powerpc/jidctfst-altivec.c",
- "simd/powerpc/jidctint-altivec.c",
- "simd/powerpc/jquanti-altivec.c",
- "simd/powerpc/jsimd.c",
- ],
- hdrs = [
- "simd/powerpc/jccolext-altivec.c",
- "simd/powerpc/jcgryext-altivec.c",
- "simd/powerpc/jcsample.h",
- "simd/powerpc/jdcolext-altivec.c",
- "simd/powerpc/jdmrgext-altivec.c",
- "simd/powerpc/jsimd_altivec.h",
- ],
- copts = libjpegturbo_copts,
- nocopts = libjpegturbo_nocopts,
-)
-
-cc_library(
- name = "simd_x86_64",
- srcs = [
- "jchuff.h",
- "jconfig.h",
- "jconfigint.h",
- "jdct.h",
- "jerror.h",
- "jinclude.h",
- "jmorecfg.h",
- "jpegint.h",
- "jpeglib.h",
- "jsimd.h",
- "jsimddct.h",
- "simd/jsimd.h",
- "simd/x86_64/jccolor-avx2.o",
- "simd/x86_64/jccolor-sse2.o",
- "simd/x86_64/jcgray-avx2.o",
- "simd/x86_64/jcgray-sse2.o",
- "simd/x86_64/jchuff-sse2.o",
- "simd/x86_64/jcphuff-sse2.o",
- "simd/x86_64/jcsample-avx2.o",
- "simd/x86_64/jcsample-sse2.o",
- "simd/x86_64/jdcolor-avx2.o",
- "simd/x86_64/jdcolor-sse2.o",
- "simd/x86_64/jdmerge-avx2.o",
- "simd/x86_64/jdmerge-sse2.o",
- "simd/x86_64/jdsample-avx2.o",
- "simd/x86_64/jdsample-sse2.o",
- "simd/x86_64/jfdctflt-sse.o",
- "simd/x86_64/jfdctfst-sse2.o",
- "simd/x86_64/jfdctint-avx2.o",
- "simd/x86_64/jfdctint-sse2.o",
- "simd/x86_64/jidctflt-sse2.o",
- "simd/x86_64/jidctfst-sse2.o",
- "simd/x86_64/jidctint-avx2.o",
- "simd/x86_64/jidctint-sse2.o",
- "simd/x86_64/jidctred-sse2.o",
- "simd/x86_64/jquantf-sse2.o",
- "simd/x86_64/jquanti-avx2.o",
- "simd/x86_64/jquanti-sse2.o",
- "simd/x86_64/jsimd.c",
- "simd/x86_64/jsimdcpu.o",
- ],
- copts = libjpegturbo_copts,
- linkstatic = 1,
- nocopts = libjpegturbo_nocopts,
-)
-
-genrule(
- name = "simd_x86_64_assemblage23",
- srcs = [
- "jconfig.h",
- "jconfigint.h",
- "simd/x86_64/jccolext-avx2.asm",
- "simd/x86_64/jccolext-sse2.asm",
- "simd/x86_64/jccolor-avx2.asm",
- "simd/x86_64/jccolor-sse2.asm",
- "simd/x86_64/jcgray-avx2.asm",
- "simd/x86_64/jcgray-sse2.asm",
- "simd/x86_64/jcgryext-avx2.asm",
- "simd/x86_64/jcgryext-sse2.asm",
- "simd/x86_64/jchuff-sse2.asm",
- "simd/x86_64/jcphuff-sse2.asm",
- "simd/x86_64/jcsample-avx2.asm",
- "simd/x86_64/jcsample-sse2.asm",
- "simd/x86_64/jdcolext-avx2.asm",
- "simd/x86_64/jdcolext-sse2.asm",
- "simd/x86_64/jdcolor-avx2.asm",
- "simd/x86_64/jdcolor-sse2.asm",
- "simd/x86_64/jdmerge-avx2.asm",
- "simd/x86_64/jdmerge-sse2.asm",
- "simd/x86_64/jdmrgext-avx2.asm",
- "simd/x86_64/jdmrgext-sse2.asm",
- "simd/x86_64/jdsample-avx2.asm",
- "simd/x86_64/jdsample-sse2.asm",
- "simd/x86_64/jfdctflt-sse.asm",
- "simd/x86_64/jfdctfst-sse2.asm",
- "simd/x86_64/jfdctint-avx2.asm",
- "simd/x86_64/jfdctint-sse2.asm",
- "simd/x86_64/jidctflt-sse2.asm",
- "simd/x86_64/jidctfst-sse2.asm",
- "simd/x86_64/jidctint-avx2.asm",
- "simd/x86_64/jidctint-sse2.asm",
- "simd/x86_64/jidctred-sse2.asm",
- "simd/x86_64/jquantf-sse2.asm",
- "simd/x86_64/jquanti-avx2.asm",
- "simd/x86_64/jquanti-sse2.asm",
- "simd/x86_64/jsimdcpu.asm",
- "simd/nasm/jcolsamp.inc",
- "simd/nasm/jdct.inc",
- "simd/nasm/jpeg_nbits_table.inc",
- "simd/nasm/jsimdcfg.inc",
- "simd/nasm/jsimdcfg.inc.h",
- "simd/nasm/jsimdext.inc",
- ],
- outs = [
- "simd/x86_64/jccolor-avx2.o",
- "simd/x86_64/jccolor-sse2.o",
- "simd/x86_64/jcgray-avx2.o",
- "simd/x86_64/jcgray-sse2.o",
- "simd/x86_64/jchuff-sse2.o",
- "simd/x86_64/jcphuff-sse2.o",
- "simd/x86_64/jcsample-avx2.o",
- "simd/x86_64/jcsample-sse2.o",
- "simd/x86_64/jdcolor-avx2.o",
- "simd/x86_64/jdcolor-sse2.o",
- "simd/x86_64/jdmerge-avx2.o",
- "simd/x86_64/jdmerge-sse2.o",
- "simd/x86_64/jdsample-avx2.o",
- "simd/x86_64/jdsample-sse2.o",
- "simd/x86_64/jfdctflt-sse.o",
- "simd/x86_64/jfdctfst-sse2.o",
- "simd/x86_64/jfdctint-avx2.o",
- "simd/x86_64/jfdctint-sse2.o",
- "simd/x86_64/jidctflt-sse2.o",
- "simd/x86_64/jidctfst-sse2.o",
- "simd/x86_64/jidctint-avx2.o",
- "simd/x86_64/jidctint-sse2.o",
- "simd/x86_64/jidctred-sse2.o",
- "simd/x86_64/jquantf-sse2.o",
- "simd/x86_64/jquanti-avx2.o",
- "simd/x86_64/jquanti-sse2.o",
- "simd/x86_64/jsimdcpu.o",
- ],
- cmd = "for out in $(OUTS); do\n" +
- " $(location @nasm//:nasm) -f elf64" +
- " -DELF -DPIC -D__x86_64__" +
- " -I $$(dirname $(location jconfig.h))/" +
- " -I $$(dirname $(location jconfigint.h))/" +
- " -I $$(dirname $(location simd/nasm/jsimdcfg.inc.h))/" +
- " -I $$(dirname $(location simd/x86_64/jccolext-sse2.asm))/" +
- " -o $$out" +
- " $$(dirname $(location simd/x86_64/jccolext-sse2.asm))/$$(basename $${out%.o}.asm)\n" +
- "done",
- tools = ["@nasm"],
-)
-
-cc_library(
- name = "simd_armv7a",
- srcs = [
- "jchuff.h",
- "jconfig.h",
- "jdct.h",
- "jerror.h",
- "jinclude.h",
- "jmorecfg.h",
- "jpegint.h",
- "jpeglib.h",
- "jsimd.h",
- "jsimddct.h",
- "simd/arm/jsimd.c",
- "simd/arm/jsimd_neon.S",
- "simd/jsimd.h",
- ],
- copts = libjpegturbo_copts,
- nocopts = libjpegturbo_nocopts,
-)
-
-cc_library(
- name = "simd_armv8a",
- srcs = [
- "jchuff.h",
- "jconfig.h",
- "jdct.h",
- "jerror.h",
- "jinclude.h",
- "jmorecfg.h",
- "jpegint.h",
- "jpeglib.h",
- "jsimd.h",
- "jsimddct.h",
- "simd/arm64/jsimd.c",
- "simd/arm64/jsimd_neon.S",
- "simd/jsimd.h",
- ],
- copts = libjpegturbo_copts,
- nocopts = libjpegturbo_nocopts,
-)
-
-cc_library(
- name = "simd_win_x86_64",
- srcs = [
- "jchuff.h",
- "jconfig.h",
- "jconfigint.h",
- "jdct.h",
- "jerror.h",
- "jinclude.h",
- "jmorecfg.h",
- "jpegint.h",
- "jpeglib.h",
- "jsimd.h",
- "jsimddct.h",
- "simd/jsimd.h",
- "simd/x86_64/jccolor-avx2.obj",
- "simd/x86_64/jccolor-sse2.obj",
- "simd/x86_64/jcgray-avx2.obj",
- "simd/x86_64/jcgray-sse2.obj",
- "simd/x86_64/jchuff-sse2.obj",
- "simd/x86_64/jcphuff-sse2.obj",
- "simd/x86_64/jcsample-avx2.obj",
- "simd/x86_64/jcsample-sse2.obj",
- "simd/x86_64/jdcolor-avx2.obj",
- "simd/x86_64/jdcolor-sse2.obj",
- "simd/x86_64/jdmerge-avx2.obj",
- "simd/x86_64/jdmerge-sse2.obj",
- "simd/x86_64/jdsample-avx2.obj",
- "simd/x86_64/jdsample-sse2.obj",
- "simd/x86_64/jfdctflt-sse.obj",
- "simd/x86_64/jfdctfst-sse2.obj",
- "simd/x86_64/jfdctint-avx2.obj",
- "simd/x86_64/jfdctint-sse2.obj",
- "simd/x86_64/jidctflt-sse2.obj",
- "simd/x86_64/jidctfst-sse2.obj",
- "simd/x86_64/jidctint-avx2.obj",
- "simd/x86_64/jidctint-sse2.obj",
- "simd/x86_64/jidctred-sse2.obj",
- "simd/x86_64/jquantf-sse2.obj",
- "simd/x86_64/jquanti-avx2.obj",
- "simd/x86_64/jquanti-sse2.obj",
- "simd/x86_64/jsimd.c",
- "simd/x86_64/jsimdcpu.obj",
- ],
- copts = libjpegturbo_copts,
-)
-
-genrule(
- name = "simd_win_x86_64_assemble",
- srcs = [
- "jconfig.h",
- "jconfigint.h",
- "simd/x86_64/jccolext-avx2.asm",
- "simd/x86_64/jccolext-sse2.asm",
- "simd/x86_64/jccolor-avx2.asm",
- "simd/x86_64/jccolor-sse2.asm",
- "simd/x86_64/jcgray-avx2.asm",
- "simd/x86_64/jcgray-sse2.asm",
- "simd/x86_64/jcgryext-avx2.asm",
- "simd/x86_64/jcgryext-sse2.asm",
- "simd/x86_64/jchuff-sse2.asm",
- "simd/x86_64/jcphuff-sse2.asm",
- "simd/x86_64/jcsample-avx2.asm",
- "simd/x86_64/jcsample-sse2.asm",
- "simd/x86_64/jdcolext-avx2.asm",
- "simd/x86_64/jdcolext-sse2.asm",
- "simd/x86_64/jdcolor-avx2.asm",
- "simd/x86_64/jdcolor-sse2.asm",
- "simd/x86_64/jdmerge-avx2.asm",
- "simd/x86_64/jdmerge-sse2.asm",
- "simd/x86_64/jdmrgext-avx2.asm",
- "simd/x86_64/jdmrgext-sse2.asm",
- "simd/x86_64/jdsample-avx2.asm",
- "simd/x86_64/jdsample-sse2.asm",
- "simd/x86_64/jfdctflt-sse.asm",
- "simd/x86_64/jfdctfst-sse2.asm",
- "simd/x86_64/jfdctint-avx2.asm",
- "simd/x86_64/jfdctint-sse2.asm",
- "simd/x86_64/jidctflt-sse2.asm",
- "simd/x86_64/jidctfst-sse2.asm",
- "simd/x86_64/jidctint-avx2.asm",
- "simd/x86_64/jidctint-sse2.asm",
- "simd/x86_64/jidctred-sse2.asm",
- "simd/x86_64/jquantf-sse2.asm",
- "simd/x86_64/jquanti-avx2.asm",
- "simd/x86_64/jquanti-sse2.asm",
- "simd/x86_64/jsimdcpu.asm",
- "simd/nasm/jcolsamp.inc",
- "simd/nasm/jdct.inc",
- "simd/nasm/jpeg_nbits_table.inc",
- "simd/nasm/jsimdcfg.inc",
- "simd/nasm/jsimdcfg.inc.h",
- "simd/nasm/jsimdext.inc",
- ],
- outs = [
- "simd/x86_64/jccolor-avx2.obj",
- "simd/x86_64/jccolor-sse2.obj",
- "simd/x86_64/jcgray-avx2.obj",
- "simd/x86_64/jcgray-sse2.obj",
- "simd/x86_64/jchuff-sse2.obj",
- "simd/x86_64/jcphuff-sse2.obj",
- "simd/x86_64/jcsample-avx2.obj",
- "simd/x86_64/jcsample-sse2.obj",
- "simd/x86_64/jdcolor-avx2.obj",
- "simd/x86_64/jdcolor-sse2.obj",
- "simd/x86_64/jdmerge-avx2.obj",
- "simd/x86_64/jdmerge-sse2.obj",
- "simd/x86_64/jdsample-avx2.obj",
- "simd/x86_64/jdsample-sse2.obj",
- "simd/x86_64/jfdctflt-sse.obj",
- "simd/x86_64/jfdctfst-sse2.obj",
- "simd/x86_64/jfdctint-avx2.obj",
- "simd/x86_64/jfdctint-sse2.obj",
- "simd/x86_64/jidctflt-sse2.obj",
- "simd/x86_64/jidctfst-sse2.obj",
- "simd/x86_64/jidctint-avx2.obj",
- "simd/x86_64/jidctint-sse2.obj",
- "simd/x86_64/jidctred-sse2.obj",
- "simd/x86_64/jquantf-sse2.obj",
- "simd/x86_64/jquanti-avx2.obj",
- "simd/x86_64/jquanti-sse2.obj",
- "simd/x86_64/jsimdcpu.obj",
- ],
- cmd = "for out in $(OUTS); do\n" +
- " $(location @nasm//:nasm) -fwin64 -DWIN64 -D__x86_64__" +
- " -I $$(dirname $(location simd/x86_64/jccolext-sse2.asm))/" +
- " -I $$(dirname $(location simd/nasm/jdct.inc))/" +
- " -I $$(dirname $(location simd/nasm/jdct.inc))/../../win/" +
- " -o $$out" +
- " $$(dirname $(location simd/x86_64/jccolext-sse2.asm))/$$(basename $${out%.obj}.asm)\n" +
- "done",
- tools = ["@nasm"],
-)
-
-cc_library(
- name = "simd_none",
- srcs = [
- "jchuff.h",
- "jconfig.h",
- "jdct.h",
- "jerror.h",
- "jinclude.h",
- "jmorecfg.h",
- "jpegint.h",
- "jpeglib.h",
- "jsimd.h",
- "jsimd_none.c",
- "jsimddct.h",
- ],
- copts = libjpegturbo_copts,
- nocopts = libjpegturbo_nocopts,
-)
-
-template_rule(
- name = "jconfig_win",
- src = "win/jconfig.h.in",
- out = "jconfig_win.h",
- substitutions = {
- "@JPEG_LIB_VERSION@": "62",
- "@VERSION@": "2.0.0",
- "@LIBJPEG_TURBO_VERSION_NUMBER@": "2000000",
- "@BITS_IN_JSAMPLE@": "8",
- "#cmakedefine C_ARITH_CODING_SUPPORTED": "#define C_ARITH_CODING_SUPPORTED",
- "#cmakedefine D_ARITH_CODING_SUPPORTED": "#define D_ARITH_CODING_SUPPORTED",
- "#cmakedefine MEM_SRCDST_SUPPORTED": "#define MEM_SRCDST_SUPPORTED",
- "#cmakedefine WITH_SIMD": "",
- },
-)
-
-JCONFIG_NOWIN_COMMON_SUBSTITUTIONS = {
- "@JPEG_LIB_VERSION@": "62",
- "@VERSION@": "2.0.0",
- "@LIBJPEG_TURBO_VERSION_NUMBER@": "2000000",
- "#cmakedefine C_ARITH_CODING_SUPPORTED": "#define C_ARITH_CODING_SUPPORTED",
- "#cmakedefine D_ARITH_CODING_SUPPORTED": "#define D_ARITH_CODING_SUPPORTED",
- "#cmakedefine MEM_SRCDST_SUPPORTED": "#define MEM_SRCDST_SUPPORTED",
- "@BITS_IN_JSAMPLE@": "8",
- "#cmakedefine HAVE_LOCALE_H": "#define HAVE_LOCALE_H 1",
- "#cmakedefine HAVE_STDDEF_H": "#define HAVE_STDDEF_H 1",
- "#cmakedefine HAVE_STDLIB_H": "#define HAVE_STDLIB_H 1",
- "#cmakedefine NEED_SYS_TYPES_H": "#define NEED_SYS_TYPES_H",
- "#cmakedefine NEED_BSD_STRINGS": "",
- "#cmakedefine HAVE_UNSIGNED_CHAR": "#define HAVE_UNSIGNED_CHAR 1",
- "#cmakedefine HAVE_UNSIGNED_SHORT": "#define HAVE_UNSIGNED_SHORT 1",
- "#cmakedefine INCOMPLETE_TYPES_BROKEN": "",
- "#cmakedefine RIGHT_SHIFT_IS_UNSIGNED": "",
- "#cmakedefine __CHAR_UNSIGNED__": "",
- "#undef const": "",
- "#undef size_t": "",
-}
-
-JCONFIG_NOWIN_SIMD_SUBSTITUTIONS = {
- "#cmakedefine WITH_SIMD": "#define WITH_SIMD",
-}
-
-JCONFIG_NOWIN_NOSIMD_SUBSTITUTIONS = {
- "#cmakedefine WITH_SIMD": "",
-}
-
-JCONFIG_NOWIN_SIMD_SUBSTITUTIONS.update(JCONFIG_NOWIN_COMMON_SUBSTITUTIONS)
-
-JCONFIG_NOWIN_NOSIMD_SUBSTITUTIONS.update(JCONFIG_NOWIN_COMMON_SUBSTITUTIONS)
-
-template_rule(
- name = "jconfig_nowin_nosimd",
- src = "jconfig.h.in",
- out = "jconfig_nowin_nosimd.h",
- substitutions = JCONFIG_NOWIN_NOSIMD_SUBSTITUTIONS,
-)
-
-template_rule(
- name = "jconfig_nowin_simd",
- src = "jconfig.h.in",
- out = "jconfig_nowin_simd.h",
- substitutions = JCONFIG_NOWIN_SIMD_SUBSTITUTIONS,
-)
-
-JCONFIGINT_COMMON_SUBSTITUTIONS = {
- "@BUILD@": "20180831",
- "@VERSION@": "2.0.0",
- "@CMAKE_PROJECT_NAME@": "libjpeg-turbo",
- "#undef inline": "",
- "#cmakedefine HAVE_INTRIN_H": "",
-}
-
-JCONFIGINT_NOWIN_SUBSTITUTIONS = {
- "#cmakedefine HAVE_BUILTIN_CTZL": "#define HAVE_BUILTIN_CTZL",
- "@INLINE@": "inline __attribute__((always_inline))",
- "#define SIZEOF_SIZE_T @SIZE_T@": "#if (__WORDSIZE==64 && !defined(__native_client__))\n" +
- "#define SIZEOF_SIZE_T 8\n" +
- "#else\n" +
- "#define SIZEOF_SIZE_T 4\n" +
- "#endif\n",
-}
-
-JCONFIGINT_WIN_SUBSTITUTIONS = {
- "#cmakedefine HAVE_BUILTIN_CTZL": "",
- "#define INLINE @INLINE@": "#if defined(__GNUC__)\n" +
- "#define INLINE inline __attribute__((always_inline))\n" +
- "#elif defined(_MSC_VER)\n" +
- "#define INLINE __forceinline\n" +
- "#else\n" +
- "#define INLINE\n" +
- "#endif\n",
- "#define SIZEOF_SIZE_T @SIZE_T@": "#if (__WORDSIZE==64)\n" +
- "#define SIZEOF_SIZE_T 8\n" +
- "#else\n" +
- "#define SIZEOF_SIZE_T 4\n" +
- "#endif\n",
-}
-
-JCONFIGINT_NOWIN_SUBSTITUTIONS.update(JCONFIGINT_COMMON_SUBSTITUTIONS)
-
-JCONFIGINT_WIN_SUBSTITUTIONS.update(JCONFIGINT_COMMON_SUBSTITUTIONS)
-
-template_rule(
- name = "jconfigint_nowin",
- src = "jconfigint.h.in",
- out = "jconfigint_nowin.h",
- substitutions = JCONFIGINT_NOWIN_SUBSTITUTIONS,
-)
-
-template_rule(
- name = "jconfigint_win",
- src = "jconfigint.h.in",
- out = "jconfigint_win.h",
- substitutions = JCONFIGINT_WIN_SUBSTITUTIONS,
-)
-
-genrule(
- name = "configure",
- srcs = [
- "jconfig_win.h",
- "jconfig_nowin_nosimd.h",
- "jconfig_nowin_simd.h",
- ],
- outs = ["jconfig.h"],
- cmd = select({
- ":windows": "cp $(location jconfig_win.h) $@",
- ":k8": "cp $(location jconfig_nowin_simd.h) $@",
- ":armeabi-v7a": "cp $(location jconfig_nowin_simd.h) $@",
- ":arm64-v8a": "cp $(location jconfig_nowin_simd.h) $@",
- ":linux_ppc64le": "cp $(location jconfig_nowin_simd.h) $@",
- "//conditions:default": "cp $(location jconfig_nowin_nosimd.h) $@",
- }),
-)
-
-genrule(
- name = "configure_internal",
- srcs = [
- "jconfigint_win.h",
- "jconfigint_nowin.h",
- ],
- outs = ["jconfigint.h"],
- cmd = select({
- ":windows": "cp $(location jconfigint_win.h) $@",
- "//conditions:default": "cp $(location jconfigint_nowin.h) $@",
- }),
-)
-
-# jiminy cricket the way this file is generated is completely outrageous
-genrule(
- name = "configure_simd",
- outs = ["simd/jsimdcfg.inc"],
- cmd = "cat <<'EOF' >$@\n" +
- "%define DCTSIZE 8\n" +
- "%define DCTSIZE2 64\n" +
- "%define RGB_RED 0\n" +
- "%define RGB_GREEN 1\n" +
- "%define RGB_BLUE 2\n" +
- "%define RGB_PIXELSIZE 3\n" +
- "%define EXT_RGB_RED 0\n" +
- "%define EXT_RGB_GREEN 1\n" +
- "%define EXT_RGB_BLUE 2\n" +
- "%define EXT_RGB_PIXELSIZE 3\n" +
- "%define EXT_RGBX_RED 0\n" +
- "%define EXT_RGBX_GREEN 1\n" +
- "%define EXT_RGBX_BLUE 2\n" +
- "%define EXT_RGBX_PIXELSIZE 4\n" +
- "%define EXT_BGR_RED 2\n" +
- "%define EXT_BGR_GREEN 1\n" +
- "%define EXT_BGR_BLUE 0\n" +
- "%define EXT_BGR_PIXELSIZE 3\n" +
- "%define EXT_BGRX_RED 2\n" +
- "%define EXT_BGRX_GREEN 1\n" +
- "%define EXT_BGRX_BLUE 0\n" +
- "%define EXT_BGRX_PIXELSIZE 4\n" +
- "%define EXT_XBGR_RED 3\n" +
- "%define EXT_XBGR_GREEN 2\n" +
- "%define EXT_XBGR_BLUE 1\n" +
- "%define EXT_XBGR_PIXELSIZE 4\n" +
- "%define EXT_XRGB_RED 1\n" +
- "%define EXT_XRGB_GREEN 2\n" +
- "%define EXT_XRGB_BLUE 3\n" +
- "%define EXT_XRGB_PIXELSIZE 4\n" +
- "%define RGBX_FILLER_0XFF 1\n" +
- "%define JSAMPLE byte ; unsigned char\n" +
- "%define SIZEOF_JSAMPLE SIZEOF_BYTE ; sizeof(JSAMPLE)\n" +
- "%define CENTERJSAMPLE 128\n" +
- "%define JCOEF word ; short\n" +
- "%define SIZEOF_JCOEF SIZEOF_WORD ; sizeof(JCOEF)\n" +
- "%define JDIMENSION dword ; unsigned int\n" +
- "%define SIZEOF_JDIMENSION SIZEOF_DWORD ; sizeof(JDIMENSION)\n" +
- "%define JSAMPROW POINTER ; JSAMPLE * (jpeglib.h)\n" +
- "%define JSAMPARRAY POINTER ; JSAMPROW * (jpeglib.h)\n" +
- "%define JSAMPIMAGE POINTER ; JSAMPARRAY * (jpeglib.h)\n" +
- "%define JCOEFPTR POINTER ; JCOEF * (jpeglib.h)\n" +
- "%define SIZEOF_JSAMPROW SIZEOF_POINTER ; sizeof(JSAMPROW)\n" +
- "%define SIZEOF_JSAMPARRAY SIZEOF_POINTER ; sizeof(JSAMPARRAY)\n" +
- "%define SIZEOF_JSAMPIMAGE SIZEOF_POINTER ; sizeof(JSAMPIMAGE)\n" +
- "%define SIZEOF_JCOEFPTR SIZEOF_POINTER ; sizeof(JCOEFPTR)\n" +
- "%define DCTELEM word ; short\n" +
- "%define SIZEOF_DCTELEM SIZEOF_WORD ; sizeof(DCTELEM)\n" +
- "%define float FP32 ; float\n" +
- "%define SIZEOF_FAST_FLOAT SIZEOF_FP32 ; sizeof(float)\n" +
- "%define ISLOW_MULT_TYPE word ; must be short\n" +
- "%define SIZEOF_ISLOW_MULT_TYPE SIZEOF_WORD ; sizeof(ISLOW_MULT_TYPE)\n" +
- "%define IFAST_MULT_TYPE word ; must be short\n" +
- "%define SIZEOF_IFAST_MULT_TYPE SIZEOF_WORD ; sizeof(IFAST_MULT_TYPE)\n" +
- "%define IFAST_SCALE_BITS 2 ; fractional bits in scale factors\n" +
- "%define FLOAT_MULT_TYPE FP32 ; must be float\n" +
- "%define SIZEOF_FLOAT_MULT_TYPE SIZEOF_FP32 ; sizeof(FLOAT_MULT_TYPE)\n" +
- "%define JSIMD_NONE 0x00\n" +
- "%define JSIMD_MMX 0x01\n" +
- "%define JSIMD_3DNOW 0x02\n" +
- "%define JSIMD_SSE 0x04\n" +
- "%define JSIMD_SSE2 0x08\n" +
- "EOF",
-)
-
-config_setting(
- name = "k8",
- values = {"cpu": "k8"},
-)
-
-config_setting(
- name = "android",
- values = {"crosstool_top": "//external:android/crosstool"},
-)
-
-config_setting(
- name = "armeabi-v7a",
- values = {"cpu": "armeabi-v7a"},
-)
-
-config_setting(
- name = "arm64-v8a",
- values = {"cpu": "arm64-v8a"},
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
-)
-
-config_setting(
- name = "linux_ppc64le",
- values = {"cpu": "ppc"},
-)
diff --git a/third_party/jpeg/BUILD.system b/third_party/jpeg/BUILD.system
deleted file mode 100644
index f4f52da..0000000
--- a/third_party/jpeg/BUILD.system
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # custom notice-style license, see LICENSE.md
-
-filegroup(
- name = "LICENSE.md",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "jpeg",
- linkopts = ["-ljpeg"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/jpeg/jpeg_helpers.BUILD.bazel b/third_party/jpeg/jpeg_helpers.BUILD.bazel
deleted file mode 100644
index 5b01f6e..0000000
--- a/third_party/jpeg/jpeg_helpers.BUILD.bazel
+++ /dev/null
@@ -1 +0,0 @@
-licenses(["notice"])
diff --git a/third_party/jpeg/workspace.bzl b/third_party/jpeg/workspace.bzl
deleted file mode 100644
index 2bb7dac..0000000
--- a/third_party/jpeg/workspace.bzl
+++ /dev/null
@@ -1,16 +0,0 @@
-"""loads the jpeg library, used by TF."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "jpeg",
- urls = [
- "https://mirror.bazel.build/github.com/libjpeg-turbo/libjpeg-turbo/archive/2.0.0.tar.gz",
- "https://github.com/libjpeg-turbo/libjpeg-turbo/archive/2.0.0.tar.gz",
- ],
- sha256 = "f892fff427ab3adffc289363eac26d197ce3ccacefe5f5822377348a8166069b",
- strip_prefix = "libjpeg-turbo-2.0.0",
- build_file = "//third_party/jpeg:BUILD.bazel",
- system_build_file = "//third_party/jpeg:BUILD.system",
- )
diff --git a/third_party/jsoncpp.BUILD b/third_party/jsoncpp.BUILD
deleted file mode 100644
index cf3cba0..0000000
--- a/third_party/jsoncpp.BUILD
+++ /dev/null
@@ -1,37 +0,0 @@
-licenses(["unencumbered"]) # Public Domain or MIT
-
-exports_files(["LICENSE"])
-
-cc_library(
- name = "jsoncpp",
- srcs = [
- "include/json/assertions.h",
- "src/lib_json/json_reader.cpp",
- "src/lib_json/json_tool.h",
- "src/lib_json/json_value.cpp",
- "src/lib_json/json_writer.cpp",
- ],
- hdrs = [
- "include/json/autolink.h",
- "include/json/config.h",
- "include/json/features.h",
- "include/json/forwards.h",
- "include/json/json.h",
- "include/json/reader.h",
- "include/json/value.h",
- "include/json/version.h",
- "include/json/writer.h",
- ],
- copts = [
- "-DJSON_USE_EXCEPTION=0",
- "-DJSON_HAS_INT64",
- ],
- includes = ["include"],
- visibility = ["//visibility:public"],
- deps = [":private"],
-)
-
-cc_library(
- name = "private",
- textual_hdrs = ["src/lib_json/json_valueiterator.inl"],
-)
diff --git a/third_party/kafka/BUILD b/third_party/kafka/BUILD
deleted file mode 100644
index 11ec500..0000000
--- a/third_party/kafka/BUILD
+++ /dev/null
@@ -1,180 +0,0 @@
-# Description:
-# Kafka C/C++ (librdkafka) client library
-
-licenses(["notice"]) # 2-clause BSD license
-
-exports_files(["LICENSE"])
-
-cc_library(
- name = "kafka",
- srcs = [
- "config.h",
- "src-cpp/ConfImpl.cpp",
- "src-cpp/ConsumerImpl.cpp",
- "src-cpp/HandleImpl.cpp",
- "src-cpp/KafkaConsumerImpl.cpp",
- "src-cpp/MessageImpl.cpp",
- "src-cpp/MetadataImpl.cpp",
- "src-cpp/ProducerImpl.cpp",
- "src-cpp/QueueImpl.cpp",
- "src-cpp/RdKafka.cpp",
- "src-cpp/TopicImpl.cpp",
- "src-cpp/TopicPartitionImpl.cpp",
- "src/crc32c.c",
- "src/crc32c.h",
- "src/lz4.c",
- "src/lz4.h",
- "src/lz4frame.c",
- "src/lz4frame.h",
- "src/lz4frame_static.h",
- "src/lz4hc.c",
- "src/lz4hc.h",
- "src/lz4opt.h",
- "src/queue.h",
- "src/rd.h",
- "src/rdaddr.c",
- "src/rdaddr.h",
- "src/rdatomic.h",
- "src/rdavg.h",
- "src/rdavl.c",
- "src/rdavl.h",
- "src/rdbuf.c",
- "src/rdbuf.h",
- "src/rdcrc32.h",
- "src/rddl.h",
- "src/rdendian.h",
- "src/rdgz.c",
- "src/rdgz.h",
- "src/rdinterval.h",
- "src/rdkafka.c",
- "src/rdkafka.h",
- "src/rdkafka_admin.c",
- "src/rdkafka_admin.h",
- "src/rdkafka_assignor.c",
- "src/rdkafka_assignor.h",
- "src/rdkafka_aux.c",
- "src/rdkafka_aux.h",
- "src/rdkafka_background.c",
- "src/rdkafka_broker.c",
- "src/rdkafka_broker.h",
- "src/rdkafka_buf.c",
- "src/rdkafka_buf.h",
- "src/rdkafka_cgrp.c",
- "src/rdkafka_cgrp.h",
- "src/rdkafka_conf.c",
- "src/rdkafka_conf.h",
- "src/rdkafka_confval.h",
- "src/rdkafka_event.h",
- "src/rdkafka_feature.c",
- "src/rdkafka_feature.h",
- "src/rdkafka_header.c",
- "src/rdkafka_header.h",
- "src/rdkafka_int.h",
- "src/rdkafka_interceptor.c",
- "src/rdkafka_interceptor.h",
- "src/rdkafka_lz4.c",
- "src/rdkafka_lz4.h",
- "src/rdkafka_metadata.c",
- "src/rdkafka_metadata.h",
- "src/rdkafka_metadata_cache.c",
- "src/rdkafka_msg.c",
- "src/rdkafka_msg.h",
- "src/rdkafka_msgset.h",
- "src/rdkafka_msgset_reader.c",
- "src/rdkafka_msgset_writer.c",
- "src/rdkafka_offset.c",
- "src/rdkafka_offset.h",
- "src/rdkafka_op.c",
- "src/rdkafka_op.h",
- "src/rdkafka_partition.c",
- "src/rdkafka_partition.h",
- "src/rdkafka_pattern.c",
- "src/rdkafka_pattern.h",
- "src/rdkafka_proto.h",
- "src/rdkafka_queue.c",
- "src/rdkafka_queue.h",
- "src/rdkafka_range_assignor.c",
- "src/rdkafka_request.c",
- "src/rdkafka_request.h",
- "src/rdkafka_roundrobin_assignor.c",
- "src/rdkafka_sasl.c",
- "src/rdkafka_sasl.h",
- "src/rdkafka_sasl_int.h",
- "src/rdkafka_sasl_plain.c",
- "src/rdkafka_subscription.c",
- "src/rdkafka_timer.c",
- "src/rdkafka_timer.h",
- "src/rdkafka_topic.c",
- "src/rdkafka_topic.h",
- "src/rdkafka_transport.c",
- "src/rdkafka_transport.h",
- "src/rdkafka_transport_int.h",
- "src/rdlist.c",
- "src/rdlist.h",
- "src/rdlog.c",
- "src/rdlog.h",
- "src/rdmurmur2.c",
- "src/rdmurmur2.h",
- "src/rdports.c",
- "src/rdports.h",
- "src/rdposix.h",
- "src/rdrand.c",
- "src/rdrand.h",
- "src/rdregex.c",
- "src/rdregex.h",
- "src/rdstring.c",
- "src/rdstring.h",
- "src/rdsysqueue.h",
- "src/rdtime.h",
- "src/rdtypes.h",
- "src/rdunittest.c",
- "src/rdunittest.h",
- "src/rdvarint.c",
- "src/rdvarint.h",
- "src/snappy.c",
- "src/snappy.h",
- "src/tinycthread.c",
- "src/tinycthread.h",
- "src/xxhash.c",
- "src/xxhash.h",
- ] + select({
- "@org_tensorflow//tensorflow:windows": [
- "src/rdkafka_sasl_win32.c",
- "src/rdwin32.h",
- "src/regexp.c",
- "src/regexp.h",
- ],
- "//conditions:default": [],
- }),
- hdrs = [
- "config.h",
- "src-cpp/rdkafkacpp.h",
- "src-cpp/rdkafkacpp_int.h",
- "src/lz4.c",
- "src/snappy_compat.h",
- ],
- copts = select({
- "@org_tensorflow//tensorflow:windows": [
- "-DWIN32_LEAN_AND_MEAN",
- "-DWITHOUT_WIN32_CONFIG",
- "-DWITH_ZLIB=1",
- "-DWITH_SSL=1",
- "-DWITH_SNAPPY=1",
- ],
- "//conditions:default": [],
- }),
- defines = ["LIBRDKAFKA_STATICLIB"],
- includes = [
- "src",
- "src-cpp",
- ],
- linkopts = select({
- "@org_tensorflow//tensorflow:windows": ["-defaultlib:crypt32.lib"],
- "//conditions:default": ["-lpthread"],
- }),
- visibility = ["//visibility:public"],
- deps = [
- "@boringssl//:ssl",
- "@zlib_archive//:zlib",
- ],
-)
diff --git a/third_party/kafka/config.patch b/third_party/kafka/config.patch
deleted file mode 100644
index fa5c2d3..0000000
--- a/third_party/kafka/config.patch
+++ /dev/null
@@ -1,44 +0,0 @@
-diff -Naur a/config.h b/config.h
---- a/config.h 1970-01-01 00:00:00.000000000 +0000
-+++ b/config.h 2017-10-28 00:57:03.316957390 +0000
-@@ -0,0 +1,40 @@
-+#pragma once
-+#define WITHOUT_OPTIMIZATION 0
-+#define ENABLE_DEVEL 0
-+#define ENABLE_REFCNT_DEBUG 0
-+#define ENABLE_SHAREDPTR_DEBUG 0
-+
-+#define HAVE_ATOMICS_32 1
-+#define HAVE_ATOMICS_32_SYNC 1
-+
-+#if (HAVE_ATOMICS_32)
-+# if (HAVE_ATOMICS_32_SYNC)
-+# define ATOMIC_OP32(OP1,OP2,PTR,VAL) __sync_ ## OP1 ## _and_ ## OP2(PTR, VAL)
-+# else
-+# define ATOMIC_OP32(OP1,OP2,PTR,VAL) __atomic_ ## OP1 ## _ ## OP2(PTR, VAL, __ATOMIC_SEQ_CST)
-+# endif
-+#endif
-+
-+#define HAVE_ATOMICS_64 1
-+#define HAVE_ATOMICS_64_SYNC 1
-+
-+#if (HAVE_ATOMICS_64)
-+# if (HAVE_ATOMICS_64_SYNC)
-+# define ATOMIC_OP64(OP1,OP2,PTR,VAL) __sync_ ## OP1 ## _and_ ## OP2(PTR, VAL)
-+# else
-+# define ATOMIC_OP64(OP1,OP2,PTR,VAL) __atomic_ ## OP1 ## _ ## OP2(PTR, VAL, __ATOMIC_SEQ_CST)
-+# endif
-+#endif
-+
-+
-+#define WITH_ZLIB 1
-+#define WITH_LIBDL 1
-+#define WITH_PLUGINS 0
-+#define WITH_SNAPPY 1
-+#define WITH_SOCKEM 1
-+#define WITH_SSL 1
-+#define WITH_SASL 0
-+#define WITH_SASL_SCRAM 0
-+#define WITH_SASL_CYRUS 0
-+#define HAVE_REGEX 1
-+#define HAVE_STRNDUP 1
diff --git a/third_party/keras_applications_archive/BUILD b/third_party/keras_applications_archive/BUILD
deleted file mode 100644
index 82bab3f..0000000
--- a/third_party/keras_applications_archive/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# This empty BUILD file is required to make Bazel treat this directory as a package.
diff --git a/third_party/keras_applications_archive/BUILD.bazel b/third_party/keras_applications_archive/BUILD.bazel
deleted file mode 100644
index 57c8f59..0000000
--- a/third_party/keras_applications_archive/BUILD.bazel
+++ /dev/null
@@ -1,31 +0,0 @@
-# Description: Keras Applications: set of pre-trained deep learning models.
-
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"]) # MIT
-
-exports_files(["LICENSE"])
-
-py_library(
- name = "keras_applications",
- srcs = [
- "keras_applications/__init__.py",
- "keras_applications/densenet.py",
- "keras_applications/imagenet_utils.py",
- "keras_applications/inception_resnet_v2.py",
- "keras_applications/inception_v3.py",
- "keras_applications/mobilenet.py",
- "keras_applications/mobilenet_v2.py",
- "keras_applications/nasnet.py",
- "keras_applications/resnet50.py",
- "keras_applications/vgg16.py",
- "keras_applications/vgg19.py",
- "keras_applications/xception.py",
- ],
- deps = [
- "@org_tensorflow//third_party/py/numpy",
- "@six_archive//:six",
- ],
-)
diff --git a/third_party/keras_applications_archive/BUILD.system b/third_party/keras_applications_archive/BUILD.system
deleted file mode 100644
index a3b58f1..0000000
--- a/third_party/keras_applications_archive/BUILD.system
+++ /dev/null
@@ -1,13 +0,0 @@
-# Description: Keras Applications: set of pre-trained deep learning models.
-
-licenses(["notice"]) # MIT
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "keras_applications",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/keras_applications_archive/workspace.bzl b/third_party/keras_applications_archive/workspace.bzl
deleted file mode 100644
index cf9d15c..0000000
--- a/third_party/keras_applications_archive/workspace.bzl
+++ /dev/null
@@ -1,16 +0,0 @@
-"""Loads Keras-applications python package."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "keras_applications_archive",
- strip_prefix = "keras-applications-1.0.6",
- sha256 = "2cb412c97153160ec267b238e958d281ac3532b139cab42045c2d7086a157c21",
- urls = [
- "http://mirror.bazel.build/github.com/keras-team/keras-applications/archive/1.0.6.tar.gz",
- "https://github.com/keras-team/keras-applications/archive/1.0.6.tar.gz",
- ],
- build_file = "//third_party/keras_applications_archive:BUILD.bazel",
- system_build_file = "//third_party/keras_applications_archive:BUILD.system",
- )
diff --git a/third_party/kissfft/BUILD b/third_party/kissfft/BUILD
deleted file mode 100644
index 82bab3f..0000000
--- a/third_party/kissfft/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# This empty BUILD file is required to make Bazel treat this directory as a package.
diff --git a/third_party/kissfft/BUILD.bazel b/third_party/kissfft/BUILD.bazel
deleted file mode 100644
index a57cb6e..0000000
--- a/third_party/kissfft/BUILD.bazel
+++ /dev/null
@@ -1,23 +0,0 @@
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(["LICENSE"])
-
-cc_library(
- name = "kiss_fftr_16",
- srcs = [
- "kiss_fft.c",
- "tools/kiss_fftr.c",
- ],
- hdrs = [
- "_kiss_fft_guts.h",
- "kiss_fft.h",
- "tools/kiss_fftr.h",
- ],
- copts = [
- "-DFIXED_POINT=16",
- ],
-)
diff --git a/third_party/kissfft/workspace.bzl b/third_party/kissfft/workspace.bzl
deleted file mode 100644
index 1754eb1..0000000
--- a/third_party/kissfft/workspace.bzl
+++ /dev/null
@@ -1,15 +0,0 @@
-"""Loads the kissfft library, used by TF Lite."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "kissfft",
- strip_prefix = "kissfft-cddf3833fdf24fa84b79be37efdcd348cae0e39c",
- sha256 = "7ba83a3da1636350472e501e3e6c3418df72466990530ea273c05fa7e3dd8635",
- urls = [
- "https://mirror.bazel.build/github.com/mborgerding/kissfft/archive/cddf3833fdf24fa84b79be37efdcd348cae0e39c.tar.gz",
- "https://github.com/mborgerding/kissfft/archive/cddf3833fdf24fa84b79be37efdcd348cae0e39c.tar.gz",
- ],
- build_file = "//third_party/kissfft:BUILD.bazel",
- )
diff --git a/third_party/libxsmm.BUILD b/third_party/libxsmm.BUILD
deleted file mode 100644
index dc7dcc9..0000000
--- a/third_party/libxsmm.BUILD
+++ /dev/null
@@ -1,136 +0,0 @@
-# Description:
-# LIBXSMM: Library for small matrix-matrix multiplications targeting Intel Architecture (x86).
-
-licenses(["notice"]) # BSD 3-clause
-
-exports_files(["LICENSE.md"])
-
-# Arguments to ./scripts/libxsmm_interface.py, see that file for detailed description.
-# precision: SP & DP
-# prefetch: 1 (auto)
-libxsmm_interface_arguments = "0 1"
-
-# Arguments to ./scripts/libxsmm_config.py, see that file for detailed description.
-# rely on default arguments
-libxsmm_config_arguments = ""
-
-# Arguments to ./scripts/libxsmm_dispatch.py, see that file for detailed description.
-# (dummy argument)
-libxsmm_dispatch_arguments = "0"
-
-genrule(
- name = "libxsmm_headers",
- srcs = [
- "src/template/libxsmm.h",
- "src/template/libxsmm_config.h",
- ],
- outs = [
- "include/libxsmm.h",
- "include/libxsmm_config.h",
- "include/libxsmm_dispatch.h",
- ],
- cmd = "$(location :libxsmm_interface) $(location src/template/libxsmm.h) " + libxsmm_interface_arguments + " > $(location include/libxsmm.h);" +
- "$(location :libxsmm_config) $(location src/template/libxsmm_config.h) " + libxsmm_config_arguments + " > $(location include/libxsmm_config.h);" +
- "$(location :libxsmm_dispatch) " + libxsmm_dispatch_arguments + " > $(location include/libxsmm_dispatch.h)",
- tools = [
- ":libxsmm_config",
- ":libxsmm_dispatch",
- ":libxsmm_interface",
- ],
- visibility = [
- "//tensorflow/core/kernels:__pkg__",
- "//third_party/eigen3:__pkg__",
- ],
-)
-
-cc_library(
- name = "xsmm_avx",
- srcs = [
- "src/libxsmm_cpuid_x86.c",
- "src/libxsmm_dnn.c",
- "src/libxsmm_dnn_convolution_backward.c",
- "src/libxsmm_dnn_convolution_forward.c",
- "src/libxsmm_dnn_convolution_weight_update.c",
- "src/libxsmm_dnn_convolution_winograd_backward.c",
- "src/libxsmm_dnn_convolution_winograd_forward.c",
- "src/libxsmm_dnn_convolution_winograd_weight_update.c",
- "src/libxsmm_dnn_handle.c",
- "src/libxsmm_dump.c",
- "src/libxsmm_ext_gemm.c",
- "src/libxsmm_ext_trans.c",
- "src/libxsmm_fsspmdm.c",
- "src/libxsmm_gemm.c",
- "src/libxsmm_main.c",
- "src/libxsmm_malloc.c",
- "src/libxsmm_perf.c",
- "src/libxsmm_spmdm.c",
- "src/libxsmm_sync.c",
- "src/libxsmm_timer.c",
- "src/libxsmm_trace.c",
- "src/libxsmm_trans.c",
- ] + glob([
- "src/generator_*.c",
- ]),
- hdrs = [
- "include/libxsmm_cpuid.h",
- "include/libxsmm_dnn.h",
- "include/libxsmm_frontend.h",
- "include/libxsmm_fsspmdm.h",
- "include/libxsmm_generator.h",
- "include/libxsmm_intrinsics_x86.h",
- "include/libxsmm_macros.h",
- "include/libxsmm_malloc.h",
- "include/libxsmm_spmdm.h",
- "include/libxsmm_sync.h",
- "include/libxsmm_timer.h",
- "include/libxsmm_typedefs.h",
- # Source files #included internally:
- "src/libxsmm_gemm_diff.c",
- "src/libxsmm_hash.c",
- # Generated:
- "include/libxsmm.h",
- "include/libxsmm_config.h",
- "include/libxsmm_dispatch.h",
- ] + glob([
- # trigger rebuild if template changed
- "src/template/*.c",
- ]),
- copts = [
- "-mavx", # JIT does not work without avx anyway, and this silences some CRC32 warnings.
- "-Wno-vla", # Libxsmm convolutions heavily use VLA.
- ],
- defines = [
- "LIBXSMM_BUILD",
- "__BLAS=0",
- ],
- includes = [
- "include",
- "src",
- "src/template",
- ],
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "libxsmm_scripts",
- srcs = glob(["scripts/*.py"]),
- data = ["version.txt"],
-)
-
-py_binary(
- name = "libxsmm_interface",
- srcs = ["scripts/libxsmm_interface.py"],
- deps = [":libxsmm_scripts"],
-)
-
-py_binary(
- name = "libxsmm_config",
- srcs = ["scripts/libxsmm_config.py"],
- deps = [":libxsmm_scripts"],
-)
-
-py_binary(
- name = "libxsmm_dispatch",
- srcs = ["scripts/libxsmm_dispatch.py"],
- deps = [":libxsmm_scripts"],
-)
diff --git a/third_party/linenoise.BUILD b/third_party/linenoise.BUILD
deleted file mode 100644
index 9924a62..0000000
--- a/third_party/linenoise.BUILD
+++ /dev/null
@@ -1,13 +0,0 @@
-licenses(["notice"]) # 2-clause BSD
-
-exports_files(["LICENSE"])
-
-package(
- default_visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "linenoise",
- srcs = ["linenoise.c"],
- hdrs = ["linenoise.h"],
-)
diff --git a/third_party/llvm/BUILD b/third_party/llvm/BUILD
deleted file mode 100644
index 0a9fd6b..0000000
--- a/third_party/llvm/BUILD
+++ /dev/null
@@ -1,8 +0,0 @@
-licenses(["notice"])
-
-py_binary(
- name = "expand_cmake_vars",
- srcs = ["expand_cmake_vars.py"],
- srcs_version = "PY2AND3",
- visibility = ["@llvm//:__subpackages__"],
-)
diff --git a/third_party/llvm/expand_cmake_vars.py b/third_party/llvm/expand_cmake_vars.py
deleted file mode 100644
index ffc6a25..0000000
--- a/third_party/llvm/expand_cmake_vars.py
+++ /dev/null
@@ -1,88 +0,0 @@
-# Copyright 2016 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Expands CMake variables in a text file."""
-
-from __future__ import absolute_import
-from __future__ import division
-from __future__ import print_function
-
-import re
-import sys
-
-_CMAKE_DEFINE_REGEX = re.compile(r"\s*#cmakedefine\s+([A-Za-z_0-9]*)(\s.*)?$")
-_CMAKE_DEFINE01_REGEX = re.compile(r"\s*#cmakedefine01\s+([A-Za-z_0-9]*)")
-_CMAKE_VAR_REGEX = re.compile(r"\${([A-Za-z_0-9]*)}")
-
-
-def _parse_args(argv):
- """Parses arguments with the form KEY=VALUE into a dictionary."""
- result = {}
- for arg in argv:
- k, v = arg.split("=")
- result[k] = v
- return result
-
-
-def _expand_variables(input_str, cmake_vars):
- """Expands ${VARIABLE}s in 'input_str', using dictionary 'cmake_vars'.
-
- Args:
- input_str: the string containing ${VARIABLE} expressions to expand.
- cmake_vars: a dictionary mapping variable names to their values.
-
- Returns:
- The expanded string.
- """
- def replace(match):
- if match.group(1) in cmake_vars:
- return cmake_vars[match.group(1)]
- return ""
- return _CMAKE_VAR_REGEX.sub(replace, input_str)
-
-
-def _expand_cmakedefines(line, cmake_vars):
- """Expands #cmakedefine declarations, using a dictionary 'cmake_vars'."""
-
- # Handles #cmakedefine lines
- match = _CMAKE_DEFINE_REGEX.match(line)
- if match:
- name = match.group(1)
- suffix = match.group(2) or ""
- if name in cmake_vars:
- return "#define {}{}\n".format(name,
- _expand_variables(suffix, cmake_vars))
- else:
- return "/* #undef {} */\n".format(name)
-
- # Handles #cmakedefine01 lines
- match = _CMAKE_DEFINE01_REGEX.match(line)
- if match:
- name = match.group(1)
- value = cmake_vars.get(name, "0")
- return "#define {} {}\n".format(name, value)
-
- # Otherwise return the line unchanged.
- return _expand_variables(line, cmake_vars)
-
-
-def main():
- cmake_vars = _parse_args(sys.argv[1:])
- for line in sys.stdin:
- sys.stdout.write(_expand_cmakedefines(line, cmake_vars))
-
-
-if __name__ == "__main__":
- main()
diff --git a/third_party/llvm/llvm.autogenerated.BUILD b/third_party/llvm/llvm.autogenerated.BUILD
deleted file mode 100644
index f0ee086..0000000
--- a/third_party/llvm/llvm.autogenerated.BUILD
+++ /dev/null
@@ -1,2248 +0,0 @@
-# Bazel BUILD file for LLVM.
-#
-# This BUILD file is auto-generated; do not edit!
-
-licenses(["notice"])
-
-exports_files(["LICENSE.TXT"])
-
-load(
- "@org_tensorflow//third_party/llvm:llvm.bzl",
- "cmake_var_string",
- "expand_cmake_vars",
- "gentbl",
- "llvm_all_cmake_vars",
- "llvm_copts",
- "llvm_defines",
- "llvm_linkopts",
- "llvm_support_platform_specific_srcs_glob",
-)
-load(
- "@org_tensorflow//third_party:common.bzl",
- "template_rule",
-)
-
-package(default_visibility = ["//visibility:public"])
-
-llvm_host_triple = "x86_64-unknown-linux_gnu"
-
-llvm_targets = [
- "AArch64",
- "AMDGPU",
- "ARM",
- "NVPTX",
- "PowerPC",
- "X86",
-]
-
-llvm_target_asm_parsers = llvm_targets
-
-llvm_target_asm_printers = llvm_targets
-
-llvm_target_disassemblers = llvm_targets
-
-# Performs CMake variable substitutions on configuration header files.
-expand_cmake_vars(
- name = "config_gen",
- src = "include/llvm/Config/config.h.cmake",
- cmake_vars = llvm_all_cmake_vars,
- dst = "include/llvm/Config/config.h",
-)
-
-expand_cmake_vars(
- name = "llvm_config_gen",
- src = "include/llvm/Config/llvm-config.h.cmake",
- cmake_vars = llvm_all_cmake_vars,
- dst = "include/llvm/Config/llvm-config.h",
-)
-
-expand_cmake_vars(
- name = "abi_breaking_gen",
- src = "include/llvm/Config/abi-breaking.h.cmake",
- cmake_vars = llvm_all_cmake_vars,
- dst = "include/llvm/Config/abi-breaking.h",
-)
-
-# Performs macro expansions on .def.in files
-template_rule(
- name = "targets_def_gen",
- src = "include/llvm/Config/Targets.def.in",
- out = "include/llvm/Config/Targets.def",
- substitutions = {
- "@LLVM_ENUM_TARGETS@": "\n".join(
- ["LLVM_TARGET({})".format(t) for t in llvm_targets],
- ),
- },
-)
-
-template_rule(
- name = "asm_parsers_def_gen",
- src = "include/llvm/Config/AsmParsers.def.in",
- out = "include/llvm/Config/AsmParsers.def",
- substitutions = {
- "@LLVM_ENUM_ASM_PARSERS@": "\n".join(
- ["LLVM_ASM_PARSER({})".format(t) for t in llvm_target_asm_parsers],
- ),
- },
-)
-
-template_rule(
- name = "asm_printers_def_gen",
- src = "include/llvm/Config/AsmPrinters.def.in",
- out = "include/llvm/Config/AsmPrinters.def",
- substitutions = {
- "@LLVM_ENUM_ASM_PRINTERS@": "\n".join(
- ["LLVM_ASM_PRINTER({})".format(t) for t in llvm_target_asm_printers],
- ),
- },
-)
-
-template_rule(
- name = "disassemblers_def_gen",
- src = "include/llvm/Config/Disassemblers.def.in",
- out = "include/llvm/Config/Disassemblers.def",
- substitutions = {
- "@LLVM_ENUM_DISASSEMBLERS@": "\n".join(
- ["LLVM_DISASSEMBLER({})".format(t) for t in llvm_target_disassemblers],
- ),
- },
-)
-
-# A common library that all LLVM targets depend on.
-# TODO(b/113996071): We need to glob all potentially #included files and stage
-# them here because LLVM's build files are not strict headers clean, and remote
-# build execution requires all inputs to be depended upon.
-cc_library(
- name = "config",
- hdrs = glob([
- "**/*.h",
- "**/*.def",
- "**/*.inc.cpp",
- ]) + [
- "include/llvm/Config/AsmParsers.def",
- "include/llvm/Config/AsmPrinters.def",
- "include/llvm/Config/Disassemblers.def",
- "include/llvm/Config/Targets.def",
- "include/llvm/Config/config.h",
- "include/llvm/Config/llvm-config.h",
- "include/llvm/Config/abi-breaking.h",
- ],
- defines = llvm_defines,
- includes = ["include"],
-)
-
-# A creator of an empty file include/llvm/Support/VCSRevision.h.
-# This is usually populated by the upstream build infrastructure, but in this
-# case we leave it blank. See upstream revision r300160.
-genrule(
- name = "vcs_revision_gen",
- srcs = [],
- outs = ["include/llvm/Support/VCSRevision.h"],
- cmd = "echo '' > \"$@\"",
-)
-
-# Rules that apply the LLVM tblgen tool.
-gentbl(
- name = "attributes_gen",
- tbl_outs = [("-gen-attrs", "include/llvm/IR/Attributes.inc")],
- tblgen = ":llvm-tblgen",
- td_file = "include/llvm/IR/Attributes.td",
- td_srcs = ["include/llvm/IR/Attributes.td"],
-)
-
-gentbl(
- name = "attributes_compat_gen",
- tbl_outs = [("-gen-attrs", "lib/IR/AttributesCompatFunc.inc")],
- tblgen = ":llvm-tblgen",
- td_file = "lib/IR/AttributesCompatFunc.td",
- td_srcs = [
- "lib/IR/AttributesCompatFunc.td",
- "include/llvm/IR/Attributes.td",
- ],
-)
-
-gentbl(
- name = "instcombine_transforms_gen",
- tbl_outs = [(
- "-gen-searchable-tables",
- "lib/Transforms/InstCombine/InstCombineTables.inc",
- )],
- tblgen = ":llvm-tblgen",
- td_file = "lib/Transforms/InstCombine/InstCombineTables.td",
- td_srcs = glob([
- "include/llvm/CodeGen/*.td",
- "include/llvm/IR/Intrinsics*.td",
- ]) + ["include/llvm/TableGen/SearchableTable.td"],
-)
-
-gentbl(
- name = "intrinsic_enums_gen",
- tbl_outs = [("-gen-intrinsic-enums", "include/llvm/IR/IntrinsicEnums.inc")],
- tblgen = ":llvm-tblgen",
- td_file = "include/llvm/IR/Intrinsics.td",
- td_srcs = glob([
- "include/llvm/CodeGen/*.td",
- "include/llvm/IR/Intrinsics*.td",
- ]),
-)
-
-gentbl(
- name = "intrinsics_impl_gen",
- tbl_outs = [("-gen-intrinsic-impl", "include/llvm/IR/IntrinsicImpl.inc")],
- tblgen = ":llvm-tblgen",
- td_file = "include/llvm/IR/Intrinsics.td",
- td_srcs = glob([
- "include/llvm/CodeGen/*.td",
- "include/llvm/IR/Intrinsics*.td",
- ]),
-)
-
-# Binary targets used by Tensorflow.
-cc_binary(
- name = "llvm-tblgen",
- srcs = glob([
- "utils/TableGen/*.cpp",
- "utils/TableGen/*.h",
- ]),
- copts = llvm_copts,
- linkopts = llvm_linkopts,
- stamp = 0,
- deps = [
- ":config",
- ":support",
- ":table_gen",
- ],
-)
-
-cc_binary(
- name = "FileCheck",
- testonly = 1,
- srcs = glob([
- "utils/FileCheck/*.cpp",
- "utils/FileCheck/*.h",
- ]),
- copts = llvm_copts,
- linkopts = llvm_linkopts,
- stamp = 0,
- deps = [":support"],
-)
-
-llvm_target_list = [
- {
- "name": "AArch64",
- "lower_name": "aarch64",
- "short_name": "AArch64",
- "tbl_outs": [
- ("-gen-register-bank", "lib/Target/AArch64/AArch64GenRegisterBank.inc"),
- ("-gen-register-info", "lib/Target/AArch64/AArch64GenRegisterInfo.inc"),
- ("-gen-instr-info", "lib/Target/AArch64/AArch64GenInstrInfo.inc"),
- ("-gen-emitter", "lib/Target/AArch64/AArch64GenMCCodeEmitter.inc"),
- ("-gen-pseudo-lowering", "lib/Target/AArch64/AArch64GenMCPseudoLowering.inc"),
- ("-gen-asm-writer", "lib/Target/AArch64/AArch64GenAsmWriter.inc"),
- ("-gen-asm-writer -asmwriternum=1", "lib/Target/AArch64/AArch64GenAsmWriter1.inc"),
- ("-gen-asm-matcher", "lib/Target/AArch64/AArch64GenAsmMatcher.inc"),
- ("-gen-dag-isel", "lib/Target/AArch64/AArch64GenDAGISel.inc"),
- ("-gen-fast-isel", "lib/Target/AArch64/AArch64GenFastISel.inc"),
- ("-gen-global-isel", "lib/Target/AArch64/AArch64GenGlobalISel.inc"),
- ("-gen-callingconv", "lib/Target/AArch64/AArch64GenCallingConv.inc"),
- ("-gen-subtarget", "lib/Target/AArch64/AArch64GenSubtargetInfo.inc"),
- ("-gen-disassembler", "lib/Target/AArch64/AArch64GenDisassemblerTables.inc"),
- ("-gen-searchable-tables", "lib/Target/AArch64/AArch64GenSystemOperands.inc"),
- ],
- },
- {
- "name": "AMDGPU",
- "lower_name": "amdgpu",
- "short_name": "AMDGPU",
- "tbl_outs": [
- ("-gen-register-bank", "lib/Target/AMDGPU/AMDGPUGenRegisterBank.inc"),
- ("-gen-register-info", "lib/Target/AMDGPU/AMDGPUGenRegisterInfo.inc"),
- ("-gen-instr-info", "lib/Target/AMDGPU/AMDGPUGenInstrInfo.inc"),
- ("-gen-dag-isel", "lib/Target/AMDGPU/AMDGPUGenDAGISel.inc"),
- ("-gen-callingconv", "lib/Target/AMDGPU/AMDGPUGenCallingConv.inc"),
- ("-gen-subtarget", "lib/Target/AMDGPU/AMDGPUGenSubtargetInfo.inc"),
- ("-gen-tgt-intrinsic-impl", "lib/Target/AMDGPU/AMDGPUGenIntrinsicImpl.inc"),
- ("-gen-tgt-intrinsic-enums", "lib/Target/AMDGPU/AMDGPUGenIntrinsicEnums.inc"),
- ("-gen-emitter", "lib/Target/AMDGPU/AMDGPUGenMCCodeEmitter.inc"),
- ("-gen-dfa-packetizer", "lib/Target/AMDGPU/AMDGPUGenDFAPacketizer.inc"),
- ("-gen-asm-writer", "lib/Target/AMDGPU/AMDGPUGenAsmWriter.inc"),
- ("-gen-asm-matcher", "lib/Target/AMDGPU/AMDGPUGenAsmMatcher.inc"),
- ("-gen-disassembler", "lib/Target/AMDGPU/AMDGPUGenDisassemblerTables.inc"),
- ("-gen-pseudo-lowering", "lib/Target/AMDGPU/AMDGPUGenMCPseudoLowering.inc"),
- ("-gen-searchable-tables", "lib/Target/AMDGPU/AMDGPUGenSearchableTables.inc"),
- ("-gen-global-isel", "lib/Target/AMDGPU/AMDGPUGenGlobalISel.inc"),
- ],
- },
- {
- "name": "AMDGPU",
- "lower_name": "amdgpu_r600",
- "short_name": "R600",
- "tbl_outs": [
- ("-gen-asm-writer", "lib/Target/AMDGPU/R600GenAsmWriter.inc"),
- ("-gen-callingconv", "lib/Target/AMDGPU/R600GenCallingConv.inc"),
- ("-gen-dag-isel", "lib/Target/AMDGPU/R600GenDAGISel.inc"),
- ("-gen-dfa-packetizer", "lib/Target/AMDGPU/R600GenDFAPacketizer.inc"),
- ("-gen-instr-info", "lib/Target/AMDGPU/R600GenInstrInfo.inc"),
- ("-gen-emitter", "lib/Target/AMDGPU/R600GenMCCodeEmitter.inc"),
- ("-gen-register-info", "lib/Target/AMDGPU/R600GenRegisterInfo.inc"),
- ("-gen-subtarget", "lib/Target/AMDGPU/R600GenSubtargetInfo.inc"),
- ],
- },
- {
- "name": "ARM",
- "lower_name": "arm",
- "short_name": "ARM",
- "tbl_outs": [
- ("-gen-register-bank", "lib/Target/ARM/ARMGenRegisterBank.inc"),
- ("-gen-register-info", "lib/Target/ARM/ARMGenRegisterInfo.inc"),
- ("-gen-searchable-tables", "lib/Target/ARM/ARMGenSystemRegister.inc"),
- ("-gen-instr-info", "lib/Target/ARM/ARMGenInstrInfo.inc"),
- ("-gen-emitter", "lib/Target/ARM/ARMGenMCCodeEmitter.inc"),
- ("-gen-pseudo-lowering", "lib/Target/ARM/ARMGenMCPseudoLowering.inc"),
- ("-gen-asm-writer", "lib/Target/ARM/ARMGenAsmWriter.inc"),
- ("-gen-asm-matcher", "lib/Target/ARM/ARMGenAsmMatcher.inc"),
- ("-gen-dag-isel", "lib/Target/ARM/ARMGenDAGISel.inc"),
- ("-gen-fast-isel", "lib/Target/ARM/ARMGenFastISel.inc"),
- ("-gen-global-isel", "lib/Target/ARM/ARMGenGlobalISel.inc"),
- ("-gen-callingconv", "lib/Target/ARM/ARMGenCallingConv.inc"),
- ("-gen-subtarget", "lib/Target/ARM/ARMGenSubtargetInfo.inc"),
- ("-gen-disassembler", "lib/Target/ARM/ARMGenDisassemblerTables.inc"),
- ],
- },
- {
- "name": "NVPTX",
- "lower_name": "nvptx",
- "short_name": "NVPTX",
- "tbl_outs": [
- ("-gen-register-info", "lib/Target/NVPTX/NVPTXGenRegisterInfo.inc"),
- ("-gen-instr-info", "lib/Target/NVPTX/NVPTXGenInstrInfo.inc"),
- ("-gen-asm-writer", "lib/Target/NVPTX/NVPTXGenAsmWriter.inc"),
- ("-gen-dag-isel", "lib/Target/NVPTX/NVPTXGenDAGISel.inc"),
- ("-gen-subtarget", "lib/Target/NVPTX/NVPTXGenSubtargetInfo.inc"),
- ],
- },
- {
- "name": "PowerPC",
- "lower_name": "powerpc",
- "short_name": "PPC",
- "tbl_outs": [
- ("-gen-asm-writer", "lib/Target/PowerPC/PPCGenAsmWriter.inc"),
- ("-gen-asm-matcher", "lib/Target/PowerPC/PPCGenAsmMatcher.inc"),
- ("-gen-emitter", "lib/Target/PowerPC/PPCGenMCCodeEmitter.inc"),
- ("-gen-register-info", "lib/Target/PowerPC/PPCGenRegisterInfo.inc"),
- ("-gen-instr-info", "lib/Target/PowerPC/PPCGenInstrInfo.inc"),
- ("-gen-dag-isel", "lib/Target/PowerPC/PPCGenDAGISel.inc"),
- ("-gen-fast-isel", "lib/Target/PowerPC/PPCGenFastISel.inc"),
- ("-gen-callingconv", "lib/Target/PowerPC/PPCGenCallingConv.inc"),
- ("-gen-subtarget", "lib/Target/PowerPC/PPCGenSubtargetInfo.inc"),
- ("-gen-disassembler", "lib/Target/PowerPC/PPCGenDisassemblerTables.inc"),
- ],
- },
- {
- "name": "X86",
- "lower_name": "x86",
- "short_name": "X86",
- "tbl_outs": [
- ("-gen-register-bank", "lib/Target/X86/X86GenRegisterBank.inc"),
- ("-gen-register-info", "lib/Target/X86/X86GenRegisterInfo.inc"),
- ("-gen-disassembler", "lib/Target/X86/X86GenDisassemblerTables.inc"),
- ("-gen-instr-info", "lib/Target/X86/X86GenInstrInfo.inc"),
- ("-gen-asm-writer", "lib/Target/X86/X86GenAsmWriter.inc"),
- ("-gen-asm-writer -asmwriternum=1", "lib/Target/X86/X86GenAsmWriter1.inc"),
- ("-gen-asm-matcher", "lib/Target/X86/X86GenAsmMatcher.inc"),
- ("-gen-dag-isel", "lib/Target/X86/X86GenDAGISel.inc"),
- ("-gen-fast-isel", "lib/Target/X86/X86GenFastISel.inc"),
- ("-gen-global-isel", "lib/Target/X86/X86GenGlobalISel.inc"),
- ("-gen-callingconv", "lib/Target/X86/X86GenCallingConv.inc"),
- ("-gen-subtarget", "lib/Target/X86/X86GenSubtargetInfo.inc"),
- ("-gen-x86-EVEX2VEX-tables", "lib/Target/X86/X86GenEVEX2VEXTables.inc"),
- ],
- },
-]
-
-[
- gentbl(
- name = target["lower_name"] + "_target_gen",
- tbl_outs = target["tbl_outs"],
- tblgen = ":llvm-tblgen",
- td_file = ("lib/Target/" + target["name"] + "/" + target["short_name"] +
- ".td"),
- td_srcs = glob([
- "lib/Target/" + target["name"] + "/*.td",
- "include/llvm/CodeGen/*.td",
- "include/llvm/IR/Intrinsics*.td",
- "include/llvm/TableGen/*.td",
- "include/llvm/Target/*.td",
- "include/llvm/Target/GlobalISel/*.td",
- ]),
- )
- for target in llvm_target_list
-]
-
-# This target is used to provide *.def files to x86_code_gen.
-# Files with '.def' extension are not allowed in 'srcs' of 'cc_library' rule.
-cc_library(
- name = "x86_defs",
- hdrs = glob([
- "lib/Target/X86/*.def",
- ]),
- visibility = ["//visibility:private"],
-)
-
-# This filegroup provides the docker build script in LLVM repo
-filegroup(
- name = "docker",
- srcs = glob([
- "utils/docker/build_docker_image.sh",
- ]),
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "aarch64_asm_parser",
- srcs = glob([
- "lib/Target/AArch64/AsmParser/*.c",
- "lib/Target/AArch64/AsmParser/*.cpp",
- "lib/Target/AArch64/AsmParser/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AArch64/AsmParser/*.h",
- "include/llvm/Target/AArch64/AsmParser/*.def",
- "include/llvm/Target/AArch64/AsmParser/*.inc",
- "lib/Target/AArch64/AsmParser/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AArch64"],
- deps = [
- ":aarch64_desc",
- ":aarch64_info",
- ":aarch64_utils",
- ":config",
- ":mc",
- ":mc_parser",
- ":support",
- ],
-)
-
-cc_library(
- name = "aarch64_asm_printer",
- srcs = glob([
- "lib/Target/AArch64/InstPrinter/*.c",
- "lib/Target/AArch64/InstPrinter/*.cpp",
- "lib/Target/AArch64/InstPrinter/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AArch64/InstPrinter/*.h",
- "include/llvm/Target/AArch64/InstPrinter/*.def",
- "include/llvm/Target/AArch64/InstPrinter/*.inc",
- "lib/Target/AArch64/InstPrinter/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AArch64"],
- deps = [
- ":aarch64_target_gen",
- ":aarch64_utils",
- ":config",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "aarch64_code_gen",
- srcs = glob([
- "lib/Target/AArch64/*.c",
- "lib/Target/AArch64/*.cpp",
- "lib/Target/AArch64/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AArch64/*.h",
- "include/llvm/Target/AArch64/*.def",
- "include/llvm/Target/AArch64/*.inc",
- "lib/Target/AArch64/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AArch64"],
- deps = [
- ":aarch64_asm_printer",
- ":aarch64_desc",
- ":aarch64_info",
- ":aarch64_utils",
- ":analysis",
- ":asm_printer",
- ":code_gen",
- ":config",
- ":core",
- ":global_i_sel",
- ":mc",
- ":scalar",
- ":selection_dag",
- ":support",
- ":target",
- ],
-)
-
-cc_library(
- name = "aarch64_desc",
- srcs = glob([
- "lib/Target/AArch64/MCTargetDesc/*.c",
- "lib/Target/AArch64/MCTargetDesc/*.cpp",
- "lib/Target/AArch64/MCTargetDesc/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AArch64/MCTargetDesc/*.h",
- "include/llvm/Target/AArch64/MCTargetDesc/*.def",
- "include/llvm/Target/AArch64/MCTargetDesc/*.inc",
- "lib/Target/AArch64/MCTargetDesc/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AArch64"],
- deps = [
- ":aarch64_asm_printer",
- ":aarch64_info",
- ":aarch64_target_gen",
- ":attributes_gen",
- ":config",
- ":intrinsic_enums_gen",
- ":intrinsics_impl_gen",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "aarch64_disassembler",
- srcs = glob([
- "lib/Target/AArch64/Disassembler/*.c",
- "lib/Target/AArch64/Disassembler/*.cpp",
- "lib/Target/AArch64/Disassembler/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AArch64/Disassembler/*.h",
- "include/llvm/Target/AArch64/Disassembler/*.def",
- "include/llvm/Target/AArch64/Disassembler/*.inc",
- "lib/Target/AArch64/Disassembler/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AArch64"],
- deps = [
- ":aarch64_desc",
- ":aarch64_info",
- ":aarch64_utils",
- ":config",
- ":mc",
- ":mc_disassembler",
- ":support",
- ],
-)
-
-cc_library(
- name = "aarch64_info",
- srcs = glob([
- "lib/Target/AArch64/TargetInfo/*.c",
- "lib/Target/AArch64/TargetInfo/*.cpp",
- "lib/Target/AArch64/TargetInfo/*.inc",
- "lib/Target/AArch64/MCTargetDesc/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/AArch64/TargetInfo/*.h",
- "include/llvm/Target/AArch64/TargetInfo/*.def",
- "include/llvm/Target/AArch64/TargetInfo/*.inc",
- "lib/Target/AArch64/*.def",
- "lib/Target/AArch64/AArch64*.h",
- "lib/Target/AArch64/TargetInfo/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AArch64"],
- deps = [
- ":code_gen",
- ":config",
- ":support",
- ":target",
- ],
-)
-
-cc_library(
- name = "aarch64_utils",
- srcs = glob([
- "lib/Target/AArch64/Utils/*.c",
- "lib/Target/AArch64/Utils/*.cpp",
- "lib/Target/AArch64/Utils/*.inc",
- "lib/Target/AArch64/MCTargetDesc/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/AArch64/Utils/*.h",
- "include/llvm/Target/AArch64/Utils/*.def",
- "include/llvm/Target/AArch64/Utils/*.inc",
- "lib/Target/AArch64/Utils/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AArch64"],
- deps = [
- ":aarch64_target_gen",
- ":config",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "aggressive_inst_combine",
- srcs = glob([
- "lib/Transforms/AggressiveInstCombine/*.c",
- "lib/Transforms/AggressiveInstCombine/*.cpp",
- "lib/Transforms/AggressiveInstCombine/*.inc",
- "lib/Transforms/AggressiveInstCombine/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Transforms/AggressiveInstCombine/*.h",
- "include/llvm/Transforms/AggressiveInstCombine/*.def",
- "include/llvm/Transforms/AggressiveInstCombine/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":config",
- ":core",
- ":support",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "analysis",
- srcs = glob([
- "lib/Analysis/*.c",
- "lib/Analysis/*.cpp",
- "lib/Analysis/*.inc",
- "include/llvm/Transforms/Utils/Local.h",
- "include/llvm/Transforms/Scalar.h",
- "lib/Analysis/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Analysis/*.h",
- "include/llvm/Analysis/*.def",
- "include/llvm/Analysis/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":binary_format",
- ":config",
- ":core",
- ":object",
- ":profile_data",
- ":support",
- ],
-)
-
-cc_library(
- name = "amdgpu_desc",
- srcs = glob([
- "lib/Target/AMDGPU/MCTargetDesc/*.c",
- "lib/Target/AMDGPU/MCTargetDesc/*.cpp",
- "lib/Target/AMDGPU/MCTargetDesc/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AMDGPU/MCTargetDesc/*.h",
- "include/llvm/Target/AMDGPU/MCTargetDesc/*.def",
- "include/llvm/Target/AMDGPU/MCTargetDesc/*.inc",
- "lib/Target/AMDGPU/MCTargetDesc/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AMDGPU"],
- deps = [
- ":amdgpu_asm_printer",
- ":amdgpu_info",
- ":amdgpu_utils",
- ":binary_format",
- ":config",
- ":core",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "amdgpu_disassembler",
- srcs = glob([
- "lib/Target/AMDGPU/Disassembler/*.c",
- "lib/Target/AMDGPU/Disassembler/*.cpp",
- "lib/Target/AMDGPU/Disassembler/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AMDGPU/Disassembler/*.h",
- "include/llvm/Target/AMDGPU/Disassembler/*.def",
- "include/llvm/Target/AMDGPU/Disassembler/*.inc",
- "lib/Target/AMDGPU/Disassembler/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AMDGPU"],
- deps = [
- ":amdgpu_desc",
- ":amdgpu_info",
- ":amdgpu_utils",
- ":config",
- ":mc",
- ":mc_disassembler",
- ":support",
- ],
-)
-
-cc_library(
- name = "amdgpu_info",
- srcs = glob([
- "lib/Target/AMDGPU/TargetInfo/*.c",
- "lib/Target/AMDGPU/TargetInfo/*.cpp",
- "lib/Target/AMDGPU/TargetInfo/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AMDGPU/TargetInfo/*.h",
- "include/llvm/Target/AMDGPU/TargetInfo/*.def",
- "include/llvm/Target/AMDGPU/TargetInfo/*.inc",
- "lib/Target/AMDGPU/TargetInfo/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AMDGPU"],
- deps = [
- ":amdgpu_r600_target_gen",
- ":amdgpu_target_gen",
- ":config",
- ":core",
- ":support",
- ],
-)
-
-cc_library(
- name = "amdgpu_utils",
- srcs = glob([
- "lib/Target/AMDGPU/Utils/*.c",
- "lib/Target/AMDGPU/Utils/*.cpp",
- "lib/Target/AMDGPU/Utils/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AMDGPU/Utils/*.h",
- "include/llvm/Target/AMDGPU/Utils/*.def",
- "include/llvm/Target/AMDGPU/Utils/*.inc",
- "lib/Target/AMDGPU/Utils/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AMDGPU"],
- deps = [
- ":amdgpu_r600_target_gen",
- ":amdgpu_target_gen",
- ":config",
- ":core",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "amdgpu_asm_parser",
- srcs = glob([
- "lib/Target/AMDGPU/AsmParser/*.c",
- "lib/Target/AMDGPU/AsmParser/*.cpp",
- "lib/Target/AMDGPU/AsmParser/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AMDGPU/AsmParser/*.h",
- "include/llvm/Target/AMDGPU/AsmParser/*.def",
- "include/llvm/Target/AMDGPU/AsmParser/*.inc",
- "lib/Target/AMDGPU/AsmParser/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AMDGPU"],
- deps = [
- ":amdgpu_desc",
- ":amdgpu_info",
- ":amdgpu_utils",
- ":config",
- ":mc",
- ":mc_parser",
- ":support",
- ],
-)
-
-cc_library(
- name = "amdgpu_asm_printer",
- srcs = glob([
- "lib/Target/AMDGPU/InstPrinter/*.c",
- "lib/Target/AMDGPU/InstPrinter/*.cpp",
- "lib/Target/AMDGPU/InstPrinter/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AMDGPU/InstPrinter/*.h",
- "include/llvm/Target/AMDGPU/InstPrinter/*.def",
- "include/llvm/Target/AMDGPU/InstPrinter/*.inc",
- "lib/Target/AMDGPU/InstPrinter/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AMDGPU"],
- deps = [
- ":amdgpu_utils",
- ":config",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "amdgpu_code_gen",
- srcs = glob([
- "lib/Target/AMDGPU/*.c",
- "lib/Target/AMDGPU/*.cpp",
- "lib/Target/AMDGPU/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/AMDGPU/*.h",
- "include/llvm/Target/AMDGPU/*.def",
- "include/llvm/Target/AMDGPU/*.inc",
- "lib/Target/AMDGPU/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/AMDGPU"],
- deps = [
- ":amdgpu_asm_printer",
- ":amdgpu_desc",
- ":amdgpu_info",
- ":amdgpu_utils",
- ":analysis",
- ":asm_printer",
- ":binary_format",
- ":code_gen",
- ":config",
- ":core",
- ":global_i_sel",
- ":ipo",
- ":mc",
- ":scalar",
- ":selection_dag",
- ":support",
- ":target",
- ":transform_utils",
- ":vectorize",
- ],
-)
-
-cc_library(
- name = "arm_asm_parser",
- srcs = glob([
- "lib/Target/ARM/AsmParser/*.c",
- "lib/Target/ARM/AsmParser/*.cpp",
- "lib/Target/ARM/AsmParser/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/ARM/AsmParser/*.h",
- "include/llvm/Target/ARM/AsmParser/*.def",
- "include/llvm/Target/ARM/AsmParser/*.inc",
- "lib/Target/ARM/AsmParser/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/ARM"],
- deps = [
- ":arm_asm_printer",
- ":arm_desc",
- ":arm_info",
- ":arm_utils",
- ":config",
- ":mc",
- ":mc_parser",
- ":support",
- ],
-)
-
-cc_library(
- name = "arm_asm_printer",
- srcs = glob([
- "lib/Target/ARM/InstPrinter/*.c",
- "lib/Target/ARM/InstPrinter/*.cpp",
- "lib/Target/ARM/InstPrinter/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/ARM/InstPrinter/*.h",
- "include/llvm/Target/ARM/InstPrinter/*.def",
- "include/llvm/Target/ARM/InstPrinter/*.inc",
- "lib/Target/ARM/*.h",
- "lib/Target/ARM/InstPrinter/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/ARM"],
- deps = [
- ":arm_info",
- ":arm_target_gen",
- ":arm_utils",
- ":config",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "arm_code_gen",
- srcs = glob([
- "lib/Target/ARM/*.c",
- "lib/Target/ARM/*.cpp",
- "lib/Target/ARM/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/ARM/*.h",
- "include/llvm/Target/ARM/*.def",
- "include/llvm/Target/ARM/*.inc",
- "lib/Target/ARM/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/ARM"],
- deps = [
- ":analysis",
- ":arm_asm_printer",
- ":arm_desc",
- ":arm_info",
- ":arm_utils",
- ":asm_printer",
- ":code_gen",
- ":config",
- ":core",
- ":global_i_sel",
- ":mc",
- ":scalar",
- ":selection_dag",
- ":support",
- ":target",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "arm_desc",
- srcs = glob([
- "lib/Target/ARM/MCTargetDesc/*.c",
- "lib/Target/ARM/MCTargetDesc/*.cpp",
- "lib/Target/ARM/MCTargetDesc/*.inc",
- "lib/Target/ARM/*.h",
- "include/llvm/CodeGen/GlobalISel/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/ARM/MCTargetDesc/*.h",
- "include/llvm/Target/ARM/MCTargetDesc/*.def",
- "include/llvm/Target/ARM/MCTargetDesc/*.inc",
- "lib/Target/ARM/MCTargetDesc/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/ARM"],
- deps = [
- ":arm_asm_printer",
- ":arm_info",
- ":arm_target_gen",
- ":attributes_gen",
- ":config",
- ":intrinsic_enums_gen",
- ":intrinsics_impl_gen",
- ":mc",
- ":mc_disassembler",
- ":support",
- ],
-)
-
-cc_library(
- name = "arm_disassembler",
- srcs = glob([
- "lib/Target/ARM/Disassembler/*.c",
- "lib/Target/ARM/Disassembler/*.cpp",
- "lib/Target/ARM/Disassembler/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/ARM/Disassembler/*.h",
- "include/llvm/Target/ARM/Disassembler/*.def",
- "include/llvm/Target/ARM/Disassembler/*.inc",
- "lib/Target/ARM/Disassembler/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/ARM"],
- deps = [
- ":arm_desc",
- ":arm_info",
- ":arm_utils",
- ":config",
- ":mc_disassembler",
- ":support",
- ],
-)
-
-cc_library(
- name = "arm_info",
- srcs = glob([
- "lib/Target/ARM/TargetInfo/*.c",
- "lib/Target/ARM/TargetInfo/*.cpp",
- "lib/Target/ARM/TargetInfo/*.inc",
- "lib/Target/ARM/MCTargetDesc/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/ARM/TargetInfo/*.h",
- "include/llvm/Target/ARM/TargetInfo/*.def",
- "include/llvm/Target/ARM/TargetInfo/*.inc",
- "lib/Target/ARM/TargetInfo/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/ARM"],
- deps = [
- ":arm_target_gen",
- ":config",
- ":support",
- ":target",
- ],
-)
-
-cc_library(
- name = "arm_utils",
- srcs = glob([
- "lib/Target/ARM/Utils/*.c",
- "lib/Target/ARM/Utils/*.cpp",
- "lib/Target/ARM/Utils/*.inc",
- "lib/Target/ARM/MCTargetDesc/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/ARM/Utils/*.h",
- "include/llvm/Target/ARM/Utils/*.def",
- "include/llvm/Target/ARM/Utils/*.inc",
- "lib/Target/ARM/Utils/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/ARM"],
- deps = [
- ":arm_target_gen",
- ":config",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "asm_parser",
- srcs = glob([
- "lib/AsmParser/*.c",
- "lib/AsmParser/*.cpp",
- "lib/AsmParser/*.inc",
- "lib/AsmParser/*.h",
- ]),
- hdrs = glob([
- "include/llvm/AsmParser/*.h",
- "include/llvm/AsmParser/*.def",
- "include/llvm/AsmParser/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":binary_format",
- ":config",
- ":core",
- ":support",
- ],
-)
-
-cc_library(
- name = "asm_printer",
- srcs = glob([
- "lib/CodeGen/AsmPrinter/*.c",
- "lib/CodeGen/AsmPrinter/*.cpp",
- "lib/CodeGen/AsmPrinter/*.inc",
- "lib/CodeGen/AsmPrinter/*.h",
- ]),
- hdrs = glob([
- "include/llvm/CodeGen/AsmPrinter/*.h",
- "include/llvm/CodeGen/AsmPrinter/*.def",
- "include/llvm/CodeGen/AsmPrinter/*.inc",
- "lib/CodeGen/AsmPrinter/*.def",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":binary_format",
- ":code_gen",
- ":config",
- ":core",
- ":debug_info_code_view",
- ":debug_info_msf",
- ":mc",
- ":mc_parser",
- ":support",
- ":target",
- ],
-)
-
-cc_library(
- name = "binary_format",
- srcs = glob([
- "lib/BinaryFormat/*.c",
- "lib/BinaryFormat/*.cpp",
- "lib/BinaryFormat/*.inc",
- "lib/BinaryFormat/*.h",
- ]),
- hdrs = glob([
- "include/llvm/BinaryFormat/*.h",
- "include/llvm/BinaryFormat/*.def",
- "include/llvm/BinaryFormat/*.inc",
- "include/llvm/BinaryFormat/ELFRelocs/*.def",
- "include/llvm/BinaryFormat/WasmRelocs/*.def",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":support",
- ],
-)
-
-cc_library(
- name = "bit_reader",
- srcs = glob([
- "lib/Bitcode/Reader/*.c",
- "lib/Bitcode/Reader/*.cpp",
- "lib/Bitcode/Reader/*.inc",
- "lib/Bitcode/Reader/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Bitcode/Reader/*.h",
- "include/llvm/Bitcode/Reader/*.def",
- "include/llvm/Bitcode/Reader/*.inc",
- "include/llvm/Bitcode/BitstreamReader.h",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":core",
- ":support",
- ],
-)
-
-cc_library(
- name = "bit_writer",
- srcs = glob([
- "lib/Bitcode/Writer/*.c",
- "lib/Bitcode/Writer/*.cpp",
- "lib/Bitcode/Writer/*.inc",
- "lib/Bitcode/Writer/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Bitcode/Writer/*.h",
- "include/llvm/Bitcode/Writer/*.def",
- "include/llvm/Bitcode/Writer/*.inc",
- "include/llvm/Bitcode/BitcodeWriter.h",
- "include/llvm/Bitcode/BitcodeWriterPass.h",
- "include/llvm/Bitcode/BitstreamWriter.h",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":config",
- ":core",
- ":mc",
- ":object",
- ":support",
- ],
-)
-
-cc_library(
- name = "code_gen",
- srcs = glob([
- "lib/CodeGen/*.c",
- "lib/CodeGen/*.cpp",
- "lib/CodeGen/*.inc",
- "lib/CodeGen/*.h",
- ]),
- hdrs = glob([
- "include/llvm/CodeGen/*.h",
- "include/llvm/CodeGen/*.def",
- "include/llvm/CodeGen/*.inc",
- "include/llvm/CodeGen/**/*.h",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":bit_reader",
- ":bit_writer",
- ":config",
- ":core",
- ":instrumentation",
- ":mc",
- ":profile_data",
- ":scalar",
- ":support",
- ":target",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "core",
- srcs = glob([
- "lib/IR/*.c",
- "lib/IR/*.cpp",
- "lib/IR/*.inc",
- "include/llvm/Analysis/*.h",
- "include/llvm/Bitcode/BitcodeReader.h",
- "include/llvm/Bitcode/BitCodes.h",
- "include/llvm/Bitcode/LLVMBitCodes.h",
- "include/llvm/CodeGen/MachineValueType.h",
- "include/llvm/CodeGen/ValueTypes.h",
- "lib/IR/*.h",
- ]),
- hdrs = glob([
- "include/llvm/IR/*.h",
- "include/llvm/IR/*.def",
- "include/llvm/IR/*.inc",
- "include/llvm/*.h",
- "include/llvm/Analysis/*.def",
- ]),
- copts = llvm_copts,
- deps = [
- ":attributes_compat_gen",
- ":attributes_gen",
- ":binary_format",
- ":config",
- ":intrinsic_enums_gen",
- ":intrinsics_impl_gen",
- ":support",
- ],
-)
-
-cc_library(
- name = "debug_info_code_view",
- srcs = glob([
- "lib/DebugInfo/CodeView/*.c",
- "lib/DebugInfo/CodeView/*.cpp",
- "lib/DebugInfo/CodeView/*.inc",
- "lib/DebugInfo/CodeView/*.h",
- ]),
- hdrs = glob([
- "include/llvm/DebugInfo/CodeView/*.h",
- "include/llvm/DebugInfo/CodeView/*.def",
- "include/llvm/DebugInfo/CodeView/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":binary_format",
- ":config",
- ":debug_info_msf",
- ":support",
- ],
-)
-
-cc_library(
- name = "debug_info_msf",
- srcs = glob([
- "lib/DebugInfo/MSF/*.c",
- "lib/DebugInfo/MSF/*.cpp",
- "lib/DebugInfo/MSF/*.inc",
- "lib/DebugInfo/MSF/*.h",
- ]),
- hdrs = glob([
- "include/llvm/DebugInfo/MSF/*.h",
- "include/llvm/DebugInfo/MSF/*.def",
- "include/llvm/DebugInfo/MSF/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":support",
- ],
-)
-
-cc_library(
- name = "demangle",
- srcs = glob([
- "lib/Demangle/*.c",
- "lib/Demangle/*.cpp",
- "lib/Demangle/*.inc",
- "lib/Demangle/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Demangle/*.h",
- "include/llvm/Demangle/*.def",
- "include/llvm/Demangle/*.inc",
- ]),
- copts = llvm_copts,
- deps = [":config"],
-)
-
-cc_library(
- name = "execution_engine",
- srcs = glob([
- "lib/ExecutionEngine/*.c",
- "lib/ExecutionEngine/*.cpp",
- "lib/ExecutionEngine/*.inc",
- "lib/ExecutionEngine/*.h",
- ]),
- hdrs = glob([
- "include/llvm/ExecutionEngine/*.h",
- "include/llvm/ExecutionEngine/*.def",
- "include/llvm/ExecutionEngine/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":core",
- ":mc",
- ":object",
- ":runtime_dyld",
- ":support",
- ":target",
- ],
-)
-
-cc_library(
- name = "global_i_sel",
- srcs = glob([
- "lib/CodeGen/GlobalISel/*.c",
- "lib/CodeGen/GlobalISel/*.cpp",
- "lib/CodeGen/GlobalISel/*.inc",
- "lib/CodeGen/GlobalISel/*.h",
- ]),
- hdrs = glob([
- "include/llvm/CodeGen/GlobalISel/*.h",
- "include/llvm/CodeGen/GlobalISel/*.def",
- "include/llvm/CodeGen/GlobalISel/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":code_gen",
- ":config",
- ":core",
- ":mc",
- ":support",
- ":target",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "instrumentation",
- srcs = glob([
- "lib/Transforms/Instrumentation/*.c",
- "lib/Transforms/Instrumentation/*.cpp",
- "lib/Transforms/Instrumentation/*.inc",
- "lib/Transforms/Instrumentation/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Transforms/Instrumentation/*.h",
- "include/llvm/Transforms/Instrumentation/*.def",
- "include/llvm/Transforms/Instrumentation/*.inc",
- "include/llvm/Transforms/GCOVProfiler.h",
- "include/llvm/Transforms/Instrumentation.h",
- "include/llvm/Transforms/InstrProfiling.h",
- "include/llvm/Transforms/PGOInstrumentation.h",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":config",
- ":core",
- ":mc",
- ":profile_data",
- ":support",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "inst_combine",
- srcs = glob([
- "lib/Transforms/InstCombine/*.c",
- "lib/Transforms/InstCombine/*.cpp",
- "lib/Transforms/InstCombine/*.inc",
- "lib/Transforms/InstCombine/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Transforms/InstCombine/*.h",
- "include/llvm/Transforms/InstCombine/*.def",
- "include/llvm/Transforms/InstCombine/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":config",
- ":core",
- ":instcombine_transforms_gen",
- ":support",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "ipo",
- srcs = glob([
- "lib/Transforms/IPO/*.c",
- "lib/Transforms/IPO/*.cpp",
- "lib/Transforms/IPO/*.inc",
- "include/llvm/Transforms/SampleProfile.h",
- "include/llvm-c/Transforms/IPO.h",
- "include/llvm-c/Transforms/PassManagerBuilder.h",
- "lib/Transforms/IPO/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Transforms/IPO/*.h",
- "include/llvm/Transforms/IPO/*.def",
- "include/llvm/Transforms/IPO/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":aggressive_inst_combine",
- ":analysis",
- ":bit_reader",
- ":bit_writer",
- ":config",
- ":core",
- ":inst_combine",
- ":instrumentation",
- ":ir_reader",
- ":linker",
- ":object",
- ":profile_data",
- ":scalar",
- ":support",
- ":transform_utils",
- ":vectorize",
- ],
-)
-
-cc_library(
- name = "ir_reader",
- srcs = glob([
- "lib/IRReader/*.c",
- "lib/IRReader/*.cpp",
- "lib/IRReader/*.inc",
- "lib/IRReader/*.h",
- ]),
- hdrs = glob([
- "include/llvm/IRReader/*.h",
- "include/llvm/IRReader/*.def",
- "include/llvm/IRReader/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":asm_parser",
- ":bit_reader",
- ":config",
- ":core",
- ":support",
- ],
-)
-
-cc_library(
- name = "linker",
- srcs = glob([
- "lib/Linker/*.c",
- "lib/Linker/*.cpp",
- "lib/Linker/*.inc",
- "lib/Linker/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Linker/*.h",
- "include/llvm/Linker/*.def",
- "include/llvm/Linker/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":core",
- ":support",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "mc",
- srcs = glob([
- "lib/MC/*.c",
- "lib/MC/*.cpp",
- "lib/MC/*.inc",
- "lib/MC/*.h",
- ]),
- hdrs = glob([
- "include/llvm/MC/*.h",
- "include/llvm/MC/*.def",
- "include/llvm/MC/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":binary_format",
- ":config",
- ":debug_info_code_view",
- ":support",
- ],
-)
-
-cc_library(
- name = "mc_disassembler",
- srcs = glob([
- "lib/MC/MCDisassembler/*.c",
- "lib/MC/MCDisassembler/*.cpp",
- "lib/MC/MCDisassembler/*.inc",
- "lib/MC/MCDisassembler/*.h",
- ]),
- hdrs = glob([
- "include/llvm/MC/MCDisassembler/*.h",
- "include/llvm/MC/MCDisassembler/*.def",
- "include/llvm/MC/MCDisassembler/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "mc_parser",
- srcs = glob([
- "lib/MC/MCParser/*.c",
- "lib/MC/MCParser/*.cpp",
- "lib/MC/MCParser/*.inc",
- "lib/MC/MCParser/*.h",
- ]),
- hdrs = glob([
- "include/llvm/MC/MCParser/*.h",
- "include/llvm/MC/MCParser/*.def",
- "include/llvm/MC/MCParser/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "nvptx_asm_printer",
- srcs = glob([
- "lib/Target/NVPTX/InstPrinter/*.c",
- "lib/Target/NVPTX/InstPrinter/*.cpp",
- "lib/Target/NVPTX/InstPrinter/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/NVPTX/InstPrinter/*.h",
- "include/llvm/Target/NVPTX/InstPrinter/*.def",
- "include/llvm/Target/NVPTX/InstPrinter/*.inc",
- "lib/Target/NVPTX/InstPrinter/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/NVPTX"],
- deps = [
- "nvptx_target_gen",
- ":attributes_gen",
- ":config",
- ":mc",
- ":nvptx_info",
- ":support",
- ],
-)
-
-cc_library(
- name = "nvptx_code_gen",
- srcs = glob([
- "lib/Target/NVPTX/*.c",
- "lib/Target/NVPTX/*.cpp",
- "lib/Target/NVPTX/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/NVPTX/*.h",
- "include/llvm/Target/NVPTX/*.def",
- "include/llvm/Target/NVPTX/*.inc",
- "lib/Target/NVPTX/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/NVPTX"],
- deps = [
- ":analysis",
- ":asm_printer",
- ":code_gen",
- ":config",
- ":core",
- ":ipo",
- ":mc",
- ":nvptx_asm_printer",
- ":nvptx_desc",
- ":nvptx_info",
- ":scalar",
- ":selection_dag",
- ":support",
- ":target",
- ":transform_utils",
- ":vectorize",
- ],
-)
-
-cc_library(
- name = "nvptx_desc",
- srcs = glob([
- "lib/Target/NVPTX/MCTargetDesc/*.c",
- "lib/Target/NVPTX/MCTargetDesc/*.cpp",
- "lib/Target/NVPTX/MCTargetDesc/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/NVPTX/MCTargetDesc/*.h",
- "include/llvm/Target/NVPTX/MCTargetDesc/*.def",
- "include/llvm/Target/NVPTX/MCTargetDesc/*.inc",
- "lib/Target/NVPTX/MCTargetDesc/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/NVPTX"],
- deps = [
- "nvptx_target_gen",
- ":config",
- ":mc",
- ":nvptx_asm_printer",
- ":nvptx_info",
- ":support",
- ],
-)
-
-cc_library(
- name = "nvptx_info",
- srcs = glob([
- "lib/Target/NVPTX/TargetInfo/*.c",
- "lib/Target/NVPTX/TargetInfo/*.cpp",
- "lib/Target/NVPTX/TargetInfo/*.inc",
- "lib/Target/NVPTX/MCTargetDesc/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/NVPTX/TargetInfo/*.h",
- "include/llvm/Target/NVPTX/TargetInfo/*.def",
- "include/llvm/Target/NVPTX/TargetInfo/*.inc",
- "lib/Target/NVPTX/NVPTX.h",
- "lib/Target/NVPTX/TargetInfo/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/NVPTX"],
- deps = [
- "nvptx_target_gen",
- ":attributes_gen",
- ":config",
- ":core",
- ":support",
- ":target",
- ],
-)
-
-cc_library(
- name = "object",
- srcs = glob([
- "lib/Object/*.c",
- "lib/Object/*.cpp",
- "lib/Object/*.inc",
- "lib/Object/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Object/*.h",
- "include/llvm/Object/*.def",
- "include/llvm/Object/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":binary_format",
- ":bit_reader",
- ":config",
- ":core",
- ":mc",
- ":mc_parser",
- ":support",
- ],
-)
-
-cc_library(
- name = "objc_arc",
- srcs = glob([
- "lib/Transforms/ObjCARC/*.c",
- "lib/Transforms/ObjCARC/*.cpp",
- "lib/Transforms/ObjCARC/*.inc",
- "include/llvm/Transforms/ObjCARC.h",
- "lib/Transforms/ObjCARC/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Transforms/ObjCARC/*.h",
- "include/llvm/Transforms/ObjCARC/*.def",
- "include/llvm/Transforms/ObjCARC/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":config",
- ":core",
- ":support",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "orc_jit",
- srcs = glob([
- "lib/ExecutionEngine/Orc/*.c",
- "lib/ExecutionEngine/Orc/*.cpp",
- "lib/ExecutionEngine/Orc/*.inc",
- "lib/ExecutionEngine/Orc/*.h",
- ]),
- hdrs = glob([
- "include/llvm/ExecutionEngine/Orc/*.h",
- "include/llvm/ExecutionEngine/Orc/*.def",
- "include/llvm/ExecutionEngine/Orc/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":core",
- ":execution_engine",
- ":mc",
- ":object",
- ":runtime_dyld",
- ":support",
- ":target",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "powerpc_asm_parser",
- srcs = glob([
- "lib/Target/PowerPC/AsmParser/*.c",
- "lib/Target/PowerPC/AsmParser/*.cpp",
- "lib/Target/PowerPC/AsmParser/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/PowerPC/AsmParser/*.h",
- "include/llvm/Target/PowerPC/AsmParser/*.def",
- "include/llvm/Target/PowerPC/AsmParser/*.inc",
- "lib/Target/PowerPC/AsmParser/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/PowerPC"],
- deps = [
- ":config",
- ":mc",
- ":mc_parser",
- ":powerpc_desc",
- ":powerpc_info",
- ":support",
- ],
-)
-
-cc_library(
- name = "powerpc_asm_printer",
- srcs = glob([
- "lib/Target/PowerPC/InstPrinter/*.c",
- "lib/Target/PowerPC/InstPrinter/*.cpp",
- "lib/Target/PowerPC/InstPrinter/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/PowerPC/InstPrinter/*.h",
- "include/llvm/Target/PowerPC/InstPrinter/*.def",
- "include/llvm/Target/PowerPC/InstPrinter/*.inc",
- "lib/Target/PowerPC/InstPrinter/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/PowerPC"],
- deps = [
- ":attributes_gen",
- ":config",
- ":intrinsic_enums_gen",
- ":intrinsics_impl_gen",
- ":mc",
- ":powerpc_info",
- ":powerpc_target_gen",
- ":support",
- ],
-)
-
-cc_library(
- name = "powerpc_code_gen",
- srcs = glob([
- "lib/Target/PowerPC/*.c",
- "lib/Target/PowerPC/*.cpp",
- "lib/Target/PowerPC/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/PowerPC/*.h",
- "include/llvm/Target/PowerPC/*.def",
- "include/llvm/Target/PowerPC/*.inc",
- "lib/Target/PowerPC/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/PowerPC"],
- deps = [
- ":analysis",
- ":asm_printer",
- ":code_gen",
- ":config",
- ":core",
- ":mc",
- ":powerpc_asm_printer",
- ":powerpc_desc",
- ":powerpc_info",
- ":scalar",
- ":selection_dag",
- ":support",
- ":target",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "powerpc_desc",
- srcs = glob([
- "lib/Target/PowerPC/MCTargetDesc/*.c",
- "lib/Target/PowerPC/MCTargetDesc/*.cpp",
- "lib/Target/PowerPC/MCTargetDesc/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/PowerPC/MCTargetDesc/*.h",
- "include/llvm/Target/PowerPC/MCTargetDesc/*.def",
- "include/llvm/Target/PowerPC/MCTargetDesc/*.inc",
- "lib/Target/PowerPC/MCTargetDesc/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/PowerPC"],
- deps = [
- ":attributes_gen",
- ":config",
- ":intrinsic_enums_gen",
- ":intrinsics_impl_gen",
- ":mc",
- ":powerpc_asm_printer",
- ":powerpc_info",
- ":powerpc_target_gen",
- ":support",
- ],
-)
-
-cc_library(
- name = "powerpc_disassembler",
- srcs = glob([
- "lib/Target/PowerPC/Disassembler/*.c",
- "lib/Target/PowerPC/Disassembler/*.cpp",
- "lib/Target/PowerPC/Disassembler/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/PowerPC/Disassembler/*.h",
- "include/llvm/Target/PowerPC/Disassembler/*.def",
- "include/llvm/Target/PowerPC/Disassembler/*.inc",
- "lib/Target/PowerPC/Disassembler/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/PowerPC"],
- deps = [
- ":config",
- ":mc_disassembler",
- ":powerpc_info",
- ":support",
- ],
-)
-
-cc_library(
- name = "powerpc_info",
- srcs = glob([
- "lib/Target/PowerPC/TargetInfo/*.c",
- "lib/Target/PowerPC/TargetInfo/*.cpp",
- "lib/Target/PowerPC/TargetInfo/*.inc",
- "lib/Target/PowerPC/MCTargetDesc/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/PowerPC/TargetInfo/*.h",
- "include/llvm/Target/PowerPC/TargetInfo/*.def",
- "include/llvm/Target/PowerPC/TargetInfo/*.inc",
- "lib/Target/PowerPC/PPC*.h",
- "lib/Target/PowerPC/TargetInfo/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/PowerPC"],
- deps = [
- ":attributes_gen",
- ":config",
- ":core",
- ":powerpc_target_gen",
- ":support",
- ":target",
- ],
-)
-
-cc_library(
- name = "profile_data",
- srcs = glob([
- "lib/ProfileData/*.c",
- "lib/ProfileData/*.cpp",
- "lib/ProfileData/*.inc",
- "lib/ProfileData/*.h",
- ]),
- hdrs = glob([
- "include/llvm/ProfileData/*.h",
- "include/llvm/ProfileData/*.def",
- "include/llvm/ProfileData/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":core",
- ":support",
- ],
-)
-
-cc_library(
- name = "runtime_dyld",
- srcs = glob([
- "lib/ExecutionEngine/RuntimeDyld/*.c",
- "lib/ExecutionEngine/RuntimeDyld/*.cpp",
- "lib/ExecutionEngine/RuntimeDyld/*.inc",
- "include/llvm/ExecutionEngine/JITSymbol.h",
- "include/llvm/ExecutionEngine/RTDyldMemoryManager.h",
- "lib/ExecutionEngine/RuntimeDyld/*.h",
- "lib/ExecutionEngine/RuntimeDyld/Targets/*.h",
- "lib/ExecutionEngine/RuntimeDyld/Targets/*.cpp",
- "lib/ExecutionEngine/RuntimeDyld/*.h",
- ]),
- hdrs = glob([
- "include/llvm/ExecutionEngine/RuntimeDyld/*.h",
- "include/llvm/ExecutionEngine/RuntimeDyld/*.def",
- "include/llvm/ExecutionEngine/RuntimeDyld/*.inc",
- "include/llvm/DebugInfo/DIContext.h",
- "include/llvm/ExecutionEngine/RTDyldMemoryManager.h",
- "include/llvm/ExecutionEngine/RuntimeDyld*.h",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":mc",
- ":mc_disassembler",
- ":object",
- ":support",
- ],
-)
-
-cc_library(
- name = "scalar",
- srcs = glob([
- "lib/Transforms/Scalar/*.c",
- "lib/Transforms/Scalar/*.cpp",
- "lib/Transforms/Scalar/*.inc",
- "include/llvm-c/Transforms/Scalar.h",
- "include/llvm/Transforms/Scalar.h",
- "include/llvm/Target/TargetMachine.h",
- "lib/Transforms/Scalar/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Transforms/Scalar/*.h",
- "include/llvm/Transforms/Scalar/*.def",
- "include/llvm/Transforms/Scalar/*.inc",
- "include/llvm/Transforms/IPO.h",
- "include/llvm/Transforms/IPO/SCCP.h",
- ]),
- copts = llvm_copts,
- deps = [
- ":aggressive_inst_combine",
- ":analysis",
- ":config",
- ":core",
- ":inst_combine",
- ":support",
- ":target",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "selection_dag",
- srcs = glob([
- "lib/CodeGen/SelectionDAG/*.c",
- "lib/CodeGen/SelectionDAG/*.cpp",
- "lib/CodeGen/SelectionDAG/*.inc",
- "lib/CodeGen/SelectionDAG/*.h",
- ]),
- hdrs = glob([
- "include/llvm/CodeGen/SelectionDAG/*.h",
- "include/llvm/CodeGen/SelectionDAG/*.def",
- "include/llvm/CodeGen/SelectionDAG/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":code_gen",
- ":config",
- ":core",
- ":mc",
- ":support",
- ":target",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "support",
- srcs = glob([
- "lib/Support/*.c",
- "lib/Support/*.cpp",
- "lib/Support/*.inc",
- "include/llvm-c/*.h",
- "include/llvm/CodeGen/MachineValueType.h",
- "include/llvm/BinaryFormat/COFF.h",
- "include/llvm/BinaryFormat/MachO.h",
- "lib/Support/*.h",
- ]) + llvm_support_platform_specific_srcs_glob(),
- hdrs = glob([
- "include/llvm/Support/*.h",
- "include/llvm/Support/*.def",
- "include/llvm/Support/*.inc",
- "include/llvm/ADT/*.h",
- "include/llvm/Support/ELFRelocs/*.def",
- "include/llvm/Support/WasmRelocs/*.def",
- ]) + [
- "include/llvm/BinaryFormat/MachO.def",
- "include/llvm/Support/VCSRevision.h",
- ],
- copts = llvm_copts,
- deps = [
- ":config",
- ":demangle",
- "@zlib_archive//:zlib",
- ],
-)
-
-cc_library(
- name = "table_gen",
- srcs = glob([
- "lib/TableGen/*.c",
- "lib/TableGen/*.cpp",
- "lib/TableGen/*.inc",
- "include/llvm/CodeGen/*.h",
- "lib/TableGen/*.h",
- ]),
- hdrs = glob([
- "include/llvm/TableGen/*.h",
- "include/llvm/TableGen/*.def",
- "include/llvm/TableGen/*.inc",
- "include/llvm/Target/*.def",
- ]),
- copts = llvm_copts,
- deps = [
- ":config",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "target",
- srcs = glob([
- "lib/Target/*.c",
- "lib/Target/*.cpp",
- "lib/Target/*.inc",
- "include/llvm/CodeGen/*.h",
- "include/llvm-c/Initialization.h",
- "include/llvm-c/Target.h",
- "lib/Target/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/*.h",
- "include/llvm/Target/*.def",
- "include/llvm/Target/*.inc",
- "include/llvm/CodeGen/*.def",
- "include/llvm/CodeGen/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":config",
- ":core",
- ":mc",
- ":support",
- ],
-)
-
-cc_library(
- name = "transform_utils",
- srcs = glob([
- "lib/Transforms/Utils/*.c",
- "lib/Transforms/Utils/*.cpp",
- "lib/Transforms/Utils/*.inc",
- "include/llvm/Transforms/IPO.h",
- "include/llvm/Transforms/Scalar.h",
- "lib/Transforms/Utils/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Transforms/Utils/*.h",
- "include/llvm/Transforms/Utils/*.def",
- "include/llvm/Transforms/Utils/*.inc",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":config",
- ":core",
- ":support",
- ],
-)
-
-cc_library(
- name = "vectorize",
- srcs = glob([
- "lib/Transforms/Vectorize/*.c",
- "lib/Transforms/Vectorize/*.cpp",
- "lib/Transforms/Vectorize/*.inc",
- "include/llvm-c/Transforms/Vectorize.h",
- "lib/Transforms/Vectorize/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Transforms/Vectorize/*.h",
- "include/llvm/Transforms/Vectorize/*.def",
- "include/llvm/Transforms/Vectorize/*.inc",
- "include/llvm/Transforms/Vectorize.h",
- ]),
- copts = llvm_copts,
- deps = [
- ":analysis",
- ":config",
- ":core",
- ":scalar",
- ":support",
- ":transform_utils",
- ],
-)
-
-cc_library(
- name = "x86_asm_parser",
- srcs = glob([
- "lib/Target/X86/AsmParser/*.c",
- "lib/Target/X86/AsmParser/*.cpp",
- "lib/Target/X86/AsmParser/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/X86/AsmParser/*.h",
- "include/llvm/Target/X86/AsmParser/*.def",
- "include/llvm/Target/X86/AsmParser/*.inc",
- "lib/Target/X86/AsmParser/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/X86"],
- deps = [
- ":config",
- ":mc",
- ":mc_parser",
- ":support",
- ":x86_asm_printer",
- ":x86_desc",
- ":x86_info",
- ],
-)
-
-cc_library(
- name = "x86_asm_printer",
- srcs = glob([
- "lib/Target/X86/InstPrinter/*.c",
- "lib/Target/X86/InstPrinter/*.cpp",
- "lib/Target/X86/InstPrinter/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/X86/InstPrinter/*.h",
- "include/llvm/Target/X86/InstPrinter/*.def",
- "include/llvm/Target/X86/InstPrinter/*.inc",
- "lib/Target/X86/InstPrinter/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/X86"],
- deps = [
- ":config",
- ":mc",
- ":support",
- ":x86_info",
- ":x86_target_gen",
- ":x86_utils",
- ],
-)
-
-cc_library(
- name = "x86_code_gen",
- srcs = glob([
- "lib/Target/X86/*.c",
- "lib/Target/X86/*.cpp",
- "lib/Target/X86/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/X86/*.h",
- "include/llvm/Target/X86/*.def",
- "include/llvm/Target/X86/*.inc",
- "lib/Target/X86/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/X86"],
- deps = [
- ":analysis",
- ":asm_printer",
- ":code_gen",
- ":config",
- ":core",
- ":global_i_sel",
- ":mc",
- ":profile_data",
- ":selection_dag",
- ":support",
- ":target",
- ":x86_asm_printer",
- ":x86_defs",
- ":x86_desc",
- ":x86_info",
- ":x86_utils",
- ],
-)
-
-cc_library(
- name = "x86_desc",
- srcs = glob([
- "lib/Target/X86/MCTargetDesc/*.c",
- "lib/Target/X86/MCTargetDesc/*.cpp",
- "lib/Target/X86/MCTargetDesc/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/X86/MCTargetDesc/*.h",
- "include/llvm/Target/X86/MCTargetDesc/*.def",
- "include/llvm/Target/X86/MCTargetDesc/*.inc",
- "lib/Target/X86/MCTargetDesc/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/X86"],
- deps = [
- ":config",
- ":mc",
- ":mc_disassembler",
- ":object",
- ":support",
- ":x86_asm_printer",
- ":x86_info",
- ],
-)
-
-cc_library(
- name = "x86_disassembler",
- srcs = glob([
- "lib/Target/X86/Disassembler/*.c",
- "lib/Target/X86/Disassembler/*.cpp",
- "lib/Target/X86/Disassembler/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/X86/Disassembler/*.h",
- "include/llvm/Target/X86/Disassembler/*.def",
- "include/llvm/Target/X86/Disassembler/*.inc",
- "lib/Target/X86/Disassembler/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/X86"],
- deps = [
- ":config",
- ":mc_disassembler",
- ":support",
- ":x86_info",
- ],
-)
-
-cc_library(
- name = "x86_info",
- srcs = glob([
- "lib/Target/X86/TargetInfo/*.c",
- "lib/Target/X86/TargetInfo/*.cpp",
- "lib/Target/X86/TargetInfo/*.inc",
- "lib/Target/X86/MCTargetDesc/*.h",
- ]),
- hdrs = glob([
- "include/llvm/Target/X86/TargetInfo/*.h",
- "include/llvm/Target/X86/TargetInfo/*.def",
- "include/llvm/Target/X86/TargetInfo/*.inc",
- "lib/Target/X86/TargetInfo/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/X86"],
- deps = [
- ":config",
- ":mc",
- ":support",
- ":x86_target_gen",
- ],
-)
-
-cc_library(
- name = "x86_utils",
- srcs = glob([
- "lib/Target/X86/Utils/*.c",
- "lib/Target/X86/Utils/*.cpp",
- "lib/Target/X86/Utils/*.inc",
- ]),
- hdrs = glob([
- "include/llvm/Target/X86/Utils/*.h",
- "include/llvm/Target/X86/Utils/*.def",
- "include/llvm/Target/X86/Utils/*.inc",
- "lib/Target/X86/Utils/*.h",
- ]),
- copts = llvm_copts + ["-Iexternal/llvm/lib/Target/X86"],
- deps = [
- ":code_gen",
- ":config",
- ":support",
- ],
-)
diff --git a/third_party/llvm/llvm.bzl b/third_party/llvm/llvm.bzl
deleted file mode 100644
index 5a977f8..0000000
--- a/third_party/llvm/llvm.bzl
+++ /dev/null
@@ -1,415 +0,0 @@
-"""This file contains BUILD extensions for generating source code from LLVM's table definition files using the TableGen tool.
-
-See http://llvm.org/cmds/tblgen.html for more information on the TableGen
-tool.
-TODO(chandlerc): Currently this expresses include-based dependencies as
-"sources", and has no transitive understanding due to these files not being
-correctly understood by the build system.
-"""
-
-def _dict_add(*dictionaries):
- """Returns a new `dict` that has all the entries of the given dictionaries.
-
- If the same key is present in more than one of the input dictionaries, the
- last of them in the argument list overrides any earlier ones.
-
- This function is designed to take zero or one arguments as well as multiple
- dictionaries, so that it follows arithmetic identities and callers can avoid
- special cases for their inputs: the sum of zero dictionaries is the empty
- dictionary, and the sum of a single dictionary is a copy of itself.
-
- Re-implemented here to avoid adding a dependency on skylib.
-
- Args:
- *dictionaries: Zero or more dictionaries to be added.
-
- Returns:
- A new `dict` that has all the entries of the given dictionaries.
- """
- result = {}
- for d in dictionaries:
- result.update(d)
- return result
-
-def gentbl(name, tblgen, td_file, td_srcs, tbl_outs, library = True, **kwargs):
- """gentbl() generates tabular code from a table definition file.
-
- Args:
- name: The name of the build rule for use in dependencies.
- tblgen: The binary used to produce the output.
- td_file: The primary table definitions file.
- td_srcs: A list of table definition files included transitively.
- tbl_outs: A list of tuples (opts, out), where each opts is a string of
- options passed to tblgen, and the out is the corresponding output file
- produced.
- library: Whether to bundle the generated files into a library.
- **kwargs: Keyword arguments to pass to subsidiary cc_library() rule.
- """
- if td_file not in td_srcs:
- td_srcs += [td_file]
- includes = []
- for (opts, out) in tbl_outs:
- outdir = out[:out.rindex("/")]
- if outdir not in includes:
- includes.append(outdir)
- rule_suffix = "_".join(opts.replace("-", "_").replace("=", "_").split(" "))
- native.genrule(
- name = "%s_%s_genrule" % (name, rule_suffix),
- srcs = td_srcs,
- outs = [out],
- tools = [tblgen],
- message = "Generating code from table: %s" % td_file,
- cmd = (("$(location %s) " + "-I external/llvm/include " +
- "-I external/llvm/tools/clang/include " +
- "-I $$(dirname $(location %s)) " + "%s $(location %s) -o $@") % (
- tblgen,
- td_file,
- opts,
- td_file,
- )),
- )
-
- # For now, all generated files can be assumed to comprise public interfaces.
- # If this is not true, you should specify library = False
- # and list the generated '.inc' files in "srcs".
- if library:
- native.cc_library(
- name = name,
- textual_hdrs = [f for (_, f) in tbl_outs],
- includes = includes,
- **kwargs
- )
-
-def llvm_target_cmake_vars(native_arch, target_triple):
- return {
- "LLVM_HOST_TRIPLE": target_triple,
- "LLVM_DEFAULT_TARGET_TRIPLE": target_triple,
- "LLVM_NATIVE_ARCH": native_arch,
- }
-
-def _quote(s):
- """Quotes the given string for use in a shell command.
-
- This function double-quotes the given string (in case it contains spaces or
- other special characters) and escapes any special characters (dollar signs,
- double-quotes, and backslashes) that may be present.
-
- Args:
- s: The string to quote.
-
- Returns:
- An escaped and quoted version of the string that can be passed to a shell
- command.
- """
- return ('"' +
- s.replace("\\", "\\\\").replace("$", "\\$").replace('"', '\\"') +
- '"')
-
-def cmake_var_string(cmake_vars):
- """Converts a dictionary to an input suitable for expand_cmake_vars.
-
- Ideally we would jist stringify in the expand_cmake_vars() rule, but select()
- interacts badly with genrules.
-
- TODO(phawkins): replace the genrule() with native rule and delete this rule.
-
- Args:
- cmake_vars: a dictionary with string keys and values that are convertable to
- strings.
-
- Returns:
- cmake_vars in a form suitable for passing to expand_cmake_vars.
- """
- return " ".join([
- _quote("{}={}".format(k, str(v)))
- for (k, v) in cmake_vars.items()
- ])
-
-def expand_cmake_vars(name, src, dst, cmake_vars):
- """Expands #cmakedefine, #cmakedefine01, and CMake variables in a text file.
-
- Args:
- name: the name of the rule
- src: the input of the rule
- dst: the output of the rule
- cmake_vars: a string containing the CMake variables, as generated by
- cmake_var_string.
- """
- expand_cmake_vars_tool = Label("@org_tensorflow//third_party/llvm:expand_cmake_vars")
- native.genrule(
- name = name,
- srcs = [src],
- tools = [expand_cmake_vars_tool],
- outs = [dst],
- cmd = ("$(location {}) ".format(expand_cmake_vars_tool) + cmake_vars +
- "< $< > $@"),
- )
-
-# TODO(phawkins): the set of CMake variables was hardcoded for expediency.
-# However, we should really detect many of these via configure-time tests.
-
-# The set of CMake variables common to all targets.
-cmake_vars = {
- # LLVM features
- "ENABLE_BACKTRACES": 1,
- "LLVM_BINDIR": "/dev/null",
- "LLVM_DISABLE_ABI_BREAKING_CHECKS_ENFORCING": 0,
- "LLVM_ENABLE_ABI_BREAKING_CHECKS": 0,
- "LLVM_ENABLE_THREADS": 1,
- "LLVM_ENABLE_ZLIB": 1,
- "LLVM_HAS_ATOMICS": 1,
- "LLVM_INCLUDEDIR": "/dev/null",
- "LLVM_INFODIR": "/dev/null",
- "LLVM_MANDIR": "/dev/null",
- "LLVM_NATIVE_TARGET": 1,
- "LLVM_NATIVE_TARGETINFO": 1,
- "LLVM_NATIVE_TARGETMC": 1,
- "LLVM_NATIVE_ASMPRINTER": 1,
- "LLVM_NATIVE_ASMPARSER": 1,
- "LLVM_NATIVE_DISASSEMBLER": 1,
- "LLVM_PREFIX": "/dev/null",
- "LLVM_VERSION_MAJOR": 0,
- "LLVM_VERSION_MINOR": 0,
- "LLVM_VERSION_PATCH": 0,
- "PACKAGE_NAME": "llvm",
- "PACKAGE_STRING": "llvm tensorflow-trunk",
- "PACKAGE_VERSION": "tensorflow-trunk",
- "RETSIGTYPE": "void",
-}
-
-# The set of CMake variables common to POSIX targets.
-posix_cmake_vars = {
- # Headers
- "HAVE_DIRENT_H": 1,
- "HAVE_DLFCN_H": 1,
- "HAVE_ERRNO_H": 1,
- "HAVE_EXECINFO_H": 1,
- "HAVE_FCNTL_H": 1,
- "HAVE_INTTYPES_H": 1,
- "HAVE_PTHREAD_H": 1,
- "HAVE_SIGNAL_H": 1,
- "HAVE_STDINT_H": 1,
- "HAVE_SYS_IOCTL_H": 1,
- "HAVE_SYS_MMAN_H": 1,
- "HAVE_SYS_PARAM_H": 1,
- "HAVE_SYS_RESOURCE_H": 1,
- "HAVE_SYS_STAT_H": 1,
- "HAVE_SYS_TIME_H": 1,
- "HAVE_SYS_TYPES_H": 1,
- "HAVE_TERMIOS_H": 1,
- "HAVE_UNISTD_H": 1,
- "HAVE_ZLIB_H": 1,
-
- # Features
- "HAVE_BACKTRACE": 1,
- "BACKTRACE_HEADER": "execinfo.h",
- "HAVE_DLOPEN": 1,
- "HAVE_FUTIMES": 1,
- "HAVE_GETCWD": 1,
- "HAVE_GETPAGESIZE": 1,
- "HAVE_GETRLIMIT": 1,
- "HAVE_GETRUSAGE": 1,
- "HAVE_GETTIMEOFDAY": 1,
- "HAVE_INT64_T": 1,
- "HAVE_ISATTY": 1,
- "HAVE_LIBEDIT": 1,
- "HAVE_LIBPTHREAD": 1,
- "HAVE_LIBZ": 1,
- "HAVE_MKDTEMP": 1,
- "HAVE_MKSTEMP": 1,
- "HAVE_MKTEMP": 1,
- "HAVE_PREAD": 1,
- "HAVE_PTHREAD_GETSPECIFIC": 1,
- "HAVE_PTHREAD_MUTEX_LOCK": 1,
- "HAVE_PTHREAD_RWLOCK_INIT": 1,
- "HAVE_REALPATH": 1,
- "HAVE_SBRK": 1,
- "HAVE_SETENV": 1,
- "HAVE_SETRLIMIT": 1,
- "HAVE_SIGALTSTACK": 1,
- "HAVE_STRERROR": 1,
- "HAVE_STRERROR_R": 1,
- "HAVE_STRTOLL": 1,
- "HAVE_SYSCONF": 1,
- "HAVE_UINT64_T": 1,
- "HAVE__UNWIND_BACKTRACE": 1,
-
- # LLVM features
- "LLVM_ON_UNIX": 1,
- "LTDL_SHLIB_EXT": ".so",
-}
-
-# CMake variables specific to the Linux platform
-linux_cmake_vars = {
- "HAVE_MALLOC_H": 1,
- "HAVE_LINK_H": 1,
- "HAVE_MALLINFO": 1,
- "HAVE_FUTIMENS": 1,
-}
-
-# CMake variables specific to the Darwin (Mac OS X) platform.
-darwin_cmake_vars = {
- "HAVE_MALLOC_MALLOC_H": 1,
- "HAVE_MALLOC_ZONE_STATISTICS": 1,
-}
-
-# CMake variables specific to the Windows platform.
-win32_cmake_vars = {
- # Headers
- "HAVE_ERRNO_H": 1,
- "HAVE_EXECINFO_H": 1,
- "HAVE_FCNTL_H": 1,
- "HAVE_FENV_H": 1,
- "HAVE_INTTYPES_H": 1,
- "HAVE_MALLOC_H": 1,
- "HAVE_SIGNAL_H": 1,
- "HAVE_STDINT_H": 1,
- "HAVE_SYS_STAT_H": 1,
- "HAVE_SYS_TYPES_H": 1,
- "HAVE_ZLIB_H": 1,
-
- # Features
- "BACKTRACE_HEADER": "execinfo.h",
- "HAVE_GETCWD": 1,
- "HAVE_INT64_T": 1,
- "HAVE_STRERROR": 1,
- "HAVE_STRTOLL": 1,
- "HAVE_SYSCONF": 1,
- "HAVE_UINT64_T": 1,
- "HAVE__CHSIZE_S": 1,
- "HAVE___CHKSTK": 1,
-
- # MSVC specific
- "stricmp": "_stricmp",
- "strdup": "_strdup",
-
- # LLVM features
- "LTDL_SHLIB_EXT": ".dll",
-}
-
-# Select a set of CMake variables based on the platform.
-# TODO(phawkins): use a better method to select the right host triple, rather
-# than hardcoding x86_64.
-llvm_all_cmake_vars = select({
- "@org_tensorflow//tensorflow:darwin": cmake_var_string(
- _dict_add(
- cmake_vars,
- llvm_target_cmake_vars("X86", "x86_64-apple-darwin"),
- posix_cmake_vars,
- darwin_cmake_vars,
- ),
- ),
- "@org_tensorflow//tensorflow:linux_ppc64le": cmake_var_string(
- _dict_add(
- cmake_vars,
- llvm_target_cmake_vars("PowerPC", "powerpc64le-unknown-linux_gnu"),
- posix_cmake_vars,
- linux_cmake_vars,
- ),
- ),
- "@org_tensorflow//tensorflow:windows": cmake_var_string(
- _dict_add(
- cmake_vars,
- llvm_target_cmake_vars("X86", "x86_64-pc-win32"),
- win32_cmake_vars,
- ),
- ),
- "//conditions:default": cmake_var_string(
- _dict_add(
- cmake_vars,
- llvm_target_cmake_vars("X86", "x86_64-unknown-linux_gnu"),
- posix_cmake_vars,
- linux_cmake_vars,
- ),
- ),
-})
-
-llvm_linkopts = select({
- "@org_tensorflow//tensorflow:windows": [],
- "//conditions:default": ["-ldl", "-lm", "-lpthread"],
-})
-
-llvm_defines = select({
- "@org_tensorflow//tensorflow:windows": [
- "_CRT_SECURE_NO_DEPRECATE",
- "_CRT_SECURE_NO_WARNINGS",
- "_CRT_NONSTDC_NO_DEPRECATE",
- "_CRT_NONSTDC_NO_WARNINGS",
- "_SCL_SECURE_NO_DEPRECATE",
- "_SCL_SECURE_NO_WARNINGS",
- "UNICODE",
- "_UNICODE",
- ],
- "//conditions:default": ["_DEBUG"],
-}) + [
- "LLVM_ENABLE_STATS",
- "__STDC_LIMIT_MACROS",
- "__STDC_CONSTANT_MACROS",
- "__STDC_FORMAT_MACROS",
- "LLVM_BUILD_GLOBAL_ISEL",
-]
-
-llvm_copts = select({
- "@org_tensorflow//tensorflow:windows": [
- "-Zc:inline",
- "-Zc:strictStrings",
- "-Zc:rvalueCast",
- "-Oi",
- "-wd4141",
- "-wd4146",
- "-wd4180",
- "-wd4244",
- "-wd4258",
- "-wd4267",
- "-wd4291",
- "-wd4345",
- "-wd4351",
- "-wd4355",
- "-wd4456",
- "-wd4457",
- "-wd4458",
- "-wd4459",
- "-wd4503",
- "-wd4624",
- "-wd4722",
- "-wd4800",
- "-wd4100",
- "-wd4127",
- "-wd4512",
- "-wd4505",
- "-wd4610",
- "-wd4510",
- "-wd4702",
- "-wd4245",
- "-wd4706",
- "-wd4310",
- "-wd4701",
- "-wd4703",
- "-wd4389",
- "-wd4611",
- "-wd4805",
- "-wd4204",
- "-wd4577",
- "-wd4091",
- "-wd4592",
- "-wd4319",
- "-wd4324",
- "-w14062",
- "-we4238",
- ],
- "//conditions:default": [],
-})
-
-# Platform specific sources for libSupport.
-
-def llvm_support_platform_specific_srcs_glob():
- return select({
- "@org_tensorflow//tensorflow:windows": native.glob([
- "lib/Support/Windows/*.inc",
- "lib/Support/Windows/*.h",
- ]),
- "//conditions:default": native.glob([
- "lib/Support/Unix/*.inc",
- "lib/Support/Unix/*.h",
- ]),
- })
diff --git a/third_party/lmdb.BUILD b/third_party/lmdb.BUILD
deleted file mode 100644
index f36a698..0000000
--- a/third_party/lmdb.BUILD
+++ /dev/null
@@ -1,31 +0,0 @@
-# Description:
-# LMDB is the Lightning Memory-mapped Database.
-
-licenses(["notice"]) # OpenLDAP Public License
-
-exports_files(["LICENSE"])
-
-cc_library(
- name = "lmdb",
- srcs = [
- "mdb.c",
- "midl.c",
- ],
- hdrs = [
- "lmdb.h",
- "midl.h",
- ],
- copts = [
- "-w",
- ],
- linkopts = select({
- ":windows": ["-DEFAULTLIB:advapi32.lib"], # InitializeSecurityDescriptor, SetSecurityDescriptorDacl
- "//conditions:default": ["-lpthread"],
- }),
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
-)
diff --git a/third_party/mkl/BUILD b/third_party/mkl/BUILD
deleted file mode 100644
index 15a3e5c..0000000
--- a/third_party/mkl/BUILD
+++ /dev/null
@@ -1,80 +0,0 @@
-licenses(["notice"]) # 3-Clause BSD
-
-config_setting(
- name = "build_with_mkl",
- define_values = {
- "build_with_mkl": "true",
- },
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "build_with_mkl_ml_only",
- define_values = {
- "build_with_mkl": "true",
- "build_with_mkl_ml_only": "true",
- },
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "build_with_mkl_lnx_x64",
- define_values = {
- "build_with_mkl": "true",
- },
- values = {
- "cpu": "k8",
- },
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "enable_mkl",
- define_values = {
- "enable_mkl": "true",
- "build_with_mkl": "true",
- },
- visibility = ["//visibility:public"],
-)
-
-load(
- "//third_party/mkl:build_defs.bzl",
- "if_mkl",
-)
-
-filegroup(
- name = "LICENSE",
- srcs = ["MKL_LICENSE"] + select({
- "@org_tensorflow//tensorflow:linux_x86_64": [
- "@mkl_linux//:LICENSE",
- ],
- "@org_tensorflow//tensorflow:darwin": [
- "@mkl_darwin//:LICENSE",
- ],
- "@org_tensorflow//tensorflow:windows": [
- "@mkl_windows//:LICENSE",
- ],
- "//conditions:default": [],
- }),
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "intel_binary_blob",
- visibility = ["//visibility:public"],
- deps = select({
- "@org_tensorflow//tensorflow:linux_x86_64": [
- "@mkl_linux//:mkl_headers",
- "@mkl_linux//:mkl_libs_linux",
- ],
- "@org_tensorflow//tensorflow:darwin": [
- "@mkl_darwin//:mkl_headers",
- "@mkl_darwin//:mkl_libs_darwin",
- ],
- "@org_tensorflow//tensorflow:windows": [
- "@mkl_windows//:mkl_headers",
- "@mkl_windows//:mkl_libs_windows",
- ],
- "//conditions:default": [],
- }),
-)
diff --git a/third_party/mkl/MKL_LICENSE b/third_party/mkl/MKL_LICENSE
deleted file mode 100644
index 9c8f3ea..0000000
--- a/third_party/mkl/MKL_LICENSE
+++ /dev/null
@@ -1,201 +0,0 @@
- Apache License
- Version 2.0, January 2004
- http://www.apache.org/licenses/
-
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
-
- 1. Definitions.
-
- "License" shall mean the terms and conditions for use, reproduction,
- and distribution as defined by Sections 1 through 9 of this document.
-
- "Licensor" shall mean the copyright owner or entity authorized by
- the copyright owner that is granting the License.
-
- "Legal Entity" shall mean the union of the acting entity and all
- other entities that control, are controlled by, or are under common
- control with that entity. For the purposes of this definition,
- "control" means (i) the power, direct or indirect, to cause the
- direction or management of such entity, whether by contract or
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
- outstanding shares, or (iii) beneficial ownership of such entity.
-
- "You" (or "Your") shall mean an individual or Legal Entity
- exercising permissions granted by this License.
-
- "Source" form shall mean the preferred form for making modifications,
- including but not limited to software source code, documentation
- source, and configuration files.
-
- "Object" form shall mean any form resulting from mechanical
- transformation or translation of a Source form, including but
- not limited to compiled object code, generated documentation,
- and conversions to other media types.
-
- "Work" shall mean the work of authorship, whether in Source or
- Object form, made available under the License, as indicated by a
- copyright notice that is included in or attached to the work
- (an example is provided in the Appendix below).
-
- "Derivative Works" shall mean any work, whether in Source or Object
- form, that is based on (or derived from) the Work and for which the
- editorial revisions, annotations, elaborations, or other modifications
- represent, as a whole, an original work of authorship. For the purposes
- of this License, Derivative Works shall not include works that remain
- separable from, or merely link (or bind by name) to the interfaces of,
- the Work and Derivative Works thereof.
-
- "Contribution" shall mean any work of authorship, including
- the original version of the Work and any modifications or additions
- to that Work or Derivative Works thereof, that is intentionally
- submitted to Licensor for inclusion in the Work by the copyright owner
- or by an individual or Legal Entity authorized to submit on behalf of
- the copyright owner. For the purposes of this definition, "submitted"
- means any form of electronic, verbal, or written communication sent
- to the Licensor or its representatives, including but not limited to
- communication on electronic mailing lists, source code control systems,
- and issue tracking systems that are managed by, or on behalf of, the
- Licensor for the purpose of discussing and improving the Work, but
- excluding communication that is conspicuously marked or otherwise
- designated in writing by the copyright owner as "Not a Contribution."
-
- "Contributor" shall mean Licensor and any individual or Legal Entity
- on behalf of whom a Contribution has been received by Licensor and
- subsequently incorporated within the Work.
-
- 2. Grant of Copyright License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- copyright license to reproduce, prepare Derivative Works of,
- publicly display, publicly perform, sublicense, and distribute the
- Work and such Derivative Works in Source or Object form.
-
- 3. Grant of Patent License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- (except as stated in this section) patent license to make, have made,
- use, offer to sell, sell, import, and otherwise transfer the Work,
- where such license applies only to those patent claims licensable
- by such Contributor that are necessarily infringed by their
- Contribution(s) alone or by combination of their Contribution(s)
- with the Work to which such Contribution(s) was submitted. If You
- institute patent litigation against any entity (including a
- cross-claim or counterclaim in a lawsuit) alleging that the Work
- or a Contribution incorporated within the Work constitutes direct
- or contributory patent infringement, then any patent licenses
- granted to You under this License for that Work shall terminate
- as of the date such litigation is filed.
-
- 4. Redistribution. You may reproduce and distribute copies of the
- Work or Derivative Works thereof in any medium, with or without
- modifications, and in Source or Object form, provided that You
- meet the following conditions:
-
- (a) You must give any other recipients of the Work or
- Derivative Works a copy of this License; and
-
- (b) You must cause any modified files to carry prominent notices
- stating that You changed the files; and
-
- (c) You must retain, in the Source form of any Derivative Works
- that You distribute, all copyright, patent, trademark, and
- attribution notices from the Source form of the Work,
- excluding those notices that do not pertain to any part of
- the Derivative Works; and
-
- (d) If the Work includes a "NOTICE" text file as part of its
- distribution, then any Derivative Works that You distribute must
- include a readable copy of the attribution notices contained
- within such NOTICE file, excluding those notices that do not
- pertain to any part of the Derivative Works, in at least one
- of the following places: within a NOTICE text file distributed
- as part of the Derivative Works; within the Source form or
- documentation, if provided along with the Derivative Works; or,
- within a display generated by the Derivative Works, if and
- wherever such third-party notices normally appear. The contents
- of the NOTICE file are for informational purposes only and
- do not modify the License. You may add Your own attribution
- notices within Derivative Works that You distribute, alongside
- or as an addendum to the NOTICE text from the Work, provided
- that such additional attribution notices cannot be construed
- as modifying the License.
-
- You may add Your own copyright statement to Your modifications and
- may provide additional or different license terms and conditions
- for use, reproduction, or distribution of Your modifications, or
- for any such Derivative Works as a whole, provided Your use,
- reproduction, and distribution of the Work otherwise complies with
- the conditions stated in this License.
-
- 5. Submission of Contributions. Unless You explicitly state otherwise,
- any Contribution intentionally submitted for inclusion in the Work
- by You to the Licensor shall be under the terms and conditions of
- this License, without any additional terms or conditions.
- Notwithstanding the above, nothing herein shall supersede or modify
- the terms of any separate license agreement you may have executed
- with Licensor regarding such Contributions.
-
- 6. Trademarks. This License does not grant permission to use the trade
- names, trademarks, service marks, or product names of the Licensor,
- except as required for reasonable and customary use in describing the
- origin of the Work and reproducing the content of the NOTICE file.
-
- 7. Disclaimer of Warranty. Unless required by applicable law or
- agreed to in writing, Licensor provides the Work (and each
- Contributor provides its Contributions) on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
- implied, including, without limitation, any warranties or conditions
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
- PARTICULAR PURPOSE. You are solely responsible for determining the
- appropriateness of using or redistributing the Work and assume any
- risks associated with Your exercise of permissions under this License.
-
- 8. Limitation of Liability. In no event and under no legal theory,
- whether in tort (including negligence), contract, or otherwise,
- unless required by applicable law (such as deliberate and grossly
- negligent acts) or agreed to in writing, shall any Contributor be
- liable to You for damages, including any direct, indirect, special,
- incidental, or consequential damages of any character arising as a
- result of this License or out of the use or inability to use the
- Work (including but not limited to damages for loss of goodwill,
- work stoppage, computer failure or malfunction, or any and all
- other commercial damages or losses), even if such Contributor
- has been advised of the possibility of such damages.
-
- 9. Accepting Warranty or Additional Liability. While redistributing
- the Work or Derivative Works thereof, You may choose to offer,
- and charge a fee for, acceptance of support, warranty, indemnity,
- or other liability obligations and/or rights consistent with this
- License. However, in accepting such obligations, You may act only
- on Your own behalf and on Your sole responsibility, not on behalf
- of any other Contributor, and only if You agree to indemnify,
- defend, and hold each Contributor harmless for any liability
- incurred by, or claims asserted against, such Contributor by reason
- of your accepting any such warranty or additional liability.
-
- END OF TERMS AND CONDITIONS
-
- APPENDIX: How to apply the Apache License to your work.
-
- To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "{}"
- replaced with your own identifying information. (Don't include
- the brackets!) The text should be enclosed in the appropriate
- comment syntax for the file format. We also recommend that a
- file or class name and description of purpose be included on the
- same "printed page" as the copyright notice for easier
- identification within third-party archives.
-
- Copyright {yyyy} {name of copyright owner}
-
- Licensed under the Apache License, Version 2.0 (the "License");
- you may not use this file except in compliance with the License.
- You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
- Unless required by applicable law or agreed to in writing, software
- distributed under the License is distributed on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- See the License for the specific language governing permissions and
- limitations under the License.
\ No newline at end of file
diff --git a/third_party/mkl/build_defs.bzl b/third_party/mkl/build_defs.bzl
deleted file mode 100644
index 10c2d90..0000000
--- a/third_party/mkl/build_defs.bzl
+++ /dev/null
@@ -1,155 +0,0 @@
-# -*- Python -*-
-"""Skylark macros for MKL.
-
-if_mkl is a conditional to check if we are building with MKL.
-if_mkl_ml is a conditional to check if we are building with MKL-ML.
-if_mkl_ml_only is a conditional to check for MKL-ML-only (no MKL-DNN) mode.
-if_mkl_lnx_x64 is a conditional to check for MKL
-if_enable_mkl is a conditional to check if building with MKL and MKL is enabled.
-
-mkl_repository is a repository rule for creating MKL repository rule that can
-be pointed to either a local folder, or download it from the internet.
-mkl_repository depends on the following environment variables:
- * `TF_MKL_ROOT`: The root folder where a copy of libmkl is located.
-"""
-
-_TF_MKL_ROOT = "TF_MKL_ROOT"
-
-def if_mkl(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with MKL.
-
- Args:
- if_true: expression to evaluate if building with MKL.
- if_false: expression to evaluate if building without MKL.
-
- Returns:
- a select evaluating to either if_true or if_false as appropriate.
- """
- return select({
- str(Label("//third_party/mkl:build_with_mkl")): if_true,
- "//conditions:default": if_false,
- })
-
-def if_mkl_ml(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with MKL-ML.
-
- Args:
- if_true: expression to evaluate if building with MKL-ML.
- if_false: expression to evaluate if building without MKL-ML
- (i.e. without MKL at all, or with MKL-DNN only).
-
- Returns:
- a select evaluating to either if_true or if_false as appropriate.
- """
- return select({
- str(Label("//third_party/mkl_dnn:build_with_mkl_dnn_only")): if_false,
- str(Label("//third_party/mkl:build_with_mkl")): if_true,
- "//conditions:default": if_false,
- })
-
-def if_mkl_ml_only(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with MKL-ML only.
-
- Args:
- if_true: expression to evaluate if building with MKL-ML only.
- if_false: expression to evaluate if building without MKL, or with MKL-DNN.
-
- Returns:
- a select evaluating to either if_true or if_false as appropriate.
- """
- return select({
- str(Label("//third_party/mkl:build_with_mkl_ml_only")): if_true,
- "//conditions:default": if_false,
- })
-
-def if_mkl_lnx_x64(if_true, if_false = []):
- """Shorthand to select() if building with MKL and the target is Linux x86-64.
-
- Args:
- if_true: expression to evaluate if building with MKL is enabled and the
- target platform is Linux x86-64.
- if_false: expression to evaluate if building without MKL or for a
- different platform.
-
- Returns:
- a select evaluating to either if_true or if_false as appropriate.
- """
- return select({
- str(Label("//third_party/mkl:build_with_mkl_lnx_x64")): if_true,
- "//conditions:default": if_false,
- })
-
-def if_enable_mkl(if_true, if_false = []):
- """Shorthand to select() if we are building with MKL and MKL is enabled.
-
- This is only effective when built with MKL.
-
- Args:
- if_true: expression to evaluate if building with MKL and MKL is enabled
- if_false: expression to evaluate if building without MKL or MKL is not enabled.
-
- Returns:
- A select evaluating to either if_true or if_false as appropriate.
- """
- return select({
- str(Label("//third_party/mkl:enable_mkl")): if_true,
- "//conditions:default": if_false,
- })
-
-def mkl_deps():
- """Shorthand for select() to pull in the correct set of MKL library deps.
-
- Can pull in MKL-ML, MKL-DNN, both, or neither depending on config settings.
-
- Returns:
- a select evaluating to a list of library dependencies, suitable for
- inclusion in the deps attribute of rules.
- """
- return select({
- str(Label("//third_party/mkl_dnn:build_with_mkl_dnn_only")): ["@mkl_dnn"],
- str(Label("//third_party/mkl:build_with_mkl_ml_only")): ["//third_party/mkl:intel_binary_blob"],
- str(Label("//third_party/mkl:build_with_mkl")): [
- "//third_party/mkl:intel_binary_blob",
- "@mkl_dnn",
- ],
- "//conditions:default": [],
- })
-
-def _enable_local_mkl(repository_ctx):
- return _TF_MKL_ROOT in repository_ctx.os.environ
-
-def _mkl_autoconf_impl(repository_ctx):
- """Implementation of the local_mkl_autoconf repository rule."""
-
- if _enable_local_mkl(repository_ctx):
- # Symlink lib and include local folders.
- mkl_root = repository_ctx.os.environ[_TF_MKL_ROOT]
- mkl_lib_path = "%s/lib" % mkl_root
- repository_ctx.symlink(mkl_lib_path, "lib")
- mkl_include_path = "%s/include" % mkl_root
- repository_ctx.symlink(mkl_include_path, "include")
- mkl_license_path = "%s/license.txt" % mkl_root
- repository_ctx.symlink(mkl_license_path, "license.txt")
- else:
- # setup remote mkl repository.
- repository_ctx.download_and_extract(
- repository_ctx.attr.urls,
- sha256 = repository_ctx.attr.sha256,
- stripPrefix = repository_ctx.attr.strip_prefix,
- )
-
- # Also setup BUILD file.
- repository_ctx.symlink(repository_ctx.attr.build_file, "BUILD")
-
-mkl_repository = repository_rule(
- implementation = _mkl_autoconf_impl,
- environ = [
- _TF_MKL_ROOT,
- ],
- attrs = {
- "build_file": attr.label(),
- "urls": attr.string_list(default = []),
- "sha256": attr.string(default = ""),
- "strip_prefix": attr.string(default = ""),
- },
-)
diff --git a/third_party/mkl/mkl.BUILD b/third_party/mkl/mkl.BUILD
deleted file mode 100644
index 3f3c9e9..0000000
--- a/third_party/mkl/mkl.BUILD
+++ /dev/null
@@ -1,45 +0,0 @@
-licenses(["notice"]) # 3-Clause BSD
-
-exports_files(["license.txt"])
-
-filegroup(
- name = "LICENSE",
- srcs = [
- "license.txt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "mkl_headers",
- srcs = glob(["include/*(.cc|.cpp|.cxx|.c++|.C|.c|.h|.hh|.hpp|.ipp|.hxx|.inc|.S|.s|.asm|.a|.lib|.pic.a|.lo|.lo.lib|.pic.lo|.so|.dylib|.dll|.o|.obj|.pic.o)"]),
- includes = ["include"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "mkl_libs_linux",
- srcs = [
- "lib/libiomp5.so",
- "lib/libmklml_intel.so",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "mkl_libs_darwin",
- srcs = [
- "lib/libiomp5.dylib",
- "lib/libmklml.dylib",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "mkl_libs_windows",
- srcs = [
- "lib/libiomp5md.lib",
- "lib/mklml.lib",
- ],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/mkl_dnn/BUILD b/third_party/mkl_dnn/BUILD
deleted file mode 100644
index 58ecda5..0000000
--- a/third_party/mkl_dnn/BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"])
-
-exports_files(["LICENSE"])
-
-config_setting(
- name = "build_with_mkl_dnn_only",
- define_values = {
- "build_with_mkl": "true",
- "build_with_mkl_dnn_only": "true",
- },
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/mkl_dnn/LICENSE b/third_party/mkl_dnn/LICENSE
deleted file mode 100644
index 8dada3e..0000000
--- a/third_party/mkl_dnn/LICENSE
+++ /dev/null
@@ -1,201 +0,0 @@
- Apache License
- Version 2.0, January 2004
- http://www.apache.org/licenses/
-
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
-
- 1. Definitions.
-
- "License" shall mean the terms and conditions for use, reproduction,
- and distribution as defined by Sections 1 through 9 of this document.
-
- "Licensor" shall mean the copyright owner or entity authorized by
- the copyright owner that is granting the License.
-
- "Legal Entity" shall mean the union of the acting entity and all
- other entities that control, are controlled by, or are under common
- control with that entity. For the purposes of this definition,
- "control" means (i) the power, direct or indirect, to cause the
- direction or management of such entity, whether by contract or
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
- outstanding shares, or (iii) beneficial ownership of such entity.
-
- "You" (or "Your") shall mean an individual or Legal Entity
- exercising permissions granted by this License.
-
- "Source" form shall mean the preferred form for making modifications,
- including but not limited to software source code, documentation
- source, and configuration files.
-
- "Object" form shall mean any form resulting from mechanical
- transformation or translation of a Source form, including but
- not limited to compiled object code, generated documentation,
- and conversions to other media types.
-
- "Work" shall mean the work of authorship, whether in Source or
- Object form, made available under the License, as indicated by a
- copyright notice that is included in or attached to the work
- (an example is provided in the Appendix below).
-
- "Derivative Works" shall mean any work, whether in Source or Object
- form, that is based on (or derived from) the Work and for which the
- editorial revisions, annotations, elaborations, or other modifications
- represent, as a whole, an original work of authorship. For the purposes
- of this License, Derivative Works shall not include works that remain
- separable from, or merely link (or bind by name) to the interfaces of,
- the Work and Derivative Works thereof.
-
- "Contribution" shall mean any work of authorship, including
- the original version of the Work and any modifications or additions
- to that Work or Derivative Works thereof, that is intentionally
- submitted to Licensor for inclusion in the Work by the copyright owner
- or by an individual or Legal Entity authorized to submit on behalf of
- the copyright owner. For the purposes of this definition, "submitted"
- means any form of electronic, verbal, or written communication sent
- to the Licensor or its representatives, including but not limited to
- communication on electronic mailing lists, source code control systems,
- and issue tracking systems that are managed by, or on behalf of, the
- Licensor for the purpose of discussing and improving the Work, but
- excluding communication that is conspicuously marked or otherwise
- designated in writing by the copyright owner as "Not a Contribution."
-
- "Contributor" shall mean Licensor and any individual or Legal Entity
- on behalf of whom a Contribution has been received by Licensor and
- subsequently incorporated within the Work.
-
- 2. Grant of Copyright License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- copyright license to reproduce, prepare Derivative Works of,
- publicly display, publicly perform, sublicense, and distribute the
- Work and such Derivative Works in Source or Object form.
-
- 3. Grant of Patent License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- (except as stated in this section) patent license to make, have made,
- use, offer to sell, sell, import, and otherwise transfer the Work,
- where such license applies only to those patent claims licensable
- by such Contributor that are necessarily infringed by their
- Contribution(s) alone or by combination of their Contribution(s)
- with the Work to which such Contribution(s) was submitted. If You
- institute patent litigation against any entity (including a
- cross-claim or counterclaim in a lawsuit) alleging that the Work
- or a Contribution incorporated within the Work constitutes direct
- or contributory patent infringement, then any patent licenses
- granted to You under this License for that Work shall terminate
- as of the date such litigation is filed.
-
- 4. Redistribution. You may reproduce and distribute copies of the
- Work or Derivative Works thereof in any medium, with or without
- modifications, and in Source or Object form, provided that You
- meet the following conditions:
-
- (a) You must give any other recipients of the Work or
- Derivative Works a copy of this License; and
-
- (b) You must cause any modified files to carry prominent notices
- stating that You changed the files; and
-
- (c) You must retain, in the Source form of any Derivative Works
- that You distribute, all copyright, patent, trademark, and
- attribution notices from the Source form of the Work,
- excluding those notices that do not pertain to any part of
- the Derivative Works; and
-
- (d) If the Work includes a "NOTICE" text file as part of its
- distribution, then any Derivative Works that You distribute must
- include a readable copy of the attribution notices contained
- within such NOTICE file, excluding those notices that do not
- pertain to any part of the Derivative Works, in at least one
- of the following places: within a NOTICE text file distributed
- as part of the Derivative Works; within the Source form or
- documentation, if provided along with the Derivative Works; or,
- within a display generated by the Derivative Works, if and
- wherever such third-party notices normally appear. The contents
- of the NOTICE file are for informational purposes only and
- do not modify the License. You may add Your own attribution
- notices within Derivative Works that You distribute, alongside
- or as an addendum to the NOTICE text from the Work, provided
- that such additional attribution notices cannot be construed
- as modifying the License.
-
- You may add Your own copyright statement to Your modifications and
- may provide additional or different license terms and conditions
- for use, reproduction, or distribution of Your modifications, or
- for any such Derivative Works as a whole, provided Your use,
- reproduction, and distribution of the Work otherwise complies with
- the conditions stated in this License.
-
- 5. Submission of Contributions. Unless You explicitly state otherwise,
- any Contribution intentionally submitted for inclusion in the Work
- by You to the Licensor shall be under the terms and conditions of
- this License, without any additional terms or conditions.
- Notwithstanding the above, nothing herein shall supersede or modify
- the terms of any separate license agreement you may have executed
- with Licensor regarding such Contributions.
-
- 6. Trademarks. This License does not grant permission to use the trade
- names, trademarks, service marks, or product names of the Licensor,
- except as required for reasonable and customary use in describing the
- origin of the Work and reproducing the content of the NOTICE file.
-
- 7. Disclaimer of Warranty. Unless required by applicable law or
- agreed to in writing, Licensor provides the Work (and each
- Contributor provides its Contributions) on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
- implied, including, without limitation, any warranties or conditions
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
- PARTICULAR PURPOSE. You are solely responsible for determining the
- appropriateness of using or redistributing the Work and assume any
- risks associated with Your exercise of permissions under this License.
-
- 8. Limitation of Liability. In no event and under no legal theory,
- whether in tort (including negligence), contract, or otherwise,
- unless required by applicable law (such as deliberate and grossly
- negligent acts) or agreed to in writing, shall any Contributor be
- liable to You for damages, including any direct, indirect, special,
- incidental, or consequential damages of any character arising as a
- result of this License or out of the use or inability to use the
- Work (including but not limited to damages for loss of goodwill,
- work stoppage, computer failure or malfunction, or any and all
- other commercial damages or losses), even if such Contributor
- has been advised of the possibility of such damages.
-
- 9. Accepting Warranty or Additional Liability. While redistributing
- the Work or Derivative Works thereof, You may choose to offer,
- and charge a fee for, acceptance of support, warranty, indemnity,
- or other liability obligations and/or rights consistent with this
- License. However, in accepting such obligations, You may act only
- on Your own behalf and on Your sole responsibility, not on behalf
- of any other Contributor, and only if You agree to indemnify,
- defend, and hold each Contributor harmless for any liability
- incurred by, or claims asserted against, such Contributor by reason
- of your accepting any such warranty or additional liability.
-
- END OF TERMS AND CONDITIONS
-
- APPENDIX: How to apply the Apache License to your work.
-
- To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "{}"
- replaced with your own identifying information. (Don't include
- the brackets!) The text should be enclosed in the appropriate
- comment syntax for the file format. We also recommend that a
- file or class name and description of purpose be included on the
- same "printed page" as the copyright notice for easier
- identification within third-party archives.
-
- Copyright {yyyy} {name of copyright owner}
-
- Licensed under the Apache License, Version 2.0 (the "License");
- you may not use this file except in compliance with the License.
- You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
- Unless required by applicable law or agreed to in writing, software
- distributed under the License is distributed on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- See the License for the specific language governing permissions and
- limitations under the License.
diff --git a/third_party/mkl_dnn/build_defs.bzl b/third_party/mkl_dnn/build_defs.bzl
deleted file mode 100644
index 6388f31..0000000
--- a/third_party/mkl_dnn/build_defs.bzl
+++ /dev/null
@@ -1,13 +0,0 @@
-def if_mkl_open_source_only(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with
- MKL-DNN open source lib only, without depending on MKL binary form.
-
- Returns a select statement which evaluates to if_true if we're building
- with MKL-DNN open source lib only. Otherwise,
- the select statement evaluates to if_false.
-
- """
- return select({
- str(Label("//third_party/mkl_dnn:build_with_mkl_dnn_only")): if_true,
- "//conditions:default": if_false,
- })
diff --git a/third_party/mkl_dnn/mkldnn.BUILD b/third_party/mkl_dnn/mkldnn.BUILD
deleted file mode 100644
index bd842b8..0000000
--- a/third_party/mkl_dnn/mkldnn.BUILD
+++ /dev/null
@@ -1,97 +0,0 @@
-exports_files(["LICENSE"])
-
-load(
- "@org_tensorflow//third_party/mkl_dnn:build_defs.bzl",
- "if_mkl_open_source_only",
-)
-
-config_setting(
- name = "clang_linux_x86_64",
- values = {
- "cpu": "k8",
- "define": "using_clang=true",
- },
-)
-
-cc_library(
- name = "mkl_dnn",
- srcs = glob([
- "src/common/*.cpp",
- "src/common/*.hpp",
- "src/cpu/*.cpp",
- "src/cpu/*.hpp",
- "src/cpu/gemm/*.cpp",
- "src/cpu/gemm/*.hpp",
- "src/cpu/xbyak/*.h",
- ]),
- hdrs = glob(["include/*"]),
- copts = [
- "-fexceptions",
- "-DUSE_MKL",
- "-DUSE_CBLAS",
- ] + if_mkl_open_source_only([
- "-UUSE_MKL",
- "-UUSE_CBLAS",
- ]) + select({
- "@org_tensorflow//tensorflow:linux_x86_64": [
- "-fopenmp", # only works with gcc
- ],
- # TODO(ibiryukov): enable openmp with clang by including libomp as a
- # dependency.
- ":clang_linux_x86_64": [],
- "//conditions:default": [],
- }),
- includes = [
- "include",
- "src",
- "src/common",
- "src/cpu",
- "src/cpu/gemm",
- "src/cpu/xbyak",
- ],
- nocopts = "-fno-exceptions",
- visibility = ["//visibility:public"],
- deps = select({
- "@org_tensorflow//tensorflow:linux_x86_64": [
- "@mkl_linux//:mkl_headers",
- "@mkl_linux//:mkl_libs_linux",
- ],
- "@org_tensorflow//tensorflow:darwin": [
- "@mkl_darwin//:mkl_headers",
- "@mkl_darwin//:mkl_libs_darwin",
- ],
- "@org_tensorflow//tensorflow:windows": [
- "@mkl_windows//:mkl_headers",
- "@mkl_windows//:mkl_libs_windows",
- ],
- "//conditions:default": [],
- }),
-)
-
-cc_library(
- name = "mkldnn_single_threaded",
- srcs = glob([
- "src/common/*.cpp",
- "src/common/*.hpp",
- "src/cpu/*.cpp",
- "src/cpu/*.hpp",
- "src/cpu/gemm/*.cpp",
- "src/cpu/gemm/*.hpp",
- "src/cpu/xbyak/*.h",
- ]),
- hdrs = glob(["include/*"]),
- copts = [
- "-fexceptions",
- "-DMKLDNN_THR=MKLDNN_THR_SEQ", # Disables threading.
- ],
- includes = [
- "include",
- "src",
- "src/common",
- "src/cpu",
- "src/cpu/gemm",
- "src/cpu/xbyak",
- ],
- nocopts = "-fno-exceptions",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/mpi/.gitignore b/third_party/mpi/.gitignore
deleted file mode 100644
index ab01161..0000000
--- a/third_party/mpi/.gitignore
+++ /dev/null
@@ -1,3 +0,0 @@
-*.h
-*.dylib
-*.so
diff --git a/third_party/mpi/BUILD b/third_party/mpi/BUILD
deleted file mode 100644
index 1d6ac2f..0000000
--- a/third_party/mpi/BUILD
+++ /dev/null
@@ -1,13 +0,0 @@
-licenses(["restricted"])
-
-load("//third_party/mpi:mpi.bzl", "mpi_hdr")
-load("//third_party/mpi:mpi.bzl", "if_mpi")
-
-cc_library(
- name = "mpi",
- srcs = if_mpi([
- "libmpi.so",
- ]),
- hdrs = if_mpi(mpi_hdr()),
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/mpi/mpi.bzl b/third_party/mpi/mpi.bzl
deleted file mode 100644
index 3a48335..0000000
--- a/third_party/mpi/mpi.bzl
+++ /dev/null
@@ -1,17 +0,0 @@
-#OpenMPI and Mvapich/mpich require different headers
-#based on the configuration options return one or the other
-
-def mpi_hdr():
- MPI_LIB_IS_OPENMPI = True
- hdrs = []
- if MPI_LIB_IS_OPENMPI:
- hdrs = ["mpi.h", "mpi_portable_platform.h"] #When using OpenMPI
- else:
- hdrs = ["mpi.h", "mpio.h", "mpicxx.h"] #When using MVAPICH
- return hdrs
-
-def if_mpi(if_true, if_false = []):
- return select({
- "//tensorflow:with_mpi_support": if_true,
- "//conditions:default": if_false,
- })
diff --git a/third_party/mpi_collectives/BUILD b/third_party/mpi_collectives/BUILD
deleted file mode 100644
index d5f9edb..0000000
--- a/third_party/mpi_collectives/BUILD
+++ /dev/null
@@ -1,29 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(["LICENSE.txt"])
-
-filegroup(
- name = "all_files",
- srcs = glob(
- ["**/*"],
- exclude = [
- "**/METADATA",
- "**/OWNERS",
- ],
- ),
- visibility = ["//tensorflow:__subpackages__"],
-)
-
-cc_library(
- name = "mpi",
- srcs = select({
- "//tensorflow:darwin": ["libmpi.dylib"],
- "//conditions:default": ["libmpi.so"],
- }),
- hdrs = [
- "mpi.h",
- "mpi_portable_platform",
- ],
-)
diff --git a/third_party/nanopb.BUILD b/third_party/nanopb.BUILD
deleted file mode 100644
index d218669..0000000
--- a/third_party/nanopb.BUILD
+++ /dev/null
@@ -1,23 +0,0 @@
-# Description:
-# Nanopb, a tiny ANSI C protobuf implementation for use on embedded devices.
-
-licenses(["notice"]) # zlib license
-
-exports_files(["LICENSE.txt"])
-
-cc_library(
- name = "nanopb",
- srcs = [
- "pb_common.c",
- "pb_decode.c",
- "pb_encode.c",
- ],
- hdrs = [
- "pb.h",
- "pb_common.h",
- "pb_decode.h",
- "pb_encode.h",
- ],
- includes = ["."],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/nasm/BUILD b/third_party/nasm/BUILD
deleted file mode 100644
index e3aec1f..0000000
--- a/third_party/nasm/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# Needed to make this a package.
diff --git a/third_party/nasm/BUILD.bazel b/third_party/nasm/BUILD.bazel
deleted file mode 100644
index c68d713..0000000
--- a/third_party/nasm/BUILD.bazel
+++ /dev/null
@@ -1,168 +0,0 @@
-# Description:
-# NASM is a portable assembler in the Intel/Microsoft tradition.
-
-licenses(["notice"]) # BSD 2-clause
-
-exports_files(["LICENSE"])
-
-cc_binary(
- name = "nasm",
- srcs = [
- "asm/assemble.c",
- "asm/assemble.h",
- "asm/directbl.c",
- "asm/directiv.c",
- "asm/directiv.h",
- "asm/error.c",
- "asm/eval.c",
- "asm/eval.h",
- "asm/exprdump.c",
- "asm/exprlib.c",
- "asm/float.c",
- "asm/float.h",
- "asm/labels.c",
- "asm/listing.c",
- "asm/listing.h",
- "asm/nasm.c",
- "asm/parser.c",
- "asm/parser.h",
- "asm/pptok.c",
- "asm/pptok.h",
- "asm/pragma.c",
- "asm/preproc.c",
- "asm/preproc.h",
- "asm/preproc-nop.c",
- "asm/quote.c",
- "asm/quote.h",
- "asm/rdstrnum.c",
- "asm/segalloc.c",
- "asm/stdscan.c",
- "asm/stdscan.h",
- "asm/strfunc.c",
- "asm/tokens.h",
- "asm/tokhash.c",
- "common/common.c",
- "config/unknown.h",
- "disasm/disasm.c",
- "disasm/disasm.h",
- "disasm/sync.c",
- "disasm/sync.h",
- "include/compiler.h",
- "include/disp8.h",
- "include/error.h",
- "include/hashtbl.h",
- "include/iflag.h",
- "include/insns.h",
- "include/labels.h",
- "include/md5.h",
- "include/nasm.h",
- "include/nasmint.h",
- "include/nasmlib.h",
- "include/opflags.h",
- "include/perfhash.h",
- "include/raa.h",
- "include/rbtree.h",
- "include/rdoff.h",
- "include/saa.h",
- "include/strlist.h",
- "include/tables.h",
- "include/ver.h",
- "macros/macros.c",
- "nasmlib/badenum.c",
- "nasmlib/bsi.c",
- "nasmlib/crc64.c",
- "nasmlib/file.c",
- "nasmlib/file.h",
- "nasmlib/filename.c",
- "nasmlib/hashtbl.c",
- "nasmlib/ilog2.c",
- "nasmlib/malloc.c",
- "nasmlib/md5c.c",
- "nasmlib/mmap.c",
- "nasmlib/path.c",
- "nasmlib/perfhash.c",
- "nasmlib/raa.c",
- "nasmlib/rbtree.c",
- "nasmlib/readnum.c",
- "nasmlib/realpath.c",
- "nasmlib/saa.c",
- "nasmlib/srcfile.c",
- "nasmlib/string.c",
- "nasmlib/strlist.c",
- "nasmlib/ver.c",
- "nasmlib/zerobuf.c",
- "output/codeview.c",
- "output/dwarf.h",
- "output/elf.h",
- "output/legacy.c",
- "output/nulldbg.c",
- "output/nullout.c",
- "output/outaout.c",
- "output/outas86.c",
- "output/outbin.c",
- "output/outcoff.c",
- "output/outdbg.c",
- "output/outelf.c",
- "output/outelf.h",
- "output/outform.c",
- "output/outform.h",
- "output/outieee.c",
- "output/outlib.c",
- "output/outlib.h",
- "output/outmacho.c",
- "output/outobj.c",
- "output/outrdf2.c",
- "output/pecoff.h",
- "output/stabs.h",
- "stdlib/snprintf.c",
- "stdlib/strlcpy.c",
- "stdlib/strnlen.c",
- "stdlib/vsnprintf.c",
- "version.h",
- "x86/disp8.c",
- "x86/iflag.c",
- "x86/iflaggen.h",
- "x86/insnsa.c",
- "x86/insnsb.c",
- "x86/insnsd.c",
- "x86/insnsi.h",
- "x86/insnsn.c",
- "x86/regdis.c",
- "x86/regdis.h",
- "x86/regflags.c",
- "x86/regs.c",
- "x86/regs.h",
- "x86/regvals.c",
- ] + select({
- ":windows": ["config/msvc.h"],
- "//conditions:default": [],
- }),
- copts = select({
- ":windows": [],
- "//conditions:default": [
- "-w",
- "-std=c99",
- ],
- }),
- defines = select({
- ":windows": [],
- "//conditions:default": [
- "HAVE_SNPRINTF",
- "HAVE_SYS_TYPES_H",
- ],
- }),
- includes = [
- "asm",
- "include",
- "output",
- "x86",
- ],
- visibility = ["@jpeg//:__pkg__"],
-)
-
-config_setting(
- name = "windows",
- values = {
- "cpu": "x64_windows",
- },
-)
diff --git a/third_party/nasm/BUILD.system b/third_party/nasm/BUILD.system
deleted file mode 100644
index 10ef8d8..0000000
--- a/third_party/nasm/BUILD.system
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # BSD 2-clause
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-sh_binary(
- name = "nasm",
- srcs = ["nasm"],
- visibility = ["@jpeg//:__pkg__"],
-)
diff --git a/third_party/nasm/workspace.bzl b/third_party/nasm/workspace.bzl
deleted file mode 100644
index 6d50f6f..0000000
--- a/third_party/nasm/workspace.bzl
+++ /dev/null
@@ -1,17 +0,0 @@
-"""loads the nasm library, used by TF."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "nasm",
- urls = [
- "https://mirror.bazel.build/www.nasm.us/pub/nasm/releasebuilds/2.13.03/nasm-2.13.03.tar.bz2",
- "http://pkgs.fedoraproject.org/repo/pkgs/nasm/nasm-2.13.03.tar.bz2/sha512/d7a6b4cee8dfd603d8d4c976e5287b5cc542fa0b466ff989b743276a6e28114e64289bf02a7819eca63142a5278aa6eed57773007e5f589e15768e6456a8919d/nasm-2.13.03.tar.bz2",
- "http://www.nasm.us/pub/nasm/releasebuilds/2.13.03/nasm-2.13.03.tar.bz2",
- ],
- sha256 = "63ec86477ad3f0f6292325fd89e1d93aea2e2fd490070863f17d48f7cd387011",
- strip_prefix = "nasm-2.13.03",
- build_file = "//third_party/nasm:BUILD.bazel",
- system_build_file = "//third_party/nasm:BUILD.system",
- )
diff --git a/third_party/nccl/BUILD b/third_party/nccl/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/nccl/BUILD
+++ /dev/null
diff --git a/third_party/nccl/LICENSE b/third_party/nccl/LICENSE
deleted file mode 100644
index b958518..0000000
--- a/third_party/nccl/LICENSE
+++ /dev/null
@@ -1,30 +0,0 @@
-
- Copyright (c) 2015-2018, NVIDIA CORPORATION. All rights reserved.
-
- Redistribution and use in source and binary forms, with or without
- modification, are permitted provided that the following conditions
- are met:
- * Redistributions of source code must retain the above copyright
- notice, this list of conditions and the following disclaimer.
- * Redistributions in binary form must reproduce the above copyright
- notice, this list of conditions and the following disclaimer in the
- documentation and/or other materials provided with the distribution.
- * Neither the name of NVIDIA CORPORATION, Lawrence Berkeley National
- Laboratory, the U.S. Department of Energy, nor the names of their
- contributors may be used to endorse or promote products derived
- from this software without specific prior written permission.
-
- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ``AS IS'' AND ANY
- EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
- IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
- PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
- CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
- EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
- PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
- OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
- (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
- OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
-
- The U.S. Department of Energy funded the development of this software
- under subcontract 7078610 with Lawrence Berkeley National Laboratory.
diff --git a/third_party/nccl/archive.BUILD b/third_party/nccl/archive.BUILD
deleted file mode 100644
index 5901c6b..0000000
--- a/third_party/nccl/archive.BUILD
+++ /dev/null
@@ -1,106 +0,0 @@
-# NVIDIA NCCL 2
-# A package of optimized primitives for collective multi-GPU communication.
-
-licenses(["notice"])
-
-exports_files(["LICENSE.txt"])
-
-load(
- "@local_config_nccl//:build_defs.bzl",
- "cuda_rdc_library",
- "gen_device_srcs",
- "process_srcs",
-)
-load("@local_config_cuda//cuda:build_defs.bzl", "cuda_default_copts")
-
-cc_library(
- name = "src_hdrs",
- hdrs = process_srcs([
- "src/collectives/collectives.h",
- "src/nccl.h.in",
- ]),
-)
-
-cc_library(
- name = "include_hdrs",
- hdrs = process_srcs(glob(["src/include/*.h"])),
- strip_include_prefix = "include",
-)
-
-device_srcs = process_srcs([
- "src/collectives/device/all_gather.cu",
- "src/collectives/device/all_reduce.cu",
- "src/collectives/device/broadcast.cu",
- "src/collectives/device/reduce.cu",
- "src/collectives/device/reduce_scatter.cu",
-])
-
-# NCCL compiles the same source files with different NCCL_OP defines. RDC
-# compilation requires that each compiled module has a unique ID. Clang derives
-# the module ID from the path only so we need to rename the files to get
-# different IDs for different parts of compilation. NVCC does not have that
-# problem because it generates IDs based on preprocessed content.
-gen_device_srcs(
- name = "sum",
- srcs = device_srcs,
- NCCL_OP = 0,
-)
-
-gen_device_srcs(
- name = "prod",
- srcs = device_srcs,
- NCCL_OP = 1,
-)
-
-gen_device_srcs(
- name = "min",
- srcs = device_srcs,
- NCCL_OP = 2,
-)
-
-gen_device_srcs(
- name = "max",
- srcs = device_srcs,
- NCCL_OP = 3,
-)
-
-cuda_rdc_library(
- name = "device",
- srcs = [
- ":max",
- ":min",
- ":prod",
- ":sum",
- ] + process_srcs(glob([
- "src/collectives/device/*.h",
- "src/collectives/device/functions.cu",
- ])),
- deps = [
- ":include_hdrs",
- ":src_hdrs",
- ],
-)
-
-# Primary NCCL target.
-cc_library(
- name = "nccl",
- srcs = process_srcs(glob(
- include = ["src/**/*.cu"],
- # Exclude device-library code.
- exclude = ["src/collectives/device/**"],
- )) + [
- # Required for header inclusion checking (see
- # http://docs.bazel.build/versions/master/be/c-cpp.html#hdrs).
- "nccl.h",
- "collectives/collectives.h",
- ],
- hdrs = ["nccl.h"],
- copts = cuda_default_copts() + ["-Wno-vla"],
- include_prefix = "third_party/nccl",
- visibility = ["//visibility:public"],
- deps = [
- ":device",
- ":include_hdrs",
- "@local_config_cuda//cuda:cudart_static",
- ],
-)
diff --git a/third_party/nccl/build_defs.bzl.tpl b/third_party/nccl/build_defs.bzl.tpl
deleted file mode 100644
index 1fb90ee..0000000
--- a/third_party/nccl/build_defs.bzl.tpl
+++ /dev/null
@@ -1,390 +0,0 @@
-"""Repository rule for NCCL."""
-
-load("@local_config_cuda//cuda:build_defs.bzl", "cuda_default_copts")
-load("@bazel_tools//tools/cpp:toolchain_utils.bzl", "find_cpp_toolchain")
-
-def _process_src_impl(ctx):
- """Applies various patches to the NCCL source."""
- substitutions = {
- "\"collectives.h": "\"collectives/collectives.h",
- "\"../collectives.h": "\"collectives/collectives.h",
- # Clang does not define __CUDACC_VER_*__, use CUDA_VERSION instead.
- # TODO(csigg): Apply substitutions upstream and remove here.
- "#if __CUDACC_VER_MAJOR__ >= 10 || (__CUDACC_VER_MAJOR__ >= 9 && __CUDACC_VER_MINOR__ >= 2)": "#if CUDART_VERSION >= 9200",
- "#if __CUDACC_VER_MAJOR__ >= 10": "#if CUDART_VERSION >= 10000",
- "#if __CUDACC_VER_MAJOR__ >= 9": "#if CUDART_VERSION >= 9000",
- "#if __CUDACC_VER_MAJOR__ < 9": "#if CUDART_VERSION < 9000",
- "nullptr_t": "std::nullptr_t",
- }
- if ctx.file.src.basename == "nccl.h.in":
- substitutions.update({
- "${nccl:Major}": "2",
- "${nccl:Minor}": "3",
- "${nccl:Patch}": "5",
- "${nccl:Suffix}": "",
- "${nccl:Version}": "2305",
- })
- if ctx.file.src.basename == "function.cu":
- substitutions.update({
- # Don't try to initialize the host shadow copy of this device-side
- # global variable. There is no host pointer to a device-side
- # function, which confuses clang.
- # TODO(csigg): remove when fixed in clang.
- "NCCL_FUNCS2B(ncclBroadcast),": "#if __CUDA_ARCH__\nNCCL_FUNCS2B(ncclBroadcast),",
- "NCCL_FUNCS2A(ncclAllReduce)": "NCCL_FUNCS2A(ncclAllReduce)\n#endif",
- })
- ctx.actions.expand_template(
- output = ctx.outputs.out,
- template = ctx.file.src,
- substitutions = substitutions,
- )
-
-_process_src = rule(
- implementation = _process_src_impl,
- attrs = {
- "src": attr.label(allow_single_file = True),
- "out": attr.output(),
- },
-)
-"""Processes one NCCL source file so it can be compiled with bazel and clang."""
-
-def _out(src):
- if not src.startswith("src/"):
- fail("Source file not under src/...:", src)
- src = src[4:] # Strip 'src/'
- if src == "nccl.h.in":
- return "nccl.h"
- if src.endswith(".cu"):
- return src + ".cc"
- return src
-
-def process_srcs(srcs):
- """Processes files under src/ and copies them to the parent directory."""
- [_process_src(
- name = "_" + src,
- src = src,
- out = _out(src),
- ) for src in srcs]
- return ["_" + src for src in srcs]
-
-def _gen_device_srcs_impl(ctx):
- files = []
- for src in ctx.files.srcs:
- name = "%s_%s" % (ctx.attr.name, src.basename)
- file = ctx.actions.declare_file(name, sibling = src)
- ctx.actions.expand_template(
- output = file,
- template = src,
- substitutions = {
- "#define UNROLL 4": "#define UNROLL 4\n#define NCCL_OP %d" % ctx.attr.NCCL_OP,
- },
- )
- files.append(file)
- return [DefaultInfo(files = depset(files))]
-
-gen_device_srcs = rule(
- implementation = _gen_device_srcs_impl,
- attrs = {
- "srcs": attr.label_list(allow_files = True),
- "NCCL_OP": attr.int(),
- },
-)
-"""Adds prefix to each file name in srcs and adds #define NCCL_OP."""
-
-def _rdc_copts():
- """Returns copts for compiling relocatable device code."""
-
- # The global functions can not have a lower register count than the
- # device functions. This is enforced by setting a fixed register count.
- # https://github.com/NVIDIA/nccl/blob/f93fe9bfd94884cec2ba711897222e0df5569a53/makefiles/common.mk#L48
- maxrregcount = "-maxrregcount=96"
-
- return cuda_default_copts() + select({
- "@local_config_cuda//cuda:using_nvcc": [
- "-nvcc_options",
- "relocatable-device-code=true",
- "-nvcc_options",
- "ptxas-options=" + maxrregcount,
- ],
- "@local_config_cuda//cuda:using_clang": [
- "-fcuda-rdc",
- "-Xcuda-ptxas",
- maxrregcount,
- # Work around for clang bug (fixed in r348662), declaring
- # '__device__ operator delete(void*, std::size_t)' non-inline.
- # TODO(csigg): Only add this option for older clang versions.
- "-std=gnu++11",
- ],
- "//conditions:default": [],
- })
-
-def _lookup_file(filegroup, path):
- """Extracts file at (relative) path in filegroup."""
- for file in filegroup.files:
- if file.path.endswith(path):
- return file
- return None
-
-def _pic_only(files):
- """Returns the PIC files if there are any in 'files', otherwise 'files'."""
- pic_only = [f for f in files if f.basename.find(".pic.") >= 0]
- return pic_only if pic_only else files
-
-def _device_link_impl(ctx):
- if not ctx.attr.gpu_archs:
- fail("No GPU architecture specified. NCCL requires --config=cuda or similar.")
-
- inputs = []
- for dep in ctx.attr.deps:
- inputs += dep.files.to_list()
- inputs = _pic_only(inputs)
-
- # Device-link to cubins for each architecture.
- name = ctx.attr.name
- register_h = None
- cubins = []
- images = []
- for arch in ctx.attr.gpu_archs:
- cubin = ctx.actions.declare_file("%s_%s.cubin" % (name, arch))
- register_h = ctx.actions.declare_file("%s_register_%s.h" % (name, arch))
- ctx.actions.run(
- outputs = [register_h, cubin],
- inputs = inputs,
- executable = ctx.file._nvlink,
- arguments = ctx.attr.nvlink_args + [
- "--arch=%s" % arch,
- "--register-link-binaries=%s" % register_h.path,
- "--output-file=%s" % cubin.path,
- ] + [file.path for file in inputs],
- mnemonic = "nvlink",
- )
- cubins.append(cubin)
- images.append("--image=profile=%s,file=%s" % (arch, cubin.path))
-
- # Generate fatbin header from all cubins.
- tmp_fatbin = ctx.actions.declare_file("%s.fatbin" % name)
- fatbin_h = ctx.actions.declare_file("%s_fatbin.h" % name)
- bin2c = ctx.file._bin2c
- ctx.actions.run(
- outputs = [tmp_fatbin, fatbin_h],
- inputs = cubins,
- executable = ctx.file._fatbinary,
- arguments = [
- "-64",
- "--cmdline=--compile-only",
- "--link",
- "--compress-all",
- "--bin2c-path=%s" % bin2c.dirname,
- "--create=%s" % tmp_fatbin.path,
- "--embedded-fatbin=%s" % fatbin_h.path,
- ] + images,
- tools = [bin2c],
- mnemonic = "fatbinary",
- )
-
- # Generate the source file #including the headers generated above.
- ctx.actions.expand_template(
- output = ctx.outputs.out,
- template = ctx.file._link_stub,
- substitutions = {
- "REGISTERLINKBINARYFILE": '"%s"' % register_h.short_path,
- "FATBINFILE": '"%s"' % fatbin_h.short_path,
- },
- )
-
- return [DefaultInfo(files = depset([register_h, fatbin_h]))]
-
-_device_link = rule(
- implementation = _device_link_impl,
- attrs = {
- "deps": attr.label_list(),
- "out": attr.output(mandatory = True),
- "gpu_archs": attr.string_list(),
- "nvlink_args": attr.string_list(),
- "_nvlink": attr.label(
- default = Label("@local_config_nccl//:nvlink"),
- allow_single_file = True,
- executable = True,
- cfg = "host",
- ),
- "_fatbinary": attr.label(
- default = Label("@local_config_nccl//:cuda/bin/fatbinary"),
- allow_single_file = True,
- executable = True,
- cfg = "host",
- ),
- "_bin2c": attr.label(
- default = Label("@local_config_nccl//:cuda/bin/bin2c"),
- allow_single_file = True,
- executable = True,
- cfg = "host",
- ),
- "_link_stub": attr.label(
- default = Label("@local_config_nccl//:cuda/bin/crt/link.stub"),
- allow_single_file = True,
- ),
- },
-)
-"""Links device code and generates source code for kernel registration."""
-
-def _merge_archive_impl(ctx):
- # Generate an mri script to the merge archives in srcs and pass it to 'ar'.
- # See https://stackoverflow.com/a/23621751.
- files = _pic_only(ctx.files.srcs)
- mri_script = "create " + ctx.outputs.out.path
- for f in files:
- mri_script += "\\naddlib " + f.path
- mri_script += "\\nsave\\nend"
-
- cc_toolchain = find_cpp_toolchain(ctx)
- ctx.actions.run_shell(
- inputs = ctx.files.srcs, # + ctx.files._crosstool,
- outputs = [ctx.outputs.out],
- command = ("printf \"%s\" " % mri_script +
- "| %s -M" % cc_toolchain.ar_executable),
- )
-
-_merge_archive = rule(
- implementation = _merge_archive_impl,
- attrs = {
- "srcs": attr.label_list(mandatory = True, allow_files = True),
- "_cc_toolchain": attr.label(default = "@bazel_tools//tools/cpp:current_cc_toolchain"),
- # "_crosstool": attr.label_list(cfg = "host", default = ["@bazel_tools//tools/cpp:crosstool"]),
- },
- outputs = {"out": "lib%{name}.a"},
-)
-"""Merges srcs into a single archive."""
-
-def cuda_rdc_library(name, hdrs = None, copts = None, linkstatic = True, **kwargs):
- """Produces a cuda_library using separate compilation and linking.
-
- CUDA separate compilation and linking allows device function calls across
- translation units. This is different from the normal whole program
- compilation where each translation unit contains all device code. For more
- background, see
- https://devblogs.nvidia.com/separate-compilation-linking-cuda-device-code/,
- https://docs.nvidia.com/cuda/cuda-compiler-driver-nvcc/index.html#nvcc-options-for-separate-compilation
-
- During separate compilation, the different CUDA source files are compiled
- to 'relocatable device code' (RDC) and embedded in the host object files.
- When using nvcc, linking the device code for each supported GPU
- architecture and generating kernel registration code for the CUDA runtime
- is handled automatically. Clang supports generating relocatable device
- code, but it can't link it. We therefore rely on tools provided by the CUDA
- SDK to link the device code and generate the host code to register the
- kernels.
-
- The nvlink tool extracts the RDC code from the object files and links it
- into cubin files, one per GPU architecture. It also produces a header file
- with a list of kernel names to register. The cubins are merged into a
- binary blob using the fatbinary tool, and converted to a C header file with
- the help of the bin2c tool. The registration header file, the fatbinary
- header file, and the link.stub file (shipped with the CUDA SDK) are
- compiled as ordinary host code.
-
- Here is a diagram of the CUDA separate compilation trajectory:
-
- x.cu.cc y.cu.cc
- \ / cc_library (compile RDC and archive)
- xy.a
- / \ * nvlink
- register.h xy.cubin
- : | * fatbinary and bin2c
- : xy.fatbin.h
- : : * #include
- dlink.cc * Expanded from crt/dlink.stub template
- | cc_library (host compile and archive)
- dlink.a
-
- The steps marked with '*' are implemented in the _device_link rule.
-
- The object files in both xy.a and dlink.a reference symbols defined in the
- other archive. The separate archives are a side effect of using two
- cc_library targets to implement a single compilation trajectory. We could
- fix this once bazel supports C++ sandwich. For now, we just merge the two
- archives to avoid unresolved symbols:
-
- xy.a dlink.a
- \ / merge archive
- xy_dlink.a
- | cc_library (or alternatively, cc_import)
- final target
-
- Another complication is that cc_library produces (depending on the
- configuration) both PIC and non-PIC archives, but the distinction
- is hidden from Starlark until C++ sandwich becomes available. We work
- around this by dropping the non-PIC files if PIC files are available.
-
- Args:
- name: Target name.
- hdrs: Header files.
- copts: Compiler options.
- linkstatic: Must be true.
- **kwargs: Any other arguments.
- """
-
- if not hdrs:
- hdrs = []
- if not copts:
- copts = []
-
- # Compile host and device code into library.
- lib = name + "_lib"
- native.cc_library(
- name = lib,
- hdrs = hdrs,
- copts = _rdc_copts() + copts,
- linkstatic = linkstatic,
- **kwargs
- )
-
- # Generate source file containing linked device code.
- dlink_hdrs = name + "_dlink_hdrs"
- dlink_cc = name + "_dlink.cc"
- _device_link(
- name = dlink_hdrs,
- deps = [lib],
- out = dlink_cc,
- gpu_archs = %{gpu_architectures},
- nvlink_args = select({
- "@org_tensorflow//tensorflow:linux_x86_64": ["--cpu-arch=X86_64"],
- "@org_tensorflow//tensorflow:linux_ppc64le": ["--cpu-arch=PPC64LE"],
- "//conditions:default": [],
- }),
- )
-
- # Compile the source file into a library.
- dlink = name + "_dlink"
- native.cc_library(
- name = dlink,
- srcs = [dlink_cc],
- textual_hdrs = [dlink_hdrs],
- deps = [
- "@local_config_cuda//cuda:cuda_headers",
- ],
- defines = [
- # Silence warning about including internal header.
- "__CUDA_INCLUDE_COMPILER_INTERNAL_HEADERS__",
- # Macros that need to be defined starting with CUDA 10.
- "__NV_EXTRA_INITIALIZATION=",
- "__NV_EXTRA_FINALIZATION=",
- ],
- linkstatic = linkstatic,
- )
-
- # Repackage the two libs into a single archive. This is required because
- # both libs reference symbols defined in the other one. For details, see
- # https://eli.thegreenplace.net/2013/07/09/library-order-in-static-linking
- archive = name + "_a"
- _merge_archive(
- name = archive,
- srcs = [lib, dlink],
- )
-
- # Create cc target from archive.
- native.cc_library(
- name = name,
- srcs = [archive],
- hdrs = hdrs,
- linkstatic = linkstatic,
- )
diff --git a/third_party/nccl/nccl_configure.bzl b/third_party/nccl/nccl_configure.bzl
deleted file mode 100644
index 59b5bd3..0000000
--- a/third_party/nccl/nccl_configure.bzl
+++ /dev/null
@@ -1,195 +0,0 @@
-# -*- Python -*-
-"""Repository rule for NCCL configuration.
-
-`nccl_configure` depends on the following environment variables:
-
- * `TF_NCCL_VERSION`: Installed NCCL version or empty to build from source.
- * `NCCL_INSTALL_PATH`: The installation path of the NCCL library.
- * `NCCL_HDR_PATH`: The installation path of the NCCL header files.
-"""
-
-load(
- "//third_party/gpus:cuda_configure.bzl",
- "auto_configure_fail",
- "compute_capabilities",
- "cuda_toolkit_path",
- "enable_cuda",
- "find_cuda_define",
- "get_cpu_value",
- "matches_version",
-)
-
-_CUDA_TOOLKIT_PATH = "CUDA_TOOLKIT_PATH"
-_NCCL_HDR_PATH = "NCCL_HDR_PATH"
-_NCCL_INSTALL_PATH = "NCCL_INSTALL_PATH"
-_TF_CUDA_COMPUTE_CAPABILITIES = "TF_CUDA_COMPUTE_CAPABILITIES"
-_TF_NCCL_VERSION = "TF_NCCL_VERSION"
-_TF_NEED_CUDA = "TF_NEED_CUDA"
-
-_DEFINE_NCCL_MAJOR = "#define NCCL_MAJOR"
-_DEFINE_NCCL_MINOR = "#define NCCL_MINOR"
-_DEFINE_NCCL_PATCH = "#define NCCL_PATCH"
-
-_NCCL_DUMMY_BUILD_CONTENT = """
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "nccl",
- visibility = ["//visibility:public"],
-)
-"""
-
-_NCCL_ARCHIVE_BUILD_CONTENT = """
-exports_files([
- "cuda/bin/crt/link.stub",
- "cuda/bin/fatbinary",
- "cuda/bin/bin2c",
- "nvlink",
-])
-
-filegroup(
- name = "LICENSE",
- data = ["@nccl_archive//:LICENSE.txt"],
- visibility = ["//visibility:public"],
-)
-
-alias(
- name = "nccl",
- actual = "@nccl_archive//:nccl",
- visibility = ["//visibility:public"],
-)
-"""
-
-def _label(file):
- return Label("//third_party/nccl:{}".format(file))
-
-def _find_nccl_header(repository_ctx, nccl_install_path):
- """Finds the NCCL header on the system.
-
- Args:
- repository_ctx: The repository context.
- nccl_install_path: The NCCL library install directory.
-
- Returns:
- The path to the NCCL header.
- """
- header_path = repository_ctx.path("%s/include/nccl.h" % nccl_install_path)
- if not header_path.exists:
- auto_configure_fail("Cannot find %s" % str(header_path))
- return header_path
-
-def _check_nccl_version(repository_ctx, nccl_install_path, nccl_hdr_path, nccl_version):
- """Checks whether the header file matches the specified version of NCCL.
-
- Args:
- repository_ctx: The repository context.
- nccl_install_path: The NCCL library install directory.
- nccl_hdr_path: The NCCL header path.
- nccl_version: The expected NCCL version.
-
- Returns:
- A string containing the library version of NCCL.
- """
- header_path = repository_ctx.path("%s/nccl.h" % nccl_hdr_path)
- if not header_path.exists:
- header_path = _find_nccl_header(repository_ctx, nccl_install_path)
- header_dir = str(header_path.realpath.dirname)
- major_version = find_cuda_define(
- repository_ctx,
- header_dir,
- "nccl.h",
- _DEFINE_NCCL_MAJOR,
- )
- minor_version = find_cuda_define(
- repository_ctx,
- header_dir,
- "nccl.h",
- _DEFINE_NCCL_MINOR,
- )
- patch_version = find_cuda_define(
- repository_ctx,
- header_dir,
- "nccl.h",
- _DEFINE_NCCL_PATCH,
- )
- header_version = "%s.%s.%s" % (major_version, minor_version, patch_version)
- if not matches_version(nccl_version, header_version):
- auto_configure_fail(
- ("NCCL library version detected from %s/nccl.h (%s) does not " +
- "match TF_NCCL_VERSION (%s). To fix this rerun configure again.") %
- (header_dir, header_version, nccl_version),
- )
-
-def _nccl_configure_impl(repository_ctx):
- """Implementation of the nccl_configure repository rule."""
- if not enable_cuda(repository_ctx) or \
- get_cpu_value(repository_ctx) not in ("Linux", "FreeBSD"):
- # Add a dummy build file to make bazel query happy.
- repository_ctx.file("BUILD", _NCCL_DUMMY_BUILD_CONTENT)
- return
-
- nccl_version = ""
- if _TF_NCCL_VERSION in repository_ctx.os.environ:
- nccl_version = repository_ctx.os.environ[_TF_NCCL_VERSION].strip()
- nccl_version = nccl_version.split(".")[0]
-
- if nccl_version == "":
- # Alias to open source build from @nccl_archive.
- repository_ctx.file("BUILD", _NCCL_ARCHIVE_BUILD_CONTENT)
-
- # TODO(csigg): implement and reuse in cuda_configure.bzl.
- gpu_architectures = [
- "sm_" + capability.replace(".", "")
- for capability in compute_capabilities(repository_ctx)
- ]
-
- # Round-about way to make the list unique.
- gpu_architectures = dict(zip(gpu_architectures, gpu_architectures)).keys()
- repository_ctx.template("build_defs.bzl", _label("build_defs.bzl.tpl"), {
- "%{gpu_architectures}": str(gpu_architectures),
- })
-
- repository_ctx.symlink(cuda_toolkit_path(repository_ctx), "cuda")
-
- # Temporary work-around for setups which symlink ptxas to a newer
- # version. The versions of nvlink and ptxas need to agree, so we find
- # nvlink next to the real location of ptxas. This is only temporary and
- # will be removed again soon.
- nvlink_dir = repository_ctx.path("cuda/bin/ptxas").realpath.dirname
- repository_ctx.symlink(nvlink_dir.get_child("nvlink"), "nvlink")
- else:
- # Create target for locally installed NCCL.
- nccl_install_path = repository_ctx.os.environ[_NCCL_INSTALL_PATH].strip()
- nccl_hdr_path = repository_ctx.os.environ[_NCCL_HDR_PATH].strip()
- _check_nccl_version(repository_ctx, nccl_install_path, nccl_hdr_path, nccl_version)
- repository_ctx.template("BUILD", _label("system.BUILD.tpl"), {
- "%{version}": nccl_version,
- "%{install_path}": nccl_install_path,
- "%{hdr_path}": nccl_hdr_path,
- })
-
-nccl_configure = repository_rule(
- implementation = _nccl_configure_impl,
- environ = [
- _CUDA_TOOLKIT_PATH,
- _NCCL_HDR_PATH,
- _NCCL_INSTALL_PATH,
- _TF_NCCL_VERSION,
- _TF_CUDA_COMPUTE_CAPABILITIES,
- _TF_NEED_CUDA,
- ],
-)
-"""Detects and configures the NCCL configuration.
-
-Add the following to your WORKSPACE FILE:
-
-```python
-nccl_configure(name = "local_config_nccl")
-```
-
-Args:
- name: A unique name for this workspace rule.
-"""
diff --git a/third_party/nccl/system.BUILD.tpl b/third_party/nccl/system.BUILD.tpl
deleted file mode 100644
index a07f549..0000000
--- a/third_party/nccl/system.BUILD.tpl
+++ /dev/null
@@ -1,26 +0,0 @@
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "nccl",
- srcs = ["libnccl.so.%{version}"],
- hdrs = ["nccl.h"],
- include_prefix = "third_party/nccl",
- deps = [
- "@local_config_cuda//cuda:cuda_headers",
- ],
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "nccl-files",
- outs = [
- "libnccl.so.%{version}",
- "nccl.h",
- ],
- cmd = """cp "%{hdr_path}/nccl.h" "$(@D)/nccl.h" &&
- cp "%{install_path}/libnccl.so.%{version}" "$(@D)/libnccl.so.%{version}" """,
-)
-
diff --git a/third_party/ngraph/BUILD b/third_party/ngraph/BUILD
deleted file mode 100644
index 067771b..0000000
--- a/third_party/ngraph/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-licenses(["notice"]) # 3-Clause BSD
diff --git a/third_party/ngraph/LICENSE b/third_party/ngraph/LICENSE
deleted file mode 100644
index 9c8f3ea..0000000
--- a/third_party/ngraph/LICENSE
+++ /dev/null
@@ -1,201 +0,0 @@
- Apache License
- Version 2.0, January 2004
- http://www.apache.org/licenses/
-
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
-
- 1. Definitions.
-
- "License" shall mean the terms and conditions for use, reproduction,
- and distribution as defined by Sections 1 through 9 of this document.
-
- "Licensor" shall mean the copyright owner or entity authorized by
- the copyright owner that is granting the License.
-
- "Legal Entity" shall mean the union of the acting entity and all
- other entities that control, are controlled by, or are under common
- control with that entity. For the purposes of this definition,
- "control" means (i) the power, direct or indirect, to cause the
- direction or management of such entity, whether by contract or
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
- outstanding shares, or (iii) beneficial ownership of such entity.
-
- "You" (or "Your") shall mean an individual or Legal Entity
- exercising permissions granted by this License.
-
- "Source" form shall mean the preferred form for making modifications,
- including but not limited to software source code, documentation
- source, and configuration files.
-
- "Object" form shall mean any form resulting from mechanical
- transformation or translation of a Source form, including but
- not limited to compiled object code, generated documentation,
- and conversions to other media types.
-
- "Work" shall mean the work of authorship, whether in Source or
- Object form, made available under the License, as indicated by a
- copyright notice that is included in or attached to the work
- (an example is provided in the Appendix below).
-
- "Derivative Works" shall mean any work, whether in Source or Object
- form, that is based on (or derived from) the Work and for which the
- editorial revisions, annotations, elaborations, or other modifications
- represent, as a whole, an original work of authorship. For the purposes
- of this License, Derivative Works shall not include works that remain
- separable from, or merely link (or bind by name) to the interfaces of,
- the Work and Derivative Works thereof.
-
- "Contribution" shall mean any work of authorship, including
- the original version of the Work and any modifications or additions
- to that Work or Derivative Works thereof, that is intentionally
- submitted to Licensor for inclusion in the Work by the copyright owner
- or by an individual or Legal Entity authorized to submit on behalf of
- the copyright owner. For the purposes of this definition, "submitted"
- means any form of electronic, verbal, or written communication sent
- to the Licensor or its representatives, including but not limited to
- communication on electronic mailing lists, source code control systems,
- and issue tracking systems that are managed by, or on behalf of, the
- Licensor for the purpose of discussing and improving the Work, but
- excluding communication that is conspicuously marked or otherwise
- designated in writing by the copyright owner as "Not a Contribution."
-
- "Contributor" shall mean Licensor and any individual or Legal Entity
- on behalf of whom a Contribution has been received by Licensor and
- subsequently incorporated within the Work.
-
- 2. Grant of Copyright License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- copyright license to reproduce, prepare Derivative Works of,
- publicly display, publicly perform, sublicense, and distribute the
- Work and such Derivative Works in Source or Object form.
-
- 3. Grant of Patent License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- (except as stated in this section) patent license to make, have made,
- use, offer to sell, sell, import, and otherwise transfer the Work,
- where such license applies only to those patent claims licensable
- by such Contributor that are necessarily infringed by their
- Contribution(s) alone or by combination of their Contribution(s)
- with the Work to which such Contribution(s) was submitted. If You
- institute patent litigation against any entity (including a
- cross-claim or counterclaim in a lawsuit) alleging that the Work
- or a Contribution incorporated within the Work constitutes direct
- or contributory patent infringement, then any patent licenses
- granted to You under this License for that Work shall terminate
- as of the date such litigation is filed.
-
- 4. Redistribution. You may reproduce and distribute copies of the
- Work or Derivative Works thereof in any medium, with or without
- modifications, and in Source or Object form, provided that You
- meet the following conditions:
-
- (a) You must give any other recipients of the Work or
- Derivative Works a copy of this License; and
-
- (b) You must cause any modified files to carry prominent notices
- stating that You changed the files; and
-
- (c) You must retain, in the Source form of any Derivative Works
- that You distribute, all copyright, patent, trademark, and
- attribution notices from the Source form of the Work,
- excluding those notices that do not pertain to any part of
- the Derivative Works; and
-
- (d) If the Work includes a "NOTICE" text file as part of its
- distribution, then any Derivative Works that You distribute must
- include a readable copy of the attribution notices contained
- within such NOTICE file, excluding those notices that do not
- pertain to any part of the Derivative Works, in at least one
- of the following places: within a NOTICE text file distributed
- as part of the Derivative Works; within the Source form or
- documentation, if provided along with the Derivative Works; or,
- within a display generated by the Derivative Works, if and
- wherever such third-party notices normally appear. The contents
- of the NOTICE file are for informational purposes only and
- do not modify the License. You may add Your own attribution
- notices within Derivative Works that You distribute, alongside
- or as an addendum to the NOTICE text from the Work, provided
- that such additional attribution notices cannot be construed
- as modifying the License.
-
- You may add Your own copyright statement to Your modifications and
- may provide additional or different license terms and conditions
- for use, reproduction, or distribution of Your modifications, or
- for any such Derivative Works as a whole, provided Your use,
- reproduction, and distribution of the Work otherwise complies with
- the conditions stated in this License.
-
- 5. Submission of Contributions. Unless You explicitly state otherwise,
- any Contribution intentionally submitted for inclusion in the Work
- by You to the Licensor shall be under the terms and conditions of
- this License, without any additional terms or conditions.
- Notwithstanding the above, nothing herein shall supersede or modify
- the terms of any separate license agreement you may have executed
- with Licensor regarding such Contributions.
-
- 6. Trademarks. This License does not grant permission to use the trade
- names, trademarks, service marks, or product names of the Licensor,
- except as required for reasonable and customary use in describing the
- origin of the Work and reproducing the content of the NOTICE file.
-
- 7. Disclaimer of Warranty. Unless required by applicable law or
- agreed to in writing, Licensor provides the Work (and each
- Contributor provides its Contributions) on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
- implied, including, without limitation, any warranties or conditions
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
- PARTICULAR PURPOSE. You are solely responsible for determining the
- appropriateness of using or redistributing the Work and assume any
- risks associated with Your exercise of permissions under this License.
-
- 8. Limitation of Liability. In no event and under no legal theory,
- whether in tort (including negligence), contract, or otherwise,
- unless required by applicable law (such as deliberate and grossly
- negligent acts) or agreed to in writing, shall any Contributor be
- liable to You for damages, including any direct, indirect, special,
- incidental, or consequential damages of any character arising as a
- result of this License or out of the use or inability to use the
- Work (including but not limited to damages for loss of goodwill,
- work stoppage, computer failure or malfunction, or any and all
- other commercial damages or losses), even if such Contributor
- has been advised of the possibility of such damages.
-
- 9. Accepting Warranty or Additional Liability. While redistributing
- the Work or Derivative Works thereof, You may choose to offer,
- and charge a fee for, acceptance of support, warranty, indemnity,
- or other liability obligations and/or rights consistent with this
- License. However, in accepting such obligations, You may act only
- on Your own behalf and on Your sole responsibility, not on behalf
- of any other Contributor, and only if You agree to indemnify,
- defend, and hold each Contributor harmless for any liability
- incurred by, or claims asserted against, such Contributor by reason
- of your accepting any such warranty or additional liability.
-
- END OF TERMS AND CONDITIONS
-
- APPENDIX: How to apply the Apache License to your work.
-
- To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "{}"
- replaced with your own identifying information. (Don't include
- the brackets!) The text should be enclosed in the appropriate
- comment syntax for the file format. We also recommend that a
- file or class name and description of purpose be included on the
- same "printed page" as the copyright notice for easier
- identification within third-party archives.
-
- Copyright {yyyy} {name of copyright owner}
-
- Licensed under the Apache License, Version 2.0 (the "License");
- you may not use this file except in compliance with the License.
- You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
- Unless required by applicable law or agreed to in writing, software
- distributed under the License is distributed on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- See the License for the specific language governing permissions and
- limitations under the License.
\ No newline at end of file
diff --git a/third_party/ngraph/NGRAPH_LICENSE b/third_party/ngraph/NGRAPH_LICENSE
deleted file mode 100644
index 9c8f3ea..0000000
--- a/third_party/ngraph/NGRAPH_LICENSE
+++ /dev/null
@@ -1,201 +0,0 @@
- Apache License
- Version 2.0, January 2004
- http://www.apache.org/licenses/
-
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
-
- 1. Definitions.
-
- "License" shall mean the terms and conditions for use, reproduction,
- and distribution as defined by Sections 1 through 9 of this document.
-
- "Licensor" shall mean the copyright owner or entity authorized by
- the copyright owner that is granting the License.
-
- "Legal Entity" shall mean the union of the acting entity and all
- other entities that control, are controlled by, or are under common
- control with that entity. For the purposes of this definition,
- "control" means (i) the power, direct or indirect, to cause the
- direction or management of such entity, whether by contract or
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
- outstanding shares, or (iii) beneficial ownership of such entity.
-
- "You" (or "Your") shall mean an individual or Legal Entity
- exercising permissions granted by this License.
-
- "Source" form shall mean the preferred form for making modifications,
- including but not limited to software source code, documentation
- source, and configuration files.
-
- "Object" form shall mean any form resulting from mechanical
- transformation or translation of a Source form, including but
- not limited to compiled object code, generated documentation,
- and conversions to other media types.
-
- "Work" shall mean the work of authorship, whether in Source or
- Object form, made available under the License, as indicated by a
- copyright notice that is included in or attached to the work
- (an example is provided in the Appendix below).
-
- "Derivative Works" shall mean any work, whether in Source or Object
- form, that is based on (or derived from) the Work and for which the
- editorial revisions, annotations, elaborations, or other modifications
- represent, as a whole, an original work of authorship. For the purposes
- of this License, Derivative Works shall not include works that remain
- separable from, or merely link (or bind by name) to the interfaces of,
- the Work and Derivative Works thereof.
-
- "Contribution" shall mean any work of authorship, including
- the original version of the Work and any modifications or additions
- to that Work or Derivative Works thereof, that is intentionally
- submitted to Licensor for inclusion in the Work by the copyright owner
- or by an individual or Legal Entity authorized to submit on behalf of
- the copyright owner. For the purposes of this definition, "submitted"
- means any form of electronic, verbal, or written communication sent
- to the Licensor or its representatives, including but not limited to
- communication on electronic mailing lists, source code control systems,
- and issue tracking systems that are managed by, or on behalf of, the
- Licensor for the purpose of discussing and improving the Work, but
- excluding communication that is conspicuously marked or otherwise
- designated in writing by the copyright owner as "Not a Contribution."
-
- "Contributor" shall mean Licensor and any individual or Legal Entity
- on behalf of whom a Contribution has been received by Licensor and
- subsequently incorporated within the Work.
-
- 2. Grant of Copyright License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- copyright license to reproduce, prepare Derivative Works of,
- publicly display, publicly perform, sublicense, and distribute the
- Work and such Derivative Works in Source or Object form.
-
- 3. Grant of Patent License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- (except as stated in this section) patent license to make, have made,
- use, offer to sell, sell, import, and otherwise transfer the Work,
- where such license applies only to those patent claims licensable
- by such Contributor that are necessarily infringed by their
- Contribution(s) alone or by combination of their Contribution(s)
- with the Work to which such Contribution(s) was submitted. If You
- institute patent litigation against any entity (including a
- cross-claim or counterclaim in a lawsuit) alleging that the Work
- or a Contribution incorporated within the Work constitutes direct
- or contributory patent infringement, then any patent licenses
- granted to You under this License for that Work shall terminate
- as of the date such litigation is filed.
-
- 4. Redistribution. You may reproduce and distribute copies of the
- Work or Derivative Works thereof in any medium, with or without
- modifications, and in Source or Object form, provided that You
- meet the following conditions:
-
- (a) You must give any other recipients of the Work or
- Derivative Works a copy of this License; and
-
- (b) You must cause any modified files to carry prominent notices
- stating that You changed the files; and
-
- (c) You must retain, in the Source form of any Derivative Works
- that You distribute, all copyright, patent, trademark, and
- attribution notices from the Source form of the Work,
- excluding those notices that do not pertain to any part of
- the Derivative Works; and
-
- (d) If the Work includes a "NOTICE" text file as part of its
- distribution, then any Derivative Works that You distribute must
- include a readable copy of the attribution notices contained
- within such NOTICE file, excluding those notices that do not
- pertain to any part of the Derivative Works, in at least one
- of the following places: within a NOTICE text file distributed
- as part of the Derivative Works; within the Source form or
- documentation, if provided along with the Derivative Works; or,
- within a display generated by the Derivative Works, if and
- wherever such third-party notices normally appear. The contents
- of the NOTICE file are for informational purposes only and
- do not modify the License. You may add Your own attribution
- notices within Derivative Works that You distribute, alongside
- or as an addendum to the NOTICE text from the Work, provided
- that such additional attribution notices cannot be construed
- as modifying the License.
-
- You may add Your own copyright statement to Your modifications and
- may provide additional or different license terms and conditions
- for use, reproduction, or distribution of Your modifications, or
- for any such Derivative Works as a whole, provided Your use,
- reproduction, and distribution of the Work otherwise complies with
- the conditions stated in this License.
-
- 5. Submission of Contributions. Unless You explicitly state otherwise,
- any Contribution intentionally submitted for inclusion in the Work
- by You to the Licensor shall be under the terms and conditions of
- this License, without any additional terms or conditions.
- Notwithstanding the above, nothing herein shall supersede or modify
- the terms of any separate license agreement you may have executed
- with Licensor regarding such Contributions.
-
- 6. Trademarks. This License does not grant permission to use the trade
- names, trademarks, service marks, or product names of the Licensor,
- except as required for reasonable and customary use in describing the
- origin of the Work and reproducing the content of the NOTICE file.
-
- 7. Disclaimer of Warranty. Unless required by applicable law or
- agreed to in writing, Licensor provides the Work (and each
- Contributor provides its Contributions) on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
- implied, including, without limitation, any warranties or conditions
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
- PARTICULAR PURPOSE. You are solely responsible for determining the
- appropriateness of using or redistributing the Work and assume any
- risks associated with Your exercise of permissions under this License.
-
- 8. Limitation of Liability. In no event and under no legal theory,
- whether in tort (including negligence), contract, or otherwise,
- unless required by applicable law (such as deliberate and grossly
- negligent acts) or agreed to in writing, shall any Contributor be
- liable to You for damages, including any direct, indirect, special,
- incidental, or consequential damages of any character arising as a
- result of this License or out of the use or inability to use the
- Work (including but not limited to damages for loss of goodwill,
- work stoppage, computer failure or malfunction, or any and all
- other commercial damages or losses), even if such Contributor
- has been advised of the possibility of such damages.
-
- 9. Accepting Warranty or Additional Liability. While redistributing
- the Work or Derivative Works thereof, You may choose to offer,
- and charge a fee for, acceptance of support, warranty, indemnity,
- or other liability obligations and/or rights consistent with this
- License. However, in accepting such obligations, You may act only
- on Your own behalf and on Your sole responsibility, not on behalf
- of any other Contributor, and only if You agree to indemnify,
- defend, and hold each Contributor harmless for any liability
- incurred by, or claims asserted against, such Contributor by reason
- of your accepting any such warranty or additional liability.
-
- END OF TERMS AND CONDITIONS
-
- APPENDIX: How to apply the Apache License to your work.
-
- To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "{}"
- replaced with your own identifying information. (Don't include
- the brackets!) The text should be enclosed in the appropriate
- comment syntax for the file format. We also recommend that a
- file or class name and description of purpose be included on the
- same "printed page" as the copyright notice for easier
- identification within third-party archives.
-
- Copyright {yyyy} {name of copyright owner}
-
- Licensed under the Apache License, Version 2.0 (the "License");
- you may not use this file except in compliance with the License.
- You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
- Unless required by applicable law or agreed to in writing, software
- distributed under the License is distributed on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- See the License for the specific language governing permissions and
- limitations under the License.
\ No newline at end of file
diff --git a/third_party/ngraph/build_defs.bzl b/third_party/ngraph/build_defs.bzl
deleted file mode 100644
index 3c34be5..0000000
--- a/third_party/ngraph/build_defs.bzl
+++ /dev/null
@@ -1,11 +0,0 @@
-"""Build configurations for nGraph."""
-
-def clean_dep(dep):
- return str(Label(dep))
-
-def if_ngraph(if_true, if_false = []):
- """select()'ing on whether we're building with nGraph support."""
- return select({
- clean_dep("//tensorflow:with_ngraph_support"): if_true,
- "//conditions:default": if_false,
- })
diff --git a/third_party/ngraph/ngraph.BUILD b/third_party/ngraph/ngraph.BUILD
deleted file mode 100644
index a7da325..0000000
--- a/third_party/ngraph/ngraph.BUILD
+++ /dev/null
@@ -1,166 +0,0 @@
-licenses(["notice"]) # 3-Clause BSD
-
-exports_files(["LICENSE"])
-
-cc_library(
- name = "ngraph_headers",
- hdrs = glob(["src/ngraph/**/*.hpp"]),
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "ngraph_cpu_backend",
- srcs = [
- "src/ngraph/runtime/cpu/builder/add.cpp",
- "src/ngraph/runtime/cpu/builder/allreduce.cpp",
- "src/ngraph/runtime/cpu/builder/argmax.cpp",
- "src/ngraph/runtime/cpu/builder/argmin.cpp",
- "src/ngraph/runtime/cpu/builder/avg_pool.cpp",
- "src/ngraph/runtime/cpu/builder/batch_norm.cpp",
- "src/ngraph/runtime/cpu/builder/bounded_relu.cpp",
- "src/ngraph/runtime/cpu/builder/broadcast.cpp",
- "src/ngraph/runtime/cpu/builder/concat.cpp",
- "src/ngraph/runtime/cpu/builder/convert.cpp",
- "src/ngraph/runtime/cpu/builder/convert_layout.cpp",
- "src/ngraph/runtime/cpu/builder/convolution.cpp",
- "src/ngraph/runtime/cpu/builder/dot.cpp",
- "src/ngraph/runtime/cpu/builder/function_call.cpp",
- "src/ngraph/runtime/cpu/builder/lrn.cpp",
- "src/ngraph/runtime/cpu/builder/lstm.cpp",
- "src/ngraph/runtime/cpu/builder/matmul_bias.cpp",
- "src/ngraph/runtime/cpu/builder/max.cpp",
- "src/ngraph/runtime/cpu/builder/max_pool.cpp",
- "src/ngraph/runtime/cpu/builder/min.cpp",
- "src/ngraph/runtime/cpu/builder/one_hot.cpp",
- "src/ngraph/runtime/cpu/builder/pad.cpp",
- "src/ngraph/runtime/cpu/builder/product.cpp",
- "src/ngraph/runtime/cpu/builder/quantization.cpp",
- "src/ngraph/runtime/cpu/builder/quantized_avg_pool.cpp",
- "src/ngraph/runtime/cpu/builder/quantized_conv.cpp",
- "src/ngraph/runtime/cpu/builder/quantized_max_pool.cpp",
- "src/ngraph/runtime/cpu/builder/reduce_function.cpp",
- "src/ngraph/runtime/cpu/builder/reduce_function_window.cpp",
- "src/ngraph/runtime/cpu/builder/relu.cpp",
- "src/ngraph/runtime/cpu/builder/replace_slice.cpp",
- "src/ngraph/runtime/cpu/builder/reshape.cpp",
- "src/ngraph/runtime/cpu/builder/reverse.cpp",
- "src/ngraph/runtime/cpu/builder/reverse_sequence.cpp",
- "src/ngraph/runtime/cpu/builder/rnn.cpp",
- "src/ngraph/runtime/cpu/builder/select.cpp",
- "src/ngraph/runtime/cpu/builder/select_and_scatter.cpp",
- "src/ngraph/runtime/cpu/builder/sigmoid.cpp",
- "src/ngraph/runtime/cpu/builder/slice.cpp",
- "src/ngraph/runtime/cpu/builder/softmax.cpp",
- "src/ngraph/runtime/cpu/builder/sum.cpp",
- "src/ngraph/runtime/cpu/builder/topk.cpp",
- "src/ngraph/runtime/cpu/cpu_backend.cpp",
- "src/ngraph/runtime/cpu/cpu_builder.cpp",
- "src/ngraph/runtime/cpu/cpu_call_frame.cpp",
- "src/ngraph/runtime/cpu/cpu_cse.cpp",
- "src/ngraph/runtime/cpu/cpu_executor.cpp",
- "src/ngraph/runtime/cpu/cpu_external_function.cpp",
- "src/ngraph/runtime/cpu/cpu_kernels.cpp",
- "src/ngraph/runtime/cpu/cpu_layout_descriptor.cpp",
- "src/ngraph/runtime/cpu/cpu_op_annotations.cpp",
- "src/ngraph/runtime/cpu/cpu_tensor_view.cpp",
- "src/ngraph/runtime/cpu/cpu_tensor_view_wrapper.cpp",
- "src/ngraph/runtime/cpu/cpu_tracing.cpp",
- "src/ngraph/runtime/cpu/cpu_visualize_tree.cpp",
- "src/ngraph/runtime/cpu/kernel/pad.cpp",
- "src/ngraph/runtime/cpu/kernel/reduce_max.cpp",
- "src/ngraph/runtime/cpu/kernel/reduce_sum.cpp",
- "src/ngraph/runtime/cpu/kernel/reshape.cpp",
- "src/ngraph/runtime/cpu/mkldnn_emitter.cpp",
- "src/ngraph/runtime/cpu/mkldnn_invoke.cpp",
- "src/ngraph/runtime/cpu/mkldnn_utils.cpp",
- "src/ngraph/runtime/cpu/op/batch_dot.cpp",
- "src/ngraph/runtime/cpu/op/batch_norm_relu.cpp",
- "src/ngraph/runtime/cpu/op/bounded_relu.cpp",
- "src/ngraph/runtime/cpu/op/conv_add.cpp",
- "src/ngraph/runtime/cpu/op/conv_bias.cpp",
- "src/ngraph/runtime/cpu/op/conv_relu.cpp",
- "src/ngraph/runtime/cpu/op/convert_layout.cpp",
- "src/ngraph/runtime/cpu/op/group_conv.cpp",
- "src/ngraph/runtime/cpu/op/group_conv_bias.cpp",
- "src/ngraph/runtime/cpu/op/halide_op.cpp",
- "src/ngraph/runtime/cpu/op/leaky_relu.cpp",
- "src/ngraph/runtime/cpu/op/loop_kernel.cpp",
- "src/ngraph/runtime/cpu/op/lstm.cpp",
- "src/ngraph/runtime/cpu/op/matmul_bias.cpp",
- "src/ngraph/runtime/cpu/op/max_pool_with_indices.cpp",
- "src/ngraph/runtime/cpu/op/rnn.cpp",
- "src/ngraph/runtime/cpu/op/sigmoid_mul.cpp",
- "src/ngraph/runtime/cpu/op/update_slice.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_assignment.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_collapse_dims.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_fusion.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_horizontal_fusion.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_layout.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_loop_kernel_fusion.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_mat_fusion.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_memory_optimization.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_post_layout_optimizations.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_reshape_sinking.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_rnn_fusion.cpp",
- "src/ngraph/runtime/cpu/pass/cpu_workspace_insertion.cpp",
- ],
- hdrs = glob(["src/ngraph/runtime/cpu/**/*.hpp"]) + glob([]),
- copts = [
- "-I external/ngraph/src",
- "-I external/nlohmann_json_lib/include/",
- '-D SHARED_LIB_EXT=\\".so\\"',
- '-D NGRAPH_VERSION=\\"0.11.0\\"',
- "-D NGRAPH_DEX_ONLY",
- '-D PROJECT_ROOT_DIR=\\"\\"',
- ],
- visibility = ["//visibility:public"],
- deps = [
- ":ngraph_headers",
- "@eigen_archive//:eigen",
- "@mkl_dnn",
- "@nlohmann_json_lib",
- "@tbb",
- ],
- alwayslink = 1,
-)
-
-cc_library(
- name = "ngraph_core",
- srcs = glob([
- "src/ngraph/*.cpp",
- "src/ngraph/autodiff/*.cpp",
- "src/ngraph/builder/*.cpp",
- "src/ngraph/descriptor/*.cpp",
- "src/ngraph/descriptor/layout/*.cpp",
- "src/ngraph/op/experimental/generate_mask.cpp",
- "src/ngraph/op/experimental/quantized_avg_pool.cpp",
- "src/ngraph/op/experimental/quantized_conv_bias.cpp",
- "src/ngraph/op/experimental/quantized_conv_relu.cpp",
- "src/ngraph/op/experimental/quantized_conv.cpp",
- "src/ngraph/op/experimental/quantized_max_pool.cpp",
- "src/ngraph/op/experimental/shape_of.cpp",
- "src/ngraph/op/*.cpp",
- "src/ngraph/op/util/*.cpp",
- "src/ngraph/pattern/*.cpp",
- "src/ngraph/pattern/*.hpp",
- "src/ngraph/pass/*.cpp",
- "src/ngraph/pass/*.hpp",
- "src/ngraph/runtime/*.cpp",
- "src/ngraph/type/*.cpp",
- ]),
- copts = [
- "-I external/ngraph/src",
- "-I external/nlohmann_json_lib/include/",
- '-D SHARED_LIB_EXT=\\".so\\"',
- '-D NGRAPH_VERSION=\\"0.11.0\\"',
- '-D PROJECT_ROOT_DIR=\\"\\"',
- ],
- visibility = ["//visibility:public"],
- deps = [
- ":ngraph_cpu_backend",
- ":ngraph_headers",
- "@eigen_archive//:eigen",
- "@nlohmann_json_lib",
- ],
- alwayslink = 1,
-)
diff --git a/third_party/ngraph/ngraph_tf.BUILD b/third_party/ngraph/ngraph_tf.BUILD
deleted file mode 100644
index 6397e19..0000000
--- a/third_party/ngraph/ngraph_tf.BUILD
+++ /dev/null
@@ -1,100 +0,0 @@
-licenses(["notice"]) # 3-Clause BSD
-
-exports_files(["LICENSE"])
-
-load(
- "@org_tensorflow//tensorflow:tensorflow.bzl",
- "tf_cc_test",
-)
-
-cc_library(
- name = "ngraph_tf",
- srcs = [
- "logging/ngraph_log.cc",
- "logging/ngraph_log.h",
- "logging/tf_graph_writer.cc",
- "logging/tf_graph_writer.h",
- "src/ngraph_api.cc",
- "src/ngraph_api.h",
- "src/ngraph_assign_clusters.cc",
- "src/ngraph_assign_clusters.h",
- "src/ngraph_backend_manager.cc",
- "src/ngraph_backend_manager.h",
- "src/ngraph_builder.cc",
- "src/ngraph_builder.h",
- "src/ngraph_capture_variables.cc",
- "src/ngraph_capture_variables.h",
- "src/ngraph_cluster_manager.cc",
- "src/ngraph_cluster_manager.h",
- "src/ngraph_conversions.h",
- "src/ngraph_deassign_clusters.cc",
- "src/ngraph_deassign_clusters.h",
- "src/ngraph_encapsulate_clusters.cc",
- "src/ngraph_encapsulate_clusters.h",
- "src/ngraph_encapsulate_op.cc",
- "src/ngraph_freshness_tracker.cc",
- "src/ngraph_freshness_tracker.h",
- "src/ngraph_mark_for_clustering.cc",
- "src/ngraph_mark_for_clustering.h",
- "src/ngraph_rewrite_for_tracking.cc",
- "src/ngraph_rewrite_for_tracking.h",
- "src/ngraph_rewrite_pass.cc",
- "src/ngraph_tracked_variable.cc",
- "src/ngraph_utils.cc",
- "src/ngraph_utils.h",
- "src/ngraph_version_utils.h",
- "src/tf_deadness_analysis.cc",
- "src/tf_deadness_analysis.h",
- "src/tf_graphcycles.cc",
- "src/tf_graphcycles.h",
- ],
- copts = [
- "-I external/ngraph_tf/src",
- "-I external/ngraph_tf/logging",
- "-I external/ngraph/src",
- ],
- visibility = ["//visibility:public"],
- deps = [
- "@com_google_absl//absl/container:container_memory",
- "@com_google_absl//absl/container:flat_hash_set",
- "@com_google_absl//absl/types:variant",
- "@ngraph//:ngraph_core",
- "@org_tensorflow//tensorflow/core:core_cpu_headers_lib",
- "@org_tensorflow//tensorflow/core:framework_headers_lib",
- "@org_tensorflow//tensorflow/core:protos_all_proto_text",
- ],
- alwayslink = 1,
-)
-
-tf_cc_test(
- name = "ngraph_tf_tests",
- size = "small",
- srcs = [
- "test/conversions.cpp",
- "test/graph_rewrites/assign_clusters.cc",
- "test/graph_rewrites/deadness_test.cc",
- "test/main.cpp",
- "test/opexecuter.cpp",
- "test/opexecuter.h",
- "test/padding.cpp",
- "test/test_array_ops.cpp",
- "test/test_math_ops.cpp",
- "test/test_nn_ops.cpp",
- "test/test_utilities.cpp",
- "test/test_utilities.h",
- "test/tf_exec.cpp",
- ],
- extra_copts = [
- "-fexceptions ",
- "-I external/ngraph_tf/src",
- "-I external/ngraph_tf/logging",
- "-I external/ngraph/src",
- ],
- deps = [
- ":ngraph_tf",
- "@com_google_googletest//:gtest",
- "@org_tensorflow//tensorflow/cc:cc_ops",
- "@org_tensorflow//tensorflow/cc:client_session",
- "@org_tensorflow//tensorflow/core:tensorflow",
- ],
-)
diff --git a/third_party/ngraph/nlohmann_json.BUILD b/third_party/ngraph/nlohmann_json.BUILD
deleted file mode 100644
index 04c8db6..0000000
--- a/third_party/ngraph/nlohmann_json.BUILD
+++ /dev/null
@@ -1,15 +0,0 @@
-licenses(["notice"]) # 3-Clause BSD
-
-exports_files(["LICENSE.MIT"])
-
-cc_library(
- name = "nlohmann_json_lib",
- hdrs = glob([
- "include/nlohmann/**/*.hpp",
- ]),
- copts = [
- "-I external/nlohmann_json_lib",
- ],
- visibility = ["//visibility:public"],
- alwayslink = 1,
-)
diff --git a/third_party/ngraph/tbb.BUILD b/third_party/ngraph/tbb.BUILD
deleted file mode 100644
index c78a2d7..0000000
--- a/third_party/ngraph/tbb.BUILD
+++ /dev/null
@@ -1,63 +0,0 @@
-licenses(["notice"]) # 3-Clause BSD
-
-exports_files(["LICENSE"])
-
-# Taken from: https://github.com/rnburn/satyr/blob/master/bazel/tbb.BUILD
-# License for this BUILD file: MIT
-# See: https://github.com/rnburn/satyr/blob/master/LICENSE
-#
-# License for TBB: Apache 2.0
-# See: https://github.com/01org/tbb/blob/tbb_2018/LICENSE
-
-genrule(
- name = "build_tbb",
- srcs = glob(["**"]) + [
- "@local_config_cc//:toolchain",
- ],
- outs = [
- "libtbb.a",
- "libtbbmalloc.a",
- ],
- cmd = """
- set -e
- WORK_DIR=$$PWD
- DEST_DIR=$$PWD/$(@D)
- export PATH=$$(dirname $(AR)):$$PATH
- export CXXFLAGS=$(CC_FLAGS)
- export NM=$(NM)
- export AR=$(AR)
- cd $$(dirname $(location :Makefile))
-
- #TBB's build needs some help to figure out what compiler it's using
- if $$CXX --version | grep clang &> /dev/null; then
- COMPILER_OPT="compiler=clang"
- else
- COMPILER_OPT="compiler=gcc"
-
- # # Workaround for TBB bug
- # # See https://github.com/01org/tbb/issues/59
- # CXXFLAGS="$$CXXFLAGS -flifetime-dse=1"
- fi
-
- # uses extra_inc=big_iron.inc to specify that static libraries are
- # built. See https://software.intel.com/en-us/forums/intel-threading-building-blocks/topic/297792
- make tbb_build_prefix="build" \
- extra_inc=big_iron.inc \
- $$COMPILER_OPT; \
-
- echo cp build/build_{release,debug}/*.a $$DEST_DIR
- cp build/build_{release,debug}/*.a $$DEST_DIR
- cd $$WORK_DIR
- """,
-)
-
-cc_library(
- name = "tbb",
- srcs = ["libtbb.a"],
- hdrs = glob([
- "include/serial/**",
- "include/tbb/**/**",
- ]),
- includes = ["include"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/ortools/BUILD b/third_party/ortools/BUILD
deleted file mode 100644
index 2f5d02b..0000000
--- a/third_party/ortools/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# Dummy BUILD file to make this directory a package.
diff --git a/third_party/ortools/BUILD.bazel b/third_party/ortools/BUILD.bazel
deleted file mode 100644
index 61191e3..0000000
--- a/third_party/ortools/BUILD.bazel
+++ /dev/null
@@ -1,13 +0,0 @@
-# Google's software suite for combinatorial optimization
-
-licenses(["notice"]) # Apache2 license
-
-exports_files(["LICENSE-2.0.txt"])
-
-native.cc_library(
- name = "linear_solver_glop",
- deps = [
- "@ortools_archive//linear_solver:linear_solver_glop",
- ],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/ortools/workspace.bzl b/third_party/ortools/workspace.bzl
deleted file mode 100644
index e1c64b4..0000000
--- a/third_party/ortools/workspace.bzl
+++ /dev/null
@@ -1,15 +0,0 @@
-"""loads the aws library, used by TF."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "ortools_archive",
- urls = [
- "https://mirror.bazel.build/github.com/google/or-tools/archive/v6.7.2.tar.gz",
- "https://github.com/google/or-tools/archive/v6.7.2.tar.gz",
- ],
- sha256 = "d025a95f78b5fc5eaa4da5f395f23d11c23cf7dbd5069f1f627f002de87b86b9",
- strip_prefix = "or-tools-6.7.2/src",
- build_file = "//third_party/ortools:BUILD.bazel",
- )
diff --git a/third_party/pasta/BUILD b/third_party/pasta/BUILD
deleted file mode 100644
index 9bd256a..0000000
--- a/third_party/pasta/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-# Empty BUILD file to force build system to see this directory at all.
diff --git a/third_party/pasta/BUILD.bazel b/third_party/pasta/BUILD.bazel
deleted file mode 100644
index ade681b..0000000
--- a/third_party/pasta/BUILD.bazel
+++ /dev/null
@@ -1,30 +0,0 @@
-# Description:
-# AST-based python refactoring.
-load("@//third_party/pasta:build_defs.bzl", "copy_srcs")
-
-licenses(["notice"]) # Apache2
-
-exports_files(["LICENSE"])
-
-py_library(
- name = "pasta",
- srcs = copy_srcs([
- "__init__.py",
- "augment/__init__.py",
- "augment/errors.py",
- "augment/import_utils.py",
- "augment/inline.py",
- "augment/rename.py",
- "base/__init__.py",
- "base/annotate.py",
- "base/ast_constants.py",
- "base/ast_utils.py",
- "base/codegen.py",
- "base/formatting.py",
- "base/scope.py",
- "base/test_utils.py",
- "base/token_generator.py",
- ]),
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/pasta/BUILD.system b/third_party/pasta/BUILD.system
deleted file mode 100644
index 6adc953..0000000
--- a/third_party/pasta/BUILD.system
+++ /dev/null
@@ -1,13 +0,0 @@
-# Description: Pasta, AST based python refactoring.
-
-licenses(["notice"]) # Apache2
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "pasta",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/pasta/build_defs.bzl b/third_party/pasta/build_defs.bzl
deleted file mode 100644
index 0a5316d..0000000
--- a/third_party/pasta/build_defs.bzl
+++ /dev/null
@@ -1,12 +0,0 @@
-"""Skylark makros for building pasta."""
-
-def copy_srcs(srcs):
- """Copies srcs from 'pasta' to parent directory."""
- for src in srcs:
- native.genrule(
- name = src.replace(".", "_"),
- srcs = ["pasta/" + src],
- outs = [src],
- cmd = "mkdir -p $$(dirname $@); cp $< $@",
- )
- return srcs
diff --git a/third_party/pasta/workspace.bzl b/third_party/pasta/workspace.bzl
deleted file mode 100644
index e46cc4a..0000000
--- a/third_party/pasta/workspace.bzl
+++ /dev/null
@@ -1,16 +0,0 @@
-"""Loads pasta python package."""
-
-load("//third_party:repo.bzl", "third_party_http_archive")
-
-def repo():
- third_party_http_archive(
- name = "pasta",
- urls = [
- "https://mirror.bazel.build/github.com/google/pasta/archive/c3d72cdee6fc806251949e912510444d58d7413c.tar.gz",
- "https://github.com/google/pasta/archive/c3d72cdee6fc806251949e912510444d58d7413c.tar.gz",
- ],
- strip_prefix = "pasta-c3d72cdee6fc806251949e912510444d58d7413c",
- sha256 = "b5905f9cecc4b28363c563f3c4cb0545288bd35f7cc72c55066e97e53befc084",
- build_file = "//third_party/pasta:BUILD.bazel",
- system_build_file = "//third_party/pasta:BUILD.system",
- )
diff --git a/third_party/pcre.BUILD b/third_party/pcre.BUILD
deleted file mode 100644
index 3a8e7a1..0000000
--- a/third_party/pcre.BUILD
+++ /dev/null
@@ -1,80 +0,0 @@
-licenses(["notice"]) # BSD
-
-exports_files(["LICENCE"])
-
-cc_library(
- name = "pcre",
- srcs = [
- "pcre_byte_order.c",
- "pcre_chartables.c",
- "pcre_compile.c",
- "pcre_config.c",
- "pcre_dfa_exec.c",
- "pcre_exec.c",
- "pcre_fullinfo.c",
- "pcre_get.c",
- "pcre_globals.c",
- "pcre_internal.h",
- "pcre_jit_compile.c",
- "pcre_maketables.c",
- "pcre_newline.c",
- "pcre_ord2utf8.c",
- "pcre_refcount.c",
- "pcre_string_utils.c",
- "pcre_study.c",
- "pcre_tables.c",
- "pcre_ucd.c",
- "pcre_valid_utf8.c",
- "pcre_version.c",
- "pcre_xclass.c",
- "ucp.h",
- ],
- hdrs = [
- "pcre.h",
- "pcreposix.h",
- ],
- copts = [
- "-DHAVE_BCOPY=1",
- "-DHAVE_INTTYPES_H=1",
- "-DHAVE_MEMMOVE=1",
- "-DHAVE_STDINT_H=1",
- "-DHAVE_STRERROR=1",
- "-DHAVE_SYS_STAT_H=1",
- "-DHAVE_SYS_TYPES_H=1",
- "-DHAVE_UNISTD_H=1",
- "-DLINK_SIZE=2",
- "-DMATCH_LIMIT=10000000",
- "-DMATCH_LIMIT_RECURSION=1000",
- "-DMAX_NAME_COUNT=10000",
- "-DMAX_NAME_SIZE=32",
- "-DNEWLINE=10",
- "-DNO_RECURSE",
- "-DPARENS_NEST_LIMIT=50",
- "-DPOSIX_MALLOC_THRESHOLD=10",
- "-DSTDC_HEADERS=1",
- "-DSUPPORT_UCP",
- "-DSUPPORT_UTF",
- ],
- defines = ["PCRE_STATIC=1"],
- includes = ["."],
- visibility = ["@swig//:__pkg__"], # Please use RE2
- alwayslink = 1,
-)
-
-genrule(
- name = "pcre_h",
- srcs = ["pcre.h.in"],
- outs = ["pcre.h"],
- cmd = "sed -e s/@PCRE_MAJOR@/8/" +
- " -e s/@PCRE_MINOR@/39/" +
- " -e s/@PCRE_PRERELEASE@//" +
- " -e s/@PCRE_DATE@/redacted/" +
- " $< >$@",
-)
-
-genrule(
- name = "pcre_chartables_c",
- srcs = ["pcre_chartables.c.dist"],
- outs = ["pcre_chartables.c"],
- cmd = "cp $< $@",
-)
diff --git a/third_party/png.BUILD b/third_party/png.BUILD
deleted file mode 100644
index e829486..0000000
--- a/third_party/png.BUILD
+++ /dev/null
@@ -1,70 +0,0 @@
-# Description:
-# libpng is the official PNG reference library.
-
-licenses(["notice"]) # BSD/MIT-like license
-
-exports_files(["LICENSE"])
-
-cc_library(
- name = "png",
- srcs = [
- "png.c",
- "pngdebug.h",
- "pngerror.c",
- "pngget.c",
- "pnginfo.h",
- "pnglibconf.h",
- "pngmem.c",
- "pngpread.c",
- "pngpriv.h",
- "pngread.c",
- "pngrio.c",
- "pngrtran.c",
- "pngrutil.c",
- "pngset.c",
- "pngstruct.h",
- "pngtrans.c",
- "pngwio.c",
- "pngwrite.c",
- "pngwtran.c",
- "pngwutil.c",
- ] + select({
- ":windows": [
- "intel/intel_init.c",
- "intel/filter_sse2_intrinsics.c",
- ],
- "@org_tensorflow//tensorflow:linux_ppc64le": [
- "powerpc/powerpc_init.c",
- "powerpc/filter_vsx_intrinsics.c",
- ],
- "//conditions:default": [
- ],
- }),
- hdrs = [
- "png.h",
- "pngconf.h",
- ],
- copts = select({
- ":windows": ["-DPNG_INTEL_SSE_OPT=1"],
- "//conditions:default": [],
- }),
- includes = ["."],
- linkopts = select({
- ":windows": [],
- "//conditions:default": ["-lm"],
- }),
- visibility = ["//visibility:public"],
- deps = ["@zlib_archive//:zlib"],
-)
-
-genrule(
- name = "snappy_stubs_public_h",
- srcs = ["scripts/pnglibconf.h.prebuilt"],
- outs = ["pnglibconf.h"],
- cmd = "sed -e 's/PNG_ZLIB_VERNUM 0/PNG_ZLIB_VERNUM 0x12b0/' $< >$@",
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
-)
diff --git a/third_party/png_fix_rpi.patch b/third_party/png_fix_rpi.patch
deleted file mode 100644
index 80da7b3..0000000
--- a/third_party/png_fix_rpi.patch
+++ /dev/null
@@ -1,16 +0,0 @@
-diff -r -u /tmp/libpng-1.6.34/scripts/pnglibconf.h.prebuilt ./scripts/pnglibconf.h.prebuilt
---- /tmp/libpng-1.6.34/scripts/pnglibconf.h.prebuilt 2017-09-29 01:42:33.000000000 -0700
-+++ ./scripts/pnglibconf.h.prebuilt 2018-05-01 09:51:24.719318242 -0700
-@@ -20,6 +20,12 @@
- #define PNG_ALIGNED_MEMORY_SUPPORTED
- /*#undef PNG_ARM_NEON_API_SUPPORTED*/
- /*#undef PNG_ARM_NEON_CHECK_SUPPORTED*/
-+
-+/* Workaround not having a great build file by forcing
-+ * png filter optimization to be disabled on arm */
-+#define PNG_ARM_NEON_OPT 0
-+
-+
- /*#undef PNG_POWERPC_VSX_API_SUPPORTED*/
- /*#undef PNG_POWERPC_VSX_CHECK_SUPPORTED*/
- #define PNG_BENIGN_ERRORS_SUPPORTED
diff --git a/third_party/pprof.BUILD b/third_party/pprof.BUILD
deleted file mode 100644
index 8bd5bac..0000000
--- a/third_party/pprof.BUILD
+++ /dev/null
@@ -1,18 +0,0 @@
-package(
- default_visibility = ["//visibility:public"],
-)
-
-licenses(["notice"]) # MIT
-
-load("@protobuf_archive//:protobuf.bzl", "py_proto_library")
-
-exports_files(["pprof/LICENSE"])
-
-py_proto_library(
- name = "pprof_proto_py",
- srcs = ["proto/profile.proto"],
- default_runtime = "@protobuf_archive//:protobuf_python",
- protoc = "@protobuf_archive//:protoc",
- srcs_version = "PY2AND3",
- deps = ["@protobuf_archive//:protobuf_python"],
-)
diff --git a/third_party/protobuf/BUILD b/third_party/protobuf/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/protobuf/BUILD
+++ /dev/null
diff --git a/third_party/py/BUILD b/third_party/py/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/py/BUILD
+++ /dev/null
diff --git a/third_party/py/BUILD.tpl b/third_party/py/BUILD.tpl
deleted file mode 100644
index 1dd8ab4..0000000
--- a/third_party/py/BUILD.tpl
+++ /dev/null
@@ -1,41 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-# To build Python C/C++ extension on Windows, we need to link to python import library pythonXY.lib
-# See https://docs.python.org/3/extending/windows.html
-cc_import(
- name = "python_lib",
- interface_library = select({
- ":windows": ":python_import_lib",
- # A placeholder for Unix platforms which makes --no_build happy.
- "//conditions:default": "not-existing.lib",
- }),
- system_provided = 1,
-)
-
-cc_library(
- name = "python_headers",
- hdrs = [":python_include"],
- deps = select({
- ":windows": [":python_lib"],
- "//conditions:default": [],
- }),
- includes = ["python_include"],
-)
-
-cc_library(
- name = "numpy_headers",
- hdrs = [":numpy_include"],
- includes = ["numpy_include"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
- visibility = ["//visibility:public"],
-)
-
-%{PYTHON_INCLUDE_GENRULE}
-%{NUMPY_INCLUDE_GENRULE}
-%{PYTHON_IMPORT_LIB_GENRULE}
diff --git a/third_party/py/numpy/BUILD b/third_party/py/numpy/BUILD
deleted file mode 100644
index be83325..0000000
--- a/third_party/py/numpy/BUILD
+++ /dev/null
@@ -1,21 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-py_library(
- name = "numpy",
- srcs = ["tf_numpy_dummy.py"],
- srcs_version = "PY2AND3",
-)
-
-alias(
- name = "headers",
- actual = "@local_config_python//:numpy_headers",
-)
-
-genrule(
- name = "dummy",
- outs = ["tf_numpy_dummy.py"],
- cmd = "touch $@",
- visibility = ["//visibility:private"],
-)
diff --git a/third_party/py/python_configure.bzl b/third_party/py/python_configure.bzl
deleted file mode 100644
index 9a7581c..0000000
--- a/third_party/py/python_configure.bzl
+++ /dev/null
@@ -1,328 +0,0 @@
-"""Repository rule for Python autoconfiguration.
-
-`python_configure` depends on the following environment variables:
-
- * `PYTHON_BIN_PATH`: location of python binary.
- * `PYTHON_LIB_PATH`: Location of python libraries.
-"""
-
-_BAZEL_SH = "BAZEL_SH"
-_PYTHON_BIN_PATH = "PYTHON_BIN_PATH"
-_PYTHON_LIB_PATH = "PYTHON_LIB_PATH"
-_TF_PYTHON_CONFIG_REPO = "TF_PYTHON_CONFIG_REPO"
-
-
-def _tpl(repository_ctx, tpl, substitutions={}, out=None):
- if not out:
- out = tpl
- repository_ctx.template(
- out,
- Label("//third_party/py:%s.tpl" % tpl),
- substitutions)
-
-
-def _fail(msg):
- """Output failure message when auto configuration fails."""
- red = "\033[0;31m"
- no_color = "\033[0m"
- fail("%sPython Configuration Error:%s %s\n" % (red, no_color, msg))
-
-
-def _is_windows(repository_ctx):
- """Returns true if the host operating system is windows."""
- os_name = repository_ctx.os.name.lower()
- if os_name.find("windows") != -1:
- return True
- return False
-
-
-def _execute(repository_ctx, cmdline, error_msg=None, error_details=None,
- empty_stdout_fine=False):
- """Executes an arbitrary shell command.
-
- Args:
- repository_ctx: the repository_ctx object
- cmdline: list of strings, the command to execute
- error_msg: string, a summary of the error if the command fails
- error_details: string, details about the error or steps to fix it
- empty_stdout_fine: bool, if True, an empty stdout result is fine, otherwise
- it's an error
- Return:
- the result of repository_ctx.execute(cmdline)
- """
- result = repository_ctx.execute(cmdline)
- if result.stderr or not (empty_stdout_fine or result.stdout):
- _fail("\n".join([
- error_msg.strip() if error_msg else "Repository command failed",
- result.stderr.strip(),
- error_details if error_details else ""]))
- return result
-
-
-def _read_dir(repository_ctx, src_dir):
- """Returns a string with all files in a directory.
-
- Finds all files inside a directory, traversing subfolders and following
- symlinks. The returned string contains the full path of all files
- separated by line breaks.
- """
- if _is_windows(repository_ctx):
- src_dir = src_dir.replace("/", "\\")
- find_result = _execute(
- repository_ctx, ["cmd.exe", "/c", "dir", src_dir, "/b", "/s", "/a-d"],
- empty_stdout_fine=True)
- # src_files will be used in genrule.outs where the paths must
- # use forward slashes.
- result = find_result.stdout.replace("\\", "/")
- else:
- find_result = _execute(
- repository_ctx, ["find", src_dir, "-follow", "-type", "f"],
- empty_stdout_fine=True)
- result = find_result.stdout
- return result
-
-
-def _genrule(src_dir, genrule_name, command, outs):
- """Returns a string with a genrule.
-
- Genrule executes the given command and produces the given outputs.
- """
- return (
- 'genrule(\n' +
- ' name = "' +
- genrule_name + '",\n' +
- ' outs = [\n' +
- outs +
- '\n ],\n' +
- ' cmd = """\n' +
- command +
- '\n """,\n' +
- ')\n'
- )
-
-
-def _norm_path(path):
- """Returns a path with '/' and remove the trailing slash."""
- path = path.replace("\\", "/")
- if path[-1] == "/":
- path = path[:-1]
- return path
-
-
-def _symlink_genrule_for_dir(repository_ctx, src_dir, dest_dir, genrule_name,
- src_files = [], dest_files = []):
- """Returns a genrule to symlink(or copy if on Windows) a set of files.
-
- If src_dir is passed, files will be read from the given directory; otherwise
- we assume files are in src_files and dest_files
- """
- if src_dir != None:
- src_dir = _norm_path(src_dir)
- dest_dir = _norm_path(dest_dir)
- files = '\n'.join(sorted(_read_dir(repository_ctx, src_dir).splitlines()))
- # Create a list with the src_dir stripped to use for outputs.
- dest_files = files.replace(src_dir, '').splitlines()
- src_files = files.splitlines()
- command = []
- outs = []
- for i in range(len(dest_files)):
- if dest_files[i] != "":
- # If we have only one file to link we do not want to use the dest_dir, as
- # $(@D) will include the full path to the file.
- dest = '$(@D)/' + dest_dir + dest_files[i] if len(dest_files) != 1 else '$(@D)/' + dest_files[i]
- # Copy the headers to create a sandboxable setup.
- cmd = 'cp -f'
- command.append(cmd + ' "%s" "%s"' % (src_files[i] , dest))
- outs.append(' "' + dest_dir + dest_files[i] + '",')
- genrule = _genrule(src_dir, genrule_name, " && ".join(command),
- "\n".join(outs))
- return genrule
-
-
-def _get_python_bin(repository_ctx):
- """Gets the python bin path."""
- python_bin = repository_ctx.os.environ.get(_PYTHON_BIN_PATH)
- if python_bin != None:
- return python_bin
- python_bin_path = repository_ctx.which("python")
- if python_bin_path != None:
- return str(python_bin_path)
- _fail("Cannot find python in PATH, please make sure " +
- "python is installed and add its directory in PATH, or --define " +
- "%s='/something/else'.\nPATH=%s" % (
- _PYTHON_BIN_PATH, repository_ctx.os.environ.get("PATH", "")))
-
-
-def _get_bash_bin(repository_ctx):
- """Gets the bash bin path."""
- bash_bin = repository_ctx.os.environ.get(_BAZEL_SH)
- if bash_bin != None:
- return bash_bin
- else:
- bash_bin_path = repository_ctx.which("bash")
- if bash_bin_path != None:
- return str(bash_bin_path)
- else:
- _fail("Cannot find bash in PATH, please make sure " +
- "bash is installed and add its directory in PATH, or --define " +
- "%s='/path/to/bash'.\nPATH=%s" % (
- _BAZEL_SH, repository_ctx.os.environ.get("PATH", "")))
-
-
-def _get_python_lib(repository_ctx, python_bin):
- """Gets the python lib path."""
- python_lib = repository_ctx.os.environ.get(_PYTHON_LIB_PATH)
- if python_lib != None:
- return python_lib
- print_lib = ("<<END\n" +
- "from __future__ import print_function\n" +
- "import site\n" +
- "import os\n" +
- "\n" +
- "try:\n" +
- " input = raw_input\n" +
- "except NameError:\n" +
- " pass\n" +
- "\n" +
- "python_paths = []\n" +
- "if os.getenv('PYTHONPATH') is not None:\n" +
- " python_paths = os.getenv('PYTHONPATH').split(':')\n" +
- "try:\n" +
- " library_paths = site.getsitepackages()\n" +
- "except AttributeError:\n" +
- " from distutils.sysconfig import get_python_lib\n" +
- " library_paths = [get_python_lib()]\n" +
- "all_paths = set(python_paths + library_paths)\n" +
- "paths = []\n" +
- "for path in all_paths:\n" +
- " if os.path.isdir(path):\n" +
- " paths.append(path)\n" +
- "if len(paths) >=1:\n" +
- " print(paths[0])\n" +
- "END")
- cmd = '%s - %s' % (python_bin, print_lib)
- result = repository_ctx.execute([_get_bash_bin(repository_ctx), "-c", cmd])
- return result.stdout.strip('\n')
-
-
-def _check_python_lib(repository_ctx, python_lib):
- """Checks the python lib path."""
- cmd = 'test -d "%s" -a -x "%s"' % (python_lib, python_lib)
- result = repository_ctx.execute([_get_bash_bin(repository_ctx), "-c", cmd])
- if result.return_code == 1:
- _fail("Invalid python library path: %s" % python_lib)
-
-
-def _check_python_bin(repository_ctx, python_bin):
- """Checks the python bin path."""
- cmd = '[[ -x "%s" ]] && [[ ! -d "%s" ]]' % (python_bin, python_bin)
- result = repository_ctx.execute([_get_bash_bin(repository_ctx), "-c", cmd])
- if result.return_code == 1:
- _fail("--define %s='%s' is not executable. Is it the python binary?" % (
- _PYTHON_BIN_PATH, python_bin))
-
-
-def _get_python_include(repository_ctx, python_bin):
- """Gets the python include path."""
- result = _execute(
- repository_ctx,
- [python_bin, "-c",
- 'from __future__ import print_function;' +
- 'from distutils import sysconfig;' +
- 'print(sysconfig.get_python_inc())'],
- error_msg="Problem getting python include path.",
- error_details=("Is the Python binary path set up right? " +
- "(See ./configure or " + _PYTHON_BIN_PATH + ".) " +
- "Is distutils installed?"))
- return result.stdout.splitlines()[0]
-
-
-def _get_python_import_lib_name(repository_ctx, python_bin):
- """Get Python import library name (pythonXY.lib) on Windows."""
- result = _execute(
- repository_ctx,
- [python_bin, "-c",
- 'import sys;' +
- 'print("python" + str(sys.version_info[0]) + ' +
- ' str(sys.version_info[1]) + ".lib")'],
- error_msg="Problem getting python import library.",
- error_details=("Is the Python binary path set up right? " +
- "(See ./configure or " + _PYTHON_BIN_PATH + ".) "))
- return result.stdout.splitlines()[0]
-
-
-def _get_numpy_include(repository_ctx, python_bin):
- """Gets the numpy include path."""
- return _execute(repository_ctx,
- [python_bin, "-c",
- 'from __future__ import print_function;' +
- 'import numpy;' +
- ' print(numpy.get_include());'],
- error_msg="Problem getting numpy include path.",
- error_details="Is numpy installed?").stdout.splitlines()[0]
-
-
-def _create_local_python_repository(repository_ctx):
- """Creates the repository containing files set up to build with Python."""
- python_bin = _get_python_bin(repository_ctx)
- _check_python_bin(repository_ctx, python_bin)
- python_lib = _get_python_lib(repository_ctx, python_bin)
- _check_python_lib(repository_ctx, python_lib)
- python_include = _get_python_include(repository_ctx, python_bin)
- numpy_include = _get_numpy_include(repository_ctx, python_bin) + '/numpy'
- python_include_rule = _symlink_genrule_for_dir(
- repository_ctx, python_include, 'python_include', 'python_include')
- python_import_lib_genrule = ""
- # To build Python C/C++ extension on Windows, we need to link to python import library pythonXY.lib
- # See https://docs.python.org/3/extending/windows.html
- if _is_windows(repository_ctx):
- python_include = _norm_path(python_include)
- python_import_lib_name = _get_python_import_lib_name(repository_ctx, python_bin)
- python_import_lib_src = python_include.rsplit('/', 1)[0] + "/libs/" + python_import_lib_name
- python_import_lib_genrule = _symlink_genrule_for_dir(
- repository_ctx, None, '', 'python_import_lib',
- [python_import_lib_src], [python_import_lib_name])
- numpy_include_rule = _symlink_genrule_for_dir(
- repository_ctx, numpy_include, 'numpy_include/numpy', 'numpy_include')
- _tpl(repository_ctx, "BUILD", {
- "%{PYTHON_INCLUDE_GENRULE}": python_include_rule,
- "%{PYTHON_IMPORT_LIB_GENRULE}": python_import_lib_genrule,
- "%{NUMPY_INCLUDE_GENRULE}": numpy_include_rule,
- })
-
-
-def _create_remote_python_repository(repository_ctx, remote_config_repo):
- """Creates pointers to a remotely configured repo set up to build with Python.
- """
- repository_ctx.template("BUILD", Label(remote_config_repo + ":BUILD"), {})
-
-
-def _python_autoconf_impl(repository_ctx):
- """Implementation of the python_autoconf repository rule."""
- if _TF_PYTHON_CONFIG_REPO in repository_ctx.os.environ:
- _create_remote_python_repository(repository_ctx,
- repository_ctx.os.environ[_TF_PYTHON_CONFIG_REPO])
- else:
- _create_local_python_repository(repository_ctx)
-
-
-python_configure = repository_rule(
- implementation = _python_autoconf_impl,
- environ = [
- _BAZEL_SH,
- _PYTHON_BIN_PATH,
- _PYTHON_LIB_PATH,
- _TF_PYTHON_CONFIG_REPO,
- ],
-)
-"""Detects and configures the local Python.
-
-Add the following to your WORKSPACE FILE:
-
-```python
-python_configure(name = "local_config_python")
-```
-
-Args:
- name: A unique name for this workspace rule.
-"""
diff --git a/third_party/python_runtime/BUILD b/third_party/python_runtime/BUILD
deleted file mode 100644
index 2a16091..0000000
--- a/third_party/python_runtime/BUILD
+++ /dev/null
@@ -1,8 +0,0 @@
-licenses(["notice"]) # New BSD, Python Software Foundation
-
-package(default_visibility = ["//visibility:public"])
-
-alias(
- name = "headers",
- actual = "@local_config_python//:python_headers",
-)
diff --git a/third_party/repo.bzl b/third_party/repo.bzl
deleted file mode 100644
index bad6d20..0000000
--- a/third_party/repo.bzl
+++ /dev/null
@@ -1,223 +0,0 @@
-# Copyright 2017 The TensorFlow Authors. All rights reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-
-"""Utilities for defining TensorFlow Bazel dependencies."""
-
-_SINGLE_URL_WHITELIST = depset([
- "arm_compiler",
-])
-
-def _is_windows(ctx):
- return ctx.os.name.lower().find("windows") != -1
-
-def _wrap_bash_cmd(ctx, cmd):
- if _is_windows(ctx):
- bazel_sh = _get_env_var(ctx, "BAZEL_SH")
- if not bazel_sh:
- fail("BAZEL_SH environment variable is not set")
- cmd = [bazel_sh, "-l", "-c", " ".join(["\"%s\"" % s for s in cmd])]
- return cmd
-
-def _get_env_var(ctx, name):
- if name in ctx.os.environ:
- return ctx.os.environ[name]
- else:
- return None
-
-# Checks if we should use the system lib instead of the bundled one
-def _use_system_lib(ctx, name):
- syslibenv = _get_env_var(ctx, "TF_SYSTEM_LIBS")
- if syslibenv:
- for n in syslibenv.strip().split(","):
- if n.strip() == name:
- return True
- return False
-
-# Executes specified command with arguments and calls 'fail' if it exited with
-# non-zero code
-def _execute_and_check_ret_code(repo_ctx, cmd_and_args):
- result = repo_ctx.execute(cmd_and_args, timeout = 60)
- if result.return_code != 0:
- fail(("Non-zero return code({1}) when executing '{0}':\n" + "Stdout: {2}\n" +
- "Stderr: {3}").format(
- " ".join(cmd_and_args),
- result.return_code,
- result.stdout,
- result.stderr,
- ))
-
-def _repos_are_siblings():
- return Label("@foo//bar").workspace_root.startswith("../")
-
-# Apply a patch_file to the repository root directory
-# Runs 'patch -p1'
-def _apply_patch(ctx, patch_file):
- # Don't check patch on Windows, because patch is only available under bash.
- if not _is_windows(ctx) and not ctx.which("patch"):
- fail("patch command is not found, please install it")
- cmd = _wrap_bash_cmd(
- ctx,
- ["patch", "-p1", "-d", ctx.path("."), "-i", ctx.path(patch_file)],
- )
- _execute_and_check_ret_code(ctx, cmd)
-
-def _apply_delete(ctx, paths):
- for path in paths:
- if path.startswith("/"):
- fail("refusing to rm -rf path starting with '/': " + path)
- if ".." in path:
- fail("refusing to rm -rf path containing '..': " + path)
- cmd = _wrap_bash_cmd(ctx, ["rm", "-rf"] + [ctx.path(path) for path in paths])
- _execute_and_check_ret_code(ctx, cmd)
-
-def _tf_http_archive(ctx):
- if ("mirror.bazel.build" not in ctx.attr.urls[0] and
- (len(ctx.attr.urls) < 2 and
- ctx.attr.name not in _SINGLE_URL_WHITELIST.to_list())):
- fail("tf_http_archive(urls) must have redundant URLs. The " +
- "mirror.bazel.build URL must be present and it must come first. " +
- "Even if you don't have permission to mirror the file, please " +
- "put the correctly formatted mirror URL there anyway, because " +
- "someone will come along shortly thereafter and mirror the file.")
-
- use_syslib = _use_system_lib(ctx, ctx.attr.name)
- if not use_syslib:
- ctx.download_and_extract(
- ctx.attr.urls,
- "",
- ctx.attr.sha256,
- ctx.attr.type,
- ctx.attr.strip_prefix,
- )
- if ctx.attr.delete:
- _apply_delete(ctx, ctx.attr.delete)
- if ctx.attr.patch_file != None:
- _apply_patch(ctx, ctx.attr.patch_file)
-
- if use_syslib and ctx.attr.system_build_file != None:
- # Use BUILD.bazel to avoid conflict with third party projects with
- # BUILD or build (directory) underneath.
- ctx.template("BUILD.bazel", ctx.attr.system_build_file, {
- "%prefix%": ".." if _repos_are_siblings() else "external",
- }, False)
-
- elif ctx.attr.build_file != None:
- # Use BUILD.bazel to avoid conflict with third party projects with
- # BUILD or build (directory) underneath.
- ctx.template("BUILD.bazel", ctx.attr.build_file, {
- "%prefix%": ".." if _repos_are_siblings() else "external",
- }, False)
-
- if use_syslib:
- for internal_src, external_dest in ctx.attr.system_link_files.items():
- ctx.symlink(Label(internal_src), ctx.path(external_dest))
-
-tf_http_archive = repository_rule(
- implementation = _tf_http_archive,
- attrs = {
- "sha256": attr.string(mandatory = True),
- "urls": attr.string_list(mandatory = True, allow_empty = False),
- "strip_prefix": attr.string(),
- "type": attr.string(),
- "delete": attr.string_list(),
- "patch_file": attr.label(),
- "build_file": attr.label(),
- "system_build_file": attr.label(),
- "system_link_files": attr.string_dict(),
- },
- environ = [
- "TF_SYSTEM_LIBS",
- ],
-)
-"""Downloads and creates Bazel repos for dependencies.
-
-This is a swappable replacement for both http_archive() and
-new_http_archive() that offers some additional features. It also helps
-ensure best practices are followed.
-"""
-
-def _third_party_http_archive(ctx):
- if ("mirror.bazel.build" not in ctx.attr.urls[0] and
- (len(ctx.attr.urls) < 2 and
- ctx.attr.name not in _SINGLE_URL_WHITELIST.to_list())):
- fail("tf_http_archive(urls) must have redundant URLs. The " +
- "mirror.bazel.build URL must be present and it must come first. " +
- "Even if you don't have permission to mirror the file, please " +
- "put the correctly formatted mirror URL there anyway, because " +
- "someone will come along shortly thereafter and mirror the file.")
-
- use_syslib = _use_system_lib(ctx, ctx.attr.name)
-
- # Use "BUILD.bazel" to avoid conflict with third party projects that contain a
- # file or directory called "BUILD"
- buildfile_path = ctx.path("BUILD.bazel")
-
- if use_syslib:
- if ctx.attr.system_build_file == None:
- fail("Bazel was configured with TF_SYSTEM_LIBS to use a system " +
- "library for %s, but no system build file for %s was configured. " +
- "Please add a system_build_file attribute to the repository rule" +
- "for %s." % (ctx.attr.name, ctx.attr.name, ctx.attr.name))
- ctx.symlink(Label(ctx.attr.system_build_file), buildfile_path)
-
- else:
- ctx.download_and_extract(
- ctx.attr.urls,
- "",
- ctx.attr.sha256,
- ctx.attr.type,
- ctx.attr.strip_prefix,
- )
- if ctx.attr.delete:
- _apply_delete(ctx, ctx.attr.delete)
- if ctx.attr.patch_file != None:
- _apply_patch(ctx, ctx.attr.patch_file)
- ctx.symlink(Label(ctx.attr.build_file), buildfile_path)
-
- link_dict = dict()
- if use_syslib:
- link_dict.update(ctx.attr.system_link_files)
-
- for internal_src, external_dest in ctx.attr.link_files.items():
- # if syslib and link exists in both, use the system one
- if external_dest not in link_dict.values():
- link_dict[internal_src] = external_dest
-
- for internal_src, external_dest in link_dict.items():
- ctx.symlink(Label(internal_src), ctx.path(external_dest))
-
-# Downloads and creates Bazel repos for dependencies.
-#
-# This is an upgrade for tf_http_archive that works with go/tfbr-thirdparty.
-#
-# For link_files, specify each dict entry as:
-# "//path/to/source:file": "localfile"
-third_party_http_archive = repository_rule(
- implementation = _third_party_http_archive,
- attrs = {
- "sha256": attr.string(mandatory = True),
- "urls": attr.string_list(mandatory = True, allow_empty = False),
- "strip_prefix": attr.string(),
- "type": attr.string(),
- "delete": attr.string_list(),
- "build_file": attr.string(mandatory = True),
- "system_build_file": attr.string(mandatory = False),
- "patch_file": attr.label(),
- "link_files": attr.string_dict(),
- "system_link_files": attr.string_dict(),
- },
- environ = [
- "TF_SYSTEM_LIBS",
- ],
-)
diff --git a/third_party/six.BUILD b/third_party/six.BUILD
deleted file mode 100644
index a1b2f7b..0000000
--- a/third_party/six.BUILD
+++ /dev/null
@@ -1,14 +0,0 @@
-# Description:
-# Six provides simple utilities for wrapping over differences between Python 2
-# and Python 3.
-
-licenses(["notice"]) # MIT
-
-exports_files(["LICENSE"])
-
-py_library(
- name = "six",
- srcs = ["six.py"],
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/snappy.BUILD b/third_party/snappy.BUILD
deleted file mode 100644
index d93f030..0000000
--- a/third_party/snappy.BUILD
+++ /dev/null
@@ -1,95 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # BSD 3-Clause
-
-exports_files(["COPYING"])
-
-cc_library(
- name = "snappy",
- srcs = [
- "config.h",
- "snappy.cc",
- "snappy.h",
- "snappy-internal.h",
- "snappy-sinksource.cc",
- "snappy-sinksource.h",
- "snappy-stubs-internal.cc",
- "snappy-stubs-internal.h",
- "snappy-stubs-public.h",
- ],
- hdrs = ["snappy.h"],
- copts = ["-DHAVE_CONFIG_H"] + select({
- "@org_tensorflow//tensorflow:windows": [],
- "//conditions:default": [
- "-fno-exceptions",
- "-Wno-sign-compare",
- "-Wno-shift-negative-value",
- "-Wno-implicit-function-declaration",
- ],
- }),
-)
-
-genrule(
- name = "config_h",
- outs = ["config.h"],
- cmd = "\n".join([
- "cat <<'EOF' >$@",
- "#define HAVE_STDDEF_H 1",
- "#define HAVE_STDINT_H 1",
- "",
- "#ifdef __has_builtin",
- "# if !defined(HAVE_BUILTIN_EXPECT) && __has_builtin(__builtin_expect)",
- "# define HAVE_BUILTIN_EXPECT 1",
- "# endif",
- "# if !defined(HAVE_BUILTIN_CTZ) && __has_builtin(__builtin_ctzll)",
- "# define HAVE_BUILTIN_CTZ 1",
- "# endif",
- "#elif defined(__GNUC__) && (__GNUC__ > 3 || __GNUC__ == 3 && __GNUC_MINOR__ >= 4)",
- "# ifndef HAVE_BUILTIN_EXPECT",
- "# define HAVE_BUILTIN_EXPECT 1",
- "# endif",
- "# ifndef HAVE_BUILTIN_CTZ",
- "# define HAVE_BUILTIN_CTZ 1",
- "# endif",
- "#endif",
- "",
- "#ifdef __has_include",
- "# if !defined(HAVE_BYTESWAP_H) && __has_include(<byteswap.h>)",
- "# define HAVE_BYTESWAP_H 1",
- "# endif",
- "# if !defined(HAVE_UNISTD_H) && __has_include(<unistd.h>)",
- "# define HAVE_UNISTD_H 1",
- "# endif",
- "# if !defined(HAVE_SYS_ENDIAN_H) && __has_include(<sys/endian.h>)",
- "# define HAVE_SYS_ENDIAN_H 1",
- "# endif",
- "# if !defined(HAVE_SYS_MMAN_H) && __has_include(<sys/mman.h>)",
- "# define HAVE_SYS_MMAN_H 1",
- "# endif",
- "# if !defined(HAVE_SYS_UIO_H) && __has_include(<sys/uio.h>)",
- "# define HAVE_SYS_UIO_H 1",
- "# endif",
- "#endif",
- "",
- "#ifndef SNAPPY_IS_BIG_ENDIAN",
- "# ifdef __s390x__",
- "# define SNAPPY_IS_BIG_ENDIAN 1",
- "# elif defined(__BYTE_ORDER__) && defined(__ORDER_BIG_ENDIAN__) && __BYTE_ORDER__ == __ORDER_BIG_ENDIAN__",
- "# define SNAPPY_IS_BIG_ENDIAN 1",
- "# endif",
- "#endif",
- "EOF",
- ]),
-)
-
-genrule(
- name = "snappy_stubs_public_h",
- srcs = ["snappy-stubs-public.h.in"],
- outs = ["snappy-stubs-public.h"],
- cmd = ("sed " +
- "-e 's/$${\\(.*\\)_01}/\\1/g' " +
- "-e 's/$${SNAPPY_MAJOR}/1/g' " +
- "-e 's/$${SNAPPY_MINOR}/1/g' " +
- "-e 's/$${SNAPPY_PATCHLEVEL}/4/g' " +
- "$< >$@"),
-)
diff --git a/third_party/sqlite.BUILD b/third_party/sqlite.BUILD
deleted file mode 100644
index 8b876fb..0000000
--- a/third_party/sqlite.BUILD
+++ /dev/null
@@ -1,63 +0,0 @@
-# Description:
-# sqlite3 is a serverless SQL RDBMS.
-
-licenses(["unencumbered"]) # Public Domain
-
-SQLITE_COPTS = [
- "-DSQLITE_ENABLE_JSON1",
- "-DHAVE_DECL_STRERROR_R=1",
- "-DHAVE_STDINT_H=1",
- "-DHAVE_INTTYPES_H=1",
- "-D_FILE_OFFSET_BITS=64",
- "-D_REENTRANT=1",
-] + select({
- "@org_tensorflow//tensorflow:windows": [
- "-DSQLITE_MAX_TRIGGER_DEPTH=100",
- ],
- "@org_tensorflow//tensorflow:darwin": [
- "-Os",
- "-DHAVE_GMTIME_R=1",
- "-DHAVE_LOCALTIME_R=1",
- "-DHAVE_USLEEP=1",
- ],
- "//conditions:default": [
- "-Os",
- "-DHAVE_FDATASYNC=1",
- "-DHAVE_GMTIME_R=1",
- "-DHAVE_LOCALTIME_R=1",
- "-DHAVE_POSIX_FALLOCATE=1",
- "-DHAVE_USLEEP=1",
- ],
-})
-
-# Production build of SQLite library that's baked into TensorFlow.
-cc_library(
- name = "org_sqlite",
- srcs = ["sqlite3.c"],
- hdrs = [
- "sqlite3.h",
- "sqlite3ext.h",
- ],
- copts = SQLITE_COPTS,
- defines = [
- # This gets rid of the bloat of deprecated functionality. It
- # needs to be listed here instead of copts because it's actually
- # referenced in the sqlite3.h file.
- "SQLITE_OMIT_DEPRECATED",
- ],
- linkopts = select({
- "@org_tensorflow//tensorflow:windows": [],
- "//conditions:default": [
- "-ldl",
- "-lpthread",
- ],
- }),
- visibility = ["//visibility:public"],
-)
-
-# This is a Copybara sync helper for Google.
-py_library(
- name = "python",
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/swig.BUILD b/third_party/swig.BUILD
deleted file mode 100644
index 59a3d9e..0000000
--- a/third_party/swig.BUILD
+++ /dev/null
@@ -1,336 +0,0 @@
-licenses(["restricted"]) # GPLv3
-
-exports_files(["LICENSE"])
-
-cc_binary(
- name = "swig",
- srcs = [
- "Source/CParse/cparse.h",
- "Source/CParse/cscanner.c",
- "Source/CParse/parser.c",
- "Source/CParse/parser.h",
- "Source/CParse/templ.c",
- "Source/CParse/util.c",
- "Source/DOH/base.c",
- "Source/DOH/doh.h",
- "Source/DOH/dohint.h",
- "Source/DOH/file.c",
- "Source/DOH/fio.c",
- "Source/DOH/hash.c",
- "Source/DOH/list.c",
- "Source/DOH/memory.c",
- "Source/DOH/string.c",
- "Source/DOH/void.c",
- "Source/Include/swigconfig.h",
- "Source/Include/swigwarn.h",
- "Source/Modules/allocate.cxx",
- "Source/Modules/browser.cxx",
- "Source/Modules/contract.cxx",
- "Source/Modules/directors.cxx",
- "Source/Modules/emit.cxx",
- "Source/Modules/lang.cxx",
- "Source/Modules/main.cxx",
- "Source/Modules/module.cxx",
- "Source/Modules/nested.cxx",
- "Source/Modules/overload.cxx",
- "Source/Modules/python.cxx",
- "Source/Modules/swigmain-lite.cxx",
- "Source/Modules/swigmod.h",
- "Source/Modules/typepass.cxx",
- "Source/Modules/uffi.cxx",
- "Source/Modules/utils.cxx",
- "Source/Modules/xml.cxx",
- "Source/Preprocessor/cpp.c",
- "Source/Preprocessor/expr.c",
- "Source/Preprocessor/preprocessor.h",
- "Source/Swig/cwrap.c",
- "Source/Swig/deprecate.c",
- "Source/Swig/error.c",
- "Source/Swig/extend.c",
- "Source/Swig/fragment.c",
- "Source/Swig/getopt.c",
- "Source/Swig/include.c",
- "Source/Swig/misc.c",
- "Source/Swig/naming.c",
- "Source/Swig/parms.c",
- "Source/Swig/scanner.c",
- "Source/Swig/stype.c",
- "Source/Swig/swig.h",
- "Source/Swig/swigfile.h",
- "Source/Swig/swigopt.h",
- "Source/Swig/swigparm.h",
- "Source/Swig/swigscan.h",
- "Source/Swig/swigtree.h",
- "Source/Swig/swigwrap.h",
- "Source/Swig/symbol.c",
- "Source/Swig/tree.c",
- "Source/Swig/typemap.c",
- "Source/Swig/typeobj.c",
- "Source/Swig/typesys.c",
- "Source/Swig/wrapfunc.c",
- ],
- copts = ["$(STACK_FRAME_UNLIMITED)"] + select({
- ":windows": [],
- "//conditions:default": [
- "-Wno-parentheses",
- "-Wno-unused-variable",
- "-fexceptions",
- ],
- }),
- data = [":templates"],
- includes = [
- "Source/CParse",
- "Source/DOH",
- "Source/Include",
- "Source/Modules",
- "Source/Preprocessor",
- "Source/Swig",
- ],
- output_licenses = ["unencumbered"],
- visibility = ["//visibility:public"],
- deps = ["@pcre"],
-)
-
-filegroup(
- name = "templates",
- srcs = [
- "Lib/allkw.swg",
- "Lib/attribute.i",
- "Lib/carrays.i",
- "Lib/cdata.i",
- "Lib/cffi/cffi.swg",
- "Lib/cmalloc.i",
- "Lib/constraints.i",
- "Lib/cpointer.i",
- "Lib/cstring.i",
- "Lib/cwstring.i",
- "Lib/exception.i",
- "Lib/intrusive_ptr.i",
- "Lib/inttypes.i",
- "Lib/linkruntime.c",
- "Lib/math.i",
- "Lib/pointer.i",
- "Lib/python/argcargv.i",
- "Lib/python/attribute.i",
- "Lib/python/boost_shared_ptr.i",
- "Lib/python/builtin.swg",
- "Lib/python/carrays.i",
- "Lib/python/ccomplex.i",
- "Lib/python/cdata.i",
- "Lib/python/cmalloc.i",
- "Lib/python/cni.i",
- "Lib/python/complex.i",
- "Lib/python/cpointer.i",
- "Lib/python/cstring.i",
- "Lib/python/cwstring.i",
- "Lib/python/defarg.swg",
- "Lib/python/director.swg",
- "Lib/python/embed.i",
- "Lib/python/embed15.i",
- "Lib/python/exception.i",
- "Lib/python/factory.i",
- "Lib/python/file.i",
- "Lib/python/implicit.i",
- "Lib/python/jstring.i",
- "Lib/python/pyabc.i",
- "Lib/python/pyapi.swg",
- "Lib/python/pybackward.swg",
- "Lib/python/pybuffer.i",
- "Lib/python/pyclasses.swg",
- "Lib/python/pycomplex.swg",
- "Lib/python/pycontainer.swg",
- "Lib/python/pydocs.swg",
- "Lib/python/pyerrors.swg",
- "Lib/python/pyfragments.swg",
- "Lib/python/pyhead.swg",
- "Lib/python/pyinit.swg",
- "Lib/python/pyiterators.swg",
- "Lib/python/pymacros.swg",
- "Lib/python/pyname_compat.i",
- "Lib/python/pyopers.swg",
- "Lib/python/pyprimtypes.swg",
- "Lib/python/pyrun.swg",
- "Lib/python/pyruntime.swg",
- "Lib/python/pystdcommon.swg",
- "Lib/python/pystrings.swg",
- "Lib/python/python.swg",
- "Lib/python/pythonkw.swg",
- "Lib/python/pythreads.swg",
- "Lib/python/pytuplehlp.swg",
- "Lib/python/pytypemaps.swg",
- "Lib/python/pyuserdir.swg",
- "Lib/python/pywstrings.swg",
- "Lib/python/std_alloc.i",
- "Lib/python/std_auto_ptr.i",
- "Lib/python/std_basic_string.i",
- "Lib/python/std_carray.i",
- "Lib/python/std_char_traits.i",
- "Lib/python/std_common.i",
- "Lib/python/std_complex.i",
- "Lib/python/std_container.i",
- "Lib/python/std_deque.i",
- "Lib/python/std_except.i",
- "Lib/python/std_ios.i",
- "Lib/python/std_iostream.i",
- "Lib/python/std_list.i",
- "Lib/python/std_map.i",
- "Lib/python/std_multimap.i",
- "Lib/python/std_multiset.i",
- "Lib/python/std_pair.i",
- "Lib/python/std_set.i",
- "Lib/python/std_shared_ptr.i",
- "Lib/python/std_sstream.i",
- "Lib/python/std_streambuf.i",
- "Lib/python/std_string.i",
- "Lib/python/std_unordered_map.i",
- "Lib/python/std_unordered_multimap.i",
- "Lib/python/std_unordered_multiset.i",
- "Lib/python/std_unordered_set.i",
- "Lib/python/std_vector.i",
- "Lib/python/std_vectora.i",
- "Lib/python/std_wios.i",
- "Lib/python/std_wiostream.i",
- "Lib/python/std_wsstream.i",
- "Lib/python/std_wstreambuf.i",
- "Lib/python/std_wstring.i",
- "Lib/python/stl.i",
- "Lib/python/typemaps.i",
- "Lib/python/wchar.i",
- "Lib/runtime.swg",
- "Lib/shared_ptr.i",
- "Lib/std/_std_deque.i",
- "Lib/std/std_alloc.i",
- "Lib/std/std_basic_string.i",
- "Lib/std/std_carray.swg",
- "Lib/std/std_char_traits.i",
- "Lib/std/std_common.i",
- "Lib/std/std_container.i",
- "Lib/std/std_deque.i",
- "Lib/std/std_except.i",
- "Lib/std/std_ios.i",
- "Lib/std/std_iostream.i",
- "Lib/std/std_list.i",
- "Lib/std/std_map.i",
- "Lib/std/std_multimap.i",
- "Lib/std/std_multiset.i",
- "Lib/std/std_pair.i",
- "Lib/std/std_queue.i",
- "Lib/std/std_set.i",
- "Lib/std/std_sstream.i",
- "Lib/std/std_stack.i",
- "Lib/std/std_streambuf.i",
- "Lib/std/std_string.i",
- "Lib/std/std_unordered_map.i",
- "Lib/std/std_unordered_multimap.i",
- "Lib/std/std_unordered_multiset.i",
- "Lib/std/std_unordered_set.i",
- "Lib/std/std_vector.i",
- "Lib/std/std_vectora.i",
- "Lib/std/std_wios.i",
- "Lib/std/std_wiostream.i",
- "Lib/std/std_wsstream.i",
- "Lib/std/std_wstreambuf.i",
- "Lib/std/std_wstring.i",
- "Lib/std_except.i",
- "Lib/stdint.i",
- "Lib/stl.i",
- "Lib/swig.swg",
- "Lib/swigarch.i",
- "Lib/swigerrors.swg",
- "Lib/swiginit.swg",
- "Lib/swiglabels.swg",
- "Lib/swigrun.i",
- "Lib/swigrun.swg",
- "Lib/swigwarn.swg",
- "Lib/swigwarnings.swg",
- "Lib/typemaps/attribute.swg",
- "Lib/typemaps/carrays.swg",
- "Lib/typemaps/cdata.swg",
- "Lib/typemaps/cmalloc.swg",
- "Lib/typemaps/cpointer.swg",
- "Lib/typemaps/cstring.swg",
- "Lib/typemaps/cstrings.swg",
- "Lib/typemaps/cwstring.swg",
- "Lib/typemaps/enumint.swg",
- "Lib/typemaps/exception.swg",
- "Lib/typemaps/factory.swg",
- "Lib/typemaps/fragments.swg",
- "Lib/typemaps/implicit.swg",
- "Lib/typemaps/inoutlist.swg",
- "Lib/typemaps/misctypes.swg",
- "Lib/typemaps/primtypes.swg",
- "Lib/typemaps/ptrtypes.swg",
- "Lib/typemaps/std_except.swg",
- "Lib/typemaps/std_string.swg",
- "Lib/typemaps/std_strings.swg",
- "Lib/typemaps/std_wstring.swg",
- "Lib/typemaps/string.swg",
- "Lib/typemaps/strings.swg",
- "Lib/typemaps/swigmacros.swg",
- "Lib/typemaps/swigobject.swg",
- "Lib/typemaps/swigtype.swg",
- "Lib/typemaps/swigtypemaps.swg",
- "Lib/typemaps/traits.swg",
- "Lib/typemaps/typemaps.swg",
- "Lib/typemaps/valtypes.swg",
- "Lib/typemaps/void.swg",
- "Lib/typemaps/wstring.swg",
- "Lib/wchar.i",
- "Lib/windows.i",
- ],
- licenses = ["notice"], # simple notice license for Lib/
- path = "Lib",
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "swigconfig",
- outs = ["Source/Include/swigconfig.h"],
- cmd = "cat <<EOF >$@\n" +
- "#define HAVE_BOOL\n" +
- "#define HAVE_PCRE\n" +
- "#define HAVE_POPEN\n" +
- "#define PACKAGE_BUGREPORT \"http://www.swig.org\"\n" +
- "#define PACKAGE_VERSION \"3.0.8\"\n" +
- "#define STDC_HEADERS\n" +
- "#define SWIG_CXX \"bazel4lyfe\"\n" +
- "#define SWIG_LIB \"external/swig/Lib\"\n" +
- "#define SWIG_LIB_WIN_UNIX \"\"\n" +
- "#define SWIG_PLATFORM \"bazel4lyfe\"\n" +
- "EOF",
-)
-
-genrule(
- name = "get_rid_of_stuff_we_dont_need_yet",
- srcs = ["Source/Modules/swigmain.cxx"],
- outs = ["Source/Modules/swigmain-lite.cxx"],
- cmd = "sed -e '/swig_allegrocl/d'" +
- " -e '/swig_cffi/d'" +
- " -e '/swig_chicken/d'" +
- " -e '/swig_clisp/d'" +
- " -e '/swig_csharp/d'" +
- " -e '/swig_d/d'" +
- " -e '/swig_go/d'" +
- " -e '/swig_guile/d'" +
- " -e '/swig_java/d'" +
- " -e '/swig_lua/d'" +
- " -e '/swig_modula3/d'" +
- " -e '/swig_mzscheme/d'" +
- " -e '/swig_ocaml/d'" +
- " -e '/swig_octave/d'" +
- " -e '/swig_perl/d'" +
- " -e '/swig_php/d'" +
- " -e '/swig_pike/d'" +
- " -e '/swig_r/d'" +
- " -e '/swig_ruby/d'" +
- " -e '/swig_scilab/d'" +
- " -e '/swig_sexp/d'" +
- " -e '/swig_tcl/d'" +
- " -e '/swig_uffi/d'" +
- " $< >$@",
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
-)
diff --git a/third_party/sycl/BUILD b/third_party/sycl/BUILD
deleted file mode 100644
index f631b6d..0000000
--- a/third_party/sycl/BUILD
+++ /dev/null
@@ -1,3 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
diff --git a/third_party/sycl/crosstool/BUILD b/third_party/sycl/crosstool/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/sycl/crosstool/BUILD
+++ /dev/null
diff --git a/third_party/sycl/crosstool/BUILD.tpl b/third_party/sycl/crosstool/BUILD.tpl
deleted file mode 100755
index cd8df93..0000000
--- a/third_party/sycl/crosstool/BUILD.tpl
+++ /dev/null
@@ -1,29 +0,0 @@
-licenses(["notice"]) # Apache 2.0
-
-package(default_visibility = ["//visibility:public"])
-
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "local|compiler": ":cc-compiler-local",
- },
-)
-
-cc_toolchain(
- name = "cc-compiler-local",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
diff --git a/third_party/sycl/crosstool/CROSSTOOL.tpl b/third_party/sycl/crosstool/CROSSTOOL.tpl
deleted file mode 100755
index f8e50ef..0000000
--- a/third_party/sycl/crosstool/CROSSTOOL.tpl
+++ /dev/null
@@ -1,217 +0,0 @@
-major_version: "local"
-minor_version: ""
-default_target_cpu: "same_as_host"
-
-default_toolchain {
- cpu: "k8"
- toolchain_identifier: "local_linux"
-}
-
-default_toolchain {
- cpu: "arm"
- toolchain_identifier: "local_arm"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- supports_gold_linker: false
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: false
- supports_thin_archives: false
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_linux"
-
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcc" path: "%{sycl_impl}" }
- # Use "-std=c++11" for nvcc. For consistency, force both the host compiler
- # and the device compiler to use "-std=c++11".
- cxx_flag: "%{c++_std}"
- linker_flag: "-Wl,-no-as-needed"
- linker_flag: "-lstdc++"
- linker_flag: "-B/usr/bin/"
-
- # TODO(bazel-team): In theory, the path here ought to exactly match the path
- # used by gcc. That works because bazel currently doesn't track files at
- # absolute locations and has no remote execution, yet. However, this will need
- # to be fixed, maybe with auto-detection?
- cxx_builtin_include_directory: "/usr/lib/gcc/"
- cxx_builtin_include_directory: "/usr/lib"
- cxx_builtin_include_directory: "/usr/lib64"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/include"
-
- cxx_builtin_include_directory: "%{sycl_include_dir}"
- cxx_builtin_include_directory: "%{python_lib_path}"
-
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
-
- # C(++) compiles invoke the compiler (as that is the one knowing where
- # to find libraries), but we provide LD so other rules can invoke the linker.
- tool_path { name: "ld" path: "/usr/bin/ld" }
-
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
-
- compiler_flag: "-fPIE"
-
- # Keep stack frames for debugging, even in opt mode.
- compiler_flag: "-fno-omit-frame-pointer"
-
- # Anticipated future default.
- linker_flag: "-no-canonical-prefixes"
- unfiltered_cxx_flag: "-fno-canonical-system-headers"
-
- # Have gcc return the exit code from ld.
- linker_flag: "-pass-exit-codes"
-
- # All warnings are enabled. Maybe enable -Werror as well?
- compiler_flag: "-Wall"
-
- # Enable SSE instructions by default
- compiler_flag: "-msse3"
-
- # Anticipated future default.
- linker_flag: "-Wl,-no-as-needed"
- # Stamp the binary with a unique identifier.
- linker_flag: "-Wl,--build-id=md5"
- linker_flag: "-Wl,--hash-style=gnu"
-
- linking_mode_flags { mode: DYNAMIC }
-
- compilation_mode_flags {
- mode: FASTBUILD
- compiler_flag: "-O0"
- }
-
- compilation_mode_flags {
- mode: DBG
- compiler_flag: "-g"
- }
-
- compilation_mode_flags {
- mode: OPT
- compiler_flag: "-g0"
- compiler_flag: "-O2"
- compiler_flag: "-DNDEBUG"
- compiler_flag: "-ffunction-sections"
- compiler_flag: "-fdata-sections"
- linker_flag: "-Wl,--gc-sections"
- }
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- supports_gold_linker: false
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: false
- supports_thin_archives: false
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_arm"
-
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcc" path: "computecpp" }
- # Use "-std=c++11" for nvcc. For consistency, force both the host compiler
- # and the device compiler to use "-std=c++11".
- cxx_flag: "-std=c++11"
- linker_flag: "-Wl,-no-as-needed"
- linker_flag: "-lstdc++"
- linker_flag: "-B/usr/bin/"
-
- # TODO(bazel-team): In theory, the path here ought to exactly match the path
- # used by gcc. That works because bazel currently doesn't track files at
- # absolute locations and has no remote execution, yet. However, this will need
- # to be fixed, maybe with auto-detection?
- cxx_builtin_include_directory: "/usr/lib/gcc/"
- cxx_builtin_include_directory: "/usr/lib"
- cxx_builtin_include_directory: "/usr/lib64"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/include"
-
- cxx_builtin_include_directory: "%{computecpp_toolkit_path}"
- cxx_builtin_include_directory: "%{python_lib_path}"
-
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
-
- # C(++) compiles invoke the compiler (as that is the one knowing where
- # to find libraries), but we provide LD so other rules can invoke the linker.
- tool_path { name: "ld" path: "/usr/bin/ld" }
-
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
-
- # All warnings are enabled. Maybe enable -Werror as well?
- compiler_flag: "-Wall"
-
- # Anticipated future default.
- linker_flag: "-Wl,-no-as-needed"
- # Stamp the binary with a unique identifier.
- linker_flag: "-Wl,--build-id=md5"
- linker_flag: "-Wl,--hash-style=gnu"
-
- linking_mode_flags { mode: DYNAMIC }
-
- compilation_mode_flags {
- mode: FASTBUILD
- compiler_flag: "-O0"
- }
-
- compilation_mode_flags {
- mode: DBG
- compiler_flag: "-g"
- }
-
- compilation_mode_flags {
- mode: OPT
- compiler_flag: "-g0"
- compiler_flag: "-O2"
- compiler_flag: "-DNDEBUG"
- }
-}
\ No newline at end of file
diff --git a/third_party/sycl/crosstool/computecpp.tpl b/third_party/sycl/crosstool/computecpp.tpl
deleted file mode 100755
index c699eab..0000000
--- a/third_party/sycl/crosstool/computecpp.tpl
+++ /dev/null
@@ -1,94 +0,0 @@
-#!/usr/bin/env python
-
-import os
-import sys
-import tempfile
-from subprocess import call, Popen, PIPE
-
-CPU_CXX_COMPILER = ('%{host_cxx_compiler}')
-CPU_C_COMPILER = ('%{host_c_compiler}')
-
-CURRENT_DIR = os.path.dirname(sys.argv[0])
-COMPUTECPP_ROOT = CURRENT_DIR + '/../sycl/'
-COMPUTECPP_DRIVER= COMPUTECPP_ROOT + 'bin/compute++'
-COMPUTECPP_INCLUDE = COMPUTECPP_ROOT + 'include'
-
-def main():
- remove_flags = ('-Wl,--no-undefined', '-Wno-unused-but-set-variable', '-Wignored-attributes')
- # remove -fsanitize-coverage from string with g++
- if 'g++' in CPU_CXX_COMPILER:
- remove_flags += ('-fsanitize-coverage',)
- compiler_flags = [flag for flag in sys.argv[1:] if not flag.startswith(remove_flags)]
-
- output_file_index = compiler_flags.index('-o') + 1
- output_file_name = compiler_flags[output_file_index]
-
- if output_file_index == 1:
- # we are linking
- return call([CPU_CXX_COMPILER] + compiler_flags + ['-Wl,--no-undefined'])
-
- # find what we compile
- compiling_cpp = False
- if '-c' in compiler_flags:
- compiled_file_index = compiler_flags.index('-c') + 1
- compiled_file_name = compiler_flags[compiled_file_index]
- compiling_cpp = compiled_file_name.endswith(('.cc', '.c++', '.cpp', '.CPP', '.C', '.cxx'))
-
- # add -D_GLIBCXX_USE_CXX11_ABI=0 to the command line if you have custom installation of GCC/Clang
- compiler_flags = compiler_flags + ['-DEIGEN_USE_SYCL=1', '-DTENSORFLOW_USE_SYCL', '-DEIGEN_HAS_C99_MATH']
-
- if not compiling_cpp:
- # compile for C
- return call([CPU_C_COMPILER] + compiler_flags)
-
- # create a blacklist of folders that will be skipped when compiling with ComputeCpp
- skip_extensions = [".cu.cc"]
- skip_folders = ["tensorflow/compiler", "tensorflow/docs_src", "third_party", "external", "hexagon"]
- skip_folders = [(folder + '/') for folder in skip_folders]
- # if compiling external project skip computecpp
- if any(compiled_file_name.endswith(_ext) for _ext in skip_extensions) or any(_folder in output_file_name for _folder in skip_folders):
- return call([CPU_CXX_COMPILER] + compiler_flags)
-
- # this is an optimisation that will check if compiled file has to be compiled with ComputeCpp
- flags_without_output = list(compiler_flags)
- del flags_without_output[output_file_index] # remove output_file_name
- del flags_without_output[output_file_index - 1] # remove '-o'
- # create preprocessed of the file and store it for later use
- pipe = Popen([CPU_CXX_COMPILER] + flags_without_output + ["-E"], stdout=PIPE)
- preprocessed_file_str = pipe.communicate()[0]
- if pipe.returncode != 0:
- return pipe.returncode
-
- # check if it has parallel_for in it
- if not '.parallel_for' in preprocessed_file_str:
- # call CXX compiler like usual
- with tempfile.NamedTemporaryFile(suffix=".ii") as preprocessed_file: # Force '.ii' extension so that g++ does not preprocess the file again
- preprocessed_file.write(preprocessed_file_str)
- preprocessed_file.flush()
- compiler_flags[compiled_file_index] = preprocessed_file.name
- return call([CPU_CXX_COMPILER] + compiler_flags)
- del preprocessed_file_str # save some memory as this string can be quite big
-
- filename, file_extension = os.path.splitext(output_file_name)
- bc_out = filename + '.sycl'
-
- # strip asan for the device
- computecpp_device_compiler_flags = ['-sycl-compress-name', '-Wno-unused-variable', '-Wno-c++11-narrowing',
- '-I', COMPUTECPP_INCLUDE, '-isystem', COMPUTECPP_INCLUDE,
- '-std=c++11', '-sycl', '-emit-llvm', '-no-serial-memop',
- '-Xclang', '-cl-denorms-are-zero', '-Xclang', '-cl-fp32-correctly-rounded-divide-sqrt']
- # disable flags enabling SIMD instructions
- computecpp_device_compiler_flags += [flag for flag in compiler_flags if \
- not any(x in flag.lower() for x in ('-fsanitize', '-fno-canonical-system-headers', '=native', '=core2', 'msse', 'vectorize', 'mavx', 'mmmx', 'm3dnow', 'fma'))]
-
- x = call([COMPUTECPP_DRIVER] + computecpp_device_compiler_flags)
- if x == 0:
- # dont want that in case of compiling with computecpp first
- host_compiler_flags = [flag for flag in compiler_flags if (not flag.startswith(('-MF', '-MD',)) and not '.d' in flag)]
- host_compiler_flags[host_compiler_flags.index('-c')] = "--include"
- host_compiler_flags = ['-xc++', '-Wno-unused-variable', '-I', COMPUTECPP_INCLUDE, '-c', bc_out] + host_compiler_flags
- x = call([CPU_CXX_COMPILER] + host_compiler_flags)
- return x
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/sycl/crosstool/trisycl.tpl b/third_party/sycl/crosstool/trisycl.tpl
deleted file mode 100644
index 87a70d8..0000000
--- a/third_party/sycl/crosstool/trisycl.tpl
+++ /dev/null
@@ -1,85 +0,0 @@
-#!/usr/bin/env python
-
-import os
-import sys
-import tempfile
-from subprocess import call
-
-CPU_CXX_COMPILER = ('%{host_cxx_compiler}')
-CPU_C_COMPILER = ('%{host_c_compiler}')
-
-CURRENT_DIR = os.path.dirname(sys.argv[0])
-TRISYCL_INCLUDE_DIR = CURRENT_DIR + '/../sycl/include'
-
-
-def main():
- compiler_flags = []
-
- remove_flags = ('-Wl,--no-undefined', '-Wno-unused-but-set-variable',
- '-Wignored-attributes', '-fno-exceptions')
- # remove -fsamotoze-coverage from string with g++
- if 'g++' in CPU_CXX_COMPILER:
- remove_flags += ('-fsanitize-coverage',)
- compiler_flags += ['-fopenmp']
- else:
- compiler_flags += ['-fopenmp=libomp']
-
- compiler_flags += [
- flag for flag in sys.argv[1:] if not flag.startswith(remove_flags)
- ]
-
- output_file_index = compiler_flags.index('-o') + 1
- output_file_name = compiler_flags[output_file_index]
-
- if (output_file_index == 1):
- # we are linking
- return call([CPU_CXX_COMPILER] + compiler_flags + ['-Wl,--no-undefined'])
-
- # find what we compile
- compiling_cpp = 0
- if ('-c' in compiler_flags):
- compiled_file_index = compiler_flags.index('-c') + 1
- compiled_file_name = compiler_flags[compiled_file_index]
- if (compiled_file_name.endswith(('.cc', '.c++', '.cpp', '.CPP', '.C',
- '.cxx'))):
- compiling_cpp = 1
-
- debug_flags = [
- '-DTRISYCL_DEBUG', '-DBOOST_LOG_DYN_LINK', '-DTRISYCL_TRACE_KERNEL',
- '-lpthread', '-lboost_log', '-g', '-rdynamic'
- ]
-
- opt_flags = ['-DNDEBUG', '-DBOOST_DISABLE_ASSERTS', '-O3']
-
- compiler_flags = compiler_flags + [
- '-DEIGEN_USE_SYCL=1', '-DEIGEN_HAS_C99_MATH',
- '-DEIGEN_MAX_ALIGN_BYTES=16', '-DTENSORFLOW_USE_SYCL'
- ] + opt_flags
-
- if (compiling_cpp == 1):
- # create a blacklist of folders that will be skipped when compiling
- # with triSYCL
- skip_extensions = ['.cu.cc']
- skip_folders = [
- 'tensorflow/compiler', 'tensorflow/docs_src', 'tensorflow/tensorboard',
- 'third_party', 'external', 'hexagon'
- ]
- skip_folders = [(folder + '/') for folder in skip_folders]
- # if compiling external project skip triSYCL
- if any(
- compiled_file_name.endswith(_ext) for _ext in skip_extensions) or any(
- _folder in output_file_name for _folder in skip_folders):
- return call([CPU_CXX_COMPILER] + compiler_flags)
-
- host_compiler_flags = [
- '-xc++', '-Wno-unused-variable', '-I', TRISYCL_INCLUDE_DIR
- ] + compiler_flags
- x = call([CPU_CXX_COMPILER] + host_compiler_flags)
- return x
- else:
- # compile for C
- return call([CPU_C_COMPILER] + compiler_flags)
-
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/sycl/sycl/BUILD b/third_party/sycl/sycl/BUILD
deleted file mode 100644
index b045609..0000000
--- a/third_party/sycl/sycl/BUILD
+++ /dev/null
@@ -1,7 +0,0 @@
-# Description:
-# A minimal BUILD file to make template files in this folder available. Without this BUILD file,
-# bazel returns errors when trying to access tpl files in this folder.
-
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
diff --git a/third_party/sycl/sycl/BUILD.tpl b/third_party/sycl/sycl/BUILD.tpl
deleted file mode 100755
index b7e9aa8..0000000
--- a/third_party/sycl/sycl/BUILD.tpl
+++ /dev/null
@@ -1,56 +0,0 @@
-licenses(["notice"]) # Apache 2.0
-
-load("@local_config_sycl//sycl:build_defs.bzl", "if_sycl")
-load(":platform.bzl", "sycl_library_path")
-
-load(":platform.bzl", "readlink_command")
-
-package(default_visibility = ["//visibility:public"])
-
-exports_files(["LICENSE.text"])
-
-config_setting(
- name = "using_sycl_ccpp",
- define_values = {
- "using_sycl": "true",
- "using_trisycl": "false",
- },
-)
-
-config_setting(
- name = "using_sycl_trisycl",
- define_values = {
- "using_sycl": "true",
- "using_trisycl": "true",
- },
-)
-
-
-cc_library(
- name = "sycl_headers",
- hdrs = glob([
- "**/*.h",
- "**/*.hpp",
- ]),
- includes = [".", "include"],
-)
-
-cc_library(
- name = "syclrt",
- srcs = [
- sycl_library_path("ComputeCpp")
- ],
- data = [
- sycl_library_path("ComputeCpp")
- ],
- includes = ["include/"],
- linkstatic = 0,
-)
-
-cc_library(
- name = "sycl",
- deps = if_sycl([
- ":sycl_headers",
- ":syclrt",
- ]),
-)
diff --git a/third_party/sycl/sycl/LICENSE.text b/third_party/sycl/sycl/LICENSE.text
deleted file mode 100644
index 8d3f050..0000000
--- a/third_party/sycl/sycl/LICENSE.text
+++ /dev/null
@@ -1,268 +0,0 @@
-
----------------------------------------------------------------------
-
-SOFTWARE LICENSE AGREEMENT
-
----------------------------------------------------------------------
----------------------------------------------------------------------
-
-By downloading, installing, copying, or otherwise using the
-ComputeCpp Community Edition software, including any associated
-components, media, printed materials, and electronic documentation
-("Software"), the user agrees to the following terms and conditions
-of this Software License Agreement ("Agreement"). Please read the
-terms of this Agreement carefully before beginning your download, as
-pressing the "I AGREE" button at the end of this Agreement will
-confirm your assent. If you do not agree to these terms, then
-Codeplay Software Limited is unwilling to license the Software to
-you; so please press the "CANCEL" button to cancel your download.
-
- 1. License. Codeplay Software Ltd., a company incorporated in
- England and Wales with registered number 04567874 and having its
- registered office at Regent House, 316 Beulah Hill, London,
- United Kingdom, SE19 3HF ("Codeplay") hereby grants the user,
- free of charge, a non-exclusive worldwide license to use and
- replicate (but not modify) the Software for any use, whether
- commercial or non-commercial, in accordance with this Agreement.
- Codeplay reserves all rights to the Software that are not
- expressly granted by this Agreement.
- 2. Redistribution. The user may copy and redistribute unmodified
- copies of only those components of the Software which are
- specified below ("Redistributable Components"), in object code
- form, as part of the user’s software applications or libraries
- ("Applications"). The user acknowledges and agrees that it has no
- right to modify the Redistributable Components in any way. Any
- use of the Redistributable Components within the user’s
- Applications will continue to be subject to the terms and
- conditions of this Agreement, and the user must also distribute a
- copy of this Agreement and reproduce and include all notices of
- copyrights or other proprietary rights in the Software. The
- user’s redistribution of the Redistributable Components will not
- entitle it to any payment from Codeplay. The user may not
- transfer any of its rights or obligations under this Agreement.
-
-+-------------------------------------------+
-|Redistributable Component|File Name |
-|-------------------------+-----------------|
-|Runtime (for Linux) |libComputeCpp.so |
-|-------------------------+-----------------|
-|Runtime (for Windows) |libComputeCpp.dll|
-+-------------------------------------------+
-
- 3. Restrictions. The user shall not:
-
- a. circumvent or bypass any technological protection measures in
- or relating to the Software;
- b. use the Software to perform any unauthorized transfer of
- information or for any illegal purpose;
- c. de-compile, decrypt, disassemble, hack, emulate, exploit or
- reverse-engineer the Software (other than to the limited
- extent permitted by law);
- d. copy or redistribute any components of the Software that are
- not listed in the table of Redistributable Components;
- e. publish, rent, lease, sell, export, import, or lend the
- Software;
- f. represent in any way that it is selling the Software itself
- or any license to use the Software, nor refer to Codeplay or
- ComputeCpp within its marketing materials, without the
- express prior written permission of Codeplay.
- 4. Support. Codeplay does not provide any guarantees of support for
- the Software to the user. Codeplay will use reasonable endeavors
- to respond to users' support requests, for the most recent
- release only, via the community support website at https://
- computecpp.codeplay.com.
- 5. Intellectual Property. The Software is owned by Codeplay or its
- licensors, and is protected by the copyright laws of the United
- Kingdom and other countries and international treaty provisions.
- Codeplay (and/or its licensors, as the case may be) retains all
- copyrights, trade secrets and other proprietary rights in the
- Software, including the rights to make and license the use of all
- copies. To the extent that any patents owned by Codeplay or its
- licensors relate to any component of the Software, the license
- granted to the user in accordance with this Agreement allows for
- the lawful use of such patents but only for the purposes of this
- Agreement and not further or otherwise. Therefore, the user may
- make no copies of the Software, or the written materials that
- accompany the Software, or reproduce it in any way, except as set
- forth above.
- 6. Terms. This Agreement is effective until terminated. Codeplay or
- the user may terminate it immediately at any time. Any violation
- of the terms of this Agreement by the user will result in
- immediate termination by Codeplay. Upon termination, the user
- must return or destroy the Software and accompanying materials
- and notify Codeplay of its actions by email to info@codeplay.com.
- 7. NO WARRANTIES. Codeplay expressly disclaims any warranty for the
- Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF
- ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
- WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE
- AND NON-INFRINGEMENT. IN NO EVENT SHALL CODEPLAY BE LIABLE FOR
- ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF
- CONTRACT, DELICT OR TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
- CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
- SOFTWARE. In particular, Codeplay provides no guarantees of
- application performance on the target hardware.
- 8. General. The invalidity of any portion or provision of this
- Agreement shall not affect any other portions or provisions. This
- Agreement shall be governed by the laws of Scotland. This
- Agreement is the complete and exclusive agreement between the
- user and Codeplay regarding the Software, and it supersedes any
- prior agreement, oral or written, and any other communication
- between the user and Codeplay relating to the subject matter of
- the Agreement. Any amendment or modification of this Agreement
- must be in writing and signed by both parties. If the user does
- not agree to the terms of this Agreement, the user must not
- install or use the Software.
- 9. Third Party Licenses. The following licenses are for third-party
- components included in the software.
-
- a. License for Clang/LLVM compiler technology components:
-
-==============================================================================
-
-LLVM Release License
-
-==============================================================================
-
-University of Illinois/NCSA
-
-Open Source License
-
-Copyright (c) 2007-2014 University of Illinois at Urbana-Champaign.
-
-All rights reserved.
-
-Developed by:
-
- LLVM Team
-
- University of Illinois at Urbana-Champaign
-
- http://llvm.org
-
-Permission is hereby granted, free of charge, to any person obtaining a copy of
-this software and associated documentation files (the "Software"), to deal with
-the Software without restriction, including without limitation the rights to
-use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies
-of the Software, and to permit persons to whom the Software is furnished to do
-so, subject to the following conditions:
-
- * Redistributions of source code must retain the above copyright notice,
- this list of conditions and the following disclaimers.
-
- * Redistributions in binary form must reproduce the above copyright notice,
- this list of conditions and the following disclaimers in the
- documentation and/or other materials provided with the distribution.
-
- * Neither the names of the LLVM Team, University of Illinois at
- Urbana-Champaign, nor the names of its contributors may be used to
- endorse or promote products derived from this Software without specific
- prior written permission.
-
-THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
-IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
-FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
-CONTRIBUTORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
-LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
-OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS WITH THE
-SOFTWARE.
-
-==============================================================================
-
- b. License for OpenBSD regex components:
-
-$OpenBSD: COPYRIGHT,v 1.3 2003/06/02 20:18:36 millert Exp $
-Copyright 1992, 1993, 1994 Henry Spencer. All rights reserved.
-This software is not subject to any license of the American Telephone
-and Telegraph Company or of the Regents of the University of California.
-Permission is granted to anyone to use this software for any purpose on
-any computer system, and to alter it and redistribute it, subject
-to the following restrictions:
-
-1. The author is not responsible for the consequences of use of this
- software, no matter how awful, even if they arise from flaws in it.
-
-2. The origin of this software must not be misrepresented, either by
- explicit claim or by omission. Since few users ever read sources,
- credits must appear in the documentation.
-
-3. Altered versions must be plainly marked as such, and must not be
- misrepresented as being the original software. Since few users
- ever read sources, credits must appear in the documentation.
-
-4. This notice may not be removed or altered.
-
-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=
-
-/*-
- * Copyright (c) 1994
- * The Regents of the University of California. All rights reserved.
- *
- * Redistribution and use in source and binary forms, with or without
- * modification, are permitted provided that the following conditions
- * are met:
- * 1. Redistributions of source code must retain the above copyright
- * notice, this list of conditions and the following disclaimer.
- * 2. Redistributions in binary form must reproduce the above copyright
- * notice, this list of conditions and the following disclaimer in the
- * documentation and/or other materials provided with the distribution.
- * 3. Neither the name of the University nor the names of its contributors
- * may be used to endorse or promote products derived from this software
- * without specific prior written permission.
- *
- * THIS SOFTWARE IS PROVIDED BY THE REGENTS AND CONTRIBUTORS ``AS IS'' AND
- * ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
- * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
- * ARE DISCLAIMED. IN NO EVENT SHALL THE REGENTS OR CONTRIBUTORS BE LIABLE
- * FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
- * DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
- * OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
- * HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
- * LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
- * OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
- * SUCH DAMAGE.
- *
- * @(#)COPYRIGHT8.1 (Berkeley) 3/16/94
- */
-
- c. License for MD5 components:
-
-/*
- * This code is derived from (original license follows):
- *
- * This is an OpenSSL-compatible implementation of the RSA Data Security, Inc.
- * MD5 Message-Digest Algorithm (RFC 1321).
- *
- * Homepage:
- * http://openwall.info/wiki/people/solar/software/public-domain-source-code/md5
- *
- * Author:
- * Alexander Peslyak, better known as Solar Designer <solar at openwall.com>
- *
- * This software was written by Alexander Peslyak in 2001. No copyright is
- * claimed, and the software is hereby placed in the public domain.
- * In case this attempt to disclaim copyright and place the software in the
- * public domain is deemed null and void, then the software is
- * Copyright (c) 2001 Alexander Peslyak and it is hereby released to the
- * general public under the following terms:
- *
- * Redistribution and use in source and binary forms, with or without
- * modification, are permitted.
- *
- * There's ABSOLUTELY NO WARRANTY, express or implied.
- *
- * (This is a heavily cut-down "BSD license".)
- *
- * This differs from Colin Plumb's older public domain implementation in that
- * no exactly 32-bit integer data type is required (any 32-bit or wider
- * unsigned integer data type will do), there's no compile-time endianness
- * configuration, and the function prototypes match OpenSSL's. No code from
- * Colin Plumb's implementation has been reused; this comment merely compares
- * the properties of the two independent implementations.
- *
- * The primary goals of this implementation are portability and ease of use.
- * It is meant to be fast, but not as fast as possible. Some known
- * optimizations are not included to reduce source code size and avoid
- * compile-time configuration.
- */
-
-
diff --git a/third_party/sycl/sycl/build_defs.bzl.tpl b/third_party/sycl/sycl/build_defs.bzl.tpl
deleted file mode 100755
index 33386f8..0000000
--- a/third_party/sycl/sycl/build_defs.bzl.tpl
+++ /dev/null
@@ -1,28 +0,0 @@
-# Macros for building SYCL code.
-
-def if_sycl(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with SYCL.
-
- Returns a select statement which evaluates to if_true if we're building
- with SYCL enabled. Otherwise, the select statement evaluates to if_false.
- If we are building with triSYCL instead of ComputeCPP, a list with
- the first element of if_true is returned.
- """
- return select({
- "@local_config_sycl//sycl:using_sycl_ccpp": if_true,
- "@local_config_sycl//sycl:using_sycl_trisycl": if_true[0:1],
- "//conditions:default": if_false
- })
-
-def if_ccpp(if_true, if_false = []):
- """Shorthand for select()'ing if we are building with ComputeCPP.
-
- Returns a select statement which evaluates to if_true if we're building
- with ComputeCPP enabled. Otherwise, the select statement evaluates
- to if_false.
- """
- return select({
- "@local_config_sycl//sycl:using_sycl_ccpp": if_true,
- "@local_config_sycl//sycl:using_sycl_trisycl": if_false,
- "//conditions:default": if_false
- })
diff --git a/third_party/sycl/sycl/platform.bzl.tpl b/third_party/sycl/sycl/platform.bzl.tpl
deleted file mode 100755
index cb4b335..0000000
--- a/third_party/sycl/sycl/platform.bzl.tpl
+++ /dev/null
@@ -1,5 +0,0 @@
-def sycl_library_path(name):
- return "lib/lib{}.so".format(name)
-
-def readlink_command():
- return "readlink"
diff --git a/third_party/sycl/sycl_configure.bzl b/third_party/sycl/sycl_configure.bzl
deleted file mode 100644
index 5b9d0eb..0000000
--- a/third_party/sycl/sycl_configure.bzl
+++ /dev/null
@@ -1,250 +0,0 @@
-# -*- Python -*-
-"""SYCL autoconfiguration.
-`sycl_configure` depends on the following environment variables:
-
- * HOST_CXX_COMPILER: The host C++ compiler
- * HOST_C_COMPILER: The host C compiler
- * COMPUTECPP_TOOLKIT_PATH: The path to the ComputeCpp toolkit.
- * TRISYCL_INCLUDE_DIR: The path to the include directory of triSYCL.
- (if using triSYCL instead of ComputeCPP)
- * PYTHON_LIB_PATH: The path to the python lib
-"""
-
-_HOST_CXX_COMPILER = "HOST_CXX_COMPILER"
-_HOST_C_COMPILER= "HOST_C_COMPILER"
-_COMPUTECPP_TOOLKIT_PATH = "COMPUTECPP_TOOLKIT_PATH"
-_TRISYCL_INCLUDE_DIR = "TRISYCL_INCLUDE_DIR"
-_PYTHON_LIB_PATH = "PYTHON_LIB_PATH"
-
-def _enable_sycl(repository_ctx):
- if "TF_NEED_OPENCL_SYCL" in repository_ctx.os.environ:
- enable_sycl = repository_ctx.os.environ["TF_NEED_OPENCL_SYCL"].strip()
- return enable_sycl == "1"
- return False
-
-def _enable_compute_cpp(repository_ctx):
- return _COMPUTECPP_TOOLKIT_PATH in repository_ctx.os.environ
-
-def auto_configure_fail(msg):
- """Output failure message when auto configuration fails."""
- red = "\033[0;31m"
- no_color = "\033[0m"
- fail("\n%sAuto-Configuration Error:%s %s\n" % (red, no_color, msg))
-# END cc_configure common functions (see TODO above).
-
-def find_c(repository_ctx):
- """Find host C compiler."""
- c_name = "gcc"
- if _HOST_C_COMPILER in repository_ctx.os.environ:
- c_name = repository_ctx.os.environ[_HOST_C_COMPILER].strip()
- if c_name.startswith("/"):
- return c_name
- c = repository_ctx.which(c_name)
- if c == None:
- fail("Cannot find C compiler, please correct your path.")
- return c
-
-def find_cc(repository_ctx):
- """Find host C++ compiler."""
- cc_name = "g++"
- if _HOST_CXX_COMPILER in repository_ctx.os.environ:
- cc_name = repository_ctx.os.environ[_HOST_CXX_COMPILER].strip()
- if cc_name.startswith("/"):
- return cc_name
- cc = repository_ctx.which(cc_name)
- if cc == None:
- fail("Cannot find C++ compiler, please correct your path.")
- return cc
-
-def find_computecpp_root(repository_ctx):
- """Find ComputeCpp compiler."""
- sycl_name = ""
- if _COMPUTECPP_TOOLKIT_PATH in repository_ctx.os.environ:
- sycl_name = repository_ctx.os.environ[_COMPUTECPP_TOOLKIT_PATH].strip()
- if sycl_name.startswith("/"):
- return sycl_name
- fail("Cannot find SYCL compiler, please correct your path")
-
-def find_trisycl_include_dir(repository_ctx):
- """Find triSYCL include directory. """
- if _TRISYCL_INCLUDE_DIR in repository_ctx.os.environ:
- sycl_name = repository_ctx.os.environ[_TRISYCL_INCLUDE_DIR].strip()
- if sycl_name.startswith("/"):
- return sycl_name
- fail( "Cannot find triSYCL include directory, please correct your path")
-
-def find_python_lib(repository_ctx):
- """Returns python path."""
- if _PYTHON_LIB_PATH in repository_ctx.os.environ:
- return repository_ctx.os.environ[_PYTHON_LIB_PATH].strip()
- fail("Environment variable PYTHON_LIB_PATH was not specified re-run ./configure")
-
-
-def _check_lib(repository_ctx, toolkit_path, lib):
- """Checks if lib exists under sycl_toolkit_path or fail if it doesn't.
-
- Args:
- repository_ctx: The repository context.
- toolkit_path: The toolkit directory containing the libraries.
- ib: The library to look for under toolkit_path.
- """
- lib_path = toolkit_path + "/" + lib
- if not repository_ctx.path(lib_path).exists:
- auto_configure_fail("Cannot find %s" % lib_path)
-
-def _check_dir(repository_ctx, directory):
- """Checks whether the directory exists and fail if it does not.
-
- Args:
- repository_ctx: The repository context.
- directory: The directory to check the existence of.
- """
- if not repository_ctx.path(directory).exists:
- auto_configure_fail("Cannot find dir: %s" % directory)
-
-def _symlink_dir(repository_ctx, src_dir, dest_dir):
- """Symlinks all the files in a directory.
-
- Args:
- repository_ctx: The repository context.
- src_dir: The source directory.
- dest_dir: The destination directory to create the symlinks in.
- """
- files = repository_ctx.path(src_dir).readdir()
- for src_file in files:
- repository_ctx.symlink(src_file, dest_dir + "/" + src_file.basename)
-
-def _tpl(repository_ctx, tpl, substitutions={}, out=None):
- if not out:
- out = tpl.replace(":", "/")
- repository_ctx.template(
- out,
- Label("//third_party/sycl/%s.tpl" % tpl),
- substitutions)
-
-def _file(repository_ctx, label):
- repository_ctx.template(
- label.replace(":", "/"),
- Label("//third_party/sycl/%s" % label),
- {})
-
-_DUMMY_CROSSTOOL_BZL_FILE = """
-def error_sycl_disabled():
- fail("ERROR: Building with --config=sycl but TensorFlow is not configured " +
- "to build with SYCL support. Please re-run ./configure and enter 'Y' " +
- "at the prompt to build with SYCL support.")
-
- native.genrule(
- name = "error_gen_crosstool",
- outs = ["CROSSTOOL"],
- cmd = "echo 'Should not be run.' && exit 1",
- )
-
- native.filegroup(
- name = "crosstool",
- srcs = [":CROSSTOOL"],
- output_licenses = ["unencumbered"],
- )
-"""
-
-
-_DUMMY_CROSSTOOL_BUILD_FILE = """
-load("//crosstool:error_sycl_disabled.bzl", "error_sycl_disabled")
-
-error_sycl_disabled()
-"""
-
-def _create_dummy_repository(repository_ctx):
- # Set up BUILD file for sycl/.
- _tpl(repository_ctx, "sycl:build_defs.bzl")
- _tpl(repository_ctx, "sycl:BUILD")
- _file(repository_ctx, "sycl:LICENSE.text")
- _tpl(repository_ctx, "sycl:platform.bzl")
-
- # Create dummy files for the SYCL toolkit since they are still required by
- # tensorflow/sycl/platform/default/build_config:sycl.
- repository_ctx.file("sycl/include/sycl.hpp", "")
- repository_ctx.file("sycl/lib/libComputeCpp.so", "")
-
- # If sycl_configure is not configured to build with SYCL support, and the user
- # attempts to build with --config=sycl, add a dummy build rule to intercept
- # this and fail with an actionable error message.
- repository_ctx.file("crosstool/error_sycl_disabled.bzl",
- _DUMMY_CROSSTOOL_BZL_FILE)
- repository_ctx.file("crosstool/BUILD", _DUMMY_CROSSTOOL_BUILD_FILE)
-
-
-def _sycl_autoconf_imp(repository_ctx):
- """Implementation of the sycl_autoconf rule."""
- if not _enable_sycl(repository_ctx):
- _create_dummy_repository(repository_ctx)
- else:
- # copy template files
- _tpl(repository_ctx, "sycl:build_defs.bzl")
- _tpl(repository_ctx, "sycl:BUILD")
- _tpl(repository_ctx, "sycl:platform.bzl")
- _tpl(repository_ctx, "crosstool:BUILD")
- _file(repository_ctx, "sycl:LICENSE.text")
-
- if _enable_compute_cpp(repository_ctx):
- _tpl(repository_ctx, "crosstool:computecpp",
- {
- "%{host_cxx_compiler}" : find_cc(repository_ctx),
- "%{host_c_compiler}" : find_c(repository_ctx)
- })
-
- computecpp_root = find_computecpp_root(repository_ctx);
- _check_dir(repository_ctx, computecpp_root)
-
- _tpl(repository_ctx, "crosstool:CROSSTOOL",
- {
- "%{sycl_include_dir}" : computecpp_root,
- "%{sycl_impl}" : "computecpp",
- "%{c++_std}" : "-std=c++11",
- "%{python_lib_path}" : find_python_lib(repository_ctx),
- })
-
- # symlink libraries
- _check_lib(repository_ctx, computecpp_root+"/lib", "libComputeCpp.so" )
- _symlink_dir(repository_ctx, computecpp_root + "/lib", "sycl/lib")
- _symlink_dir(repository_ctx, computecpp_root + "/include", "sycl/include")
- _symlink_dir(repository_ctx, computecpp_root + "/bin", "sycl/bin")
- else:
-
- trisycl_include_dir = find_trisycl_include_dir(repository_ctx);
- _check_dir(repository_ctx, trisycl_include_dir)
-
- _tpl(repository_ctx, "crosstool:trisycl",
- {
- "%{host_cxx_compiler}" : find_cc(repository_ctx),
- "%{host_c_compiler}" : find_c(repository_ctx),
- "%{trisycl_include_dir}" : trisycl_include_dir
- })
-
-
- _tpl(repository_ctx, "crosstool:CROSSTOOL",
- {
- "%{sycl_include_dir}" : trisycl_include_dir,
- "%{sycl_impl}" : "trisycl",
- "%{c++_std}" : "-std=c++1y",
- "%{python_lib_path}" : find_python_lib(repository_ctx),
- })
-
- _symlink_dir(repository_ctx, trisycl_include_dir, "sycl/include")
-
-
-sycl_configure = repository_rule(
- implementation = _sycl_autoconf_imp,
- local = True,
-)
-"""Detects and configures the SYCL toolchain.
-
-Add the following to your WORKSPACE FILE:
-
-```python
-sycl_configure(name = "local_config_sycl")
-```
-
-Args:
- name: A unique name for this workspace rule.
-"""
diff --git a/third_party/systemlibs/BUILD b/third_party/systemlibs/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/systemlibs/BUILD
+++ /dev/null
diff --git a/third_party/systemlibs/BUILD.tpl b/third_party/systemlibs/BUILD.tpl
deleted file mode 100644
index e69de29..0000000
--- a/third_party/systemlibs/BUILD.tpl
+++ /dev/null
diff --git a/third_party/systemlibs/absl_py.BUILD b/third_party/systemlibs/absl_py.BUILD
deleted file mode 100644
index fe756e1..0000000
--- a/third_party/systemlibs/absl_py.BUILD
+++ /dev/null
@@ -1 +0,0 @@
-licenses(["notice"]) # Apache 2.0
diff --git a/third_party/systemlibs/absl_py.absl.flags.BUILD b/third_party/systemlibs/absl_py.absl.flags.BUILD
deleted file mode 100644
index 95ec92b..0000000
--- a/third_party/systemlibs/absl_py.absl.flags.BUILD
+++ /dev/null
@@ -1,11 +0,0 @@
-licenses(["notice"]) # Apache 2.0
-
-package(default_visibility = ["//visibility:public"])
-
-filegroup(
- name = "LICENSE",
-)
-
-py_library(
- name = "flags",
-)
diff --git a/third_party/systemlibs/absl_py.absl.testing.BUILD b/third_party/systemlibs/absl_py.absl.testing.BUILD
deleted file mode 100644
index 7629509..0000000
--- a/third_party/systemlibs/absl_py.absl.testing.BUILD
+++ /dev/null
@@ -1,11 +0,0 @@
-licenses(["notice"]) # Apache 2.0
-
-py_library(
- name = "parameterized",
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "absltest",
- visibility = ["//visiblity:public"],
-)
diff --git a/third_party/systemlibs/astor.BUILD b/third_party/systemlibs/astor.BUILD
deleted file mode 100644
index 497ec4b..0000000
--- a/third_party/systemlibs/astor.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # New BSD
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "astor",
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/boringssl.BUILD b/third_party/systemlibs/boringssl.BUILD
deleted file mode 100644
index bc4c533..0000000
--- a/third_party/systemlibs/boringssl.BUILD
+++ /dev/null
@@ -1,21 +0,0 @@
-licenses(["notice"])
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "crypto",
- linkopts = ["-lcrypto"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "ssl",
- linkopts = ["-lssl"],
- visibility = ["//visibility:public"],
- deps = [
- ":crypto",
- ],
-)
diff --git a/third_party/systemlibs/build_defs.bzl.tpl b/third_party/systemlibs/build_defs.bzl.tpl
deleted file mode 100644
index 3faa46c..0000000
--- a/third_party/systemlibs/build_defs.bzl.tpl
+++ /dev/null
@@ -1,32 +0,0 @@
-# -*- Python -*-
-"""Skylark macros for system libraries.
-"""
-
-SYSTEM_LIBS_ENABLED = %{syslibs_enabled}
-
-SYSTEM_LIBS_LIST = [
-%{syslibs_list}
-]
-
-
-def if_any_system_libs(a, b=[]):
- """Conditional which evaluates to 'a' if any system libraries are configured."""
- if SYSTEM_LIBS_ENABLED:
- return a
- else:
- return b
-
-
-def if_system_lib(lib, a, b=[]):
- """Conditional which evaluates to 'a' if we're using the system version of lib"""
-
- if SYSTEM_LIBS_ENABLED and lib in SYSTEM_LIBS_LIST:
- return a
- else:
- return b
-
-
-def if_not_system_lib(lib, a, b=[]):
- """Conditional which evaluates to 'a' if we're using the system version of lib"""
-
- return if_system_lib(lib, b, a)
diff --git a/third_party/systemlibs/curl.BUILD b/third_party/systemlibs/curl.BUILD
deleted file mode 100644
index c5f125c..0000000
--- a/third_party/systemlibs/curl.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # MIT/X derivative license
-
-filegroup(
- name = "COPYING",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "curl",
- linkopts = ["-lcurl"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/cython.BUILD b/third_party/systemlibs/cython.BUILD
deleted file mode 100644
index 1d52587..0000000
--- a/third_party/systemlibs/cython.BUILD
+++ /dev/null
@@ -1,13 +0,0 @@
-licenses(["notice"]) # Apache-2.0
-
-genrule(
- name = "lncython",
- outs = ["cython"],
- cmd = "ln -s $$(which cython) $@",
-)
-
-sh_binary(
- name = "cython_binary",
- srcs = ["cython"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/double_conversion.BUILD b/third_party/systemlibs/double_conversion.BUILD
deleted file mode 100644
index 5684601..0000000
--- a/third_party/systemlibs/double_conversion.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"])
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "double-conversion",
- linkopts = ["-ldouble-conversion"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/enum34.BUILD b/third_party/systemlibs/enum34.BUILD
deleted file mode 100644
index a5ac255..0000000
--- a/third_party/systemlibs/enum34.BUILD
+++ /dev/null
@@ -1,13 +0,0 @@
-# Description:
-# enum34 provides a backport of the enum module for Python 2.
-
-licenses(["notice"]) # MIT
-
-exports_files(["LICENSE"])
-
-py_library(
- name = "enum",
- srcs = ["enum34-1.1.6/enum/__init__.py"],
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/gast.BUILD b/third_party/systemlibs/gast.BUILD
deleted file mode 100644
index c6e1d0c..0000000
--- a/third_party/systemlibs/gast.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # BSD 3-clause
-
-filegroup(
- name = "PKG-INFO",
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "gast",
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/gif.BUILD b/third_party/systemlibs/gif.BUILD
deleted file mode 100644
index 5eb2c91..0000000
--- a/third_party/systemlibs/gif.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # MIT
-
-filegroup(
- name = "COPYING",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "gif",
- linkopts = ["-lgif"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/google_cloud_cpp.BUILD b/third_party/systemlibs/google_cloud_cpp.BUILD
deleted file mode 100644
index cbe6e10..0000000
--- a/third_party/systemlibs/google_cloud_cpp.BUILD
+++ /dev/null
@@ -1,6 +0,0 @@
-licenses(["notice"]) # Apache 2.0
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/google_cloud_cpp.google.cloud.bigtable.BUILD b/third_party/systemlibs/google_cloud_cpp.google.cloud.bigtable.BUILD
deleted file mode 100644
index b59d565..0000000
--- a/third_party/systemlibs/google_cloud_cpp.google.cloud.bigtable.BUILD
+++ /dev/null
@@ -1,7 +0,0 @@
-licenses(["notice"]) # Apache 2.0
-
-cc_library(
- name = "bigtable_client",
- linkopts = ["-lbigtable_client"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/googleapis.BUILD b/third_party/systemlibs/googleapis.BUILD
deleted file mode 100644
index 7687745..0000000
--- a/third_party/systemlibs/googleapis.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # Apache 2.0
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "bigtable_protos",
- linkopts = ["-lbigtable_protos"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/grpc.BUILD b/third_party/systemlibs/grpc.BUILD
deleted file mode 100644
index fd90eb0..0000000
--- a/third_party/systemlibs/grpc.BUILD
+++ /dev/null
@@ -1,54 +0,0 @@
-licenses(["notice"]) # Apache v2
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "grpc",
- linkopts = ["-lgrpc"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "grpc++",
- linkopts = ["-lgrpc++"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "grpc_unsecure",
- linkopts = ["-lgrpc_unsecure"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "grpc++_unsecure",
- linkopts = ["-lgrpc++_unsecure"],
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "ln_grpc_cpp_plugin",
- outs = ["grpc_cpp_plugin.bin"],
- cmd = "ln -s $$(which grpc_cpp_plugin) $@",
-)
-
-sh_binary(
- name = "grpc_cpp_plugin",
- srcs = ["grpc_cpp_plugin.bin"],
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "ln_grpc_python_plugin",
- outs = ["grpc_python_plugin.bin"],
- cmd = "ln -s $$(which grpc_python_plugin) $@",
-)
-
-sh_binary(
- name = "grpc_python_plugin",
- srcs = ["grpc_python_plugin.bin"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/jsoncpp.BUILD b/third_party/systemlibs/jsoncpp.BUILD
deleted file mode 100644
index 526fd0c..0000000
--- a/third_party/systemlibs/jsoncpp.BUILD
+++ /dev/null
@@ -1,37 +0,0 @@
-licenses(["unencumbered"]) # Public Domain or MIT
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-HEADERS = [
- "include/json/autolink.h",
- "include/json/config.h",
- "include/json/features.h",
- "include/json/forwards.h",
- "include/json/json.h",
- "include/json/reader.h",
- "include/json/value.h",
- "include/json/version.h",
- "include/json/writer.h",
-]
-
-genrule(
- name = "link_headers",
- outs = HEADERS,
- cmd = """
- for i in $(OUTS); do
- i=$${i##*/}
- ln -sf $(INCLUDEDIR)/jsoncpp/json/$$i $(@D)/include/json/$$i
- done
- """,
-)
-
-cc_library(
- name = "jsoncpp",
- hdrs = HEADERS,
- includes = ["."],
- linkopts = ["-ljsoncpp"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/lmdb.BUILD b/third_party/systemlibs/lmdb.BUILD
deleted file mode 100644
index 6177b09..0000000
--- a/third_party/systemlibs/lmdb.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # OpenLDAP Public License
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "lmdb",
- linkopts = ["-llmdb"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/nsync.BUILD b/third_party/systemlibs/nsync.BUILD
deleted file mode 100644
index c5d4ad0..0000000
--- a/third_party/systemlibs/nsync.BUILD
+++ /dev/null
@@ -1,23 +0,0 @@
-licenses(["notice"]) # BSD 3-Clause
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "nsync_headers",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "nsync",
- linkopts = ["-lnsync"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "nsync_cpp",
- linkopts = ["-lnsync_cpp"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/pcre.BUILD b/third_party/systemlibs/pcre.BUILD
deleted file mode 100644
index df74238..0000000
--- a/third_party/systemlibs/pcre.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # BSD
-
-filegroup(
- name = "LICENCE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "pcre",
- linkopts = ["-lpcre"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/png.BUILD b/third_party/systemlibs/png.BUILD
deleted file mode 100644
index fc6b6f2..0000000
--- a/third_party/systemlibs/png.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # BSD/MIT-like license
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "png",
- linkopts = ["-lpng"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/protobuf.BUILD b/third_party/systemlibs/protobuf.BUILD
deleted file mode 100644
index 4b1cf39..0000000
--- a/third_party/systemlibs/protobuf.BUILD
+++ /dev/null
@@ -1,104 +0,0 @@
-load(
- "@protobuf_archive//:protobuf.bzl",
- "proto_gen",
- "py_proto_library",
- "cc_proto_library",
-)
-
-licenses(["notice"])
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-HEADERS = [
- "google/protobuf/any.pb.h",
- "google/protobuf/any.proto",
- "google/protobuf/arena.h",
- "google/protobuf/compiler/importer.h",
- "google/protobuf/descriptor.h",
- "google/protobuf/descriptor.pb.h",
- "google/protobuf/descriptor.proto",
- "google/protobuf/duration.pb.h",
- "google/protobuf/duration.proto",
- "google/protobuf/dynamic_message.h",
- "google/protobuf/empty.pb.h",
- "google/protobuf/empty.proto",
- "google/protobuf/field_mask.pb.h",
- "google/protobuf/field_mask.proto",
- "google/protobuf/io/coded_stream.h",
- "google/protobuf/io/zero_copy_stream.h",
- "google/protobuf/io/zero_copy_stream_impl_lite.h",
- "google/protobuf/map.h",
- "google/protobuf/repeated_field.h",
- "google/protobuf/text_format.h",
- "google/protobuf/timestamp.pb.h",
- "google/protobuf/timestamp.proto",
- "google/protobuf/util/json_util.h",
- "google/protobuf/util/type_resolver_util.h",
- "google/protobuf/wrappers.pb.h",
- "google/protobuf/wrappers.proto",
-]
-
-genrule(
- name = "link_headers",
- outs = HEADERS,
- cmd = """
- for i in $(OUTS); do
- f=$${i#$(@D)/}
- mkdir -p $(@D)/$${f%/*}
- ln -sf $(INCLUDEDIR)/$$f $(@D)/$$f
- done
- """,
-)
-
-cc_library(
- name = "protobuf",
- hdrs = HEADERS,
- linkopts = ["-lprotobuf"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "protobuf_headers",
- hdrs = HEADERS,
- linkopts = ["-lprotobuf"],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "protoc_lib",
- linkopts = ["-lprotoc"],
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "protoc",
- outs = ["protoc.bin"],
- cmd = "ln -s $$(which protoc) $@",
- executable = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_proto_library(
- name = "cc_wkt_protos",
- hdrs = HEADERS,
- internal_bootstrap_hack = 1,
- protoc = ":protoc",
- visibility = ["//visibility:public"],
-)
-
-proto_gen(
- name = "protobuf_python_genproto",
- includes = ["."],
- protoc = "@protobuf_archive//:protoc",
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "protobuf_python",
- data = [":link_headers"],
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/protobuf.bzl b/third_party/systemlibs/protobuf.bzl
deleted file mode 100644
index 2aa7561..0000000
--- a/third_party/systemlibs/protobuf.bzl
+++ /dev/null
@@ -1,425 +0,0 @@
-def _GetPath(ctx, path):
- if ctx.label.workspace_root:
- return ctx.label.workspace_root + "/" + path
- else:
- return path
-
-def _IsNewExternal(ctx):
- # Bazel 0.4.4 and older have genfiles paths that look like:
- # bazel-out/local-fastbuild/genfiles/external/repo/foo
- # After the exec root rearrangement, they look like:
- # ../repo/bazel-out/local-fastbuild/genfiles/foo
- return ctx.label.workspace_root.startswith("../")
-
-def _GenDir(ctx):
- if _IsNewExternal(ctx):
- # We are using the fact that Bazel 0.4.4+ provides repository-relative paths
- # for ctx.genfiles_dir.
- return ctx.genfiles_dir.path + (
- "/" + ctx.attr.includes[0] if ctx.attr.includes and ctx.attr.includes[0] else ""
- )
-
- # This means that we're either in the old version OR the new version in the local repo.
- # Either way, appending the source path to the genfiles dir works.
- return ctx.var["GENDIR"] + "/" + _SourceDir(ctx)
-
-def _SourceDir(ctx):
- if not ctx.attr.includes:
- return ctx.label.workspace_root
- if not ctx.attr.includes[0]:
- return _GetPath(ctx, ctx.label.package)
- if not ctx.label.package:
- return _GetPath(ctx, ctx.attr.includes[0])
- return _GetPath(ctx, ctx.label.package + "/" + ctx.attr.includes[0])
-
-def _CcHdrs(srcs, use_grpc_plugin = False):
- ret = [s[:-len(".proto")] + ".pb.h" for s in srcs]
- if use_grpc_plugin:
- ret += [s[:-len(".proto")] + ".grpc.pb.h" for s in srcs]
- return ret
-
-def _CcSrcs(srcs, use_grpc_plugin = False):
- ret = [s[:-len(".proto")] + ".pb.cc" for s in srcs]
- if use_grpc_plugin:
- ret += [s[:-len(".proto")] + ".grpc.pb.cc" for s in srcs]
- return ret
-
-def _CcOuts(srcs, use_grpc_plugin = False):
- return _CcHdrs(srcs, use_grpc_plugin) + _CcSrcs(srcs, use_grpc_plugin)
-
-def _PyOuts(srcs, use_grpc_plugin = False):
- ret = [s[:-len(".proto")] + "_pb2.py" for s in srcs]
- if use_grpc_plugin:
- ret += [s[:-len(".proto")] + "_pb2_grpc.py" for s in srcs]
- return ret
-
-def _RelativeOutputPath(path, include, dest = ""):
- if include == None:
- return path
-
- if not path.startswith(include):
- fail("Include path %s isn't part of the path %s." % (include, path))
-
- if include and include[-1] != "/":
- include = include + "/"
- if dest and dest[-1] != "/":
- dest = dest + "/"
-
- path = path[len(include):]
- return dest + path
-
-def _proto_gen_impl(ctx):
- """General implementation for generating protos"""
- srcs = ctx.files.srcs
- deps = []
- deps += ctx.files.srcs
- source_dir = _SourceDir(ctx)
- gen_dir = _GenDir(ctx)
- if source_dir:
- import_flags = ["-I" + source_dir, "-I" + gen_dir]
- else:
- import_flags = ["-I."]
-
- for dep in ctx.attr.deps:
- import_flags += dep.proto.import_flags
- deps += dep.proto.deps
-
- args = []
- if ctx.attr.gen_cc:
- args += ["--cpp_out=" + gen_dir]
- if ctx.attr.gen_py:
- args += ["--python_out=" + gen_dir]
-
- inputs = srcs + deps
- if ctx.executable.plugin:
- plugin = ctx.executable.plugin
- lang = ctx.attr.plugin_language
- if not lang and plugin.basename.startswith("protoc-gen-"):
- lang = plugin.basename[len("protoc-gen-"):]
- if not lang:
- fail("cannot infer the target language of plugin", "plugin_language")
-
- outdir = gen_dir
- if ctx.attr.plugin_options:
- outdir = ",".join(ctx.attr.plugin_options) + ":" + outdir
- args += ["--plugin=protoc-gen-%s=%s" % (lang, plugin.path)]
- args += ["--%s_out=%s" % (lang, outdir)]
- inputs += [plugin]
-
- if args:
- ctx.action(
- inputs = inputs,
- outputs = ctx.outputs.outs,
- arguments = args + import_flags + [s.path for s in srcs],
- executable = ctx.executable.protoc,
- mnemonic = "ProtoCompile",
- use_default_shell_env = True,
- )
-
- return struct(
- proto = struct(
- srcs = srcs,
- import_flags = import_flags,
- deps = deps,
- ),
- )
-
-proto_gen = rule(
- attrs = {
- "srcs": attr.label_list(allow_files = True),
- "deps": attr.label_list(providers = ["proto"]),
- "includes": attr.string_list(),
- "protoc": attr.label(
- cfg = "host",
- executable = True,
- single_file = True,
- mandatory = True,
- ),
- "plugin": attr.label(
- cfg = "host",
- allow_files = True,
- executable = True,
- ),
- "plugin_language": attr.string(),
- "plugin_options": attr.string_list(),
- "gen_cc": attr.bool(),
- "gen_py": attr.bool(),
- "outs": attr.output_list(),
- },
- output_to_genfiles = True,
- implementation = _proto_gen_impl,
-)
-"""Generates codes from Protocol Buffers definitions.
-
-This rule helps you to implement Skylark macros specific to the target
-language. You should prefer more specific `cc_proto_library `,
-`py_proto_library` and others unless you are adding such wrapper macros.
-
-Args:
- srcs: Protocol Buffers definition files (.proto) to run the protocol compiler
- against.
- deps: a list of dependency labels; must be other proto libraries.
- includes: a list of include paths to .proto files.
- protoc: the label of the protocol compiler to generate the sources.
- plugin: the label of the protocol compiler plugin to be passed to the protocol
- compiler.
- plugin_language: the language of the generated sources
- plugin_options: a list of options to be passed to the plugin
- gen_cc: generates C++ sources in addition to the ones from the plugin.
- gen_py: generates Python sources in addition to the ones from the plugin.
- outs: a list of labels of the expected outputs from the protocol compiler.
-"""
-
-def cc_proto_library(
- name,
- srcs = [],
- deps = [],
- cc_libs = [],
- include = None,
- protoc = "@com_google_protobuf//:protoc",
- internal_bootstrap_hack = False,
- use_grpc_plugin = False,
- default_runtime = "@com_google_protobuf//:protobuf",
- **kargs):
- """Bazel rule to create a C++ protobuf library from proto source files
-
- NOTE: the rule is only an internal workaround to generate protos. The
- interface may change and the rule may be removed when bazel has introduced
- the native rule.
-
- Args:
- name: the name of the cc_proto_library.
- srcs: the .proto files of the cc_proto_library.
- deps: a list of dependency labels; must be cc_proto_library.
- cc_libs: a list of other cc_library targets depended by the generated
- cc_library.
- include: a string indicating the include path of the .proto files.
- protoc: the label of the protocol compiler to generate the sources.
- internal_bootstrap_hack: a flag indicate the cc_proto_library is used only
- for bootstraping. When it is set to True, no files will be generated.
- The rule will simply be a provider for .proto files, so that other
- cc_proto_library can depend on it.
- use_grpc_plugin: a flag to indicate whether to call the grpc C++ plugin
- when processing the proto files.
- default_runtime: the implicitly default runtime which will be depended on by
- the generated cc_library target.
- **kargs: other keyword arguments that are passed to cc_library.
-
- """
-
- includes = []
- if include != None:
- includes = [include]
-
- if internal_bootstrap_hack:
- # For pre-checked-in generated files, we add the internal_bootstrap_hack
- # which will skip the codegen action.
- proto_gen(
- name = name + "_genproto",
- srcs = srcs,
- deps = [s + "_genproto" for s in deps],
- includes = includes,
- protoc = protoc,
- visibility = ["//visibility:public"],
- )
-
- # An empty cc_library to make rule dependency consistent.
- native.cc_library(
- name = name,
- **kargs
- )
- return
-
- grpc_cpp_plugin = None
- if use_grpc_plugin:
- grpc_cpp_plugin = "//external:grpc_cpp_plugin"
-
- gen_srcs = _CcSrcs(srcs, use_grpc_plugin)
- gen_hdrs = _CcHdrs(srcs, use_grpc_plugin)
- outs = gen_srcs + gen_hdrs
-
- proto_gen(
- name = name + "_genproto",
- srcs = srcs,
- deps = [s + "_genproto" for s in deps],
- includes = includes,
- protoc = protoc,
- plugin = grpc_cpp_plugin,
- plugin_language = "grpc",
- gen_cc = 1,
- outs = outs,
- visibility = ["//visibility:public"],
- )
-
- if default_runtime and not default_runtime in cc_libs:
- cc_libs = cc_libs + [default_runtime]
- if use_grpc_plugin:
- cc_libs = cc_libs + ["//external:grpc_lib"]
-
- native.cc_library(
- name = name,
- srcs = gen_srcs,
- hdrs = gen_hdrs,
- deps = cc_libs + deps,
- includes = includes,
- **kargs
- )
-
-def internal_gen_well_known_protos_java(srcs):
- """Bazel rule to generate the gen_well_known_protos_java genrule
-
- Args:
- srcs: the well known protos
- """
- root = Label("%s//protobuf_java" % (REPOSITORY_NAME)).workspace_root
- pkg = PACKAGE_NAME + "/" if PACKAGE_NAME else ""
- if root == "":
- include = " -I%ssrc " % pkg
- else:
- include = " -I%s/%ssrc " % (root, pkg)
- native.genrule(
- name = "gen_well_known_protos_java",
- srcs = srcs,
- outs = [
- "wellknown.srcjar",
- ],
- cmd = "$(location :protoc) --java_out=$(@D)/wellknown.jar" +
- " %s $(SRCS) " % include +
- " && mv $(@D)/wellknown.jar $(@D)/wellknown.srcjar",
- tools = [":protoc"],
- )
-
-def internal_copied_filegroup(name, srcs, strip_prefix, dest, **kwargs):
- """Macro to copy files to a different directory and then create a filegroup.
-
- This is used by the //:protobuf_python py_proto_library target to work around
- an issue caused by Python source files that are part of the same Python
- package being in separate directories.
-
- Args:
- srcs: The source files to copy and add to the filegroup.
- strip_prefix: Path to the root of the files to copy.
- dest: The directory to copy the source files into.
- **kwargs: extra arguments that will be passesd to the filegroup.
- """
- outs = [_RelativeOutputPath(s, strip_prefix, dest) for s in srcs]
-
- native.genrule(
- name = name + "_genrule",
- srcs = srcs,
- outs = outs,
- cmd = " && ".join(
- ["cp $(location %s) $(location %s)" %
- (s, _RelativeOutputPath(s, strip_prefix, dest)) for s in srcs],
- ),
- )
-
- native.filegroup(
- name = name,
- srcs = outs,
- **kwargs
- )
-
-def py_proto_library(
- name,
- srcs = [],
- deps = [],
- py_libs = [],
- py_extra_srcs = [],
- include = None,
- default_runtime = "@com_google_protobuf//:protobuf_python",
- protoc = "@com_google_protobuf//:protoc",
- use_grpc_plugin = False,
- **kargs):
- """Bazel rule to create a Python protobuf library from proto source files
-
- NOTE: the rule is only an internal workaround to generate protos. The
- interface may change and the rule may be removed when bazel has introduced
- the native rule.
-
- Args:
- name: the name of the py_proto_library.
- srcs: the .proto files of the py_proto_library.
- deps: a list of dependency labels; must be py_proto_library.
- py_libs: a list of other py_library targets depended by the generated
- py_library.
- py_extra_srcs: extra source files that will be added to the output
- py_library. This attribute is used for internal bootstrapping.
- include: a string indicating the include path of the .proto files.
- default_runtime: the implicitly default runtime which will be depended on by
- the generated py_library target.
- protoc: the label of the protocol compiler to generate the sources.
- use_grpc_plugin: a flag to indicate whether to call the Python C++ plugin
- when processing the proto files.
- **kargs: other keyword arguments that are passed to cc_library.
-
- """
- outs = _PyOuts(srcs, use_grpc_plugin)
-
- includes = []
- if include != None:
- includes = [include]
-
- grpc_python_plugin = None
- if use_grpc_plugin:
- grpc_python_plugin = "//external:grpc_python_plugin"
- # Note: Generated grpc code depends on Python grpc module. This dependency
- # is not explicitly listed in py_libs. Instead, host system is assumed to
- # have grpc installed.
-
- proto_gen(
- name = name + "_genproto",
- srcs = srcs,
- deps = [s + "_genproto" for s in deps],
- includes = includes,
- protoc = protoc,
- gen_py = 1,
- outs = outs,
- visibility = ["//visibility:public"],
- plugin = grpc_python_plugin,
- plugin_language = "grpc",
- )
-
- if default_runtime and not default_runtime in py_libs + deps:
- py_libs = py_libs + [default_runtime]
-
- native.py_library(
- name = name,
- srcs = outs + py_extra_srcs,
- deps = py_libs + deps,
- imports = includes,
- **kargs
- )
-
-def internal_protobuf_py_tests(
- name,
- modules = [],
- **kargs):
- """Bazel rules to create batch tests for protobuf internal.
-
- Args:
- name: the name of the rule.
- modules: a list of modules for tests. The macro will create a py_test for
- each of the parameter with the source "google/protobuf/%s.py"
- kargs: extra parameters that will be passed into the py_test.
-
- """
- for m in modules:
- s = "python/google/protobuf/internal/%s.py" % m
- native.py_test(
- name = "py_%s" % m,
- srcs = [s],
- main = s,
- **kargs
- )
-
-def check_protobuf_required_bazel_version():
- """For WORKSPACE files, to check the installed version of bazel.
-
- This ensures bazel supports our approach to proto_library() depending on a
- copied filegroup. (Fixed in bazel 0.5.4)
- """
- expected = apple_common.dotted_version("0.5.4")
- current = apple_common.dotted_version(native.bazel_version)
- if current.compare_to(expected) < 0:
- fail("Bazel must be newer than 0.5.4")
diff --git a/third_party/systemlibs/re2.BUILD b/third_party/systemlibs/re2.BUILD
deleted file mode 100644
index c18e252..0000000
--- a/third_party/systemlibs/re2.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # BSD/MIT-like license
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "re2",
- linkopts = ["-lre2"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/six.BUILD b/third_party/systemlibs/six.BUILD
deleted file mode 100644
index ff9b1a5..0000000
--- a/third_party/systemlibs/six.BUILD
+++ /dev/null
@@ -1,11 +0,0 @@
-licenses(["notice"]) # MIT
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "six",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/snappy.BUILD b/third_party/systemlibs/snappy.BUILD
deleted file mode 100644
index fd2db9e..0000000
--- a/third_party/systemlibs/snappy.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # BSD 3-Clause
-
-filegroup(
- name = "COPYING",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "snappy",
- linkopts = ["-lsnappy"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/sqlite.BUILD b/third_party/systemlibs/sqlite.BUILD
deleted file mode 100644
index 20ee1eb..0000000
--- a/third_party/systemlibs/sqlite.BUILD
+++ /dev/null
@@ -1,15 +0,0 @@
-licenses(["unencumbered"]) # Public Domain
-
-# Production build of SQLite library that's baked into TensorFlow.
-cc_library(
- name = "org_sqlite",
- linkopts = ["-lsqlite3"],
- visibility = ["//visibility:public"],
-)
-
-# This is a Copybara sync helper for Google.
-py_library(
- name = "python",
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/swig.BUILD b/third_party/systemlibs/swig.BUILD
deleted file mode 100644
index 4c9b74d..0000000
--- a/third_party/systemlibs/swig.BUILD
+++ /dev/null
@@ -1,23 +0,0 @@
-licenses(["restricted"]) # GPLv3
-
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-filegroup(
- name = "templates",
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "lnswiglink",
- outs = ["swiglink"],
- cmd = "ln -s $$(which swig) $@",
-)
-
-sh_binary(
- name = "swig",
- srcs = ["swiglink"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/syslibs_configure.bzl b/third_party/systemlibs/syslibs_configure.bzl
deleted file mode 100644
index 1b971ec..0000000
--- a/third_party/systemlibs/syslibs_configure.bzl
+++ /dev/null
@@ -1,168 +0,0 @@
-# -*- Python -*-
-"""Repository rule for system library autoconfiguration.
-
-`syslibs_configure` depends on the following environment variables:
-
- * `TF_SYSTEM_LIBS`: list of third party dependencies that should use
- the system version instead
-"""
-
-_TF_SYSTEM_LIBS = "TF_SYSTEM_LIBS"
-
-VALID_LIBS = [
- "absl_py",
- "astor_archive",
- "boringssl",
- "com_github_googleapis_googleapis",
- "com_github_googlecloudplatform_google_cloud_cpp",
- "com_google_protobuf",
- "com_google_protobuf_cc",
- "com_googlesource_code_re2",
- "curl",
- "cython",
- "double_conversion",
- "flatbuffers",
- "gast_archive",
- "gif_archive",
- "grpc",
- "icu",
- "jpeg",
- "jsoncpp_git",
- "keras_applications_archive",
- "lmdb",
- "nasm",
- "nsync",
- "org_sqlite",
- "pcre",
- "png_archive",
- "protobuf_archive",
- "six_archive",
- "snappy",
- "swig",
- "termcolor_archive",
- "zlib_archive",
-]
-
-def auto_configure_fail(msg):
- """Output failure message when syslibs configuration fails."""
- red = "\033[0;31m"
- no_color = "\033[0m"
- fail("\n%sSystem Library Configuration Error:%s %s\n" % (red, no_color, msg))
-
-def _is_windows(repository_ctx):
- """Returns true if the host operating system is windows."""
- os_name = repository_ctx.os.name.lower()
- if os_name.find("windows") != -1:
- return True
- return False
-
-def _enable_syslibs(repository_ctx):
- s = repository_ctx.os.environ.get(_TF_SYSTEM_LIBS, "").strip()
- if not _is_windows(repository_ctx) and s != None and s != "":
- return True
- return False
-
-def _get_system_lib_list(repository_ctx):
- """Gets the list of deps that should use the system lib.
-
- Args:
- repository_ctx: The repository context.
-
- Returns:
- A string version of a python list
- """
- if _TF_SYSTEM_LIBS not in repository_ctx.os.environ:
- return []
-
- libenv = repository_ctx.os.environ[_TF_SYSTEM_LIBS].strip()
- libs = []
-
- for lib in list(libenv.split(",")):
- lib = lib.strip()
- if lib == "":
- continue
- if lib not in VALID_LIBS:
- auto_configure_fail("Invalid system lib set: %s" % lib)
- return []
- libs.append(lib)
-
- return libs
-
-def _format_system_lib_list(repository_ctx):
- """Formats the list of deps that should use the system lib.
-
- Args:
- repository_ctx: The repository context.
-
- Returns:
- A list of the names of deps that should use the system lib.
- """
- libs = _get_system_lib_list(repository_ctx)
- ret = ""
- for lib in libs:
- ret += "'%s',\n" % lib
-
- return ret
-
-def _tpl(repository_ctx, tpl, substitutions = {}, out = None):
- if not out:
- out = tpl.replace(":", "")
- repository_ctx.template(
- out,
- Label("//third_party/systemlibs%s.tpl" % tpl),
- substitutions,
- False,
- )
-
-def _create_dummy_repository(repository_ctx):
- """Creates the dummy repository to build with all bundled libraries."""
-
- _tpl(repository_ctx, ":BUILD")
- _tpl(
- repository_ctx,
- ":build_defs.bzl",
- {
- "%{syslibs_enabled}": "False",
- "%{syslibs_list}": "",
- },
- )
-
-def _create_local_repository(repository_ctx):
- """Creates the repository to build with system libraries."""
-
- _tpl(repository_ctx, ":BUILD")
- _tpl(
- repository_ctx,
- ":build_defs.bzl",
- {
- "%{syslibs_enabled}": "True",
- "%{syslibs_list}": _format_system_lib_list(repository_ctx),
- },
- )
-
-def _syslibs_autoconf_impl(repository_ctx):
- """Implementation of the syslibs_configure repository rule."""
- if not _enable_syslibs(repository_ctx):
- _create_dummy_repository(repository_ctx)
- else:
- _create_local_repository(repository_ctx)
-
-syslibs_configure = repository_rule(
- implementation = _syslibs_autoconf_impl,
- environ = [
- _TF_SYSTEM_LIBS,
- ],
-)
-
-"""Configures the build to link to system libraries
-instead of using bundled versions.
-
-Add the following to your WORKSPACE FILE:
-
-```python
-syslibs_configure(name = "local_config_syslibs")
-```
-
-Args:
- name: A unique name for this workspace rule.
-"""
diff --git a/third_party/systemlibs/termcolor.BUILD b/third_party/systemlibs/termcolor.BUILD
deleted file mode 100644
index 915eb62..0000000
--- a/third_party/systemlibs/termcolor.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # MIT
-
-filegroup(
- name = "COPYING.txt",
- visibility = ["//visibility:public"],
-)
-
-py_library(
- name = "termcolor",
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/systemlibs/zlib.BUILD b/third_party/systemlibs/zlib.BUILD
deleted file mode 100644
index 69462ae..0000000
--- a/third_party/systemlibs/zlib.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-licenses(["notice"]) # BSD/MIT-like license (for zlib)
-
-filegroup(
- name = "zlib.h",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "zlib",
- linkopts = ["-lz"],
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/tensorrt/BUILD b/third_party/tensorrt/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/tensorrt/BUILD
+++ /dev/null
diff --git a/third_party/tensorrt/BUILD.tpl b/third_party/tensorrt/BUILD.tpl
deleted file mode 100644
index a41ab80..0000000
--- a/third_party/tensorrt/BUILD.tpl
+++ /dev/null
@@ -1,32 +0,0 @@
-# NVIDIA TensorRT
-# A high-performance deep learning inference optimizer and runtime.
-
-licenses(["notice"])
-
-exports_files(["LICENSE"])
-
-load("@local_config_cuda//cuda:build_defs.bzl", "cuda_default_copts")
-
-package(default_visibility = ["//visibility:public"])
-
-cc_library(
- name = "tensorrt_headers",
- hdrs = [%{tensorrt_headers}],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "tensorrt",
- srcs = %{tensorrt_libs},
- data = %{tensorrt_libs},
- copts= cuda_default_copts(),
- deps = [
- "@local_config_cuda//cuda:cuda",
- ":tensorrt_headers",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-%{copy_rules}
-
diff --git a/third_party/tensorrt/LICENSE b/third_party/tensorrt/LICENSE
deleted file mode 100644
index 146d9b7..0000000
--- a/third_party/tensorrt/LICENSE
+++ /dev/null
@@ -1,203 +0,0 @@
-Copyright 2018 The TensorFlow Authors. All rights reserved.
-
- Apache License
- Version 2.0, January 2004
- http://www.apache.org/licenses/
-
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
-
- 1. Definitions.
-
- "License" shall mean the terms and conditions for use, reproduction,
- and distribution as defined by Sections 1 through 9 of this document.
-
- "Licensor" shall mean the copyright owner or entity authorized by
- the copyright owner that is granting the License.
-
- "Legal Entity" shall mean the union of the acting entity and all
- other entities that control, are controlled by, or are under common
- control with that entity. For the purposes of this definition,
- "control" means (i) the power, direct or indirect, to cause the
- direction or management of such entity, whether by contract or
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
- outstanding shares, or (iii) beneficial ownership of such entity.
-
- "You" (or "Your") shall mean an individual or Legal Entity
- exercising permissions granted by this License.
-
- "Source" form shall mean the preferred form for making modifications,
- including but not limited to software source code, documentation
- source, and configuration files.
-
- "Object" form shall mean any form resulting from mechanical
- transformation or translation of a Source form, including but
- not limited to compiled object code, generated documentation,
- and conversions to other media types.
-
- "Work" shall mean the work of authorship, whether in Source or
- Object form, made available under the License, as indicated by a
- copyright notice that is included in or attached to the work
- (an example is provided in the Appendix below).
-
- "Derivative Works" shall mean any work, whether in Source or Object
- form, that is based on (or derived from) the Work and for which the
- editorial revisions, annotations, elaborations, or other modifications
- represent, as a whole, an original work of authorship. For the purposes
- of this License, Derivative Works shall not include works that remain
- separable from, or merely link (or bind by name) to the interfaces of,
- the Work and Derivative Works thereof.
-
- "Contribution" shall mean any work of authorship, including
- the original version of the Work and any modifications or additions
- to that Work or Derivative Works thereof, that is intentionally
- submitted to Licensor for inclusion in the Work by the copyright owner
- or by an individual or Legal Entity authorized to submit on behalf of
- the copyright owner. For the purposes of this definition, "submitted"
- means any form of electronic, verbal, or written communication sent
- to the Licensor or its representatives, including but not limited to
- communication on electronic mailing lists, source code control systems,
- and issue tracking systems that are managed by, or on behalf of, the
- Licensor for the purpose of discussing and improving the Work, but
- excluding communication that is conspicuously marked or otherwise
- designated in writing by the copyright owner as "Not a Contribution."
-
- "Contributor" shall mean Licensor and any individual or Legal Entity
- on behalf of whom a Contribution has been received by Licensor and
- subsequently incorporated within the Work.
-
- 2. Grant of Copyright License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- copyright license to reproduce, prepare Derivative Works of,
- publicly display, publicly perform, sublicense, and distribute the
- Work and such Derivative Works in Source or Object form.
-
- 3. Grant of Patent License. Subject to the terms and conditions of
- this License, each Contributor hereby grants to You a perpetual,
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
- (except as stated in this section) patent license to make, have made,
- use, offer to sell, sell, import, and otherwise transfer the Work,
- where such license applies only to those patent claims licensable
- by such Contributor that are necessarily infringed by their
- Contribution(s) alone or by combination of their Contribution(s)
- with the Work to which such Contribution(s) was submitted. If You
- institute patent litigation against any entity (including a
- cross-claim or counterclaim in a lawsuit) alleging that the Work
- or a Contribution incorporated within the Work constitutes direct
- or contributory patent infringement, then any patent licenses
- granted to You under this License for that Work shall terminate
- as of the date such litigation is filed.
-
- 4. Redistribution. You may reproduce and distribute copies of the
- Work or Derivative Works thereof in any medium, with or without
- modifications, and in Source or Object form, provided that You
- meet the following conditions:
-
- (a) You must give any other recipients of the Work or
- Derivative Works a copy of this License; and
-
- (b) You must cause any modified files to carry prominent notices
- stating that You changed the files; and
-
- (c) You must retain, in the Source form of any Derivative Works
- that You distribute, all copyright, patent, trademark, and
- attribution notices from the Source form of the Work,
- excluding those notices that do not pertain to any part of
- the Derivative Works; and
-
- (d) If the Work includes a "NOTICE" text file as part of its
- distribution, then any Derivative Works that You distribute must
- include a readable copy of the attribution notices contained
- within such NOTICE file, excluding those notices that do not
- pertain to any part of the Derivative Works, in at least one
- of the following places: within a NOTICE text file distributed
- as part of the Derivative Works; within the Source form or
- documentation, if provided along with the Derivative Works; or,
- within a display generated by the Derivative Works, if and
- wherever such third-party notices normally appear. The contents
- of the NOTICE file are for informational purposes only and
- do not modify the License. You may add Your own attribution
- notices within Derivative Works that You distribute, alongside
- or as an addendum to the NOTICE text from the Work, provided
- that such additional attribution notices cannot be construed
- as modifying the License.
-
- You may add Your own copyright statement to Your modifications and
- may provide additional or different license terms and conditions
- for use, reproduction, or distribution of Your modifications, or
- for any such Derivative Works as a whole, provided Your use,
- reproduction, and distribution of the Work otherwise complies with
- the conditions stated in this License.
-
- 5. Submission of Contributions. Unless You explicitly state otherwise,
- any Contribution intentionally submitted for inclusion in the Work
- by You to the Licensor shall be under the terms and conditions of
- this License, without any additional terms or conditions.
- Notwithstanding the above, nothing herein shall supersede or modify
- the terms of any separate license agreement you may have executed
- with Licensor regarding such Contributions.
-
- 6. Trademarks. This License does not grant permission to use the trade
- names, trademarks, service marks, or product names of the Licensor,
- except as required for reasonable and customary use in describing the
- origin of the Work and reproducing the content of the NOTICE file.
-
- 7. Disclaimer of Warranty. Unless required by applicable law or
- agreed to in writing, Licensor provides the Work (and each
- Contributor provides its Contributions) on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
- implied, including, without limitation, any warranties or conditions
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
- PARTICULAR PURPOSE. You are solely responsible for determining the
- appropriateness of using or redistributing the Work and assume any
- risks associated with Your exercise of permissions under this License.
-
- 8. Limitation of Liability. In no event and under no legal theory,
- whether in tort (including negligence), contract, or otherwise,
- unless required by applicable law (such as deliberate and grossly
- negligent acts) or agreed to in writing, shall any Contributor be
- liable to You for damages, including any direct, indirect, special,
- incidental, or consequential damages of any character arising as a
- result of this License or out of the use or inability to use the
- Work (including but not limited to damages for loss of goodwill,
- work stoppage, computer failure or malfunction, or any and all
- other commercial damages or losses), even if such Contributor
- has been advised of the possibility of such damages.
-
- 9. Accepting Warranty or Additional Liability. While redistributing
- the Work or Derivative Works thereof, You may choose to offer,
- and charge a fee for, acceptance of support, warranty, indemnity,
- or other liability obligations and/or rights consistent with this
- License. However, in accepting such obligations, You may act only
- on Your own behalf and on Your sole responsibility, not on behalf
- of any other Contributor, and only if You agree to indemnify,
- defend, and hold each Contributor harmless for any liability
- incurred by, or claims asserted against, such Contributor by reason
- of your accepting any such warranty or additional liability.
-
- END OF TERMS AND CONDITIONS
-
- APPENDIX: How to apply the Apache License to your work.
-
- To apply the Apache License to your work, attach the following
- boilerplate notice, with the fields enclosed by brackets "[]"
- replaced with your own identifying information. (Don't include
- the brackets!) The text should be enclosed in the appropriate
- comment syntax for the file format. We also recommend that a
- file or class name and description of purpose be included on the
- same "printed page" as the copyright notice for easier
- identification within third-party archives.
-
- Copyright 2018, The TensorFlow Authors.
-
- Licensed under the Apache License, Version 2.0 (the "License");
- you may not use this file except in compliance with the License.
- You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
- Unless required by applicable law or agreed to in writing, software
- distributed under the License is distributed on an "AS IS" BASIS,
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- See the License for the specific language governing permissions and
- limitations under the License.
diff --git a/third_party/tensorrt/build_defs.bzl.tpl b/third_party/tensorrt/build_defs.bzl.tpl
deleted file mode 100644
index 6d00513..0000000
--- a/third_party/tensorrt/build_defs.bzl.tpl
+++ /dev/null
@@ -1,5 +0,0 @@
-# Build configurations for TensorRT.
-
-def if_tensorrt(if_true, if_false=[]):
- """Tests whether TensorRT was enabled during the configure process."""
- return %{if_tensorrt}
diff --git a/third_party/tensorrt/tensorrt_configure.bzl b/third_party/tensorrt/tensorrt_configure.bzl
deleted file mode 100644
index 10e243f..0000000
--- a/third_party/tensorrt/tensorrt_configure.bzl
+++ /dev/null
@@ -1,223 +0,0 @@
-# -*- Python -*-
-"""Repository rule for TensorRT configuration.
-
-`tensorrt_configure` depends on the following environment variables:
-
- * `TF_TENSORRT_VERSION`: The TensorRT libnvinfer version.
- * `TENSORRT_INSTALL_PATH`: The installation path of the TensorRT library.
-"""
-
-load(
- "//third_party/gpus:cuda_configure.bzl",
- "auto_configure_fail",
- "get_cpu_value",
- "find_cuda_define",
- "find_lib",
- "lib_name",
- "matches_version",
- "make_copy_dir_rule",
- "make_copy_files_rule",
-)
-
-_TENSORRT_INSTALL_PATH = "TENSORRT_INSTALL_PATH"
-_TF_TENSORRT_CONFIG_REPO = "TF_TENSORRT_CONFIG_REPO"
-_TF_TENSORRT_VERSION = "TF_TENSORRT_VERSION"
-
-_TF_TENSORRT_LIBS = ["nvinfer"]
-_TF_TENSORRT_HEADERS = ["NvInfer.h", "NvUtils.h"]
-
-_DEFINE_TENSORRT_SONAME_MAJOR = "#define NV_TENSORRT_SONAME_MAJOR"
-_DEFINE_TENSORRT_SONAME_MINOR = "#define NV_TENSORRT_SONAME_MINOR"
-_DEFINE_TENSORRT_SONAME_PATCH = "#define NV_TENSORRT_SONAME_PATCH"
-
-
-def _headers_exist(repository_ctx, path):
- """Returns whether all TensorRT header files could be found in 'path'.
-
- Args:
- repository_ctx: The repository context.
- path: The TensorRT include path to check.
-
- Returns:
- True if all TensorRT header files can be found in the path.
- """
- for h in _TF_TENSORRT_HEADERS:
- if not repository_ctx.path("%s/%s" % (path, h)).exists:
- return False
- return True
-
-
-def _find_trt_header_dir(repository_ctx, trt_install_path):
- """Returns the path to the directory containing headers of TensorRT.
-
- Args:
- repository_ctx: The repository context.
- trt_install_path: The TensorRT library install directory.
-
- Returns:
- The path of the directory containing the TensorRT header.
- """
- if trt_install_path == "/usr/lib/x86_64-linux-gnu":
- path = "/usr/include/x86_64-linux-gnu"
- if _headers_exist(repository_ctx, path):
- return path
- if trt_install_path == "/usr/lib/aarch64-linux-gnu":
- path = "/usr/include/aarch64-linux-gnu"
- if _headers_exist(repository_ctx, path):
- return path
- path = str(repository_ctx.path("%s/../include" % trt_install_path).realpath)
- if _headers_exist(repository_ctx, path):
- return path
- auto_configure_fail(
- "Cannot find NvInfer.h with TensorRT install path %s" % trt_install_path)
-
-
-def _trt_lib_version(repository_ctx, trt_install_path):
- """Detects the library (e.g. libnvinfer) version of TensorRT.
-
- Args:
- repository_ctx: The repository context.
- trt_install_path: The TensorRT library install directory.
-
- Returns:
- A string containing the library version of TensorRT.
- """
- trt_header_dir = _find_trt_header_dir(repository_ctx, trt_install_path)
- major_version = find_cuda_define(repository_ctx, trt_header_dir, "NvInfer.h",
- _DEFINE_TENSORRT_SONAME_MAJOR)
- minor_version = find_cuda_define(repository_ctx, trt_header_dir, "NvInfer.h",
- _DEFINE_TENSORRT_SONAME_MINOR)
- patch_version = find_cuda_define(repository_ctx, trt_header_dir, "NvInfer.h",
- _DEFINE_TENSORRT_SONAME_PATCH)
- full_version = "%s.%s.%s" % (major_version, minor_version, patch_version)
- environ_version = repository_ctx.os.environ[_TF_TENSORRT_VERSION].strip()
- if not matches_version(environ_version, full_version):
- auto_configure_fail(
- ("TensorRT library version detected from %s/%s (%s) does not match " +
- "TF_TENSORRT_VERSION (%s). To fix this rerun configure again.") %
- (trt_header_dir, "NvInfer.h", full_version, environ_version))
- # Only use the major version to match the SONAME of the library.
- return major_version
-
-
-def _find_trt_libs(repository_ctx, cpu_value, trt_install_path, trt_lib_version):
- """Finds the given TensorRT library on the system.
-
- Adapted from code contributed by Sami Kama (https://github.com/samikama).
-
- Args:
- repository_ctx: The repository context.
- trt_install_path: The TensorRT library installation directory.
- trt_lib_version: The version of TensorRT library files as returned
- by _trt_lib_version.
-
- Returns:
- The path to the library.
- """
- result = {}
- for lib in _TF_TENSORRT_LIBS:
- file_name = lib_name("nvinfer", cpu_value, trt_lib_version)
- path = find_lib(repository_ctx, ["%s/%s" % (trt_install_path, file_name)])
- result[file_name] = path
- return result
-
-
-def _tpl(repository_ctx, tpl, substitutions):
- repository_ctx.template(tpl, Label("//third_party/tensorrt:%s.tpl" % tpl),
- substitutions)
-
-
-def _create_dummy_repository(repository_ctx):
- """Create a dummy TensorRT repository."""
- _tpl(repository_ctx, "build_defs.bzl", {"%{if_tensorrt}": "if_false"})
-
- _tpl(repository_ctx, "BUILD", {
- "%{tensorrt_genrules}": "",
- "%{tensorrt_headers}": "[]",
- "%{tensorrt_libs}": "[]"
- })
-
-def _tensorrt_configure_impl(repository_ctx):
- """Implementation of the tensorrt_configure repository rule."""
- if _TF_TENSORRT_CONFIG_REPO in repository_ctx.os.environ:
- # Forward to the pre-configured remote repository.
- remote_config_repo = repository_ctx.os.environ[_TF_TENSORRT_CONFIG_REPO]
- repository_ctx.template("BUILD", Label(remote_config_repo + "/BUILD"), {})
- # Set up config file.
- _tpl(repository_ctx, "build_defs.bzl", {"%{if_tensorrt}": "if_true"})
- return
-
- if _TENSORRT_INSTALL_PATH not in repository_ctx.os.environ:
- _create_dummy_repository(repository_ctx)
- return
-
- cpu_value = get_cpu_value(repository_ctx)
- if (cpu_value != "Linux"):
- auto_configure_fail("TensorRT is supported only on Linux.")
- if _TF_TENSORRT_VERSION not in repository_ctx.os.environ:
- auto_configure_fail("TensorRT library (libnvinfer) version is not set.")
- trt_install_path = repository_ctx.os.environ[_TENSORRT_INSTALL_PATH].strip()
- if not repository_ctx.path(trt_install_path).exists:
- auto_configure_fail(
- "Cannot find TensorRT install path %s." % trt_install_path)
-
- # Copy the library files.
- trt_lib_version = _trt_lib_version(repository_ctx, trt_install_path)
- trt_libs = _find_trt_libs(repository_ctx, cpu_value, trt_install_path, trt_lib_version)
- trt_lib_srcs = []
- trt_lib_outs = []
- for path in trt_libs.values():
- trt_lib_srcs.append(str(path))
- trt_lib_outs.append("tensorrt/lib/" + path.basename)
- copy_rules = [make_copy_files_rule(
- repository_ctx,
- name = "tensorrt_lib",
- srcs = trt_lib_srcs,
- outs = trt_lib_outs,
- )]
-
- # Copy the header files header files.
- trt_header_dir = _find_trt_header_dir(repository_ctx, trt_install_path)
- trt_header_srcs = [
- "%s/%s" % (trt_header_dir, header) for header in _TF_TENSORRT_HEADERS
- ]
- trt_header_outs = [
- "tensorrt/include/" + header for header in _TF_TENSORRT_HEADERS
- ]
- copy_rules.append(
- make_copy_files_rule(
- repository_ctx,
- name = "tensorrt_include",
- srcs = trt_header_srcs,
- outs = trt_header_outs,
- ))
-
- # Set up config file.
- _tpl(repository_ctx, "build_defs.bzl", {"%{if_tensorrt}": "if_true"})
-
- # Set up BUILD file.
- _tpl(repository_ctx, "BUILD", {
- "%{copy_rules}": "\n".join(copy_rules),
- "%{tensorrt_headers}": '":tensorrt_include"',
- "%{tensorrt_libs}": str(trt_lib_outs),
- })
-
-
-tensorrt_configure = repository_rule(
- implementation=_tensorrt_configure_impl,
- environ=[
- _TENSORRT_INSTALL_PATH,
- _TF_TENSORRT_VERSION,
- ],
-)
-"""Detects and configures the local CUDA toolchain.
-
-Add the following to your WORKSPACE FILE:
-
-```python
-tensorrt_configure(name = "local_config_tensorrt")
-```
-
-Args:
- name: A unique name for this workspace rule.
-"""
diff --git a/third_party/termcolor.BUILD b/third_party/termcolor.BUILD
deleted file mode 100644
index 655d7cb..0000000
--- a/third_party/termcolor.BUILD
+++ /dev/null
@@ -1,15 +0,0 @@
-# Description:
-# This is a library for outputing color to the terminal.
-
-licenses(["notice"]) # MIT
-
-exports_files(["COPYING.txt"])
-
-py_library(
- name = "termcolor",
- srcs = [
- "termcolor.py",
- ],
- srcs_version = "PY2AND3",
- visibility = ["//visibility:public"],
-)
diff --git a/third_party/tflite_mobilenet.BUILD b/third_party/tflite_mobilenet.BUILD
deleted file mode 100644
index de47ed6..0000000
--- a/third_party/tflite_mobilenet.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(
- glob(
- ["**/*"],
- exclude = [
- "BUILD",
- ],
- ),
-)
diff --git a/third_party/tflite_mobilenet_float.BUILD b/third_party/tflite_mobilenet_float.BUILD
deleted file mode 100644
index de47ed6..0000000
--- a/third_party/tflite_mobilenet_float.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(
- glob(
- ["**/*"],
- exclude = [
- "BUILD",
- ],
- ),
-)
diff --git a/third_party/tflite_mobilenet_quant.BUILD b/third_party/tflite_mobilenet_quant.BUILD
deleted file mode 100644
index de47ed6..0000000
--- a/third_party/tflite_mobilenet_quant.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(
- glob(
- ["**/*"],
- exclude = [
- "BUILD",
- ],
- ),
-)
diff --git a/third_party/tflite_ovic_testdata.BUILD b/third_party/tflite_ovic_testdata.BUILD
deleted file mode 100644
index de47ed6..0000000
--- a/third_party/tflite_ovic_testdata.BUILD
+++ /dev/null
@@ -1,12 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-exports_files(
- glob(
- ["**/*"],
- exclude = [
- "BUILD",
- ],
- ),
-)
diff --git a/third_party/tflite_smartreply.BUILD b/third_party/tflite_smartreply.BUILD
deleted file mode 100644
index 75663ef..0000000
--- a/third_party/tflite_smartreply.BUILD
+++ /dev/null
@@ -1,13 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-filegroup(
- name = "model_files",
- srcs = glob(
- ["**/*"],
- exclude = [
- "BUILD",
- ],
- ),
-)
diff --git a/third_party/toolchains/BUILD b/third_party/toolchains/BUILD
deleted file mode 100644
index 509b541..0000000
--- a/third_party/toolchains/BUILD
+++ /dev/null
@@ -1,105 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-load("//third_party/toolchains/preconfig/generate:containers.bzl", "container_digests")
-
-# Constraint used for platforms below so we can force certain rules to be executed
-# on specific platforms.
-constraint_setting(name = "custom_platforms")
-
-# Constraint for platforms that allow GPU testing (i.e. have a GPU available).
-# This is used in exec_compatible_with of rules that need GPU access.
-constraint_value(
- name = "gpu_test",
- constraint_setting = ":custom_platforms",
-)
-
-# TODO(b/122347293): This is the RBE config based on the CPU configuration / image provided
-# in the asci-toolchain setup. Delete this once we switched CPU remote builds to the
-# new platform below.
-platform(
- name = "rbe_ubuntu16_04-tf",
- constraint_values = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:linux",
- "@bazel_tools//tools/cpp:clang",
- "@bazel_toolchains//constraints:xenial",
- ],
- remote_execution_properties = """
- properties: {
- name: "container-image"
- value:"docker://gcr.io/asci-toolchain/nosla-ubuntu16_04-tf@sha256:63a0e981a4e7ce5da2a851cf063e430f72947fd999d9336b7e54e2eebe8e0bf5"
- }""",
-)
-
-# Remote build platforms.
-# Each of the platform rules here provide a platform definition that is bound to a docker image.
-# The result of the skylark configuration is checked into
-# //tensorflow/third_party/toolchains/preconfig.
-
-# Built with //tensorflow/tools/ci_build/Dockerfile.rbe.cpu.
-platform(
- name = "rbe_ubuntu16.04",
- constraint_values = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:linux",
- ],
- remote_execution_properties = """
- properties: {
- name: "container-image"
- value:"docker://gcr.io/tensorflow-testing/nosla-ubuntu16.04@%s"
- }""" % container_digests["ubuntu16.04"],
-)
-
-# Built with //tensorflow/tools/ci_build/Dockerfile.rbe.cuda9.0-cudnn7-ubuntu14.04.
-platform(
- name = "rbe_cuda9.0-cudnn7-ubuntu14.04",
- constraint_values = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:linux",
- ],
- remote_execution_properties = """
- properties: {
- name: "container-image"
- value:"docker://gcr.io/tensorflow-testing/nosla-cuda9.0-cudnn7-ubuntu14.04@%s"
- }""" % container_digests["cuda9.0-cudnn7-ubuntu14.04"],
-)
-
-# Built with //tensorflow/tools/ci_build/Dockerfile.rbe.cuda10.0-cudnn7-ubuntu14.04.
-platform(
- name = "rbe_cuda10.0-cudnn7-ubuntu14.04",
- constraint_values = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:linux",
- ],
- remote_execution_properties = """
- properties: {
- name: "container-image"
- value:"docker://gcr.io/tensorflow-testing/nosla-cuda10.0-cudnn7-ubuntu14.04@%s"
- }""" % container_digests["cuda10.0-cudnn7-ubuntu14.04"],
-)
-
-# The above platform with GPU support.
-platform(
- name = "rbe_cuda10.0-cudnn7-ubuntu14.04-gpu",
- constraint_values = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:linux",
- ":gpu_test",
- ],
- remote_execution_properties = """
- properties: {
- name: "container-image"
- value: "docker://gcr.io/tensorflow-testing/nosla-cuda10.0-cudnn7-ubuntu14.04@%s"
- }
- properties: {
- name: "dockerRuntime"
- value: "nvidia"
- }
- properties: {
- name: "Pool"
- value: "gpu-pool"
- }
- """ % container_digests["cuda10.0-cudnn7-ubuntu14.04"],
-)
diff --git a/third_party/toolchains/clang6/BUILD b/third_party/toolchains/clang6/BUILD
deleted file mode 100644
index ffd0fb0..0000000
--- a/third_party/toolchains/clang6/BUILD
+++ /dev/null
@@ -1 +0,0 @@
-package(default_visibility = ["//visibility:public"])
diff --git a/third_party/toolchains/clang6/CROSSTOOL.tpl b/third_party/toolchains/clang6/CROSSTOOL.tpl
deleted file mode 100644
index ffba985..0000000
--- a/third_party/toolchains/clang6/CROSSTOOL.tpl
+++ /dev/null
@@ -1,584 +0,0 @@
-major_version: "v1"
-minor_version: "llvm:6.0.0"
-default_target_cpu: "k8"
-
-default_toolchain {
- cpu: "k8"
- toolchain_identifier: "k8-clang-6.0-cxx-4.8-linux-gnu"
-}
-
-toolchain {
- compiler: "clang6" # bazel build --compiler=clang6
- target_cpu: "k8" # bazel build --cpu=k8
- target_libc: "GLIBC_2.19" # bazel build --glibc=GLIBC_2.19
-
- abi_libc_version: "2.19"
- abi_version: "gcc-4.8-cxx11"
- builtin_sysroot: ""
- cc_target_os: "linux-gnu"
- default_python_version: "python2.7"
- dynamic_runtimes_filegroup: "dynamic-runtime-libs-k8"
- host_system_name: "x86_64-unknown-linux-gnu"
- needsPic: true
- static_runtimes_filegroup: "static-runtime-libs-k8"
- supports_embedded_runtimes: true
- supports_fission: true
- supports_gold_linker: true
- supports_incremental_linker: true
- supports_interface_shared_objects: true
- supports_normalizing_ar: true
- supports_start_end_lib: true
- supports_thin_archives: true
- target_system_name: "x86_64-unknown-linux-gnu"
- toolchain_identifier: "k8-clang-6.0-cxx-4.8-linux-gnu"
-
- tool_path { name: "ar" path: "%package(@local_config_clang6//clang6)%/llvm/bin/llvm-ar" }
- tool_path { name: "as" path: "%package(@local_config_clang6//clang6)%/llvm/bin/llvm-as" }
- tool_path { name: "compat-ld" path: "%package(@local_config_clang6//clang6)%/llvm/bin/ld.lld" }
- tool_path { name: "cpp" path: "%package(@local_config_clang6//clang6)%/llvm/bin/llvm-cpp" }
- tool_path { name: "dwp" path: "%package(@local_config_clang6//clang6)%/llvm/bin/llvm-dwp" }
- tool_path { name: "gcc" path: "%package(@local_config_clang6//clang6)%/llvm/bin/clang" }
- tool_path { name: "gcov" path: "%package(@local_config_clang6//clang6)%/llvm/bin/llvm-cov" }
- tool_path { name: "ld" path: "%package(@local_config_clang6//clang6)%/llvm/bin/ld.lld" }
- tool_path { name: "llvm-profdata" path: "%package(@local_config_clang6//clang6)%/llvm/bin/llvm-profdata" }
- tool_path { name: "nm" path: "%package(@local_config_clang6//clang6)%/llvm/bin/llvm-nm" }
- tool_path { name: "objcopy" path: "%package(@local_config_clang6//clang6)%/llvm/bin/llvm-objcopy" }
- tool_path { name: "objdump" path: "%package(@local_config_clang6//clang6)%/sbin/objdump" }
- tool_path { name: "strip" path: "%package(@local_config_clang6//clang6)%/sbin/strip" }
-
- unfiltered_cxx_flag: "-no-canonical-prefixes"
-
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
-
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
-
- # This action_config makes features flags propagate
- # to CC_FLAGS for genrules, and eventually skylark.
- action_config {
- action_name: "cc-flags-make-variable"
- config_name: "cc-flags-make-variable"
- }
-
- # Security hardening on by default.
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now have
- # it enabled by default.
- compiler_flag: "-U_FORTIFY_SOURCE"
- compiler_flag: "-D_FORTIFY_SOURCE=1"
- compiler_flag: "-fstack-protector"
- linker_flag: "-Wl,-z,relro,-z,now"
-
- # This adds a little bit more durability to our Clang build.
- #
- # Folks who do maintenance work on TF Bazel Clang should consider
- # commenting out these lines, while doing that work, to gain a better
- # understanding of what the intersection of support looks like between GCC
- # and Clang. Please note that, Bazel does not support
- # -Xclang-only / -Xgcc-only.
- compiler_flag: "-Wno-unknown-warning-option"
- compiler_flag: "-Wno-unused-command-line-argument"
- compiler_flag: "-Wno-ignored-optimization-argument"
-
- #### Common compiler options. ####
- compiler_flag: "-D_REENTRANT"
- compiler_flag: "-D__STDC_FORMAT_MACROS"
- compiler_flag: "-DSUPPRESS_USE_FILE_OFFSET64"
- compiler_flag: "-Wall"
- compiler_flag: "-Wformat-security"
- compiler_flag: "-Wframe-larger-than=16384"
- compiler_flag: "-Wno-char-subscripts"
- compiler_flag: "-Wno-error=deprecated-declarations"
- compiler_flag: "-Wno-uninitialized"
- compiler_flag: "-Wno-sign-compare"
- compiler_flag: "-Wno-strict-overflow"
- compiler_flag: "-Wno-unused-function"
- compiler_flag: "-fdiagnostics-show-option"
- compiler_flag: "-fmessage-length=0"
- compiler_flag: "-fno-exceptions"
- compiler_flag: "-fno-omit-frame-pointer"
- compiler_flag: "-fno-strict-aliasing"
- compiler_flag: "-fno-use-init-array"
- compiler_flag: "-funsigned-char"
- compiler_flag: "-gmlt"
- cxx_flag: "-Wno-deprecated"
- cxx_flag: "-Wno-invalid-offsetof" # Needed for protobuf code (2017-11-07)
- cxx_flag: "-fshow-overloads=best"
- compiler_flag: "-Wthread-safety-analysis"
-
- # Python extensions unfortunately make this go wild.
- compiler_flag: "-Wno-writable-strings"
-
- # GCC's warning produces too many false positives:
- cxx_flag: "-Woverloaded-virtual"
- cxx_flag: "-Wnon-virtual-dtor"
-
- # Enable coloring even if there's no attached terminal. Bazel removes the
- # escape sequences if --nocolor is specified. This isn't supported by gcc
- # on Ubuntu 14.04.
- compiler_flag: "-fcolor-diagnostics"
-
- # Disable some broken warnings from Clang.
- compiler_flag: "-Wno-ambiguous-member-template"
- compiler_flag: "-Wno-pointer-sign"
-
- # These warnings have a low signal to noise ratio.
- compiler_flag: "-Wno-reserved-user-defined-literal"
- compiler_flag: "-Wno-return-type-c-linkage"
- compiler_flag: "-Wno-invalid-source-encoding"
-
- # Per default we switch off any layering related warnings.
- compiler_flag: "-Wno-private-header"
-
- # Clang-specific warnings that we explicitly enable for TensorFlow. Some of
- # these aren't on by default, or under -Wall, or are subsets of warnings
- # turned off above.
- compiler_flag: "-Wfloat-overflow-conversion"
- compiler_flag: "-Wfloat-zero-conversion"
- compiler_flag: "-Wfor-loop-analysis"
- compiler_flag: "-Wgnu-redeclared-enum"
- compiler_flag: "-Winfinite-recursion"
- compiler_flag: "-Wliteral-conversion"
- compiler_flag: "-Wself-assign"
- compiler_flag: "-Wstring-conversion"
- compiler_flag: "-Wtautological-overlap-compare"
- compiler_flag: "-Wunused-comparison"
- compiler_flag: "-Wvla"
- cxx_flag: "-Wdeprecated-increment-bool"
-
- # Clang code-generation flags for performance optimization.
- compiler_flag: "-faligned-allocation"
- compiler_flag: "-fnew-alignment=8"
-
- # Clang defaults to C99 while GCC defaults to C89. GCC plugins are written in
- # C89 and don't have a BUILD rule we could add a copts flag to.
- gcc_plugin_compiler_flag: "-std=gnu89"
-
- compilation_mode_flags {
- mode: FASTBUILD
- }
-
- compilation_mode_flags {
- mode: DBG
- compiler_flag: "-g"
- }
-
- compilation_mode_flags {
- mode: OPT
- compiler_flag: "-g0"
- compiler_flag: "-fdebug-types-section"
- compiler_flag: "-DNDEBUG"
- compiler_flag: "-fno-split-dwarf-inlining"
- compiler_flag: "-Os"
- compiler_flag: "-fexperimental-new-pass-manager"
- compiler_flag: "-fdebug-info-for-profiling"
- compiler_flag: "-ffunction-sections"
- compiler_flag: "-fdata-sections"
- linker_flag: "-Wl,--gc-sections"
- linker_flag: "-Wl,-z,relro,-z,now"
- }
-
- # Features indicating whether this is a host compile or not. Exactly one of
- # these will be implicitly provided by bazel.
- feature { name: "host" }
- feature { name: "nonhost" }
-
- # Features indicating which compiler will be used for code generation.
- feature {
- name: "llvm_codegen"
- provides: "codegen"
- enabled: true
- }
-
- # Features for compilation modes. Exactly one of these will be implicitly
- # provided by bazel.
- feature { name: "fastbuild" }
- feature { name: "dbg" }
- feature { name: "opt" }
-
- # Features controlling the C++ language mode.
- feature {
- name: "c++11"
- provides: "c++std"
- flag_set {
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "linkstamp-compile"
- flag_group {
- flag: "-nostdinc++"
- flag: "-std=c++11"
- flag: "-Wc++14-extensions"
- flag: "-Wc++2a-extensions"
- flag: "-Wno-binary-literal"
- }
- }
- }
- feature {
- name: "c++14"
- provides: "c++std"
- flag_set {
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "linkstamp-compile"
- flag_group {
- flag: "-nostdinc++"
- flag: "-std=c++14"
- flag: "-Wc++11-compat"
- flag: "-Wno-c++11-compat-binary-literal"
- flag: "-Wc++2a-extensions"
- }
- }
- }
- feature {
- name: "c++17"
- provides: "c++std"
- flag_set {
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "linkstamp-compile"
- flag_group {
- flag: "-nostdinc++"
- flag: "-std=c++17"
- flag: "-Wc++11-compat"
- flag: "-Wno-c++11-compat-binary-literal"
- flag: "-Wc++2a-extensions"
- }
- }
- }
- feature {
- name: "c++2a"
- provides: "c++std"
- flag_set {
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "linkstamp-compile"
- flag_group {
- flag: "-nostdinc++"
- flag: "-std=c++2a"
- flag: "-Wc++11-compat"
- flag: "-Wno-c++11-compat-binary-literal"
- }
- }
- }
- feature {
- name: "c++default"
- enabled: true
- flag_set {
- # Provide the c++11 flags if no standard is selected
- with_feature {
- not_feature: "c++11"
- not_feature: "c++14"
- not_feature: "c++17"
- not_feature: "c++2a"
- }
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "linkstamp-compile"
- flag_group {
- flag: "-nostdinc++"
- flag: "-std=c++11"
- flag: "-Wc++14-extensions"
- flag: "-Wc++2a-extensions"
- flag: "-Wno-binary-literal"
- }
- }
- }
-
- feature {
- name: "use_compiler_rt"
- requires { feature: "llvm_codegen" }
- # TODO(saugustine): At the moment, "use_compiler_rt" also
- # requires "linking_mode_flags { mode: FULLY_STATIC" ... },
- # but that isn't a feature. We should probably convert it.
- flag_set {
- action: "c++-link"
- action: "c++-link-interface-dynamic-library"
- action: "c++-link-dynamic-library"
- action: "c++-link-executable"
- # "link" is a misnomer for these actions. They are really just
- # invocations of ar.
- #action: "c++-link-pic-static-library"
- #action: "c++-link-static-library"
- #action: "c++-link-alwayslink-static-library"
- #action: "c++-link-pic-static-library"
- #action: "c++-link-alwayslink-pic-static-library"
- flag_group {
- flag: "-rtlib=compiler-rt"
- flag: "-lunwind"
- }
- }
- }
-
- feature {
- name: "pie"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "cc-flags-make-variable"
- action: "lto-backend"
- action: "linkstamp-compile"
- flag_group {
- flag: "-mpie-copy-relocations"
- flag: "-fPIE"
- }
- }
- flag_set {
- action: "cc-flags-make-variable"
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- }
- }
- }
-
- # Pic must appear after pie, because pic may need to override pie, and bazel
- # turns it on selectively. These don't interact with other options.
- #
- # TODO: In practice, normal vs pic vs pie is a ternary mode. We should
- # implement it that way. This will require changes to bazel, which only
- # calculates whether or not pic is needed, not pie.
- #
- # NOTE: Bazel might make this all a moot point.
- feature {
- name: "pic"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-codegen"
- action: "c++-module-compile"
- action: "linkstamp-compile"
- expand_if_all_available: "pic"
- flag_group {
- flag: "-fPIC"
- }
- }
- }
-
- feature {
- name: "gold"
- enabled: true
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-interface-dynamic-library"
- flag_group {
- expand_if_none_available: "lto"
- flag: "-fuse-ld=gold"
- }
- }
- }
-
- # This is great if you want linking TensorFlow to take ten minutes.
- feature {
- name: "lto"
- requires { feature: "nonhost" }
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-flto=thin"
- }
- }
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-interface-dynamic-library"
- flag_group {
- flag: "-flto=thin"
- }
- }
- }
-
- feature {
- name: "parse_headers"
- flag_set {
- action: "c++-header-parsing"
- flag_group {
- flag: "-xc++-header"
- flag: "-fsyntax-only"
- }
- }
- }
-
- feature {
- name: "preprocess_headers"
- flag_set {
- action: "c++-header-preprocessing"
- flag_group {
- flag: "-xc++"
- flag: "-E"
- }
- }
- }
-
- feature {
- name: "per_object_debug_info"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-codegen"
- action: "assemble"
- action: "preprocess-assemble"
- action: "lto-backend"
- flag_group {
- flag: "-gsplit-dwarf"
- flag: "-ggnu-pubnames"
- }
- }
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-interface-dynamic-library"
- flag_group {
- expand_if_all_available: "is_using_fission"
- flag: "-Wl,--gdb-index"
- }
- }
- }
-
- feature {
- name: "xray"
- requires {
- feature: "llvm_codegen"
- feature: "nonhost"
- }
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "c++-link-interface-dynamic-library"
- action: "c++-link-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-fxray-instrument"
- }
- }
- }
-
- feature {
- name: "minimal_ubsan"
- requires { feature: "llvm_codegen" }
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- flag_group {
- flag: "-fsanitize=return,returns-nonnull-attribute,vla-bound,unreachable,float-cast-overflow"
- flag: "-fsanitize-trap=all"
- flag: "-DUNDEFINED_BEHAVIOR_SANITIZER"
- }
- }
- }
-
- feature {
- name: "minimal_ubsan_enabled_by_default"
- requires {
- feature: "llvm_codegen"
- feature: "fastbuild"
- }
- enabled: true
- implies: "minimal_ubsan"
- }
-
- cxx_builtin_include_directory: "%package(@local_config_clang6//clang6)%/llvm/lib/clang/6.0.0/include"
- cxx_builtin_include_directory: "/usr/include"
-
- unfiltered_cxx_flag: "-cxx-isystem"
- unfiltered_cxx_flag: "/usr/include/c++/4.8"
- unfiltered_cxx_flag: "-cxx-isystem"
- unfiltered_cxx_flag: "/usr/include/x86_64-linux-gnu/c++/4.8"
- unfiltered_cxx_flag: "-isystem"
- unfiltered_cxx_flag: "%package(@local_config_clang6//clang6)%/llvm/lib/clang/6.0.0/include"
- unfiltered_cxx_flag: "-isystem"
- unfiltered_cxx_flag: "/usr/include/x86_64-linux-gnu"
- unfiltered_cxx_flag: "-isystem"
- unfiltered_cxx_flag: "/usr/include"
-
- linker_flag: "-Wl,--build-id=md5"
- linker_flag: "-Wl,--fatal-warnings"
- linker_flag: "-Wl,--hash-style=gnu"
- linker_flag: "-no-canonical-prefixes"
- linker_flag: "--target=x86_64-unknown-linux-gnu"
-
- linker_flag: "-L/usr/lib/gcc/x86_64-linux-gnu/4.8"
-
- # This is the minimum x86 architecture TensorFlow supports.
- compiler_flag: "-DARCH_K8"
- compiler_flag: "-m64"
-
- # These are for Linux.
- ld_embed_flag: "-melf_x86_64"
- linker_flag: "-Wl,--eh-frame-hdr"
- linker_flag: "-Wl,-z,max-page-size=0x1000"
-
- # Google never uses the stack like a heap, e.g. alloca(), because tcmalloc
- # and jemalloc are so fast. However copts=["$(STACK_FRAME_UNLIMITED)"] can be
- # specified when that can't be the case.
- make_variable {
- name: "STACK_FRAME_UNLIMITED"
- value: "-Wframe-larger-than=100000000 -Wno-vla"
- }
-
- # These flags are for folks who build C/C++ code inside genrules.
- make_variable {
- name: "CC_FLAGS"
- value: "-no-canonical-prefixes --target=x86_64-unknown-linux-gnu -fno-omit-frame-pointer -fno-tree-vrp -msse3"
- }
-
- feature {
- name: "copts"
- flag_set {
- expand_if_all_available: "copts"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-header-preprocessing"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "lto-backend"
- flag_group {
- iterate_over: "copts"
- flag: "%{copts}"
- }
- }
- }
-
- # Please do not statically link libstdc++. This would probably lead to a lot
- # of bloat since OpKernels need to use linkstatic=1 because b/27630669 and
- # it could cause memory leaks since Python uses dlopen() on our libraries:
- # https://stackoverflow.com/a/35015415
- linker_flag: "-lstdc++"
- linker_flag: "-lm"
- linker_flag: "-lpthread"
- linker_flag: "-l:/lib/x86_64-linux-gnu/libc-2.19.so"
-}
diff --git a/third_party/toolchains/clang6/README.md b/third_party/toolchains/clang6/README.md
deleted file mode 100644
index 0c6be25..0000000
--- a/third_party/toolchains/clang6/README.md
+++ /dev/null
@@ -1,101 +0,0 @@
-# TensorFlow Bazel Clang
-
-This is a specialized toolchain that uses an old Debian with a new Clang that
-can cross compile to any x86_64 microarchitecture. It's intended to build Linux
-binaries that only require the following ABIs:
-
-- GLIBC_2.18
-- CXXABI_1.3.7 (GCC 4.8.3)
-- GCC_4.2.0
-
-Which are available on at least the following Linux platforms:
-
-- Ubuntu 14+
-- CentOS 7+
-- Debian 8+
-- SuSE 13.2+
-- Mint 17.3+
-- Manjaro 0.8.11
-
-# System Install
-
-On Debian 8 (Jessie) Clang 6.0 can be installed as follows:
-
-```sh
-cat >>/etc/apt/sources.list <<'EOF'
-deb http://apt.llvm.org/jessie/ llvm-toolchain-jessie main
-deb-src http://apt.llvm.org/jessie/ llvm-toolchain-jessie main
-EOF
-wget -O - https://apt.llvm.org/llvm-snapshot.gpg.key | apt-key add -
-apt-key fingerprint |& grep '6084 F3CF 814B 57C1 CF12 EFD5 15CF 4D18 AF4F 7421'
-apt-get update
-apt-get install clang lld
-```
-
-# Bazel Configuration
-
-This toolchain can compile TensorFlow in 2m30s on a 96-core Skylake GCE VM if
-the following `.bazelrc` settings are added:
-
-```
-startup --host_jvm_args=-Xmx30G
-startup --host_jvm_args=-Xms30G
-startup --host_jvm_args=-XX:MaxNewSize=3g
-startup --host_jvm_args=-XX:-UseAdaptiveSizePolicy
-startup --host_jvm_args=-XX:+UseConcMarkSweepGC
-startup --host_jvm_args=-XX:TargetSurvivorRatio=70
-startup --host_jvm_args=-XX:SurvivorRatio=6
-startup --host_jvm_args=-XX:+UseCMSInitiatingOccupancyOnly
-startup --host_jvm_args=-XX:CMSFullGCsBeforeCompaction=1
-startup --host_jvm_args=-XX:CMSInitiatingOccupancyFraction=75
-
-build --jobs=100
-build --local_resources=200000,100,100
-build --crosstool_top=@local_config_clang6//clang6
-build --noexperimental_check_output_files
-build --nostamp
-build --config=opt
-build --noexperimental_check_output_files
-build --copt=-march=native
-build --host_copt=-march=native
-```
-
-# x86_64 Microarchitectures
-
-## Intel CPU Line
-
-- 2003 P6 M SSE SSE2
-- 2004 prescott SSE3 SSSE3 (-march=prescott)
-- 2006 core X64 SSE4.1 (only on 45nm variety) (-march=core2)
-- 2008 nehalem SSE4.2 VT-x VT-d (-march=nehalem)
-- 2010 westmere CLMUL AES (-march=westmere)
-- 2012 sandybridge AVX TXT (-march=sandybridge)
-- 2012 ivybridge F16C MOVBE (-march=ivybridge)
-- 2013 haswell AVX2 TSX BMI2 FMA (-march=haswell)
-- 2014 broadwell RDSEED ADCX PREFETCHW (-march=broadwell - works on trusty gcc4.9)
-- 2015 skylake SGX ADX MPX AVX-512[xeon-only] (-march=skylake / -march=skylake-avx512 - needs gcc7)
-- 2018 cannonlake AVX-512 SHA (-march=cannonlake - needs clang5)
-
-## Intel Low Power CPU Line
-
-- 2013 silvermont SSE4.1 SSE4.2 VT-x (-march=silvermont)
-- 2016 goldmont SHA (-march=goldmont - needs clang5)
-
-## AMD CPU Line
-
-- 2003 k8 SSE SSE2 (-march=k8)
-- 2005 k8 (Venus) SSE3 (-march=k8-sse3)
-- 2008 barcelona SSE4a?! (-march=barcelona)
-- 2011 bulldozer SSE4.1 SSE4.2 CLMUL AVX AES FMA4?! (-march=bdver1)
-- 2011 piledriver FMA (-march=bdver2)
-- 2015 excavator AVX2 BMI2 MOVBE (-march=bdver4)
-
-## Google Compute Engine Supported CPUs
-
-- 2012 sandybridge 2.6gHz -march=sandybridge
-- 2012 ivybridge 2.5gHz -march=ivybridge
-- 2013 haswell 2.3gHz -march=haswell
-- 2014 broadwell 2.2gHz -march=broadwell
-- 2015 skylake 2.0gHz -march=skylake-avx512
-
-See: <https://cloud.google.com/compute/docs/cpu-platforms>
diff --git a/third_party/toolchains/clang6/clang.BUILD b/third_party/toolchains/clang6/clang.BUILD
deleted file mode 100644
index 802d62c..0000000
--- a/third_party/toolchains/clang6/clang.BUILD
+++ /dev/null
@@ -1,162 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-# Please note that the output of these tools is unencumbered.
-licenses(["restricted"]) # NCSA, GPLv3 (e.g. gold)
-
-filegroup(
- name = "ar",
- srcs = ["llvm/bin/llvm-ar"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "as",
- srcs = ["llvm/bin/llvm-as"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "cpp",
- srcs = ["llvm/bin/llvm-cpp"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "dwp",
- srcs = ["llvm/bin/llvm-dwp"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "gcc",
- srcs = ["llvm/bin/clang"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "gcov",
- srcs = ["llvm/bin/llvm-cov"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "ld",
- srcs = ["llvm/bin/ld.lld"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "nm",
- srcs = ["llvm/bin/llvm-nm"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "objcopy",
- srcs = ["llvm/bin/llvm-objcopy"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "objdump",
- srcs = ["llvm/bin/llvm-objdump"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "profdata",
- srcs = ["llvm/bin/llvm-profdata"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "strip",
- srcs = ["sbin/strip"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "xray",
- srcs = ["llvm/bin/llvm-xray"],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "includes",
- srcs = glob(["llvm/lib/clang/6.0.0/include/**"]),
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "libraries",
- srcs = glob([
- "lib/*.*",
- "lib/clang/6.0.0/lib/linux/*.*",
- ]),
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "compiler_files",
- srcs = [
- ":as",
- ":gcc",
- ":includes",
- ],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "linker_files",
- srcs = [
- ":ar",
- ":ld",
- ":libraries",
- ],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "all_files",
- srcs = [
- ":compiler_files",
- ":dwp",
- ":gcov",
- ":linker_files",
- ":nm",
- ":objcopy",
- ":objdump",
- ":profdata",
- ":strip",
- ":xray",
- ],
- output_licenses = ["unencumbered"],
-)
-
-filegroup(
- name = "empty",
- srcs = [], # bazel crashes without this
- output_licenses = ["unencumbered"],
-)
-
-cc_toolchain_suite(
- name = "clang6",
- toolchains = {
- "k8|clang6": ":clang6-k8",
- },
-)
-
-cc_toolchain(
- name = "clang6-k8",
- all_files = ":all_files",
- compiler_files = ":compiler_files",
- cpu = "k8",
- dwp_files = ":dwp",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":linker_files",
- objcopy_files = ":objcopy",
- output_licenses = ["unencumbered"],
- static_runtime_libs = [":empty"],
- strip_files = ":strip",
- supports_param_files = 1,
-)
diff --git a/third_party/toolchains/clang6/repo.bzl b/third_party/toolchains/clang6/repo.bzl
deleted file mode 100644
index b81f445..0000000
--- a/third_party/toolchains/clang6/repo.bzl
+++ /dev/null
@@ -1,30 +0,0 @@
-"""Repository rule for Debian 8 Jessie Clang-6.0 portable Linux builds."""
-
-def _clang6_configure(ctx):
- # TODO(jart): It'd probably be better to use Bazel's struct.to_proto()
- # method to generate a gigantic CROSSTOOL file that allows
- # Clang to support everything.
- ctx.symlink(
- ctx.os.environ.get('TF_LLVM_PATH',
- '/usr/lib/llvm-6.0'),
- 'clang6/llvm')
- ctx.symlink(
- ctx.os.environ.get('STRIP', '/usr/bin/strip'),
- 'clang6/sbin/strip')
- ctx.symlink(
- ctx.os.environ.get('OBJDUMP', '/usr/bin/objdump'),
- 'clang6/sbin/objdump')
- ctx.symlink(ctx.attr._build, 'clang6/BUILD')
- ctx.template('clang6/CROSSTOOL', ctx.attr._crosstool, {
- '%package(@local_config_clang6//clang6)%': str(ctx.path('clang6')),
- })
-
-clang6_configure = repository_rule(
- implementation = _clang6_configure,
- attrs = {
- '_build': attr.label(
- default=str(Label('//third_party/toolchains/clang6:clang.BUILD'))),
- '_crosstool': attr.label(
- default=str(Label('//third_party/toolchains/clang6:CROSSTOOL.tpl'))),
- },
-)
diff --git a/third_party/toolchains/cpus/arm/BUILD b/third_party/toolchains/cpus/arm/BUILD
deleted file mode 100644
index efed697..0000000
--- a/third_party/toolchains/cpus/arm/BUILD
+++ /dev/null
@@ -1,56 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "armeabi|compiler": ":cc-compiler-armeabi",
- "local|compiler": ":cc-compiler-local",
- "armeabi": ":cc-compiler-armeabi",
- "k8": ":cc-compiler-local",
- "piii": ":cc-compiler-local",
- "arm": ":cc-compiler-local",
- "s390x": ":cc-compiler-local",
- },
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
-
-filegroup(
- name = "arm_linux_all_files",
- srcs = [
- "@arm_compiler//:compiler_pieces",
- ],
-)
-
-cc_toolchain(
- name = "cc-compiler-local",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
- toolchain_identifier = "local_linux",
-)
-
-cc_toolchain(
- name = "cc-compiler-armeabi",
- all_files = ":arm_linux_all_files",
- compiler_files = ":arm_linux_all_files",
- cpu = "armeabi",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":arm_linux_all_files",
- objcopy_files = "arm_linux_all_files",
- static_runtime_libs = [":empty"],
- strip_files = "arm_linux_all_files",
- supports_param_files = 1,
- toolchain_identifier = "arm-linux-gnueabihf",
-)
diff --git a/third_party/toolchains/cpus/arm/CROSSTOOL.tpl b/third_party/toolchains/cpus/arm/CROSSTOOL.tpl
deleted file mode 100644
index 8d51e9b..0000000
--- a/third_party/toolchains/cpus/arm/CROSSTOOL.tpl
+++ /dev/null
@@ -1,856 +0,0 @@
-major_version: "local"
-minor_version: ""
-default_target_cpu: "same_as_host"
-
-default_toolchain {
- cpu: "darwin"
- toolchain_identifier: "local_darwin"
-}
-default_toolchain {
- cpu: "freebsd"
- toolchain_identifier: "local_freebsd"
-}
-default_toolchain {
- cpu: "x64_windows"
- toolchain_identifier: "local_windows_msys64"
-}
-default_toolchain {
- cpu: "x64_windows_msvc"
- toolchain_identifier: "vc_14_0_x64"
-}
-
-toolchain {
- abi_version: "armeabi"
- abi_libc_version: "armeabi"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "armeabi"
- needsPic: true
- supports_gold_linker: false
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: false
- target_libc: "armeabi"
- target_cpu: "armeabi"
- target_system_name: "armeabi"
- toolchain_identifier: "arm-linux-gnueabihf"
-
- tool_path { name: "ar" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-ar" }
- tool_path { name: "compat-ld" path: "/bin/false" }
- tool_path { name: "cpp" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-cpp" }
- tool_path { name: "dwp" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-dwp" }
- tool_path { name: "gcc" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-gcc" }
- tool_path { name: "gcov" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-gcov" }
- tool_path { name: "ld" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-ld" }
-
- tool_path { name: "nm" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-nm" }
- tool_path { name: "objcopy" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-objcopy" }
- tool_path { name: "objdump" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-objdump" }
- tool_path { name: "strip" path: "%{ARM_COMPILER_PATH}%/bin/arm-linux-gnueabihf-strip" }
-
- cxx_builtin_include_directory: "%{ARM_COMPILER_PATH}%/arm-linux-gnueabihf/include/c++/4.9.3/"
- cxx_builtin_include_directory: "%{ARM_COMPILER_PATH}%/arm-linux-gnueabihf/sysroot/usr/include/"
- cxx_builtin_include_directory: "%{ARM_COMPILER_PATH}%/arm-linux-gnueabihf/libc/usr/include/"
- cxx_builtin_include_directory: "%{ARM_COMPILER_PATH}%/lib/gcc/arm-linux-gnueabihf/4.9.3/include"
- cxx_builtin_include_directory: "%{ARM_COMPILER_PATH}%/lib/gcc/arm-linux-gnueabihf/4.9.3/include-fixed"
- cxx_builtin_include_directory: "%{ARM_COMPILER_PATH}%/local_include"
- cxx_builtin_include_directory: "/usr/include"
- # The path below must match the one used in
- # tensorflow/tools/ci_build/pi/build_raspberry_pi.sh.
- cxx_builtin_include_directory: "/tmp/openblas_install/include/"
- cxx_flag: "-std=c++11"
- # The cxx_builtin_include_directory directives don't seem to be adding these, so
- # explicitly set them as flags. There's a query to the Bazel team outstanding about
- # why this is necessary.
- cxx_flag: "-isystem"
- cxx_flag: "/usr/include/arm-linux-gnueabihf"
- cxx_flag: "-isystem"
- cxx_flag: "%{PYTHON_INCLUDE_PATH}%"
- cxx_flag: "-isystem"
- cxx_flag: "/usr/include/"
- linker_flag: "-lstdc++"
-
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
-
- unfiltered_cxx_flag: "-no-canonical-prefixes"
- unfiltered_cxx_flag: "-fno-canonical-system-headers"
-
- compiler_flag: "-U_FORTIFY_SOURCE"
- compiler_flag: "-D_FORTIFY_SOURCE=1"
- compiler_flag: "-fstack-protector"
- compiler_flag: "-DRASPBERRY_PI" # To differentiate from mobile builds.
- linker_flag: "-Wl,-z,relro,-z,now"
-
- linker_flag: "-no-canonical-prefixes"
- linker_flag: "-pass-exit-codes"
-
- linker_flag: "-Wl,--build-id=md5"
- linker_flag: "-Wl,--hash-style=gnu"
-
- compilation_mode_flags {
- mode: DBG
- # Enable debug symbols.
- compiler_flag: "-g"
- }
- compilation_mode_flags {
- mode: OPT
-
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt or
- # even generally? However, that can't happen here, as it requires special
- # handling in Bazel.
- compiler_flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- compiler_flag: "-O2"
-
- # Disable assertions
- compiler_flag: "-DNDEBUG"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- compiler_flag: "-ffunction-sections"
- compiler_flag: "-fdata-sections"
- linker_flag: "-Wl,--gc-sections"
- }
- linking_mode_flags { mode: DYNAMIC }
-
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- supports_gold_linker: false
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: false
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_linux"
-
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcc" path: "/usr/bin/gcc" }
- cxx_flag: "-std=c++0x"
- linker_flag: "-lstdc++"
- linker_flag: "-B/usr/bin/"
-
- # TODO(bazel-team): In theory, the path here ought to exactly match the path
- # used by gcc. That works because bazel currently doesn't track files at
- # absolute locations and has no remote execution, yet. However, this will need
- # to be fixed, maybe with auto-detection?
- cxx_builtin_include_directory: "/usr/lib/gcc/"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/include"
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
-
- # C(++) compiles invoke the compiler (as that is the one knowing where
- # to find libraries), but we provide LD so other rules can invoke the linker.
- tool_path { name: "ld" path: "/usr/bin/ld" }
-
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Anticipated future default.
- unfiltered_cxx_flag: "-no-canonical-prefixes"
- unfiltered_cxx_flag: "-fno-canonical-system-headers"
-
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
-
- # Security hardening on by default.
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now have
- # it enabled by default.
- compiler_flag: "-U_FORTIFY_SOURCE"
- compiler_flag: "-D_FORTIFY_SOURCE=1"
- compiler_flag: "-fstack-protector"
- linker_flag: "-Wl,-z,relro,-z,now"
-
- # Enable coloring even if there's no attached terminal. Bazel removes the
- # escape sequences if --nocolor is specified. This isn't supported by gcc
- # on Ubuntu 14.04.
- # compiler_flag: "-fcolor-diagnostics"
-
- # All warnings are enabled. Maybe enable -Werror as well?
- compiler_flag: "-Wall"
- # Enable a few more warnings that aren't part of -Wall.
- compiler_flag: "-Wunused-but-set-parameter"
- # But disable some that are problematic.
- compiler_flag: "-Wno-free-nonheap-object" # has false positives
-
- # Keep stack frames for debugging, even in opt mode.
- compiler_flag: "-fno-omit-frame-pointer"
-
- # Anticipated future default.
- linker_flag: "-no-canonical-prefixes"
- # Have gcc return the exit code from ld.
- linker_flag: "-pass-exit-codes"
- # Stamp the binary with a unique identifier.
- linker_flag: "-Wl,--build-id=md5"
- linker_flag: "-Wl,--hash-style=gnu"
- # Gold linker only? Can we enable this by default?
- # linker_flag: "-Wl,--warn-execstack"
- # linker_flag: "-Wl,--detect-odr-violations"
-
- compilation_mode_flags {
- mode: DBG
- # Enable debug symbols.
- compiler_flag: "-g"
- }
- compilation_mode_flags {
- mode: OPT
-
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt or
- # even generally? However, that can't happen here, as it requires special
- # handling in Bazel.
- compiler_flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- compiler_flag: "-O2"
-
- # Disable assertions
- compiler_flag: "-DNDEBUG"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- compiler_flag: "-ffunction-sections"
- compiler_flag: "-fdata-sections"
- linker_flag: "-Wl,--gc-sections"
- }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "macosx"
- target_cpu: "darwin"
- target_system_name: "local"
- toolchain_identifier: "local_darwin"
-
- tool_path { name: "ar" path: "/usr/bin/libtool" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcc" path: "osx_cc_wrapper.sh" }
- cxx_flag: "-std=c++0x"
- ar_flag: "-static"
- ar_flag: "-s"
- ar_flag: "-o"
- linker_flag: "-lstdc++"
- linker_flag: "-undefined"
- linker_flag: "dynamic_lookup"
- linker_flag: "-headerpad_max_install_names"
- # TODO(ulfjack): This is wrong on so many levels. Figure out a way to auto-detect the proper
- # setting from the local compiler, and also how to make incremental builds correct.
- cxx_builtin_include_directory: "/"
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Anticipated future default.
- unfiltered_cxx_flag: "-no-canonical-prefixes"
-
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
-
- # Security hardening on by default.
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- compiler_flag: "-D_FORTIFY_SOURCE=1"
- compiler_flag: "-fstack-protector"
-
- # Enable coloring even if there's no attached terminal. Bazel removes the
- # escape sequences if --nocolor is specified.
- compiler_flag: "-fcolor-diagnostics"
-
- # All warnings are enabled. Maybe enable -Werror as well?
- compiler_flag: "-Wall"
- # Enable a few more warnings that aren't part of -Wall.
- compiler_flag: "-Wthread-safety"
- compiler_flag: "-Wself-assign"
-
- # Keep stack frames for debugging, even in opt mode.
- compiler_flag: "-fno-omit-frame-pointer"
-
- # Anticipated future default.
- linker_flag: "-no-canonical-prefixes"
-
- compilation_mode_flags {
- mode: DBG
- # Enable debug symbols.
- compiler_flag: "-g"
- }
- compilation_mode_flags {
- mode: OPT
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt or even generally?
- # However, that can't happen here, as it requires special handling in Bazel.
- compiler_flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- compiler_flag: "-O2"
-
- # Disable assertions
- compiler_flag: "-DNDEBUG"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- compiler_flag: "-ffunction-sections"
- compiler_flag: "-fdata-sections"
- }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- supports_gold_linker: false
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: false
- target_libc: "local"
- target_cpu: "freebsd"
- target_system_name: "local"
- toolchain_identifier: "local_freebsd"
-
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcc" path: "/usr/bin/clang" }
- cxx_flag: "-std=c++0x"
- linker_flag: "-lstdc++"
- linker_flag: "-B/usr/bin/"
-
- # TODO(bazel-team): In theory, the path here ought to exactly match the path
- # used by gcc. That works because bazel currently doesn't track files at
- # absolute locations and has no remote execution, yet. However, this will need
- # to be fixed, maybe with auto-detection?
- cxx_builtin_include_directory: "/usr/lib/clang"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/include"
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
-
- # C(++) compiles invoke the compiler (as that is the one knowing where
- # to find libraries), but we provide LD so other rules can invoke the linker.
- tool_path { name: "ld" path: "/usr/bin/ld" }
-
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Anticipated future default.
- unfiltered_cxx_flag: "-no-canonical-prefixes"
-
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
-
- # Security hardening on by default.
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now have
- # it enabled by default.
- compiler_flag: "-U_FORTIFY_SOURCE"
- compiler_flag: "-D_FORTIFY_SOURCE=1"
- compiler_flag: "-fstack-protector"
- linker_flag: "-Wl,-z,relro,-z,now"
-
- # Enable coloring even if there's no attached terminal. Bazel removes the
- # escape sequences if --nocolor is specified. This isn't supported by gcc
- # on Ubuntu 14.04.
- # compiler_flag: "-fcolor-diagnostics"
-
- # All warnings are enabled. Maybe enable -Werror as well?
- compiler_flag: "-Wall"
- # Enable a few more warnings that aren't part of -Wall.
- #compiler_flag: "-Wunused-but-set-parameter"
- # But disable some that are problematic.
- #compiler_flag: "-Wno-free-nonheap-object" # has false positives
-
- # Keep stack frames for debugging, even in opt mode.
- compiler_flag: "-fno-omit-frame-pointer"
-
- # Anticipated future default.
- linker_flag: "-no-canonical-prefixes"
- # Have gcc return the exit code from ld.
- #linker_flag: "-pass-exit-codes"
- # Stamp the binary with a unique identifier.
- #linker_flag: "-Wl,--build-id=md5"
- linker_flag: "-Wl,--hash-style=gnu"
- # Gold linker only? Can we enable this by default?
- # linker_flag: "-Wl,--warn-execstack"
- # linker_flag: "-Wl,--detect-odr-violations"
-
- compilation_mode_flags {
- mode: DBG
- # Enable debug symbols.
- compiler_flag: "-g"
- }
- compilation_mode_flags {
- mode: OPT
-
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt or
- # even generally? However, that can't happen here, as it requires special
- # handling in Bazel.
- compiler_flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- compiler_flag: "-O2"
-
- # Disable assertions
- compiler_flag: "-DNDEBUG"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- compiler_flag: "-ffunction-sections"
- compiler_flag: "-fdata-sections"
- linker_flag: "-Wl,--gc-sections"
- }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "windows_mingw"
- host_system_name: "local"
- needsPic: false
- target_libc: "local"
- target_cpu: "x64_windows"
- target_system_name: "local"
- toolchain_identifier: "local_windows_mingw"
-
- tool_path { name: "ar" path: "C:/mingw/bin/ar" }
- tool_path { name: "compat-ld" path: "C:/mingw/bin/ld" }
- tool_path { name: "cpp" path: "C:/mingw/bin/cpp" }
- tool_path { name: "dwp" path: "C:/mingw/bin/dwp" }
- tool_path { name: "gcc" path: "C:/mingw/bin/gcc" }
- cxx_flag: "-std=c++0x"
- # TODO(bazel-team): In theory, the path here ought to exactly match the path
- # used by gcc. That works because bazel currently doesn't track files at
- # absolute locations and has no remote execution, yet. However, this will need
- # to be fixed, maybe with auto-detection?
- cxx_builtin_include_directory: "C:/mingw/include"
- cxx_builtin_include_directory: "C:/mingw/lib/gcc"
- tool_path { name: "gcov" path: "C:/mingw/bin/gcov" }
- tool_path { name: "ld" path: "C:/mingw/bin/ld" }
- tool_path { name: "nm" path: "C:/mingw/bin/nm" }
- tool_path { name: "objcopy" path: "C:/mingw/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "C:/mingw/bin/objdump" }
- tool_path { name: "strip" path: "C:/mingw/bin/strip" }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "windows_msys64_mingw64"
- host_system_name: "local"
- needsPic: false
- target_libc: "local"
- target_cpu: "x64_windows"
- target_system_name: "local"
- toolchain_identifier: "local_windows_msys64_mingw64"
-
- tool_path { name: "ar" path: "C:/tools/msys64/mingw64/bin/ar" }
- tool_path { name: "compat-ld" path: "C:/tools/msys64/mingw64/bin/ld" }
- tool_path { name: "cpp" path: "C:/tools/msys64/mingw64/bin/cpp" }
- tool_path { name: "dwp" path: "C:/tools/msys64/mingw64/bin/dwp" }
- tool_path { name: "gcc" path: "C:/tools/msys64/mingw64/bin/gcc" }
- cxx_flag: "-std=c++0x"
- # TODO(bazel-team): In theory, the path here ought to exactly match the path
- # used by gcc. That works because bazel currently doesn't track files at
- # absolute locations and has no remote execution, yet. However, this will need
- # to be fixed, maybe with auto-detection?
- cxx_builtin_include_directory: "C:/tools/msys64/mingw64/x86_64-w64-mingw32/include"
- tool_path { name: "gcov" path: "C:/tools/msys64/mingw64/bin/gcov" }
- tool_path { name: "ld" path: "C:/tools/msys64/mingw64/bin/ld" }
- tool_path { name: "nm" path: "C:/tools/msys64/mingw64/bin/nm" }
- tool_path { name: "objcopy" path: "C:/tools/msys64/mingw64/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "C:/tools/msys64/mingw64/bin/objdump" }
- tool_path { name: "strip" path: "C:/tools/msys64/mingw64/bin/strip" }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "windows_clang"
- host_system_name: "local"
- needsPic: false
- target_libc: "local"
- target_cpu: "x64_windows"
- target_system_name: "local"
- toolchain_identifier: "local_windows_clang"
-
- tool_path { name: "ar" path: "C:/mingw/bin/ar" }
- tool_path { name: "compat-ld" path: "C:/Program Files (x86)/LLVM/bin/ld" }
- tool_path { name: "cpp" path: "C:/Program Files (x86)/LLVM/bin/cpp" }
- tool_path { name: "dwp" path: "C:/Program Files (x86)/LLVM/bin/dwp" }
- tool_path { name: "gcc" path: "C:/Program Files (x86)/LLVM/bin/clang" }
- cxx_flag: "-std=c++0x"
- # TODO(bazel-team): In theory, the path here ought to exactly match the path
- # used by gcc. That works because bazel currently doesn't track files at
- # absolute locations and has no remote execution, yet. However, this will need
- # to be fixed, maybe with auto-detection?
- cxx_builtin_include_directory: "/usr/lib/gcc/"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/include"
- tool_path { name: "gcov" path: "C:/Program Files (x86)/LLVM/bin/gcov" }
- tool_path { name: "ld" path: "C:/Program Files (x86)/LLVM/bin/ld" }
- tool_path { name: "nm" path: "C:/Program Files (x86)/LLVM/bin/nm" }
- tool_path { name: "objcopy" path: "C:/Program Files (x86)/LLVM/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "C:/Program Files (x86)/LLVM/bin/objdump" }
- tool_path { name: "strip" path: "C:/Program Files (x86)/LLVM/bin/strip" }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "windows_msys64"
- host_system_name: "local"
- needsPic: false
- target_libc: "local"
- target_cpu: "x64_windows"
- target_system_name: "local"
- toolchain_identifier: "local_windows_msys64"
-
- tool_path { name: "ar" path: "C:/tools/msys64/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "C:/tools/msys64/usr/bin/ld" }
- tool_path { name: "cpp" path: "C:/tools/msys64/usr/bin/cpp" }
- tool_path { name: "dwp" path: "C:/tools/msys64/usr/bin/dwp" }
- # Use gcc instead of g++ so that C will compile correctly.
- tool_path { name: "gcc" path: "C:/tools/msys64/usr/bin/gcc" }
- cxx_flag: "-std=gnu++0x"
- linker_flag: "-lstdc++"
- # TODO(bazel-team): In theory, the path here ought to exactly match the path
- # used by gcc. That works because bazel currently doesn't track files at
- # absolute locations and has no remote execution, yet. However, this will need
- # to be fixed, maybe with auto-detection?
- cxx_builtin_include_directory: "C:/tools/msys64/"
- cxx_builtin_include_directory: "/usr/"
- tool_path { name: "gcov" path: "C:/tools/msys64/usr/bin/gcov" }
- tool_path { name: "ld" path: "C:/tools/msys64/usr/bin/ld" }
- tool_path { name: "nm" path: "C:/tools/msys64/usr/bin/nm" }
- tool_path { name: "objcopy" path: "C:/tools/msys64/usr/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "C:/tools/msys64/usr/bin/objdump" }
- tool_path { name: "strip" path: "C:/tools/msys64/usr/bin/strip" }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- toolchain_identifier: "vc_14_0_x64"
- host_system_name: "local"
- target_system_name: "local"
-
- abi_version: "local"
- abi_libc_version: "local"
- target_cpu: "x64_windows_msvc"
- compiler: "cl"
- target_libc: "msvcrt140"
- default_python_version: "python2.7"
- cxx_builtin_include_directory: "C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/INCLUDE"
- cxx_builtin_include_directory: "C:/Program Files (x86)/Windows Kits/10/include/"
- cxx_builtin_include_directory: "C:/Program Files (x86)/Windows Kits/8.1/include/"
- cxx_builtin_include_directory: "C:/Program Files (x86)/GnuWin32/include/"
- cxx_builtin_include_directory: "C:/python_27_amd64/files/include"
- tool_path {
- name: "ar"
- path: "wrapper/bin/msvc_link.bat"
- }
- tool_path {
- name: "cpp"
- path: "wrapper/bin/msvc_cl.bat"
- }
- tool_path {
- name: "gcc"
- path: "wrapper/bin/msvc_cl.bat"
- }
- tool_path {
- name: "gcov"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "ld"
- path: "wrapper/bin/msvc_link.bat"
- }
- tool_path {
- name: "nm"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objcopy"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objdump"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "strip"
- path: "wrapper/bin/msvc_nop.bat"
- }
- supports_gold_linker: false
- supports_start_end_lib: false
- supports_interface_shared_objects: false
- supports_incremental_linker: false
- supports_normalizing_ar: true
- needsPic: false
-
- compiler_flag: "-m64"
- compiler_flag: "/D__inline__=__inline"
- # TODO(pcloudy): Review those flags below, they should be defined by cl.exe
- compiler_flag: "/DOS_WINDOWS=OS_WINDOWS"
- compiler_flag: "/DCOMPILER_MSVC"
-
- # Don't pollute with GDI macros in windows.h.
- compiler_flag: "/DNOGDI"
- # Don't define min/max macros in windows.h.
- compiler_flag: "/DNOMINMAX"
- compiler_flag: "/DPRAGMA_SUPPORTED"
- # Platform defines.
- compiler_flag: "/D_WIN32_WINNT=0x0600"
- # Turn off warning messages.
- compiler_flag: "/D_CRT_SECURE_NO_DEPRECATE"
- compiler_flag: "/D_CRT_SECURE_NO_WARNINGS"
- compiler_flag: "/D_SILENCE_STDEXT_HASH_DEPRECATION_WARNINGS"
- # Use math constants (M_PI, etc.) from the math library
- compiler_flag: "/D_USE_MATH_DEFINES"
-
- # Useful options to have on for compilation.
- # Suppress startup banner.
- compiler_flag: "/nologo"
- # Increase the capacity of object files to 2^32 sections.
- compiler_flag: "/bigobj"
- # Allocate 500MB for precomputed headers.
- compiler_flag: "/Zm500"
- # Use unsigned char by default.
- compiler_flag: "/J"
- # Use function level linking.
- compiler_flag: "/Gy"
- # Use string pooling.
- compiler_flag: "/GF"
- # Warning level 3 (could possibly go to 4 in the future).
- compiler_flag: "/W3"
- # Catch both asynchronous (structured) and synchronous (C++) exceptions.
- compiler_flag: "/EHsc"
-
- # Globally disabled warnings.
- # Don't warn about elements of array being be default initialized.
- compiler_flag: "/wd4351"
- # Don't warn about no matching delete found.
- compiler_flag: "/wd4291"
- # Don't warn about diamond inheritance patterns.
- compiler_flag: "/wd4250"
- # Don't warn about insecure functions (e.g. non _s functions).
- compiler_flag: "/wd4996"
-
- linker_flag: "-m64"
-
- feature {
- name: 'include_paths'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-header-preprocessing'
- action: 'c++-module-compile'
- flag_group {
- flag: '/I%{quote_include_paths}'
- }
- flag_group {
- flag: '/I%{include_paths}'
- }
- flag_group {
- flag: '/I%{system_include_paths}'
- }
- }
- }
-
- feature {
- name: 'dependency_file'
- flag_set {
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-module-compile'
- action: 'c++-header-preprocessing'
- action: 'c++-header-parsing'
- expand_if_all_available: 'dependency_file'
- flag_group {
- flag: '/DEPENDENCY_FILE'
- flag: '%{dependency_file}'
- }
- }
- }
-
- # Stop passing -frandom-seed option
- feature {
- name: 'random_seed'
- }
-
- # This feature is just for enabling flag_set in action_config for -c and -o options during the transitional period
- feature {
- name: 'compile_action_flags_in_flag_set'
- }
-
- action_config {
- config_name: 'c-compile'
- action_name: 'c-compile'
- tool {
- tool_path: 'wrapper/bin/msvc_cl.bat'
- }
- flag_set {
- flag_group {
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- flag_set {
- expand_if_all_available: 'output_object_file'
- flag_group {
- flag: '/Fo%{output_object_file}'
- }
- }
- flag_set {
- expand_if_all_available: 'output_assembly_file'
- flag_group {
- flag: '/Fa%{output_assembly_file}'
- }
- }
- flag_set {
- expand_if_all_available: 'output_preprocess_file'
- flag_group {
- flag: '/P'
- flag: '/Fi%{output_preprocess_file}'
- }
- }
- }
-
- action_config {
- config_name: 'c++-compile'
- action_name: 'c++-compile'
- tool {
- tool_path: 'wrapper/bin/msvc_cl.bat'
- }
- flag_set {
- flag_group {
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- flag_set {
- expand_if_all_available: 'output_object_file'
- flag_group {
- flag: '/Fo%{output_object_file}'
- }
- }
- flag_set {
- expand_if_all_available: 'output_assembly_file'
- flag_group {
- flag: '/Fa%{output_assembly_file}'
- }
- }
- flag_set {
- expand_if_all_available: 'output_preprocess_file'
- flag_group {
- flag: '/P'
- flag: '/Fi%{output_preprocess_file}'
- }
- }
- }
-
- compilation_mode_flags {
- mode: DBG
- compiler_flag: "/DDEBUG=1"
- # This will signal the wrapper that we are doing a debug build, which sets
- # some internal state of the toolchain wrapper. It is intentionally a "-"
- # flag to make this very obvious.
- compiler_flag: "-g"
- compiler_flag: "/Od"
- compiler_flag: "-Xcompilation-mode=dbg"
- }
-
- compilation_mode_flags {
- mode: FASTBUILD
- compiler_flag: "/DNDEBUG"
- compiler_flag: "/Od"
- compiler_flag: "-Xcompilation-mode=fastbuild"
- }
-
- compilation_mode_flags {
- mode: OPT
- compiler_flag: "/DNDEBUG"
- compiler_flag: "/O2"
- compiler_flag: "-Xcompilation-mode=opt"
- }
-}
diff --git a/third_party/toolchains/cpus/arm/arm_compiler_configure.bzl b/third_party/toolchains/cpus/arm/arm_compiler_configure.bzl
deleted file mode 100644
index ab6eac1..0000000
--- a/third_party/toolchains/cpus/arm/arm_compiler_configure.bzl
+++ /dev/null
@@ -1,38 +0,0 @@
-# -*- Python -*-
-"""Repository rule for arm compiler autoconfiguration."""
-
-def _tpl(repository_ctx, tpl, substitutions={}, out=None):
- if not out:
- out = tpl
- repository_ctx.template(
- out,
- Label("//third_party/toolchains/cpus/arm:%s.tpl" % tpl),
- substitutions)
-
-
-def _arm_compiler_configure_impl(repository_ctx):
- # We need to find a cross-compilation include directory for Python, so look
- # for an environment variable. Be warned, this crosstool template is only
- # regenerated on the first run of Bazel, so if you change the variable after
- # it may not be reflected in later builds. Doing a shutdown and clean of Bazel
- # doesn't fix this, you'll need to delete the generated file at something like:
- # external/local_config_arm_compiler/CROSSTOOL in your Bazel install.
- if "CROSSTOOL_PYTHON_INCLUDE_PATH" in repository_ctx.os.environ:
- python_include_path = repository_ctx.os.environ["CROSSTOOL_PYTHON_INCLUDE_PATH"]
- else:
- python_include_path = "/usr/include/python2.7"
- _tpl(repository_ctx, "CROSSTOOL", {
- "%{ARM_COMPILER_PATH}%": str(repository_ctx.path(
- repository_ctx.attr.remote_config_repo)),
- "%{PYTHON_INCLUDE_PATH}%": python_include_path,
- })
- repository_ctx.symlink(repository_ctx.attr.build_file, "BUILD")
-
-
-arm_compiler_configure = repository_rule(
- implementation = _arm_compiler_configure_impl,
- attrs = {
- "remote_config_repo": attr.string(mandatory = False, default =""),
- "build_file": attr.label(),
- },
-)
diff --git a/third_party/toolchains/cpus/py/BUILD b/third_party/toolchains/cpus/py/BUILD
deleted file mode 100644
index 1235988..0000000
--- a/third_party/toolchains/cpus/py/BUILD
+++ /dev/null
@@ -1,177 +0,0 @@
-# A build file to configure python remote repository used with Bazel remote
-# execution service
-# DO NOT EDIT: automatically generated BUILD file
-
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-# To build Python C/C++ extension on Windows, we need to link to python import library pythonXY.lib
-# See https://docs.python.org/3/extending/windows.html
-cc_import(
- name = "python_lib",
- interface_library = select({
- ":windows": ":python_import_lib",
- # A placeholder for Unix platforms which makes --no_build happy.
- "//conditions:default": "not-existing.lib",
- }),
- system_provided = 1,
-)
-
-cc_library(
- name = "python_headers",
- hdrs = [":python_include"],
- includes = ["python_include"],
- deps = select({
- ":windows": [":python_lib"],
- "//conditions:default": [],
- }),
-)
-
-cc_library(
- name = "numpy_headers",
- hdrs = [":numpy_include"],
- includes = ["numpy_include"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "python_include",
- outs = [
- "python_include/Python-ast.h",
- "python_include/Python.h",
- "python_include/abstract.h",
- "python_include/asdl.h",
- "python_include/ast.h",
- "python_include/bitset.h",
- "python_include/boolobject.h",
- "python_include/bufferobject.h",
- "python_include/bytearrayobject.h",
- "python_include/bytes_methods.h",
- "python_include/bytesobject.h",
- "python_include/cStringIO.h",
- "python_include/cellobject.h",
- "python_include/ceval.h",
- "python_include/classobject.h",
- "python_include/cobject.h",
- "python_include/code.h",
- "python_include/codecs.h",
- "python_include/compile.h",
- "python_include/complexobject.h",
- "python_include/datetime.h",
- "python_include/descrobject.h",
- "python_include/dictobject.h",
- "python_include/dtoa.h",
- "python_include/enumobject.h",
- "python_include/errcode.h",
- "python_include/eval.h",
- "python_include/fileobject.h",
- "python_include/floatobject.h",
- "python_include/frameobject.h",
- "python_include/funcobject.h",
- "python_include/genobject.h",
- "python_include/graminit.h",
- "python_include/grammar.h",
- "python_include/import.h",
- "python_include/intobject.h",
- "python_include/intrcheck.h",
- "python_include/iterobject.h",
- "python_include/listobject.h",
- "python_include/longintrepr.h",
- "python_include/longobject.h",
- "python_include/marshal.h",
- "python_include/memoryobject.h",
- "python_include/metagrammar.h",
- "python_include/methodobject.h",
- "python_include/modsupport.h",
- "python_include/moduleobject.h",
- "python_include/node.h",
- "python_include/object.h",
- "python_include/objimpl.h",
- "python_include/opcode.h",
- "python_include/osdefs.h",
- "python_include/parsetok.h",
- "python_include/patchlevel.h",
- "python_include/pgen.h",
- "python_include/pgenheaders.h",
- "python_include/py_curses.h",
- "python_include/pyarena.h",
- "python_include/pycapsule.h",
- "python_include/pyconfig.h",
- "python_include/pyctype.h",
- "python_include/pydebug.h",
- "python_include/pyerrors.h",
- "python_include/pyexpat.h",
- "python_include/pyfpe.h",
- "python_include/pygetopt.h",
- "python_include/pymacconfig.h",
- "python_include/pymactoolbox.h",
- "python_include/pymath.h",
- "python_include/pymem.h",
- "python_include/pyport.h",
- "python_include/pystate.h",
- "python_include/pystrcmp.h",
- "python_include/pystrtod.h",
- "python_include/pythonrun.h",
- "python_include/pythread.h",
- "python_include/rangeobject.h",
- "python_include/setobject.h",
- "python_include/sliceobject.h",
- "python_include/stringobject.h",
- "python_include/structmember.h",
- "python_include/structseq.h",
- "python_include/symtable.h",
- "python_include/sysmodule.h",
- "python_include/timefuncs.h",
- "python_include/token.h",
- "python_include/traceback.h",
- "python_include/tupleobject.h",
- "python_include/ucnhash.h",
- "python_include/unicodeobject.h",
- "python_include/warnings.h",
- "python_include/weakrefobject.h",
- ],
- cmd = """
-cp "/usr/include/python2.7/Python-ast.h" "$(@D)/python_include/Python-ast.h" && cp "/usr/include/python2.7/Python.h" "$(@D)/python_include/Python.h" && cp "/usr/include/python2.7/abstract.h" "$(@D)/python_include/abstract.h" && cp "/usr/include/python2.7/asdl.h" "$(@D)/python_include/asdl.h" && cp "/usr/include/python2.7/ast.h" "$(@D)/python_include/ast.h" && cp "/usr/include/python2.7/bitset.h" "$(@D)/python_include/bitset.h" && cp "/usr/include/python2.7/boolobject.h" "$(@D)/python_include/boolobject.h" && cp "/usr/include/python2.7/bufferobject.h" "$(@D)/python_include/bufferobject.h" && cp "/usr/include/python2.7/bytearrayobject.h" "$(@D)/python_include/bytearrayobject.h" && cp "/usr/include/python2.7/bytes_methods.h" "$(@D)/python_include/bytes_methods.h" && cp "/usr/include/python2.7/bytesobject.h" "$(@D)/python_include/bytesobject.h" && cp "/usr/include/python2.7/cStringIO.h" "$(@D)/python_include/cStringIO.h" && cp "/usr/include/python2.7/cellobject.h" "$(@D)/python_include/cellobject.h" && cp "/usr/include/python2.7/ceval.h" "$(@D)/python_include/ceval.h" && cp "/usr/include/python2.7/classobject.h" "$(@D)/python_include/classobject.h" && cp "/usr/include/python2.7/cobject.h" "$(@D)/python_include/cobject.h" && cp "/usr/include/python2.7/code.h" "$(@D)/python_include/code.h" && cp "/usr/include/python2.7/codecs.h" "$(@D)/python_include/codecs.h" && cp "/usr/include/python2.7/compile.h" "$(@D)/python_include/compile.h" && cp "/usr/include/python2.7/complexobject.h" "$(@D)/python_include/complexobject.h" && cp "/usr/include/python2.7/datetime.h" "$(@D)/python_include/datetime.h" && cp "/usr/include/python2.7/descrobject.h" "$(@D)/python_include/descrobject.h" && cp "/usr/include/python2.7/dictobject.h" "$(@D)/python_include/dictobject.h" && cp "/usr/include/python2.7/dtoa.h" "$(@D)/python_include/dtoa.h" && cp "/usr/include/python2.7/enumobject.h" "$(@D)/python_include/enumobject.h" && cp "/usr/include/python2.7/errcode.h" "$(@D)/python_include/errcode.h" && cp "/usr/include/python2.7/eval.h" "$(@D)/python_include/eval.h" && cp "/usr/include/python2.7/fileobject.h" "$(@D)/python_include/fileobject.h" && cp "/usr/include/python2.7/floatobject.h" "$(@D)/python_include/floatobject.h" && cp "/usr/include/python2.7/frameobject.h" "$(@D)/python_include/frameobject.h" && cp "/usr/include/python2.7/funcobject.h" "$(@D)/python_include/funcobject.h" && cp "/usr/include/python2.7/genobject.h" "$(@D)/python_include/genobject.h" && cp "/usr/include/python2.7/graminit.h" "$(@D)/python_include/graminit.h" && cp "/usr/include/python2.7/grammar.h" "$(@D)/python_include/grammar.h" && cp "/usr/include/python2.7/import.h" "$(@D)/python_include/import.h" && cp "/usr/include/python2.7/intobject.h" "$(@D)/python_include/intobject.h" && cp "/usr/include/python2.7/intrcheck.h" "$(@D)/python_include/intrcheck.h" && cp "/usr/include/python2.7/iterobject.h" "$(@D)/python_include/iterobject.h" && cp "/usr/include/python2.7/listobject.h" "$(@D)/python_include/listobject.h" && cp "/usr/include/python2.7/longintrepr.h" "$(@D)/python_include/longintrepr.h" && cp "/usr/include/python2.7/longobject.h" "$(@D)/python_include/longobject.h" && cp "/usr/include/python2.7/marshal.h" "$(@D)/python_include/marshal.h" && cp "/usr/include/python2.7/memoryobject.h" "$(@D)/python_include/memoryobject.h" && cp "/usr/include/python2.7/metagrammar.h" "$(@D)/python_include/metagrammar.h" && cp "/usr/include/python2.7/methodobject.h" "$(@D)/python_include/methodobject.h" && cp "/usr/include/python2.7/modsupport.h" "$(@D)/python_include/modsupport.h" && cp "/usr/include/python2.7/moduleobject.h" "$(@D)/python_include/moduleobject.h" && cp "/usr/include/python2.7/node.h" "$(@D)/python_include/node.h" && cp "/usr/include/python2.7/object.h" "$(@D)/python_include/object.h" && cp "/usr/include/python2.7/objimpl.h" "$(@D)/python_include/objimpl.h" && cp "/usr/include/python2.7/opcode.h" "$(@D)/python_include/opcode.h" && cp "/usr/include/python2.7/osdefs.h" "$(@D)/python_include/osdefs.h" && cp "/usr/include/python2.7/parsetok.h" "$(@D)/python_include/parsetok.h" && cp "/usr/include/python2.7/patchlevel.h" "$(@D)/python_include/patchlevel.h" && cp "/usr/include/python2.7/pgen.h" "$(@D)/python_include/pgen.h" && cp "/usr/include/python2.7/pgenheaders.h" "$(@D)/python_include/pgenheaders.h" && cp "/usr/include/python2.7/py_curses.h" "$(@D)/python_include/py_curses.h" && cp "/usr/include/python2.7/pyarena.h" "$(@D)/python_include/pyarena.h" && cp "/usr/include/python2.7/pycapsule.h" "$(@D)/python_include/pycapsule.h" && cp "/usr/include/python2.7/pyconfig.h" "$(@D)/python_include/pyconfig.h" && cp "/usr/include/python2.7/pyctype.h" "$(@D)/python_include/pyctype.h" && cp "/usr/include/python2.7/pydebug.h" "$(@D)/python_include/pydebug.h" && cp "/usr/include/python2.7/pyerrors.h" "$(@D)/python_include/pyerrors.h" && cp "/usr/include/python2.7/pyexpat.h" "$(@D)/python_include/pyexpat.h" && cp "/usr/include/python2.7/pyfpe.h" "$(@D)/python_include/pyfpe.h" && cp "/usr/include/python2.7/pygetopt.h" "$(@D)/python_include/pygetopt.h" && cp "/usr/include/python2.7/pymacconfig.h" "$(@D)/python_include/pymacconfig.h" && cp "/usr/include/python2.7/pymactoolbox.h" "$(@D)/python_include/pymactoolbox.h" && cp "/usr/include/python2.7/pymath.h" "$(@D)/python_include/pymath.h" && cp "/usr/include/python2.7/pymem.h" "$(@D)/python_include/pymem.h" && cp "/usr/include/python2.7/pyport.h" "$(@D)/python_include/pyport.h" && cp "/usr/include/python2.7/pystate.h" "$(@D)/python_include/pystate.h" && cp "/usr/include/python2.7/pystrcmp.h" "$(@D)/python_include/pystrcmp.h" && cp "/usr/include/python2.7/pystrtod.h" "$(@D)/python_include/pystrtod.h" && cp "/usr/include/python2.7/pythonrun.h" "$(@D)/python_include/pythonrun.h" && cp "/usr/include/python2.7/pythread.h" "$(@D)/python_include/pythread.h" && cp "/usr/include/python2.7/rangeobject.h" "$(@D)/python_include/rangeobject.h" && cp "/usr/include/python2.7/setobject.h" "$(@D)/python_include/setobject.h" && cp "/usr/include/python2.7/sliceobject.h" "$(@D)/python_include/sliceobject.h" && cp "/usr/include/python2.7/stringobject.h" "$(@D)/python_include/stringobject.h" && cp "/usr/include/python2.7/structmember.h" "$(@D)/python_include/structmember.h" && cp "/usr/include/python2.7/structseq.h" "$(@D)/python_include/structseq.h" && cp "/usr/include/python2.7/symtable.h" "$(@D)/python_include/symtable.h" && cp "/usr/include/python2.7/sysmodule.h" "$(@D)/python_include/sysmodule.h" && cp "/usr/include/python2.7/timefuncs.h" "$(@D)/python_include/timefuncs.h" && cp "/usr/include/python2.7/token.h" "$(@D)/python_include/token.h" && cp "/usr/include/python2.7/traceback.h" "$(@D)/python_include/traceback.h" && cp "/usr/include/python2.7/tupleobject.h" "$(@D)/python_include/tupleobject.h" && cp "/usr/include/python2.7/ucnhash.h" "$(@D)/python_include/ucnhash.h" && cp "/usr/include/python2.7/unicodeobject.h" "$(@D)/python_include/unicodeobject.h" && cp "/usr/include/python2.7/warnings.h" "$(@D)/python_include/warnings.h" && cp "/usr/include/python2.7/weakrefobject.h" "$(@D)/python_include/weakrefobject.h"
- """,
-)
-
-genrule(
- name = "numpy_include",
- outs = [
- "numpy_include/numpy/__multiarray_api.h",
- "numpy_include/numpy/__ufunc_api.h",
- "numpy_include/numpy/_neighborhood_iterator_imp.h",
- "numpy_include/numpy/_numpyconfig.h",
- "numpy_include/numpy/arrayobject.h",
- "numpy_include/numpy/arrayscalars.h",
- "numpy_include/numpy/halffloat.h",
- "numpy_include/numpy/multiarray_api.txt",
- "numpy_include/numpy/ndarrayobject.h",
- "numpy_include/numpy/ndarraytypes.h",
- "numpy_include/numpy/noprefix.h",
- "numpy_include/numpy/npy_1_7_deprecated_api.h",
- "numpy_include/numpy/npy_3kcompat.h",
- "numpy_include/numpy/npy_common.h",
- "numpy_include/numpy/npy_cpu.h",
- "numpy_include/numpy/npy_endian.h",
- "numpy_include/numpy/npy_interrupt.h",
- "numpy_include/numpy/npy_math.h",
- "numpy_include/numpy/npy_no_deprecated_api.h",
- "numpy_include/numpy/npy_os.h",
- "numpy_include/numpy/numpyconfig.h",
- "numpy_include/numpy/old_defines.h",
- "numpy_include/numpy/oldnumeric.h",
- "numpy_include/numpy/ufunc_api.txt",
- "numpy_include/numpy/ufuncobject.h",
- "numpy_include/numpy/utils.h",
- ],
- cmd = """
-cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/__multiarray_api.h" "$(@D)/numpy_include/numpy/__multiarray_api.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/__ufunc_api.h" "$(@D)/numpy_include/numpy/__ufunc_api.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/_neighborhood_iterator_imp.h" "$(@D)/numpy_include/numpy/_neighborhood_iterator_imp.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/_numpyconfig.h" "$(@D)/numpy_include/numpy/_numpyconfig.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/arrayobject.h" "$(@D)/numpy_include/numpy/arrayobject.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/arrayscalars.h" "$(@D)/numpy_include/numpy/arrayscalars.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/halffloat.h" "$(@D)/numpy_include/numpy/halffloat.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/multiarray_api.txt" "$(@D)/numpy_include/numpy/multiarray_api.txt" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/ndarrayobject.h" "$(@D)/numpy_include/numpy/ndarrayobject.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/ndarraytypes.h" "$(@D)/numpy_include/numpy/ndarraytypes.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/noprefix.h" "$(@D)/numpy_include/numpy/noprefix.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_1_7_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_1_7_deprecated_api.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_3kcompat.h" "$(@D)/numpy_include/numpy/npy_3kcompat.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_common.h" "$(@D)/numpy_include/numpy/npy_common.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_cpu.h" "$(@D)/numpy_include/numpy/npy_cpu.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_endian.h" "$(@D)/numpy_include/numpy/npy_endian.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_interrupt.h" "$(@D)/numpy_include/numpy/npy_interrupt.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_math.h" "$(@D)/numpy_include/numpy/npy_math.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_no_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_no_deprecated_api.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_os.h" "$(@D)/numpy_include/numpy/npy_os.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/numpyconfig.h" "$(@D)/numpy_include/numpy/numpyconfig.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/old_defines.h" "$(@D)/numpy_include/numpy/old_defines.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/oldnumeric.h" "$(@D)/numpy_include/numpy/oldnumeric.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/ufunc_api.txt" "$(@D)/numpy_include/numpy/ufunc_api.txt" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/ufuncobject.h" "$(@D)/numpy_include/numpy/ufuncobject.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/utils.h" "$(@D)/numpy_include/numpy/utils.h"
- """,
-)
diff --git a/third_party/toolchains/cpus/py3/BUILD b/third_party/toolchains/cpus/py3/BUILD
deleted file mode 100644
index d47256e..0000000
--- a/third_party/toolchains/cpus/py3/BUILD
+++ /dev/null
@@ -1,185 +0,0 @@
-# A build file to configure python remote repository used with Bazel remote
-# execution service
-# DO NOT EDIT: automatically generated BUILD file
-
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-# To build Python C/C++ extension on Windows, we need to link to python import library pythonXY.lib
-# See https://docs.python.org/3/extending/windows.html
-cc_import(
- name = "python_lib",
- interface_library = select({
- ":windows": ":python_import_lib",
- # A placeholder for Unix platforms which makes --no_build happy.
- "//conditions:default": "not-existing.lib",
- }),
- system_provided = 1,
-)
-
-cc_library(
- name = "python_headers",
- hdrs = [":python_include"],
- includes = ["python_include"],
- deps = select({
- ":windows": [":python_lib"],
- "//conditions:default": [],
- }),
-)
-
-cc_library(
- name = "numpy_headers",
- hdrs = [":numpy_include"],
- includes = ["numpy_include"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "python_include",
- outs = [
- "python_include/Python-ast.h",
- "python_include/Python.h",
- "python_include/abstract.h",
- "python_include/accu.h",
- "python_include/asdl.h",
- "python_include/ast.h",
- "python_include/bitset.h",
- "python_include/bltinmodule.h",
- "python_include/boolobject.h",
- "python_include/bytearrayobject.h",
- "python_include/bytes_methods.h",
- "python_include/bytesobject.h",
- "python_include/cellobject.h",
- "python_include/ceval.h",
- "python_include/classobject.h",
- "python_include/code.h",
- "python_include/codecs.h",
- "python_include/compile.h",
- "python_include/complexobject.h",
- "python_include/datetime.h",
- "python_include/descrobject.h",
- "python_include/dictobject.h",
- "python_include/dtoa.h",
- "python_include/dynamic_annotations.h",
- "python_include/enumobject.h",
- "python_include/errcode.h",
- "python_include/eval.h",
- "python_include/fileobject.h",
- "python_include/fileutils.h",
- "python_include/floatobject.h",
- "python_include/frameobject.h",
- "python_include/funcobject.h",
- "python_include/genobject.h",
- "python_include/graminit.h",
- "python_include/grammar.h",
- "python_include/import.h",
- "python_include/intrcheck.h",
- "python_include/iterobject.h",
- "python_include/listobject.h",
- "python_include/longintrepr.h",
- "python_include/longobject.h",
- "python_include/marshal.h",
- "python_include/memoryobject.h",
- "python_include/metagrammar.h",
- "python_include/methodobject.h",
- "python_include/modsupport.h",
- "python_include/moduleobject.h",
- "python_include/namespaceobject.h",
- "python_include/node.h",
- "python_include/object.h",
- "python_include/objimpl.h",
- "python_include/odictobject.h",
- "python_include/opcode.h",
- "python_include/osdefs.h",
- "python_include/osmodule.h",
- "python_include/parsetok.h",
- "python_include/patchlevel.h",
- "python_include/pgen.h",
- "python_include/pgenheaders.h",
- "python_include/py_curses.h",
- "python_include/pyarena.h",
- "python_include/pyatomic.h",
- "python_include/pycapsule.h",
- "python_include/pyconfig.h",
- "python_include/pyctype.h",
- "python_include/pydebug.h",
- "python_include/pydtrace.h",
- "python_include/pyerrors.h",
- "python_include/pyexpat.h",
- "python_include/pyfpe.h",
- "python_include/pygetopt.h",
- "python_include/pyhash.h",
- "python_include/pylifecycle.h",
- "python_include/pymacconfig.h",
- "python_include/pymacro.h",
- "python_include/pymath.h",
- "python_include/pymem.h",
- "python_include/pyport.h",
- "python_include/pystate.h",
- "python_include/pystrcmp.h",
- "python_include/pystrhex.h",
- "python_include/pystrtod.h",
- "python_include/pythonrun.h",
- "python_include/pythread.h",
- "python_include/pytime.h",
- "python_include/rangeobject.h",
- "python_include/setobject.h",
- "python_include/sliceobject.h",
- "python_include/structmember.h",
- "python_include/structseq.h",
- "python_include/symtable.h",
- "python_include/sysmodule.h",
- "python_include/token.h",
- "python_include/traceback.h",
- "python_include/tupleobject.h",
- "python_include/typeslots.h",
- "python_include/ucnhash.h",
- "python_include/unicodeobject.h",
- "python_include/warnings.h",
- "python_include/weakrefobject.h",
- ],
- cmd = """
-cp "/opt/python3.6/include/python3.6m/Python-ast.h" "$(@D)/python_include/Python-ast.h" && cp "/opt/python3.6/include/python3.6m/Python.h" "$(@D)/python_include/Python.h" && cp "/opt/python3.6/include/python3.6m/abstract.h" "$(@D)/python_include/abstract.h" && cp "/opt/python3.6/include/python3.6m/accu.h" "$(@D)/python_include/accu.h" && cp "/opt/python3.6/include/python3.6m/asdl.h" "$(@D)/python_include/asdl.h" && cp "/opt/python3.6/include/python3.6m/ast.h" "$(@D)/python_include/ast.h" && cp "/opt/python3.6/include/python3.6m/bitset.h" "$(@D)/python_include/bitset.h" && cp "/opt/python3.6/include/python3.6m/bltinmodule.h" "$(@D)/python_include/bltinmodule.h" && cp "/opt/python3.6/include/python3.6m/boolobject.h" "$(@D)/python_include/boolobject.h" && cp "/opt/python3.6/include/python3.6m/bytearrayobject.h" "$(@D)/python_include/bytearrayobject.h" && cp "/opt/python3.6/include/python3.6m/bytes_methods.h" "$(@D)/python_include/bytes_methods.h" && cp "/opt/python3.6/include/python3.6m/bytesobject.h" "$(@D)/python_include/bytesobject.h" && cp "/opt/python3.6/include/python3.6m/cellobject.h" "$(@D)/python_include/cellobject.h" && cp "/opt/python3.6/include/python3.6m/ceval.h" "$(@D)/python_include/ceval.h" && cp "/opt/python3.6/include/python3.6m/classobject.h" "$(@D)/python_include/classobject.h" && cp "/opt/python3.6/include/python3.6m/code.h" "$(@D)/python_include/code.h" && cp "/opt/python3.6/include/python3.6m/codecs.h" "$(@D)/python_include/codecs.h" && cp "/opt/python3.6/include/python3.6m/compile.h" "$(@D)/python_include/compile.h" && cp "/opt/python3.6/include/python3.6m/complexobject.h" "$(@D)/python_include/complexobject.h" && cp "/opt/python3.6/include/python3.6m/datetime.h" "$(@D)/python_include/datetime.h" && cp "/opt/python3.6/include/python3.6m/descrobject.h" "$(@D)/python_include/descrobject.h" && cp "/opt/python3.6/include/python3.6m/dictobject.h" "$(@D)/python_include/dictobject.h" && cp "/opt/python3.6/include/python3.6m/dtoa.h" "$(@D)/python_include/dtoa.h" && cp "/opt/python3.6/include/python3.6m/dynamic_annotations.h" "$(@D)/python_include/dynamic_annotations.h" && cp "/opt/python3.6/include/python3.6m/enumobject.h" "$(@D)/python_include/enumobject.h" && cp "/opt/python3.6/include/python3.6m/errcode.h" "$(@D)/python_include/errcode.h" && cp "/opt/python3.6/include/python3.6m/eval.h" "$(@D)/python_include/eval.h" && cp "/opt/python3.6/include/python3.6m/fileobject.h" "$(@D)/python_include/fileobject.h" && cp "/opt/python3.6/include/python3.6m/fileutils.h" "$(@D)/python_include/fileutils.h" && cp "/opt/python3.6/include/python3.6m/floatobject.h" "$(@D)/python_include/floatobject.h" && cp "/opt/python3.6/include/python3.6m/frameobject.h" "$(@D)/python_include/frameobject.h" && cp "/opt/python3.6/include/python3.6m/funcobject.h" "$(@D)/python_include/funcobject.h" && cp "/opt/python3.6/include/python3.6m/genobject.h" "$(@D)/python_include/genobject.h" && cp "/opt/python3.6/include/python3.6m/graminit.h" "$(@D)/python_include/graminit.h" && cp "/opt/python3.6/include/python3.6m/grammar.h" "$(@D)/python_include/grammar.h" && cp "/opt/python3.6/include/python3.6m/import.h" "$(@D)/python_include/import.h" && cp "/opt/python3.6/include/python3.6m/intrcheck.h" "$(@D)/python_include/intrcheck.h" && cp "/opt/python3.6/include/python3.6m/iterobject.h" "$(@D)/python_include/iterobject.h" && cp "/opt/python3.6/include/python3.6m/listobject.h" "$(@D)/python_include/listobject.h" && cp "/opt/python3.6/include/python3.6m/longintrepr.h" "$(@D)/python_include/longintrepr.h" && cp "/opt/python3.6/include/python3.6m/longobject.h" "$(@D)/python_include/longobject.h" && cp "/opt/python3.6/include/python3.6m/marshal.h" "$(@D)/python_include/marshal.h" && cp "/opt/python3.6/include/python3.6m/memoryobject.h" "$(@D)/python_include/memoryobject.h" && cp "/opt/python3.6/include/python3.6m/metagrammar.h" "$(@D)/python_include/metagrammar.h" && cp "/opt/python3.6/include/python3.6m/methodobject.h" "$(@D)/python_include/methodobject.h" && cp "/opt/python3.6/include/python3.6m/modsupport.h" "$(@D)/python_include/modsupport.h" && cp "/opt/python3.6/include/python3.6m/moduleobject.h" "$(@D)/python_include/moduleobject.h" && cp "/opt/python3.6/include/python3.6m/namespaceobject.h" "$(@D)/python_include/namespaceobject.h" && cp "/opt/python3.6/include/python3.6m/node.h" "$(@D)/python_include/node.h" && cp "/opt/python3.6/include/python3.6m/object.h" "$(@D)/python_include/object.h" && cp "/opt/python3.6/include/python3.6m/objimpl.h" "$(@D)/python_include/objimpl.h" && cp "/opt/python3.6/include/python3.6m/odictobject.h" "$(@D)/python_include/odictobject.h" && cp "/opt/python3.6/include/python3.6m/opcode.h" "$(@D)/python_include/opcode.h" && cp "/opt/python3.6/include/python3.6m/osdefs.h" "$(@D)/python_include/osdefs.h" && cp "/opt/python3.6/include/python3.6m/osmodule.h" "$(@D)/python_include/osmodule.h" && cp "/opt/python3.6/include/python3.6m/parsetok.h" "$(@D)/python_include/parsetok.h" && cp "/opt/python3.6/include/python3.6m/patchlevel.h" "$(@D)/python_include/patchlevel.h" && cp "/opt/python3.6/include/python3.6m/pgen.h" "$(@D)/python_include/pgen.h" && cp "/opt/python3.6/include/python3.6m/pgenheaders.h" "$(@D)/python_include/pgenheaders.h" && cp "/opt/python3.6/include/python3.6m/py_curses.h" "$(@D)/python_include/py_curses.h" && cp "/opt/python3.6/include/python3.6m/pyarena.h" "$(@D)/python_include/pyarena.h" && cp "/opt/python3.6/include/python3.6m/pyatomic.h" "$(@D)/python_include/pyatomic.h" && cp "/opt/python3.6/include/python3.6m/pycapsule.h" "$(@D)/python_include/pycapsule.h" && cp "/opt/python3.6/include/python3.6m/pyconfig.h" "$(@D)/python_include/pyconfig.h" && cp "/opt/python3.6/include/python3.6m/pyctype.h" "$(@D)/python_include/pyctype.h" && cp "/opt/python3.6/include/python3.6m/pydebug.h" "$(@D)/python_include/pydebug.h" && cp "/opt/python3.6/include/python3.6m/pydtrace.h" "$(@D)/python_include/pydtrace.h" && cp "/opt/python3.6/include/python3.6m/pyerrors.h" "$(@D)/python_include/pyerrors.h" && cp "/opt/python3.6/include/python3.6m/pyexpat.h" "$(@D)/python_include/pyexpat.h" && cp "/opt/python3.6/include/python3.6m/pyfpe.h" "$(@D)/python_include/pyfpe.h" && cp "/opt/python3.6/include/python3.6m/pygetopt.h" "$(@D)/python_include/pygetopt.h" && cp "/opt/python3.6/include/python3.6m/pyhash.h" "$(@D)/python_include/pyhash.h" && cp "/opt/python3.6/include/python3.6m/pylifecycle.h" "$(@D)/python_include/pylifecycle.h" && cp "/opt/python3.6/include/python3.6m/pymacconfig.h" "$(@D)/python_include/pymacconfig.h" && cp "/opt/python3.6/include/python3.6m/pymacro.h" "$(@D)/python_include/pymacro.h" && cp "/opt/python3.6/include/python3.6m/pymath.h" "$(@D)/python_include/pymath.h" && cp "/opt/python3.6/include/python3.6m/pymem.h" "$(@D)/python_include/pymem.h" && cp "/opt/python3.6/include/python3.6m/pyport.h" "$(@D)/python_include/pyport.h" && cp "/opt/python3.6/include/python3.6m/pystate.h" "$(@D)/python_include/pystate.h" && cp "/opt/python3.6/include/python3.6m/pystrcmp.h" "$(@D)/python_include/pystrcmp.h" && cp "/opt/python3.6/include/python3.6m/pystrhex.h" "$(@D)/python_include/pystrhex.h" && cp "/opt/python3.6/include/python3.6m/pystrtod.h" "$(@D)/python_include/pystrtod.h" && cp "/opt/python3.6/include/python3.6m/pythonrun.h" "$(@D)/python_include/pythonrun.h" && cp "/opt/python3.6/include/python3.6m/pythread.h" "$(@D)/python_include/pythread.h" && cp "/opt/python3.6/include/python3.6m/pytime.h" "$(@D)/python_include/pytime.h" && cp "/opt/python3.6/include/python3.6m/rangeobject.h" "$(@D)/python_include/rangeobject.h" && cp "/opt/python3.6/include/python3.6m/setobject.h" "$(@D)/python_include/setobject.h" && cp "/opt/python3.6/include/python3.6m/sliceobject.h" "$(@D)/python_include/sliceobject.h" && cp "/opt/python3.6/include/python3.6m/structmember.h" "$(@D)/python_include/structmember.h" && cp "/opt/python3.6/include/python3.6m/structseq.h" "$(@D)/python_include/structseq.h" && cp "/opt/python3.6/include/python3.6m/symtable.h" "$(@D)/python_include/symtable.h" && cp "/opt/python3.6/include/python3.6m/sysmodule.h" "$(@D)/python_include/sysmodule.h" && cp "/opt/python3.6/include/python3.6m/token.h" "$(@D)/python_include/token.h" && cp "/opt/python3.6/include/python3.6m/traceback.h" "$(@D)/python_include/traceback.h" && cp "/opt/python3.6/include/python3.6m/tupleobject.h" "$(@D)/python_include/tupleobject.h" && cp "/opt/python3.6/include/python3.6m/typeslots.h" "$(@D)/python_include/typeslots.h" && cp "/opt/python3.6/include/python3.6m/ucnhash.h" "$(@D)/python_include/ucnhash.h" && cp "/opt/python3.6/include/python3.6m/unicodeobject.h" "$(@D)/python_include/unicodeobject.h" && cp "/opt/python3.6/include/python3.6m/warnings.h" "$(@D)/python_include/warnings.h" && cp "/opt/python3.6/include/python3.6m/weakrefobject.h" "$(@D)/python_include/weakrefobject.h"
- """,
-)
-
-genrule(
- name = "numpy_include",
- outs = [
- "numpy_include/numpy/__multiarray_api.h",
- "numpy_include/numpy/__ufunc_api.h",
- "numpy_include/numpy/_neighborhood_iterator_imp.h",
- "numpy_include/numpy/_numpyconfig.h",
- "numpy_include/numpy/arrayobject.h",
- "numpy_include/numpy/arrayscalars.h",
- "numpy_include/numpy/halffloat.h",
- "numpy_include/numpy/multiarray_api.txt",
- "numpy_include/numpy/ndarrayobject.h",
- "numpy_include/numpy/ndarraytypes.h",
- "numpy_include/numpy/noprefix.h",
- "numpy_include/numpy/npy_1_7_deprecated_api.h",
- "numpy_include/numpy/npy_3kcompat.h",
- "numpy_include/numpy/npy_common.h",
- "numpy_include/numpy/npy_cpu.h",
- "numpy_include/numpy/npy_endian.h",
- "numpy_include/numpy/npy_interrupt.h",
- "numpy_include/numpy/npy_math.h",
- "numpy_include/numpy/npy_no_deprecated_api.h",
- "numpy_include/numpy/npy_os.h",
- "numpy_include/numpy/numpyconfig.h",
- "numpy_include/numpy/old_defines.h",
- "numpy_include/numpy/oldnumeric.h",
- "numpy_include/numpy/ufunc_api.txt",
- "numpy_include/numpy/ufuncobject.h",
- "numpy_include/numpy/utils.h",
- ],
- cmd = """
-cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/__multiarray_api.h" "$(@D)/numpy_include/numpy/__multiarray_api.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/__ufunc_api.h" "$(@D)/numpy_include/numpy/__ufunc_api.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/_neighborhood_iterator_imp.h" "$(@D)/numpy_include/numpy/_neighborhood_iterator_imp.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/_numpyconfig.h" "$(@D)/numpy_include/numpy/_numpyconfig.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/arrayobject.h" "$(@D)/numpy_include/numpy/arrayobject.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/arrayscalars.h" "$(@D)/numpy_include/numpy/arrayscalars.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/halffloat.h" "$(@D)/numpy_include/numpy/halffloat.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/multiarray_api.txt" "$(@D)/numpy_include/numpy/multiarray_api.txt" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/ndarrayobject.h" "$(@D)/numpy_include/numpy/ndarrayobject.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/ndarraytypes.h" "$(@D)/numpy_include/numpy/ndarraytypes.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/noprefix.h" "$(@D)/numpy_include/numpy/noprefix.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_1_7_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_1_7_deprecated_api.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_3kcompat.h" "$(@D)/numpy_include/numpy/npy_3kcompat.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_common.h" "$(@D)/numpy_include/numpy/npy_common.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_cpu.h" "$(@D)/numpy_include/numpy/npy_cpu.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_endian.h" "$(@D)/numpy_include/numpy/npy_endian.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_interrupt.h" "$(@D)/numpy_include/numpy/npy_interrupt.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_math.h" "$(@D)/numpy_include/numpy/npy_math.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_no_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_no_deprecated_api.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/npy_os.h" "$(@D)/numpy_include/numpy/npy_os.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/numpyconfig.h" "$(@D)/numpy_include/numpy/numpyconfig.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/old_defines.h" "$(@D)/numpy_include/numpy/old_defines.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/oldnumeric.h" "$(@D)/numpy_include/numpy/oldnumeric.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/ufunc_api.txt" "$(@D)/numpy_include/numpy/ufunc_api.txt" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/ufuncobject.h" "$(@D)/numpy_include/numpy/ufuncobject.h" && cp "/opt/python3.6/lib/python3.6/site-packages/numpy/core/include/numpy/utils.h" "$(@D)/numpy_include/numpy/utils.h"
- """,
-)
diff --git a/third_party/toolchains/gpus/crosstool/BUILD b/third_party/toolchains/gpus/crosstool/BUILD
deleted file mode 100644
index bb0b6b3..0000000
--- a/third_party/toolchains/gpus/crosstool/BUILD
+++ /dev/null
@@ -1,77 +0,0 @@
-# A build file to configure cc toolchain for GPU build used with Bazel remote
-# execution service
-# DO NOT EDIT: automatically generated BUILD file
-
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "local|compiler": ":cc-compiler-local",
- "darwin|compiler": ":cc-compiler-darwin",
- "x64_windows|msvc-cl": ":cc-compiler-windows",
- },
-)
-
-cc_toolchain(
- name = "cc-compiler-local",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- # To support linker flags that need to go to the start of command line
- # we need the toolchain to support parameter files. Parameter files are
- # last on the command line and contain all shared libraries to link, so all
- # regular options will be left of them.
- supports_param_files = 1,
-)
-
-cc_toolchain(
- name = "cc-compiler-darwin",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "darwin",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 0,
-)
-
-cc_toolchain(
- name = "cc-compiler-windows",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "x64_windows",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
-
-filegroup(
- name = "crosstool_wrapper_driver_is_not_gcc",
- srcs = ["clang/bin/crosstool_wrapper_driver_is_not_gcc"],
-)
-
-filegroup(
- name = "windows_msvc_wrapper_files",
- srcs = glob(["windows/msvc_*"]),
-)
diff --git a/third_party/toolchains/gpus/crosstool/CROSSTOOL b/third_party/toolchains/gpus/crosstool/CROSSTOOL
deleted file mode 100644
index b8eeb31..0000000
--- a/third_party/toolchains/gpus/crosstool/CROSSTOOL
+++ /dev/null
@@ -1,1432 +0,0 @@
-# A crosstool configuration for GPU build used with Bazel remote
-# execution service
-# DO NOT EDIT: automatically generated file
-
-major_version: "local"
-minor_version: ""
-default_target_cpu: "same_as_host"
-
-default_toolchain {
- cpu: "k8"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "piii"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "arm"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "darwin"
- toolchain_identifier: "local_darwin"
-}
-default_toolchain {
- cpu: "ppc"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "x64_windows"
- toolchain_identifier: "local_windows"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_linux"
-
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lstdc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- feature {
- name: "alwayslink"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,-no-as-needed"
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
-
- # Some parts of the codebase set -Werror and hit this warning, so
- # switch it off for now.
- flag: "-Wno-invalid-partial-specialization"
-
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "build-id"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- # Stamp the binary with a unique identifier.
- flag: "-Wl,--build-id=md5"
- flag: "-Wl,--hash-style=gnu"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag:"-no-canonical-prefixes"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-B/usr/bin/"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "alwayslink"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "build-id"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,--gc-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "/usr/local/bin/clang" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
- cxx_builtin_include_directory: "/usr/include/c++/5.4.0"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu/c++/5.4.0"
- cxx_builtin_include_directory: "/usr/include/c++/5.4.0/backward"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/local/lib/clang/7.0.0/include"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu"
- cxx_builtin_include_directory: "/usr/include"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "macosx"
- target_cpu: "darwin"
- target_system_name: "local"
- toolchain_identifier: "local_darwin"
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
-
- # Some parts of the codebase set -Werror and hit this warning, so
- # switch it off for now.
- flag: "-Wno-invalid-partial-specialization"
-
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag:"-no-canonical-prefixes"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-B/usr/bin/"
- }
- }
- }
-
- feature {
- name: "undefined-dynamic"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-undefined"
- flag: "dynamic_lookup"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- implies: "undefined-dynamic"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "/usr/local/bin/clang" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/libtool" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
- cxx_builtin_include_directory: "/usr/include/c++/5.4.0"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu/c++/5.4.0"
- cxx_builtin_include_directory: "/usr/include/c++/5.4.0/backward"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/local/lib/clang/7.0.0/include"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu"
- cxx_builtin_include_directory: "/usr/include"
-}
-
-toolchain {
- toolchain_identifier: "local_windows"
- host_system_name: "local"
- target_system_name: "local"
-
- abi_version: "local"
- abi_libc_version: "local"
- target_cpu: "x64_windows"
- compiler: "msvc-cl"
- target_libc: "msvcrt"
-
-
-
- tool_path {
- name: "ar"
- path: ""
- }
- tool_path {
- name: "ml"
- path: ""
- }
- tool_path {
- name: "cpp"
- path: ""
- }
- tool_path {
- name: "gcc"
- path: ""
- }
- tool_path {
- name: "gcov"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "ld"
- path: ""
- }
- tool_path {
- name: "nm"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objcopy"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objdump"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "strip"
- path: "wrapper/bin/msvc_nop.bat"
- }
- supports_interface_shared_objects: true
-
- # TODO(pcloudy): Review those flags below, they should be defined by cl.exe
- compiler_flag: "/DCOMPILER_MSVC"
-
- # Don't define min/max macros in windows.h.
- compiler_flag: "/DNOMINMAX"
-
- # Platform defines.
- compiler_flag: "/D_WIN32_WINNT=0x0600"
- # Turn off warning messages.
- compiler_flag: "/D_CRT_SECURE_NO_DEPRECATE"
- compiler_flag: "/D_CRT_SECURE_NO_WARNINGS"
- compiler_flag: "/D_SILENCE_STDEXT_HASH_DEPRECATION_WARNINGS"
-
- # Useful options to have on for compilation.
- # Increase the capacity of object files to 2^32 sections.
- compiler_flag: "/bigobj"
- # Allocate 500MB for precomputed headers.
- compiler_flag: "/Zm500"
- # Use unsigned char by default.
- compiler_flag: "/J"
- # Use function level linking.
- compiler_flag: "/Gy"
- # Use string pooling.
- compiler_flag: "/GF"
- # Catch C++ exceptions only and tell the compiler to assume that functions declared
- # as extern "C" never throw a C++ exception.
- compiler_flag: "/EHsc"
-
- # Globally disabled warnings.
- # Don't warn about elements of array being be default initialized.
- compiler_flag: "/wd4351"
- # Don't warn about no matching delete found.
- compiler_flag: "/wd4291"
- # Don't warn about diamond inheritance patterns.
- compiler_flag: "/wd4250"
- # Don't warn about insecure functions (e.g. non _s functions).
- compiler_flag: "/wd4996"
-
- linker_flag: "/MACHINE:X64"
-
- feature {
- name: "no_legacy_features"
- }
-
- # Suppress startup banner.
- feature {
- name: "nologo"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- flag_group {
- flag: "/nologo"
- }
- }
- }
-
- feature {
- name: 'has_configured_linker_path'
- }
-
- # This feature indicates strip is not supported, building stripped binary will just result a copy of orignial binary
- feature {
- name: 'no_stripping'
- }
-
- # This feature indicates this is a toolchain targeting Windows.
- feature {
- name: 'targets_windows'
- implies: 'copy_dynamic_libraries_to_binary'
- enabled: true
- }
-
- feature {
- name: 'copy_dynamic_libraries_to_binary'
- }
-
- action_config {
- config_name: 'assemble'
- action_name: 'assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'preprocess-assemble'
- action_name: 'preprocess-assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'c-compile'
- action_name: 'c-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-compile'
- action_name: 'c++-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-link-executable'
- action_name: 'c++-link-executable'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- }
-
- action_config {
- config_name: 'c++-link-dynamic-library'
- action_name: 'c++-link-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-nodeps-dynamic-library'
- action_name: 'c++-link-nodeps-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-static-library'
- action_name: 'c++-link-static-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'archiver_flags'
- implies: 'input_param_flags'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- }
-
- # TODO(b/65151735): Remove legacy_compile_flags feature when legacy fields are
- # not used in this crosstool
- feature {
- name: 'legacy_compile_flags'
- flag_set {
- expand_if_all_available: 'legacy_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'legacy_compile_flags'
- flag: '%{legacy_compile_flags}'
- }
- }
- }
-
- feature {
- name: "msvc_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "PATH"
- value: ""
- }
- env_entry {
- key: "INCLUDE"
- value: ""
- }
- env_entry {
- key: "LIB"
- value: ""
- }
- env_entry {
- key: "TMP"
- value: ""
- }
- env_entry {
- key: "TEMP"
- value: ""
- }
- }
- }
-
- feature {
- name: 'include_paths'
- flag_set {
- action: "assemble"
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- flag_group {
- iterate_over: 'quote_include_paths'
- flag: '/I%{quote_include_paths}'
- }
- flag_group {
- iterate_over: 'include_paths'
- flag: '/I%{include_paths}'
- }
- flag_group {
- iterate_over: 'system_include_paths'
- flag: '/I%{system_include_paths}'
- }
- }
- }
-
- feature {
- name: "preprocessor_defines"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-module-compile"
- flag_group {
- flag: "/D%{preprocessor_defines}"
- iterate_over: "preprocessor_defines"
- }
- }
- }
-
- # Tell Bazel to parse the output of /showIncludes
- feature {
- name: 'parse_showincludes'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-module-compile'
- action: 'c++-header-parsing'
- flag_group {
- flag: "/showIncludes"
- }
- }
- }
-
-
- feature {
- name: 'generate_pdb_file'
- requires: {
- feature: 'dbg'
- }
- requires: {
- feature: 'fastbuild'
- }
- }
-
- feature {
- name: 'shared_flag'
- flag_set {
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/DLL'
- }
- }
- }
-
- feature {
- name: 'linkstamps'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- expand_if_all_available: 'linkstamp_paths'
- flag_group {
- iterate_over: 'linkstamp_paths'
- flag: '%{linkstamp_paths}'
- }
- }
- }
-
- feature {
- name: 'output_execpath_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'archiver_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-static-library'
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'input_param_flags'
- flag_set {
- expand_if_all_available: 'interface_library_output_path'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/IMPLIB:%{interface_library_output_path}"
- }
- }
- flag_set {
- expand_if_all_available: 'libopts'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'libopts'
- flag: '%{libopts}'
- }
- }
- flag_set {
- expand_if_all_available: 'libraries_to_link'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- iterate_over: 'libraries_to_link'
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file_group'
- }
- iterate_over: 'libraries_to_link.object_files'
- flag_group {
- flag: '%{libraries_to_link.object_files}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'interface_library'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'static_library'
- }
- flag_group {
- expand_if_false: 'libraries_to_link.is_whole_archive'
- flag: '%{libraries_to_link.name}'
- }
- flag_group {
- expand_if_true: 'libraries_to_link.is_whole_archive'
- flag: '/WHOLEARCHIVE:%{libraries_to_link.name}'
- }
- }
- }
- }
- }
-
- # Since this feature is declared earlier in the CROSSTOOL than
- # "user_link_flags", this feature will be applied prior to it anwyhere they
- # are both implied. And since "user_link_flags" contains the linkopts from
- # the build rule, this allows the user to override the /SUBSYSTEM in the BUILD
- # file.
- feature {
- name: 'linker_subsystem_flag'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/SUBSYSTEM:CONSOLE'
- }
- }
- }
-
- # The "user_link_flags" contains user-defined linkopts (from build rules)
- # so it should be defined after features that declare user-overridable flags.
- # For example the "linker_subsystem_flag" defines a default "/SUBSYSTEM" flag
- # but we want to let the user override it, therefore "link_flag_subsystem" is
- # defined earlier in the CROSSTOOL file than "user_link_flags".
- feature {
- name: 'user_link_flags'
- flag_set {
- expand_if_all_available: 'user_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'user_link_flags'
- flag: '%{user_link_flags}'
- }
- }
- }
- feature {
- name: 'legacy_link_flags'
- flag_set {
- expand_if_all_available: 'legacy_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'legacy_link_flags'
- flag: '%{legacy_link_flags}'
- }
- }
- }
-
- feature {
- name: 'linker_param_file'
- flag_set {
- expand_if_all_available: 'linker_param_file'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- flag: '@%{linker_param_file}'
- }
- }
- }
-
- feature {
- name: 'static_link_msvcrt'
- }
-
- feature {
- name: 'static_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MT"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MD"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'static_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MTd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MDd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dbg'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FULL"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'fastbuild'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FASTLINK"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'opt'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/O2"
- flag: "/DNDEBUG"
- }
- }
- }
-
- feature {
- name: 'user_compile_flags'
- flag_set {
- expand_if_all_available: 'user_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'user_compile_flags'
- flag: '%{user_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'sysroot'
- flag_set {
- expand_if_all_available: 'sysroot'
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'sysroot'
- flag: '--sysroot=%{sysroot}'
- }
- }
- }
-
- feature {
- name: 'unfiltered_compile_flags'
- flag_set {
- expand_if_all_available: 'unfiltered_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'unfiltered_compile_flags'
- flag: '%{unfiltered_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'compiler_output_flags'
- flag_set {
- action: 'assemble'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- flag: '/Zi'
- }
- }
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_assembly_file'
- flag: '/Fa%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_preprocess_file'
- flag: '/P'
- flag: '/Fi%{output_file}'
- }
- }
- }
-
- feature {
- name: 'compiler_input_flags'
- flag_set {
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'source_file'
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- }
-
- feature {
- name : 'def_file',
- flag_set {
- expand_if_all_available: 'def_file_path'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEF:%{def_file_path}"
- # We can specify a different DLL name in DEF file, /ignore:4070 suppresses
- # the warning message about DLL name doesn't match the default one.
- # See https://msdn.microsoft.com/en-us/library/sfkk2fz7.aspx
- flag: "/ignore:4070"
- }
- }
- }
-
- feature {
- name: 'windows_export_all_symbols'
- }
-
- feature {
- name: 'no_windows_export_all_symbols'
- }
-
- linking_mode_flags { mode: DYNAMIC }
-}
\ No newline at end of file
diff --git a/third_party/toolchains/gpus/cuda/BUILD b/third_party/toolchains/gpus/cuda/BUILD
deleted file mode 100644
index 8bb22c0..0000000
--- a/third_party/toolchains/gpus/cuda/BUILD
+++ /dev/null
@@ -1,1268 +0,0 @@
-# A build file to configure cuda remote repository used with Bazel remote
-# execution service
-# DO NOT EDIT: automatically generated BUILD file
-
-licenses(["restricted"]) # MPL2, portions GPL v3, LGPL v3, BSD-like
-
-package(default_visibility = ["//visibility:public"])
-
-config_setting(
- name = "using_nvcc",
- values = {
- "define": "using_cuda_nvcc=true",
- },
-)
-
-config_setting(
- name = "using_clang",
- values = {
- "define": "using_cuda_clang=true",
- },
-)
-
-# Equivalent to using_clang && -c opt.
-config_setting(
- name = "using_clang_opt",
- values = {
- "define": "using_cuda_clang=true",
- "compilation_mode": "opt",
- },
-)
-
-config_setting(
- name = "darwin",
- values = {"cpu": "darwin"},
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "freebsd",
- values = {"cpu": "freebsd"},
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_headers",
- hdrs = [
- "cuda/cuda_config.h",
- ":cuda-include",
- ":cudnn-include",
- ],
- includes = [
- ".",
- "cuda/include",
- "cuda/include/crt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudart_static",
- srcs = ["cuda/lib/libcudart_static.a"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkopts = select({
- ":freebsd": [],
- "//conditions:default": ["-ldl"],
- }) + [
- "-lpthread",
- "-lrt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_driver",
- srcs = ["cuda/lib/libcuda.so"],
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudart",
- srcs = ["cuda/lib/libcudart.so.10.0"],
- data = ["cuda/lib/libcudart.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cublas",
- srcs = ["cuda/lib/libcublas.so.10.0"],
- data = ["cuda/lib/libcublas.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cusolver",
- srcs = ["cuda/lib/libcusolver.so.10.0"],
- data = ["cuda/lib/libcusolver.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkopts = ["-lgomp"],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn",
- srcs = ["cuda/lib/libcudnn.so.7"],
- data = ["cuda/lib/libcudnn.so.7"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn_header",
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cufft",
- srcs = ["cuda/lib/libcufft.so.10.0"],
- data = ["cuda/lib/libcufft.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "curand",
- srcs = ["cuda/lib/libcurand.so.10.0"],
- data = ["cuda/lib/libcurand.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda",
- visibility = ["//visibility:public"],
- deps = [
- ":cublas",
- ":cuda_headers",
- ":cudart",
- ":cudnn",
- ":cufft",
- ":curand",
- ],
-)
-
-cc_library(
- name = "cupti_headers",
- hdrs = [
- "cuda/cuda_config.h",
- ":cuda-extras",
- ],
- includes = [
- ".",
- "cuda/extras/CUPTI/include/",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cupti_dsos",
- data = ["cuda/lib/libcupti.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "libdevice_root",
- data = [":cuda-nvvm"],
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "cuda-include",
- outs = [
- "cuda/include/CL/cl.h",
- "cuda/include/CL/cl.hpp",
- "cuda/include/CL/cl_egl.h",
- "cuda/include/CL/cl_ext.h",
- "cuda/include/CL/cl_gl.h",
- "cuda/include/CL/cl_gl_ext.h",
- "cuda/include/CL/cl_platform.h",
- "cuda/include/CL/opencl.h",
- "cuda/include/builtin_types.h",
- "cuda/include/channel_descriptor.h",
- "cuda/include/common_functions.h",
- "cuda/include/cooperative_groups.h",
- "cuda/include/cooperative_groups_helpers.h",
- "cuda/include/crt/common_functions.h",
- "cuda/include/crt/device_double_functions.h",
- "cuda/include/crt/device_double_functions.hpp",
- "cuda/include/crt/device_functions.h",
- "cuda/include/crt/device_functions.hpp",
- "cuda/include/crt/func_macro.h",
- "cuda/include/crt/host_config.h",
- "cuda/include/crt/host_defines.h",
- "cuda/include/crt/host_runtime.h",
- "cuda/include/crt/math_functions.h",
- "cuda/include/crt/math_functions.hpp",
- "cuda/include/crt/mma.h",
- "cuda/include/crt/mma.hpp",
- "cuda/include/crt/nvfunctional",
- "cuda/include/crt/sm_70_rt.h",
- "cuda/include/crt/sm_70_rt.hpp",
- "cuda/include/crt/storage_class.h",
- "cuda/include/cuComplex.h",
- "cuda/include/cublas.h",
- "cuda/include/cublasXt.h",
- "cuda/include/cublas_api.h",
- "cuda/include/cublas_v2.h",
- "cuda/include/cuda.h",
- "cuda/include/cudaEGL.h",
- "cuda/include/cudaGL.h",
- "cuda/include/cudaProfiler.h",
- "cuda/include/cudaVDPAU.h",
- "cuda/include/cuda_device_runtime_api.h",
- "cuda/include/cuda_fp16.h",
- "cuda/include/cuda_fp16.hpp",
- "cuda/include/cuda_gl_interop.h",
- "cuda/include/cuda_occupancy.h",
- "cuda/include/cuda_profiler_api.h",
- "cuda/include/cuda_runtime.h",
- "cuda/include/cuda_runtime_api.h",
- "cuda/include/cuda_surface_types.h",
- "cuda/include/cuda_texture_types.h",
- "cuda/include/cuda_vdpau_interop.h",
- "cuda/include/cudalibxt.h",
- "cuda/include/cudnn.h",
- "cuda/include/cufft.h",
- "cuda/include/cufftXt.h",
- "cuda/include/cufftw.h",
- "cuda/include/curand.h",
- "cuda/include/curand_discrete.h",
- "cuda/include/curand_discrete2.h",
- "cuda/include/curand_globals.h",
- "cuda/include/curand_kernel.h",
- "cuda/include/curand_lognormal.h",
- "cuda/include/curand_mrg32k3a.h",
- "cuda/include/curand_mtgp32.h",
- "cuda/include/curand_mtgp32_host.h",
- "cuda/include/curand_mtgp32_kernel.h",
- "cuda/include/curand_mtgp32dc_p_11213.h",
- "cuda/include/curand_normal.h",
- "cuda/include/curand_normal_static.h",
- "cuda/include/curand_philox4x32_x.h",
- "cuda/include/curand_poisson.h",
- "cuda/include/curand_precalc.h",
- "cuda/include/curand_uniform.h",
- "cuda/include/cusolverDn.h",
- "cuda/include/cusolverRf.h",
- "cuda/include/cusolverSp.h",
- "cuda/include/cusolverSp_LOWLEVEL_PREVIEW.h",
- "cuda/include/cusolver_common.h",
- "cuda/include/cusparse.h",
- "cuda/include/cusparse_v2.h",
- "cuda/include/device_atomic_functions.h",
- "cuda/include/device_atomic_functions.hpp",
- "cuda/include/device_double_functions.h",
- "cuda/include/device_double_functions.hpp",
- "cuda/include/device_functions.h",
- "cuda/include/device_functions.hpp",
- "cuda/include/device_functions_decls.h",
- "cuda/include/device_launch_parameters.h",
- "cuda/include/device_types.h",
- "cuda/include/driver_functions.h",
- "cuda/include/driver_types.h",
- "cuda/include/dynlink_cuda.h",
- "cuda/include/dynlink_cuda_cuda.h",
- "cuda/include/dynlink_cuviddec.h",
- "cuda/include/dynlink_nvcuvid.h",
- "cuda/include/fatBinaryCtl.h",
- "cuda/include/fatbinary.h",
- "cuda/include/host_config.h",
- "cuda/include/host_defines.h",
- "cuda/include/library_types.h",
- "cuda/include/math_constants.h",
- "cuda/include/math_functions.h",
- "cuda/include/math_functions.hpp",
- "cuda/include/math_functions_dbl_ptx3.h",
- "cuda/include/math_functions_dbl_ptx3.hpp",
- "cuda/include/mma.h",
- "cuda/include/npp.h",
- "cuda/include/nppcore.h",
- "cuda/include/nppdefs.h",
- "cuda/include/nppi.h",
- "cuda/include/nppi_arithmetic_and_logical_operations.h",
- "cuda/include/nppi_color_conversion.h",
- "cuda/include/nppi_compression_functions.h",
- "cuda/include/nppi_computer_vision.h",
- "cuda/include/nppi_data_exchange_and_initialization.h",
- "cuda/include/nppi_filtering_functions.h",
- "cuda/include/nppi_geometry_transforms.h",
- "cuda/include/nppi_linear_transforms.h",
- "cuda/include/nppi_morphological_operations.h",
- "cuda/include/nppi_statistics_functions.h",
- "cuda/include/nppi_support_functions.h",
- "cuda/include/nppi_threshold_and_compare_operations.h",
- "cuda/include/npps.h",
- "cuda/include/npps_arithmetic_and_logical_operations.h",
- "cuda/include/npps_conversion_functions.h",
- "cuda/include/npps_filtering_functions.h",
- "cuda/include/npps_initialization.h",
- "cuda/include/npps_statistics_functions.h",
- "cuda/include/npps_support_functions.h",
- "cuda/include/nppversion.h",
- "cuda/include/nvToolsExt.h",
- "cuda/include/nvToolsExtCuda.h",
- "cuda/include/nvToolsExtCudaRt.h",
- "cuda/include/nvToolsExtMeta.h",
- "cuda/include/nvToolsExtSync.h",
- "cuda/include/nvblas.h",
- "cuda/include/nvfunctional",
- "cuda/include/nvgraph.h",
- "cuda/include/nvml.h",
- "cuda/include/nvrtc.h",
- "cuda/include/sm_20_atomic_functions.h",
- "cuda/include/sm_20_atomic_functions.hpp",
- "cuda/include/sm_20_intrinsics.h",
- "cuda/include/sm_20_intrinsics.hpp",
- "cuda/include/sm_30_intrinsics.h",
- "cuda/include/sm_30_intrinsics.hpp",
- "cuda/include/sm_32_atomic_functions.h",
- "cuda/include/sm_32_atomic_functions.hpp",
- "cuda/include/sm_32_intrinsics.h",
- "cuda/include/sm_32_intrinsics.hpp",
- "cuda/include/sm_35_atomic_functions.h",
- "cuda/include/sm_35_intrinsics.h",
- "cuda/include/sm_60_atomic_functions.h",
- "cuda/include/sm_60_atomic_functions.hpp",
- "cuda/include/sm_61_intrinsics.h",
- "cuda/include/sm_61_intrinsics.hpp",
- "cuda/include/sobol_direction_vectors.h",
- "cuda/include/surface_functions.h",
- "cuda/include/surface_functions.hpp",
- "cuda/include/surface_indirect_functions.h",
- "cuda/include/surface_indirect_functions.hpp",
- "cuda/include/surface_types.h",
- "cuda/include/texture_fetch_functions.h",
- "cuda/include/texture_fetch_functions.hpp",
- "cuda/include/texture_indirect_functions.h",
- "cuda/include/texture_indirect_functions.hpp",
- "cuda/include/texture_types.h",
- "cuda/include/thrust/adjacent_difference.h",
- "cuda/include/thrust/advance.h",
- "cuda/include/thrust/binary_search.h",
- "cuda/include/thrust/complex.h",
- "cuda/include/thrust/copy.h",
- "cuda/include/thrust/count.h",
- "cuda/include/thrust/detail/adjacent_difference.inl",
- "cuda/include/thrust/detail/advance.inl",
- "cuda/include/thrust/detail/allocator/allocator_traits.h",
- "cuda/include/thrust/detail/allocator/allocator_traits.inl",
- "cuda/include/thrust/detail/allocator/copy_construct_range.h",
- "cuda/include/thrust/detail/allocator/copy_construct_range.inl",
- "cuda/include/thrust/detail/allocator/default_construct_range.h",
- "cuda/include/thrust/detail/allocator/default_construct_range.inl",
- "cuda/include/thrust/detail/allocator/destroy_range.h",
- "cuda/include/thrust/detail/allocator/destroy_range.inl",
- "cuda/include/thrust/detail/allocator/fill_construct_range.h",
- "cuda/include/thrust/detail/allocator/fill_construct_range.inl",
- "cuda/include/thrust/detail/allocator/malloc_allocator.h",
- "cuda/include/thrust/detail/allocator/malloc_allocator.inl",
- "cuda/include/thrust/detail/allocator/no_throw_allocator.h",
- "cuda/include/thrust/detail/allocator/tagged_allocator.h",
- "cuda/include/thrust/detail/allocator/tagged_allocator.inl",
- "cuda/include/thrust/detail/allocator/temporary_allocator.h",
- "cuda/include/thrust/detail/allocator/temporary_allocator.inl",
- "cuda/include/thrust/detail/binary_search.inl",
- "cuda/include/thrust/detail/complex/arithmetic.h",
- "cuda/include/thrust/detail/complex/c99math.h",
- "cuda/include/thrust/detail/complex/catrig.h",
- "cuda/include/thrust/detail/complex/catrigf.h",
- "cuda/include/thrust/detail/complex/ccosh.h",
- "cuda/include/thrust/detail/complex/ccoshf.h",
- "cuda/include/thrust/detail/complex/cexp.h",
- "cuda/include/thrust/detail/complex/cexpf.h",
- "cuda/include/thrust/detail/complex/clog.h",
- "cuda/include/thrust/detail/complex/clogf.h",
- "cuda/include/thrust/detail/complex/complex.inl",
- "cuda/include/thrust/detail/complex/cpow.h",
- "cuda/include/thrust/detail/complex/cpowf.h",
- "cuda/include/thrust/detail/complex/cproj.h",
- "cuda/include/thrust/detail/complex/csinh.h",
- "cuda/include/thrust/detail/complex/csinhf.h",
- "cuda/include/thrust/detail/complex/csqrt.h",
- "cuda/include/thrust/detail/complex/csqrtf.h",
- "cuda/include/thrust/detail/complex/ctanh.h",
- "cuda/include/thrust/detail/complex/ctanhf.h",
- "cuda/include/thrust/detail/complex/math_private.h",
- "cuda/include/thrust/detail/complex/stream.h",
- "cuda/include/thrust/detail/config.h",
- "cuda/include/thrust/detail/config/compiler.h",
- "cuda/include/thrust/detail/config/compiler_fence.h",
- "cuda/include/thrust/detail/config/config.h",
- "cuda/include/thrust/detail/config/debug.h",
- "cuda/include/thrust/detail/config/device_system.h",
- "cuda/include/thrust/detail/config/exec_check_disable.h",
- "cuda/include/thrust/detail/config/forceinline.h",
- "cuda/include/thrust/detail/config/global_workarounds.h",
- "cuda/include/thrust/detail/config/host_device.h",
- "cuda/include/thrust/detail/config/host_system.h",
- "cuda/include/thrust/detail/config/simple_defines.h",
- "cuda/include/thrust/detail/contiguous_storage.h",
- "cuda/include/thrust/detail/contiguous_storage.inl",
- "cuda/include/thrust/detail/copy.h",
- "cuda/include/thrust/detail/copy.inl",
- "cuda/include/thrust/detail/copy_if.h",
- "cuda/include/thrust/detail/copy_if.inl",
- "cuda/include/thrust/detail/count.inl",
- "cuda/include/thrust/detail/cstdint.h",
- "cuda/include/thrust/detail/device_delete.inl",
- "cuda/include/thrust/detail/device_free.inl",
- "cuda/include/thrust/detail/device_malloc.inl",
- "cuda/include/thrust/detail/device_new.inl",
- "cuda/include/thrust/detail/device_ptr.inl",
- "cuda/include/thrust/detail/device_reference.inl",
- "cuda/include/thrust/detail/device_vector.inl",
- "cuda/include/thrust/detail/dispatch/is_trivial_copy.h",
- "cuda/include/thrust/detail/distance.inl",
- "cuda/include/thrust/detail/equal.inl",
- "cuda/include/thrust/detail/execute_with_allocator.h",
- "cuda/include/thrust/detail/execution_policy.h",
- "cuda/include/thrust/detail/extrema.inl",
- "cuda/include/thrust/detail/fill.inl",
- "cuda/include/thrust/detail/find.inl",
- "cuda/include/thrust/detail/for_each.inl",
- "cuda/include/thrust/detail/function.h",
- "cuda/include/thrust/detail/functional.inl",
- "cuda/include/thrust/detail/functional/actor.h",
- "cuda/include/thrust/detail/functional/actor.inl",
- "cuda/include/thrust/detail/functional/argument.h",
- "cuda/include/thrust/detail/functional/composite.h",
- "cuda/include/thrust/detail/functional/operators.h",
- "cuda/include/thrust/detail/functional/operators/arithmetic_operators.h",
- "cuda/include/thrust/detail/functional/operators/assignment_operator.h",
- "cuda/include/thrust/detail/functional/operators/bitwise_operators.h",
- "cuda/include/thrust/detail/functional/operators/compound_assignment_operators.h",
- "cuda/include/thrust/detail/functional/operators/logical_operators.h",
- "cuda/include/thrust/detail/functional/operators/operator_adaptors.h",
- "cuda/include/thrust/detail/functional/operators/relational_operators.h",
- "cuda/include/thrust/detail/functional/placeholder.h",
- "cuda/include/thrust/detail/functional/value.h",
- "cuda/include/thrust/detail/gather.inl",
- "cuda/include/thrust/detail/generate.inl",
- "cuda/include/thrust/detail/get_iterator_value.h",
- "cuda/include/thrust/detail/host_vector.inl",
- "cuda/include/thrust/detail/inner_product.inl",
- "cuda/include/thrust/detail/integer_math.h",
- "cuda/include/thrust/detail/integer_traits.h",
- "cuda/include/thrust/detail/internal_functional.h",
- "cuda/include/thrust/detail/logical.inl",
- "cuda/include/thrust/detail/malloc_and_free.h",
- "cuda/include/thrust/detail/merge.inl",
- "cuda/include/thrust/detail/minmax.h",
- "cuda/include/thrust/detail/mismatch.inl",
- "cuda/include/thrust/detail/mpl/math.h",
- "cuda/include/thrust/detail/numeric_traits.h",
- "cuda/include/thrust/detail/overlapped_copy.h",
- "cuda/include/thrust/detail/pair.inl",
- "cuda/include/thrust/detail/partition.inl",
- "cuda/include/thrust/detail/pointer.h",
- "cuda/include/thrust/detail/pointer.inl",
- "cuda/include/thrust/detail/range/head_flags.h",
- "cuda/include/thrust/detail/range/tail_flags.h",
- "cuda/include/thrust/detail/raw_pointer_cast.h",
- "cuda/include/thrust/detail/raw_reference_cast.h",
- "cuda/include/thrust/detail/reduce.inl",
- "cuda/include/thrust/detail/reference.h",
- "cuda/include/thrust/detail/reference.inl",
- "cuda/include/thrust/detail/reference_forward_declaration.h",
- "cuda/include/thrust/detail/remove.inl",
- "cuda/include/thrust/detail/replace.inl",
- "cuda/include/thrust/detail/reverse.inl",
- "cuda/include/thrust/detail/scan.inl",
- "cuda/include/thrust/detail/scatter.inl",
- "cuda/include/thrust/detail/seq.h",
- "cuda/include/thrust/detail/sequence.inl",
- "cuda/include/thrust/detail/set_operations.inl",
- "cuda/include/thrust/detail/sort.inl",
- "cuda/include/thrust/detail/static_assert.h",
- "cuda/include/thrust/detail/static_map.h",
- "cuda/include/thrust/detail/swap.h",
- "cuda/include/thrust/detail/swap.inl",
- "cuda/include/thrust/detail/swap_ranges.inl",
- "cuda/include/thrust/detail/tabulate.inl",
- "cuda/include/thrust/detail/temporary_array.h",
- "cuda/include/thrust/detail/temporary_array.inl",
- "cuda/include/thrust/detail/temporary_buffer.h",
- "cuda/include/thrust/detail/transform.inl",
- "cuda/include/thrust/detail/transform_reduce.inl",
- "cuda/include/thrust/detail/transform_scan.inl",
- "cuda/include/thrust/detail/trivial_sequence.h",
- "cuda/include/thrust/detail/tuple.inl",
- "cuda/include/thrust/detail/tuple_meta_transform.h",
- "cuda/include/thrust/detail/tuple_transform.h",
- "cuda/include/thrust/detail/type_traits.h",
- "cuda/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h",
- "cuda/include/thrust/detail/type_traits/function_traits.h",
- "cuda/include/thrust/detail/type_traits/has_member_function.h",
- "cuda/include/thrust/detail/type_traits/has_nested_type.h",
- "cuda/include/thrust/detail/type_traits/has_trivial_assign.h",
- "cuda/include/thrust/detail/type_traits/is_call_possible.h",
- "cuda/include/thrust/detail/type_traits/is_metafunction_defined.h",
- "cuda/include/thrust/detail/type_traits/iterator/is_discard_iterator.h",
- "cuda/include/thrust/detail/type_traits/iterator/is_output_iterator.h",
- "cuda/include/thrust/detail/type_traits/minimum_type.h",
- "cuda/include/thrust/detail/type_traits/pointer_traits.h",
- "cuda/include/thrust/detail/type_traits/result_of_adaptable_function.h",
- "cuda/include/thrust/detail/uninitialized_copy.inl",
- "cuda/include/thrust/detail/uninitialized_fill.inl",
- "cuda/include/thrust/detail/unique.inl",
- "cuda/include/thrust/detail/use_default.h",
- "cuda/include/thrust/detail/util/align.h",
- "cuda/include/thrust/detail/util/blocking.h",
- "cuda/include/thrust/detail/vector_base.h",
- "cuda/include/thrust/detail/vector_base.inl",
- "cuda/include/thrust/device_allocator.h",
- "cuda/include/thrust/device_delete.h",
- "cuda/include/thrust/device_free.h",
- "cuda/include/thrust/device_malloc.h",
- "cuda/include/thrust/device_malloc_allocator.h",
- "cuda/include/thrust/device_new.h",
- "cuda/include/thrust/device_new_allocator.h",
- "cuda/include/thrust/device_ptr.h",
- "cuda/include/thrust/device_reference.h",
- "cuda/include/thrust/device_vector.h",
- "cuda/include/thrust/distance.h",
- "cuda/include/thrust/equal.h",
- "cuda/include/thrust/execution_policy.h",
- "cuda/include/thrust/extrema.h",
- "cuda/include/thrust/fill.h",
- "cuda/include/thrust/find.h",
- "cuda/include/thrust/for_each.h",
- "cuda/include/thrust/functional.h",
- "cuda/include/thrust/gather.h",
- "cuda/include/thrust/generate.h",
- "cuda/include/thrust/host_vector.h",
- "cuda/include/thrust/inner_product.h",
- "cuda/include/thrust/iterator/constant_iterator.h",
- "cuda/include/thrust/iterator/counting_iterator.h",
- "cuda/include/thrust/iterator/detail/any_assign.h",
- "cuda/include/thrust/iterator/detail/any_system_tag.h",
- "cuda/include/thrust/iterator/detail/constant_iterator_base.h",
- "cuda/include/thrust/iterator/detail/counting_iterator.inl",
- "cuda/include/thrust/iterator/detail/device_system_tag.h",
- "cuda/include/thrust/iterator/detail/discard_iterator_base.h",
- "cuda/include/thrust/iterator/detail/distance_from_result.h",
- "cuda/include/thrust/iterator/detail/host_system_tag.h",
- "cuda/include/thrust/iterator/detail/is_iterator_category.h",
- "cuda/include/thrust/iterator/detail/is_trivial_iterator.h",
- "cuda/include/thrust/iterator/detail/iterator_adaptor_base.h",
- "cuda/include/thrust/iterator/detail/iterator_category_to_system.h",
- "cuda/include/thrust/iterator/detail/iterator_category_to_traversal.h",
- "cuda/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h",
- "cuda/include/thrust/iterator/detail/iterator_facade_category.h",
- "cuda/include/thrust/iterator/detail/iterator_traits.inl",
- "cuda/include/thrust/iterator/detail/iterator_traversal_tags.h",
- "cuda/include/thrust/iterator/detail/join_iterator.h",
- "cuda/include/thrust/iterator/detail/minimum_category.h",
- "cuda/include/thrust/iterator/detail/minimum_system.h",
- "cuda/include/thrust/iterator/detail/normal_iterator.h",
- "cuda/include/thrust/iterator/detail/permutation_iterator_base.h",
- "cuda/include/thrust/iterator/detail/retag.h",
- "cuda/include/thrust/iterator/detail/reverse_iterator.inl",
- "cuda/include/thrust/iterator/detail/reverse_iterator_base.h",
- "cuda/include/thrust/iterator/detail/tagged_iterator.h",
- "cuda/include/thrust/iterator/detail/transform_iterator.inl",
- "cuda/include/thrust/iterator/detail/transform_output_iterator.inl",
- "cuda/include/thrust/iterator/detail/tuple_of_iterator_references.h",
- "cuda/include/thrust/iterator/detail/universal_categories.h",
- "cuda/include/thrust/iterator/detail/zip_iterator.inl",
- "cuda/include/thrust/iterator/detail/zip_iterator_base.h",
- "cuda/include/thrust/iterator/discard_iterator.h",
- "cuda/include/thrust/iterator/iterator_adaptor.h",
- "cuda/include/thrust/iterator/iterator_categories.h",
- "cuda/include/thrust/iterator/iterator_facade.h",
- "cuda/include/thrust/iterator/iterator_traits.h",
- "cuda/include/thrust/iterator/permutation_iterator.h",
- "cuda/include/thrust/iterator/retag.h",
- "cuda/include/thrust/iterator/reverse_iterator.h",
- "cuda/include/thrust/iterator/transform_iterator.h",
- "cuda/include/thrust/iterator/transform_output_iterator.h",
- "cuda/include/thrust/iterator/zip_iterator.h",
- "cuda/include/thrust/logical.h",
- "cuda/include/thrust/memory.h",
- "cuda/include/thrust/merge.h",
- "cuda/include/thrust/mismatch.h",
- "cuda/include/thrust/pair.h",
- "cuda/include/thrust/partition.h",
- "cuda/include/thrust/random.h",
- "cuda/include/thrust/random/detail/discard_block_engine.inl",
- "cuda/include/thrust/random/detail/linear_congruential_engine.inl",
- "cuda/include/thrust/random/detail/linear_congruential_engine_discard.h",
- "cuda/include/thrust/random/detail/linear_feedback_shift_engine.inl",
- "cuda/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h",
- "cuda/include/thrust/random/detail/mod.h",
- "cuda/include/thrust/random/detail/normal_distribution.inl",
- "cuda/include/thrust/random/detail/normal_distribution_base.h",
- "cuda/include/thrust/random/detail/random_core_access.h",
- "cuda/include/thrust/random/detail/subtract_with_carry_engine.inl",
- "cuda/include/thrust/random/detail/uniform_int_distribution.inl",
- "cuda/include/thrust/random/detail/uniform_real_distribution.inl",
- "cuda/include/thrust/random/detail/xor_combine_engine.inl",
- "cuda/include/thrust/random/detail/xor_combine_engine_max.h",
- "cuda/include/thrust/random/discard_block_engine.h",
- "cuda/include/thrust/random/linear_congruential_engine.h",
- "cuda/include/thrust/random/linear_feedback_shift_engine.h",
- "cuda/include/thrust/random/normal_distribution.h",
- "cuda/include/thrust/random/subtract_with_carry_engine.h",
- "cuda/include/thrust/random/uniform_int_distribution.h",
- "cuda/include/thrust/random/uniform_real_distribution.h",
- "cuda/include/thrust/random/xor_combine_engine.h",
- "cuda/include/thrust/reduce.h",
- "cuda/include/thrust/remove.h",
- "cuda/include/thrust/replace.h",
- "cuda/include/thrust/reverse.h",
- "cuda/include/thrust/scan.h",
- "cuda/include/thrust/scatter.h",
- "cuda/include/thrust/sequence.h",
- "cuda/include/thrust/set_operations.h",
- "cuda/include/thrust/sort.h",
- "cuda/include/thrust/swap.h",
- "cuda/include/thrust/system/cpp/detail/adjacent_difference.h",
- "cuda/include/thrust/system/cpp/detail/assign_value.h",
- "cuda/include/thrust/system/cpp/detail/binary_search.h",
- "cuda/include/thrust/system/cpp/detail/copy.h",
- "cuda/include/thrust/system/cpp/detail/copy_if.h",
- "cuda/include/thrust/system/cpp/detail/count.h",
- "cuda/include/thrust/system/cpp/detail/equal.h",
- "cuda/include/thrust/system/cpp/detail/execution_policy.h",
- "cuda/include/thrust/system/cpp/detail/extrema.h",
- "cuda/include/thrust/system/cpp/detail/fill.h",
- "cuda/include/thrust/system/cpp/detail/find.h",
- "cuda/include/thrust/system/cpp/detail/for_each.h",
- "cuda/include/thrust/system/cpp/detail/gather.h",
- "cuda/include/thrust/system/cpp/detail/generate.h",
- "cuda/include/thrust/system/cpp/detail/get_value.h",
- "cuda/include/thrust/system/cpp/detail/inner_product.h",
- "cuda/include/thrust/system/cpp/detail/iter_swap.h",
- "cuda/include/thrust/system/cpp/detail/logical.h",
- "cuda/include/thrust/system/cpp/detail/malloc_and_free.h",
- "cuda/include/thrust/system/cpp/detail/memory.inl",
- "cuda/include/thrust/system/cpp/detail/merge.h",
- "cuda/include/thrust/system/cpp/detail/mismatch.h",
- "cuda/include/thrust/system/cpp/detail/par.h",
- "cuda/include/thrust/system/cpp/detail/partition.h",
- "cuda/include/thrust/system/cpp/detail/reduce.h",
- "cuda/include/thrust/system/cpp/detail/reduce_by_key.h",
- "cuda/include/thrust/system/cpp/detail/remove.h",
- "cuda/include/thrust/system/cpp/detail/replace.h",
- "cuda/include/thrust/system/cpp/detail/reverse.h",
- "cuda/include/thrust/system/cpp/detail/scan.h",
- "cuda/include/thrust/system/cpp/detail/scan_by_key.h",
- "cuda/include/thrust/system/cpp/detail/scatter.h",
- "cuda/include/thrust/system/cpp/detail/sequence.h",
- "cuda/include/thrust/system/cpp/detail/set_operations.h",
- "cuda/include/thrust/system/cpp/detail/sort.h",
- "cuda/include/thrust/system/cpp/detail/swap_ranges.h",
- "cuda/include/thrust/system/cpp/detail/tabulate.h",
- "cuda/include/thrust/system/cpp/detail/temporary_buffer.h",
- "cuda/include/thrust/system/cpp/detail/transform.h",
- "cuda/include/thrust/system/cpp/detail/transform_reduce.h",
- "cuda/include/thrust/system/cpp/detail/transform_scan.h",
- "cuda/include/thrust/system/cpp/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/cpp/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/cpp/detail/unique.h",
- "cuda/include/thrust/system/cpp/detail/unique_by_key.h",
- "cuda/include/thrust/system/cpp/detail/vector.inl",
- "cuda/include/thrust/system/cpp/execution_policy.h",
- "cuda/include/thrust/system/cpp/memory.h",
- "cuda/include/thrust/system/cpp/vector.h",
- "cuda/include/thrust/system/cuda/config.h",
- "cuda/include/thrust/system/cuda/detail/adjacent_difference.h",
- "cuda/include/thrust/system/cuda/detail/assign_value.h",
- "cuda/include/thrust/system/cuda/detail/binary_search.h",
- "cuda/include/thrust/system/cuda/detail/copy.h",
- "cuda/include/thrust/system/cuda/detail/copy_if.h",
- "cuda/include/thrust/system/cuda/detail/core/agent_launcher.h",
- "cuda/include/thrust/system/cuda/detail/core/alignment.h",
- "cuda/include/thrust/system/cuda/detail/core/triple_chevron_launch.h",
- "cuda/include/thrust/system/cuda/detail/core/util.h",
- "cuda/include/thrust/system/cuda/detail/count.h",
- "cuda/include/thrust/system/cuda/detail/cross_system.h",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_csrt.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_row_based.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_load.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_store.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/cub.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_partition.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_select.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_csrt.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_row_based.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/host/mutex.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_allocator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_arch.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_debug.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_device.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_macro.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_namespace.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_ptx.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_type.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/equal.h",
- "cuda/include/thrust/system/cuda/detail/error.inl",
- "cuda/include/thrust/system/cuda/detail/execution_policy.h",
- "cuda/include/thrust/system/cuda/detail/extrema.h",
- "cuda/include/thrust/system/cuda/detail/fill.h",
- "cuda/include/thrust/system/cuda/detail/find.h",
- "cuda/include/thrust/system/cuda/detail/for_each.h",
- "cuda/include/thrust/system/cuda/detail/gather.h",
- "cuda/include/thrust/system/cuda/detail/generate.h",
- "cuda/include/thrust/system/cuda/detail/get_value.h",
- "cuda/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h",
- "cuda/include/thrust/system/cuda/detail/guarded_driver_types.h",
- "cuda/include/thrust/system/cuda/detail/inner_product.h",
- "cuda/include/thrust/system/cuda/detail/internal/copy_cross_system.h",
- "cuda/include/thrust/system/cuda/detail/internal/copy_device_to_device.h",
- "cuda/include/thrust/system/cuda/detail/iter_swap.h",
- "cuda/include/thrust/system/cuda/detail/logical.h",
- "cuda/include/thrust/system/cuda/detail/malloc_and_free.h",
- "cuda/include/thrust/system/cuda/detail/memory.inl",
- "cuda/include/thrust/system/cuda/detail/memory_buffer.h",
- "cuda/include/thrust/system/cuda/detail/merge.h",
- "cuda/include/thrust/system/cuda/detail/mismatch.h",
- "cuda/include/thrust/system/cuda/detail/par.h",
- "cuda/include/thrust/system/cuda/detail/par_to_seq.h",
- "cuda/include/thrust/system/cuda/detail/parallel_for.h",
- "cuda/include/thrust/system/cuda/detail/partition.h",
- "cuda/include/thrust/system/cuda/detail/reduce.h",
- "cuda/include/thrust/system/cuda/detail/reduce_by_key.h",
- "cuda/include/thrust/system/cuda/detail/remove.h",
- "cuda/include/thrust/system/cuda/detail/replace.h",
- "cuda/include/thrust/system/cuda/detail/reverse.h",
- "cuda/include/thrust/system/cuda/detail/scan.h",
- "cuda/include/thrust/system/cuda/detail/scan_by_key.h",
- "cuda/include/thrust/system/cuda/detail/scatter.h",
- "cuda/include/thrust/system/cuda/detail/sequence.h",
- "cuda/include/thrust/system/cuda/detail/set_operations.h",
- "cuda/include/thrust/system/cuda/detail/sort.h",
- "cuda/include/thrust/system/cuda/detail/swap_ranges.h",
- "cuda/include/thrust/system/cuda/detail/tabulate.h",
- "cuda/include/thrust/system/cuda/detail/temporary_buffer.h",
- "cuda/include/thrust/system/cuda/detail/terminate.h",
- "cuda/include/thrust/system/cuda/detail/transform.h",
- "cuda/include/thrust/system/cuda/detail/transform_reduce.h",
- "cuda/include/thrust/system/cuda/detail/transform_scan.h",
- "cuda/include/thrust/system/cuda/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/cuda/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/cuda/detail/unique.h",
- "cuda/include/thrust/system/cuda/detail/unique_by_key.h",
- "cuda/include/thrust/system/cuda/detail/util.h",
- "cuda/include/thrust/system/cuda/detail/vector.inl",
- "cuda/include/thrust/system/cuda/error.h",
- "cuda/include/thrust/system/cuda/execution_policy.h",
- "cuda/include/thrust/system/cuda/experimental/pinned_allocator.h",
- "cuda/include/thrust/system/cuda/memory.h",
- "cuda/include/thrust/system/cuda/vector.h",
- "cuda/include/thrust/system/detail/adl/adjacent_difference.h",
- "cuda/include/thrust/system/detail/adl/assign_value.h",
- "cuda/include/thrust/system/detail/adl/binary_search.h",
- "cuda/include/thrust/system/detail/adl/copy.h",
- "cuda/include/thrust/system/detail/adl/copy_if.h",
- "cuda/include/thrust/system/detail/adl/count.h",
- "cuda/include/thrust/system/detail/adl/equal.h",
- "cuda/include/thrust/system/detail/adl/extrema.h",
- "cuda/include/thrust/system/detail/adl/fill.h",
- "cuda/include/thrust/system/detail/adl/find.h",
- "cuda/include/thrust/system/detail/adl/for_each.h",
- "cuda/include/thrust/system/detail/adl/gather.h",
- "cuda/include/thrust/system/detail/adl/generate.h",
- "cuda/include/thrust/system/detail/adl/get_value.h",
- "cuda/include/thrust/system/detail/adl/inner_product.h",
- "cuda/include/thrust/system/detail/adl/iter_swap.h",
- "cuda/include/thrust/system/detail/adl/logical.h",
- "cuda/include/thrust/system/detail/adl/malloc_and_free.h",
- "cuda/include/thrust/system/detail/adl/merge.h",
- "cuda/include/thrust/system/detail/adl/mismatch.h",
- "cuda/include/thrust/system/detail/adl/partition.h",
- "cuda/include/thrust/system/detail/adl/reduce.h",
- "cuda/include/thrust/system/detail/adl/reduce_by_key.h",
- "cuda/include/thrust/system/detail/adl/remove.h",
- "cuda/include/thrust/system/detail/adl/replace.h",
- "cuda/include/thrust/system/detail/adl/reverse.h",
- "cuda/include/thrust/system/detail/adl/scan.h",
- "cuda/include/thrust/system/detail/adl/scan_by_key.h",
- "cuda/include/thrust/system/detail/adl/scatter.h",
- "cuda/include/thrust/system/detail/adl/sequence.h",
- "cuda/include/thrust/system/detail/adl/set_operations.h",
- "cuda/include/thrust/system/detail/adl/sort.h",
- "cuda/include/thrust/system/detail/adl/swap_ranges.h",
- "cuda/include/thrust/system/detail/adl/tabulate.h",
- "cuda/include/thrust/system/detail/adl/temporary_buffer.h",
- "cuda/include/thrust/system/detail/adl/transform.h",
- "cuda/include/thrust/system/detail/adl/transform_reduce.h",
- "cuda/include/thrust/system/detail/adl/transform_scan.h",
- "cuda/include/thrust/system/detail/adl/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/adl/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/adl/unique.h",
- "cuda/include/thrust/system/detail/adl/unique_by_key.h",
- "cuda/include/thrust/system/detail/bad_alloc.h",
- "cuda/include/thrust/system/detail/errno.h",
- "cuda/include/thrust/system/detail/error_category.inl",
- "cuda/include/thrust/system/detail/error_code.inl",
- "cuda/include/thrust/system/detail/error_condition.inl",
- "cuda/include/thrust/system/detail/generic/adjacent_difference.h",
- "cuda/include/thrust/system/detail/generic/adjacent_difference.inl",
- "cuda/include/thrust/system/detail/generic/advance.h",
- "cuda/include/thrust/system/detail/generic/advance.inl",
- "cuda/include/thrust/system/detail/generic/binary_search.h",
- "cuda/include/thrust/system/detail/generic/binary_search.inl",
- "cuda/include/thrust/system/detail/generic/copy.h",
- "cuda/include/thrust/system/detail/generic/copy.inl",
- "cuda/include/thrust/system/detail/generic/copy_if.h",
- "cuda/include/thrust/system/detail/generic/copy_if.inl",
- "cuda/include/thrust/system/detail/generic/count.h",
- "cuda/include/thrust/system/detail/generic/count.inl",
- "cuda/include/thrust/system/detail/generic/distance.h",
- "cuda/include/thrust/system/detail/generic/distance.inl",
- "cuda/include/thrust/system/detail/generic/equal.h",
- "cuda/include/thrust/system/detail/generic/equal.inl",
- "cuda/include/thrust/system/detail/generic/extrema.h",
- "cuda/include/thrust/system/detail/generic/extrema.inl",
- "cuda/include/thrust/system/detail/generic/fill.h",
- "cuda/include/thrust/system/detail/generic/find.h",
- "cuda/include/thrust/system/detail/generic/find.inl",
- "cuda/include/thrust/system/detail/generic/for_each.h",
- "cuda/include/thrust/system/detail/generic/gather.h",
- "cuda/include/thrust/system/detail/generic/gather.inl",
- "cuda/include/thrust/system/detail/generic/generate.h",
- "cuda/include/thrust/system/detail/generic/generate.inl",
- "cuda/include/thrust/system/detail/generic/inner_product.h",
- "cuda/include/thrust/system/detail/generic/inner_product.inl",
- "cuda/include/thrust/system/detail/generic/logical.h",
- "cuda/include/thrust/system/detail/generic/memory.h",
- "cuda/include/thrust/system/detail/generic/memory.inl",
- "cuda/include/thrust/system/detail/generic/merge.h",
- "cuda/include/thrust/system/detail/generic/merge.inl",
- "cuda/include/thrust/system/detail/generic/mismatch.h",
- "cuda/include/thrust/system/detail/generic/mismatch.inl",
- "cuda/include/thrust/system/detail/generic/partition.h",
- "cuda/include/thrust/system/detail/generic/partition.inl",
- "cuda/include/thrust/system/detail/generic/reduce.h",
- "cuda/include/thrust/system/detail/generic/reduce.inl",
- "cuda/include/thrust/system/detail/generic/reduce_by_key.h",
- "cuda/include/thrust/system/detail/generic/reduce_by_key.inl",
- "cuda/include/thrust/system/detail/generic/remove.h",
- "cuda/include/thrust/system/detail/generic/remove.inl",
- "cuda/include/thrust/system/detail/generic/replace.h",
- "cuda/include/thrust/system/detail/generic/replace.inl",
- "cuda/include/thrust/system/detail/generic/reverse.h",
- "cuda/include/thrust/system/detail/generic/reverse.inl",
- "cuda/include/thrust/system/detail/generic/scalar/binary_search.h",
- "cuda/include/thrust/system/detail/generic/scalar/binary_search.inl",
- "cuda/include/thrust/system/detail/generic/scan.h",
- "cuda/include/thrust/system/detail/generic/scan.inl",
- "cuda/include/thrust/system/detail/generic/scan_by_key.h",
- "cuda/include/thrust/system/detail/generic/scan_by_key.inl",
- "cuda/include/thrust/system/detail/generic/scatter.h",
- "cuda/include/thrust/system/detail/generic/scatter.inl",
- "cuda/include/thrust/system/detail/generic/select_system.h",
- "cuda/include/thrust/system/detail/generic/sequence.h",
- "cuda/include/thrust/system/detail/generic/sequence.inl",
- "cuda/include/thrust/system/detail/generic/set_operations.h",
- "cuda/include/thrust/system/detail/generic/set_operations.inl",
- "cuda/include/thrust/system/detail/generic/sort.h",
- "cuda/include/thrust/system/detail/generic/sort.inl",
- "cuda/include/thrust/system/detail/generic/swap_ranges.h",
- "cuda/include/thrust/system/detail/generic/swap_ranges.inl",
- "cuda/include/thrust/system/detail/generic/tabulate.h",
- "cuda/include/thrust/system/detail/generic/tabulate.inl",
- "cuda/include/thrust/system/detail/generic/tag.h",
- "cuda/include/thrust/system/detail/generic/temporary_buffer.h",
- "cuda/include/thrust/system/detail/generic/temporary_buffer.inl",
- "cuda/include/thrust/system/detail/generic/transform.h",
- "cuda/include/thrust/system/detail/generic/transform.inl",
- "cuda/include/thrust/system/detail/generic/transform_reduce.h",
- "cuda/include/thrust/system/detail/generic/transform_reduce.inl",
- "cuda/include/thrust/system/detail/generic/transform_scan.h",
- "cuda/include/thrust/system/detail/generic/transform_scan.inl",
- "cuda/include/thrust/system/detail/generic/type_traits.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_copy.inl",
- "cuda/include/thrust/system/detail/generic/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_fill.inl",
- "cuda/include/thrust/system/detail/generic/unique.h",
- "cuda/include/thrust/system/detail/generic/unique.inl",
- "cuda/include/thrust/system/detail/generic/unique_by_key.h",
- "cuda/include/thrust/system/detail/generic/unique_by_key.inl",
- "cuda/include/thrust/system/detail/internal/decompose.h",
- "cuda/include/thrust/system/detail/sequential/adjacent_difference.h",
- "cuda/include/thrust/system/detail/sequential/assign_value.h",
- "cuda/include/thrust/system/detail/sequential/binary_search.h",
- "cuda/include/thrust/system/detail/sequential/copy.h",
- "cuda/include/thrust/system/detail/sequential/copy.inl",
- "cuda/include/thrust/system/detail/sequential/copy_backward.h",
- "cuda/include/thrust/system/detail/sequential/copy_if.h",
- "cuda/include/thrust/system/detail/sequential/count.h",
- "cuda/include/thrust/system/detail/sequential/equal.h",
- "cuda/include/thrust/system/detail/sequential/execution_policy.h",
- "cuda/include/thrust/system/detail/sequential/extrema.h",
- "cuda/include/thrust/system/detail/sequential/fill.h",
- "cuda/include/thrust/system/detail/sequential/find.h",
- "cuda/include/thrust/system/detail/sequential/for_each.h",
- "cuda/include/thrust/system/detail/sequential/gather.h",
- "cuda/include/thrust/system/detail/sequential/general_copy.h",
- "cuda/include/thrust/system/detail/sequential/generate.h",
- "cuda/include/thrust/system/detail/sequential/get_value.h",
- "cuda/include/thrust/system/detail/sequential/inner_product.h",
- "cuda/include/thrust/system/detail/sequential/insertion_sort.h",
- "cuda/include/thrust/system/detail/sequential/iter_swap.h",
- "cuda/include/thrust/system/detail/sequential/logical.h",
- "cuda/include/thrust/system/detail/sequential/malloc_and_free.h",
- "cuda/include/thrust/system/detail/sequential/merge.h",
- "cuda/include/thrust/system/detail/sequential/merge.inl",
- "cuda/include/thrust/system/detail/sequential/mismatch.h",
- "cuda/include/thrust/system/detail/sequential/partition.h",
- "cuda/include/thrust/system/detail/sequential/reduce.h",
- "cuda/include/thrust/system/detail/sequential/reduce_by_key.h",
- "cuda/include/thrust/system/detail/sequential/remove.h",
- "cuda/include/thrust/system/detail/sequential/replace.h",
- "cuda/include/thrust/system/detail/sequential/reverse.h",
- "cuda/include/thrust/system/detail/sequential/scan.h",
- "cuda/include/thrust/system/detail/sequential/scan_by_key.h",
- "cuda/include/thrust/system/detail/sequential/scatter.h",
- "cuda/include/thrust/system/detail/sequential/sequence.h",
- "cuda/include/thrust/system/detail/sequential/set_operations.h",
- "cuda/include/thrust/system/detail/sequential/sort.h",
- "cuda/include/thrust/system/detail/sequential/sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_merge_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_merge_sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_primitive_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_primitive_sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_radix_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_radix_sort.inl",
- "cuda/include/thrust/system/detail/sequential/swap_ranges.h",
- "cuda/include/thrust/system/detail/sequential/tabulate.h",
- "cuda/include/thrust/system/detail/sequential/temporary_buffer.h",
- "cuda/include/thrust/system/detail/sequential/transform.h",
- "cuda/include/thrust/system/detail/sequential/transform_reduce.h",
- "cuda/include/thrust/system/detail/sequential/transform_scan.h",
- "cuda/include/thrust/system/detail/sequential/trivial_copy.h",
- "cuda/include/thrust/system/detail/sequential/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/sequential/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/sequential/unique.h",
- "cuda/include/thrust/system/detail/sequential/unique_by_key.h",
- "cuda/include/thrust/system/detail/system_error.inl",
- "cuda/include/thrust/system/error_code.h",
- "cuda/include/thrust/system/omp/detail/adjacent_difference.h",
- "cuda/include/thrust/system/omp/detail/assign_value.h",
- "cuda/include/thrust/system/omp/detail/binary_search.h",
- "cuda/include/thrust/system/omp/detail/copy.h",
- "cuda/include/thrust/system/omp/detail/copy.inl",
- "cuda/include/thrust/system/omp/detail/copy_if.h",
- "cuda/include/thrust/system/omp/detail/copy_if.inl",
- "cuda/include/thrust/system/omp/detail/count.h",
- "cuda/include/thrust/system/omp/detail/default_decomposition.h",
- "cuda/include/thrust/system/omp/detail/default_decomposition.inl",
- "cuda/include/thrust/system/omp/detail/equal.h",
- "cuda/include/thrust/system/omp/detail/execution_policy.h",
- "cuda/include/thrust/system/omp/detail/extrema.h",
- "cuda/include/thrust/system/omp/detail/fill.h",
- "cuda/include/thrust/system/omp/detail/find.h",
- "cuda/include/thrust/system/omp/detail/for_each.h",
- "cuda/include/thrust/system/omp/detail/for_each.inl",
- "cuda/include/thrust/system/omp/detail/gather.h",
- "cuda/include/thrust/system/omp/detail/generate.h",
- "cuda/include/thrust/system/omp/detail/get_value.h",
- "cuda/include/thrust/system/omp/detail/inner_product.h",
- "cuda/include/thrust/system/omp/detail/iter_swap.h",
- "cuda/include/thrust/system/omp/detail/logical.h",
- "cuda/include/thrust/system/omp/detail/malloc_and_free.h",
- "cuda/include/thrust/system/omp/detail/memory.inl",
- "cuda/include/thrust/system/omp/detail/merge.h",
- "cuda/include/thrust/system/omp/detail/mismatch.h",
- "cuda/include/thrust/system/omp/detail/par.h",
- "cuda/include/thrust/system/omp/detail/partition.h",
- "cuda/include/thrust/system/omp/detail/partition.inl",
- "cuda/include/thrust/system/omp/detail/reduce.h",
- "cuda/include/thrust/system/omp/detail/reduce.inl",
- "cuda/include/thrust/system/omp/detail/reduce_by_key.h",
- "cuda/include/thrust/system/omp/detail/reduce_by_key.inl",
- "cuda/include/thrust/system/omp/detail/reduce_intervals.h",
- "cuda/include/thrust/system/omp/detail/reduce_intervals.inl",
- "cuda/include/thrust/system/omp/detail/remove.h",
- "cuda/include/thrust/system/omp/detail/remove.inl",
- "cuda/include/thrust/system/omp/detail/replace.h",
- "cuda/include/thrust/system/omp/detail/reverse.h",
- "cuda/include/thrust/system/omp/detail/scan.h",
- "cuda/include/thrust/system/omp/detail/scan_by_key.h",
- "cuda/include/thrust/system/omp/detail/scatter.h",
- "cuda/include/thrust/system/omp/detail/sequence.h",
- "cuda/include/thrust/system/omp/detail/set_operations.h",
- "cuda/include/thrust/system/omp/detail/sort.h",
- "cuda/include/thrust/system/omp/detail/sort.inl",
- "cuda/include/thrust/system/omp/detail/swap_ranges.h",
- "cuda/include/thrust/system/omp/detail/tabulate.h",
- "cuda/include/thrust/system/omp/detail/temporary_buffer.h",
- "cuda/include/thrust/system/omp/detail/transform.h",
- "cuda/include/thrust/system/omp/detail/transform_reduce.h",
- "cuda/include/thrust/system/omp/detail/transform_scan.h",
- "cuda/include/thrust/system/omp/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/omp/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/omp/detail/unique.h",
- "cuda/include/thrust/system/omp/detail/unique.inl",
- "cuda/include/thrust/system/omp/detail/unique_by_key.h",
- "cuda/include/thrust/system/omp/detail/unique_by_key.inl",
- "cuda/include/thrust/system/omp/detail/vector.inl",
- "cuda/include/thrust/system/omp/execution_policy.h",
- "cuda/include/thrust/system/omp/memory.h",
- "cuda/include/thrust/system/omp/vector.h",
- "cuda/include/thrust/system/system_error.h",
- "cuda/include/thrust/system/tbb/detail/adjacent_difference.h",
- "cuda/include/thrust/system/tbb/detail/assign_value.h",
- "cuda/include/thrust/system/tbb/detail/binary_search.h",
- "cuda/include/thrust/system/tbb/detail/copy.h",
- "cuda/include/thrust/system/tbb/detail/copy.inl",
- "cuda/include/thrust/system/tbb/detail/copy_if.h",
- "cuda/include/thrust/system/tbb/detail/copy_if.inl",
- "cuda/include/thrust/system/tbb/detail/count.h",
- "cuda/include/thrust/system/tbb/detail/equal.h",
- "cuda/include/thrust/system/tbb/detail/execution_policy.h",
- "cuda/include/thrust/system/tbb/detail/extrema.h",
- "cuda/include/thrust/system/tbb/detail/fill.h",
- "cuda/include/thrust/system/tbb/detail/find.h",
- "cuda/include/thrust/system/tbb/detail/for_each.h",
- "cuda/include/thrust/system/tbb/detail/for_each.inl",
- "cuda/include/thrust/system/tbb/detail/gather.h",
- "cuda/include/thrust/system/tbb/detail/generate.h",
- "cuda/include/thrust/system/tbb/detail/get_value.h",
- "cuda/include/thrust/system/tbb/detail/inner_product.h",
- "cuda/include/thrust/system/tbb/detail/iter_swap.h",
- "cuda/include/thrust/system/tbb/detail/logical.h",
- "cuda/include/thrust/system/tbb/detail/malloc_and_free.h",
- "cuda/include/thrust/system/tbb/detail/memory.inl",
- "cuda/include/thrust/system/tbb/detail/merge.h",
- "cuda/include/thrust/system/tbb/detail/merge.inl",
- "cuda/include/thrust/system/tbb/detail/mismatch.h",
- "cuda/include/thrust/system/tbb/detail/par.h",
- "cuda/include/thrust/system/tbb/detail/partition.h",
- "cuda/include/thrust/system/tbb/detail/partition.inl",
- "cuda/include/thrust/system/tbb/detail/reduce.h",
- "cuda/include/thrust/system/tbb/detail/reduce.inl",
- "cuda/include/thrust/system/tbb/detail/reduce_by_key.h",
- "cuda/include/thrust/system/tbb/detail/reduce_by_key.inl",
- "cuda/include/thrust/system/tbb/detail/reduce_intervals.h",
- "cuda/include/thrust/system/tbb/detail/remove.h",
- "cuda/include/thrust/system/tbb/detail/remove.inl",
- "cuda/include/thrust/system/tbb/detail/replace.h",
- "cuda/include/thrust/system/tbb/detail/reverse.h",
- "cuda/include/thrust/system/tbb/detail/scan.h",
- "cuda/include/thrust/system/tbb/detail/scan.inl",
- "cuda/include/thrust/system/tbb/detail/scan_by_key.h",
- "cuda/include/thrust/system/tbb/detail/scatter.h",
- "cuda/include/thrust/system/tbb/detail/sequence.h",
- "cuda/include/thrust/system/tbb/detail/set_operations.h",
- "cuda/include/thrust/system/tbb/detail/sort.h",
- "cuda/include/thrust/system/tbb/detail/sort.inl",
- "cuda/include/thrust/system/tbb/detail/swap_ranges.h",
- "cuda/include/thrust/system/tbb/detail/tabulate.h",
- "cuda/include/thrust/system/tbb/detail/temporary_buffer.h",
- "cuda/include/thrust/system/tbb/detail/transform.h",
- "cuda/include/thrust/system/tbb/detail/transform_reduce.h",
- "cuda/include/thrust/system/tbb/detail/transform_scan.h",
- "cuda/include/thrust/system/tbb/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/tbb/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/tbb/detail/unique.h",
- "cuda/include/thrust/system/tbb/detail/unique.inl",
- "cuda/include/thrust/system/tbb/detail/unique_by_key.h",
- "cuda/include/thrust/system/tbb/detail/unique_by_key.inl",
- "cuda/include/thrust/system/tbb/detail/vector.inl",
- "cuda/include/thrust/system/tbb/execution_policy.h",
- "cuda/include/thrust/system/tbb/memory.h",
- "cuda/include/thrust/system/tbb/vector.h",
- "cuda/include/thrust/system_error.h",
- "cuda/include/thrust/tabulate.h",
- "cuda/include/thrust/transform.h",
- "cuda/include/thrust/transform_reduce.h",
- "cuda/include/thrust/transform_scan.h",
- "cuda/include/thrust/tuple.h",
- "cuda/include/thrust/uninitialized_copy.h",
- "cuda/include/thrust/uninitialized_fill.h",
- "cuda/include/thrust/unique.h",
- "cuda/include/thrust/version.h",
- "cuda/include/vector_functions.h",
- "cuda/include/vector_functions.hpp",
- "cuda/include/vector_types.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp "/usr/local/cuda-10.0/include/CL/cl.h" "$(@D)/cuda/include/CL/cl.h" && cp "/usr/local/cuda-10.0/include/CL/cl.hpp" "$(@D)/cuda/include/CL/cl.hpp" && cp "/usr/local/cuda-10.0/include/CL/cl_egl.h" "$(@D)/cuda/include/CL/cl_egl.h" && cp "/usr/local/cuda-10.0/include/CL/cl_ext.h" "$(@D)/cuda/include/CL/cl_ext.h" && cp "/usr/local/cuda-10.0/include/CL/cl_gl.h" "$(@D)/cuda/include/CL/cl_gl.h" && cp "/usr/local/cuda-10.0/include/CL/cl_gl_ext.h" "$(@D)/cuda/include/CL/cl_gl_ext.h" && cp "/usr/local/cuda-10.0/include/CL/cl_platform.h" "$(@D)/cuda/include/CL/cl_platform.h" && cp "/usr/local/cuda-10.0/include/CL/opencl.h" "$(@D)/cuda/include/CL/opencl.h" && cp "/usr/local/cuda-10.0/include/builtin_types.h" "$(@D)/cuda/include/builtin_types.h" && cp "/usr/local/cuda-10.0/include/channel_descriptor.h" "$(@D)/cuda/include/channel_descriptor.h" && cp "/usr/local/cuda-10.0/include/common_functions.h" "$(@D)/cuda/include/common_functions.h" && cp "/usr/local/cuda-10.0/include/cooperative_groups.h" "$(@D)/cuda/include/cooperative_groups.h" && cp "/usr/local/cuda-10.0/include/cooperative_groups_helpers.h" "$(@D)/cuda/include/cooperative_groups_helpers.h" && cp "/usr/local/cuda-10.0/include/crt/common_functions.h" "$(@D)/cuda/include/crt/common_functions.h" && cp "/usr/local/cuda-10.0/include/crt/device_double_functions.h" "$(@D)/cuda/include/crt/device_double_functions.h" && cp "/usr/local/cuda-10.0/include/crt/device_double_functions.hpp" "$(@D)/cuda/include/crt/device_double_functions.hpp" && cp "/usr/local/cuda-10.0/include/crt/device_functions.h" "$(@D)/cuda/include/crt/device_functions.h" && cp "/usr/local/cuda-10.0/include/crt/device_functions.hpp" "$(@D)/cuda/include/crt/device_functions.hpp" && cp "/usr/local/cuda-10.0/include/crt/func_macro.h" "$(@D)/cuda/include/crt/func_macro.h" && cp "/usr/local/cuda-10.0/include/crt/host_config.h" "$(@D)/cuda/include/crt/host_config.h" && cp "/usr/local/cuda-10.0/include/crt/host_defines.h" "$(@D)/cuda/include/crt/host_defines.h" && cp "/usr/local/cuda-10.0/include/crt/host_runtime.h" "$(@D)/cuda/include/crt/host_runtime.h" && cp "/usr/local/cuda-10.0/include/crt/math_functions.h" "$(@D)/cuda/include/crt/math_functions.h" && cp "/usr/local/cuda-10.0/include/crt/math_functions.hpp" "$(@D)/cuda/include/crt/math_functions.hpp" && cp "/usr/local/cuda-10.0/include/crt/mma.h" "$(@D)/cuda/include/crt/mma.h" && cp "/usr/local/cuda-10.0/include/crt/mma.hpp" "$(@D)/cuda/include/crt/mma.hpp" && cp "/usr/local/cuda-10.0/include/crt/nvfunctional" "$(@D)/cuda/include/crt/nvfunctional" && cp "/usr/local/cuda-10.0/include/crt/sm_70_rt.h" "$(@D)/cuda/include/crt/sm_70_rt.h" && cp "/usr/local/cuda-10.0/include/crt/sm_70_rt.hpp" "$(@D)/cuda/include/crt/sm_70_rt.hpp" && cp "/usr/local/cuda-10.0/include/crt/storage_class.h" "$(@D)/cuda/include/crt/storage_class.h" && cp "/usr/local/cuda-10.0/include/cuComplex.h" "$(@D)/cuda/include/cuComplex.h" && cp "/usr/local/cuda-10.0/include/cublas.h" "$(@D)/cuda/include/cublas.h" && cp "/usr/local/cuda-10.0/include/cublasXt.h" "$(@D)/cuda/include/cublasXt.h" && cp "/usr/local/cuda-10.0/include/cublas_api.h" "$(@D)/cuda/include/cublas_api.h" && cp "/usr/local/cuda-10.0/include/cublas_v2.h" "$(@D)/cuda/include/cublas_v2.h" && cp "/usr/local/cuda-10.0/include/cuda.h" "$(@D)/cuda/include/cuda.h" && cp "/usr/local/cuda-10.0/include/cudaEGL.h" "$(@D)/cuda/include/cudaEGL.h" && cp "/usr/local/cuda-10.0/include/cudaGL.h" "$(@D)/cuda/include/cudaGL.h" && cp "/usr/local/cuda-10.0/include/cudaProfiler.h" "$(@D)/cuda/include/cudaProfiler.h" && cp "/usr/local/cuda-10.0/include/cudaVDPAU.h" "$(@D)/cuda/include/cudaVDPAU.h" && cp "/usr/local/cuda-10.0/include/cuda_device_runtime_api.h" "$(@D)/cuda/include/cuda_device_runtime_api.h" && cp "/usr/local/cuda-10.0/include/cuda_fp16.h" "$(@D)/cuda/include/cuda_fp16.h" && cp "/usr/local/cuda-10.0/include/cuda_fp16.hpp" "$(@D)/cuda/include/cuda_fp16.hpp" && cp "/usr/local/cuda-10.0/include/cuda_gl_interop.h" "$(@D)/cuda/include/cuda_gl_interop.h" && cp "/usr/local/cuda-10.0/include/cuda_occupancy.h" "$(@D)/cuda/include/cuda_occupancy.h" && cp "/usr/local/cuda-10.0/include/cuda_profiler_api.h" "$(@D)/cuda/include/cuda_profiler_api.h" && cp "/usr/local/cuda-10.0/include/cuda_runtime.h" "$(@D)/cuda/include/cuda_runtime.h" && cp "/usr/local/cuda-10.0/include/cuda_runtime_api.h" "$(@D)/cuda/include/cuda_runtime_api.h" && cp "/usr/local/cuda-10.0/include/cuda_surface_types.h" "$(@D)/cuda/include/cuda_surface_types.h" && cp "/usr/local/cuda-10.0/include/cuda_texture_types.h" "$(@D)/cuda/include/cuda_texture_types.h" && cp "/usr/local/cuda-10.0/include/cuda_vdpau_interop.h" "$(@D)/cuda/include/cuda_vdpau_interop.h" && cp "/usr/local/cuda-10.0/include/cudalibxt.h" "$(@D)/cuda/include/cudalibxt.h" && cp "/usr/local/cuda-10.0/include/cudnn.h" "$(@D)/cuda/include/cudnn.h" && cp "/usr/local/cuda-10.0/include/cufft.h" "$(@D)/cuda/include/cufft.h" && cp "/usr/local/cuda-10.0/include/cufftXt.h" "$(@D)/cuda/include/cufftXt.h" && cp "/usr/local/cuda-10.0/include/cufftw.h" "$(@D)/cuda/include/cufftw.h" && cp "/usr/local/cuda-10.0/include/curand.h" "$(@D)/cuda/include/curand.h" && cp "/usr/local/cuda-10.0/include/curand_discrete.h" "$(@D)/cuda/include/curand_discrete.h" && cp "/usr/local/cuda-10.0/include/curand_discrete2.h" "$(@D)/cuda/include/curand_discrete2.h" && cp "/usr/local/cuda-10.0/include/curand_globals.h" "$(@D)/cuda/include/curand_globals.h" && cp "/usr/local/cuda-10.0/include/curand_kernel.h" "$(@D)/cuda/include/curand_kernel.h" && cp "/usr/local/cuda-10.0/include/curand_lognormal.h" "$(@D)/cuda/include/curand_lognormal.h" && cp "/usr/local/cuda-10.0/include/curand_mrg32k3a.h" "$(@D)/cuda/include/curand_mrg32k3a.h" && cp "/usr/local/cuda-10.0/include/curand_mtgp32.h" "$(@D)/cuda/include/curand_mtgp32.h" && cp "/usr/local/cuda-10.0/include/curand_mtgp32_host.h" "$(@D)/cuda/include/curand_mtgp32_host.h" && cp "/usr/local/cuda-10.0/include/curand_mtgp32_kernel.h" "$(@D)/cuda/include/curand_mtgp32_kernel.h" && cp "/usr/local/cuda-10.0/include/curand_mtgp32dc_p_11213.h" "$(@D)/cuda/include/curand_mtgp32dc_p_11213.h" && cp "/usr/local/cuda-10.0/include/curand_normal.h" "$(@D)/cuda/include/curand_normal.h" && cp "/usr/local/cuda-10.0/include/curand_normal_static.h" "$(@D)/cuda/include/curand_normal_static.h" && cp "/usr/local/cuda-10.0/include/curand_philox4x32_x.h" "$(@D)/cuda/include/curand_philox4x32_x.h" && cp "/usr/local/cuda-10.0/include/curand_poisson.h" "$(@D)/cuda/include/curand_poisson.h" && cp "/usr/local/cuda-10.0/include/curand_precalc.h" "$(@D)/cuda/include/curand_precalc.h" && cp "/usr/local/cuda-10.0/include/curand_uniform.h" "$(@D)/cuda/include/curand_uniform.h" && cp "/usr/local/cuda-10.0/include/cusolverDn.h" "$(@D)/cuda/include/cusolverDn.h" && cp "/usr/local/cuda-10.0/include/cusolverRf.h" "$(@D)/cuda/include/cusolverRf.h" && cp "/usr/local/cuda-10.0/include/cusolverSp.h" "$(@D)/cuda/include/cusolverSp.h" && cp "/usr/local/cuda-10.0/include/cusolverSp_LOWLEVEL_PREVIEW.h" "$(@D)/cuda/include/cusolverSp_LOWLEVEL_PREVIEW.h" && cp "/usr/local/cuda-10.0/include/cusolver_common.h" "$(@D)/cuda/include/cusolver_common.h" && cp "/usr/local/cuda-10.0/include/cusparse.h" "$(@D)/cuda/include/cusparse.h" && cp "/usr/local/cuda-10.0/include/cusparse_v2.h" "$(@D)/cuda/include/cusparse_v2.h" && cp "/usr/local/cuda-10.0/include/device_atomic_functions.h" "$(@D)/cuda/include/device_atomic_functions.h" && cp "/usr/local/cuda-10.0/include/device_atomic_functions.hpp" "$(@D)/cuda/include/device_atomic_functions.hpp" && cp "/usr/local/cuda-10.0/include/device_double_functions.h" "$(@D)/cuda/include/device_double_functions.h" && cp "/usr/local/cuda-10.0/include/device_double_functions.hpp" "$(@D)/cuda/include/device_double_functions.hpp" && cp "/usr/local/cuda-10.0/include/device_functions.h" "$(@D)/cuda/include/device_functions.h" && cp "/usr/local/cuda-10.0/include/device_functions.hpp" "$(@D)/cuda/include/device_functions.hpp" && cp "/usr/local/cuda-10.0/include/device_functions_decls.h" "$(@D)/cuda/include/device_functions_decls.h" && cp "/usr/local/cuda-10.0/include/device_launch_parameters.h" "$(@D)/cuda/include/device_launch_parameters.h" && cp "/usr/local/cuda-10.0/include/device_types.h" "$(@D)/cuda/include/device_types.h" && cp "/usr/local/cuda-10.0/include/driver_functions.h" "$(@D)/cuda/include/driver_functions.h" && cp "/usr/local/cuda-10.0/include/driver_types.h" "$(@D)/cuda/include/driver_types.h" && cp "/usr/local/cuda-10.0/include/dynlink_cuda.h" "$(@D)/cuda/include/dynlink_cuda.h" && cp "/usr/local/cuda-10.0/include/dynlink_cuda_cuda.h" "$(@D)/cuda/include/dynlink_cuda_cuda.h" && cp "/usr/local/cuda-10.0/include/dynlink_cuviddec.h" "$(@D)/cuda/include/dynlink_cuviddec.h" && cp "/usr/local/cuda-10.0/include/dynlink_nvcuvid.h" "$(@D)/cuda/include/dynlink_nvcuvid.h" && cp "/usr/local/cuda-10.0/include/fatBinaryCtl.h" "$(@D)/cuda/include/fatBinaryCtl.h" && cp "/usr/local/cuda-10.0/include/fatbinary.h" "$(@D)/cuda/include/fatbinary.h" && cp "/usr/local/cuda-10.0/include/host_config.h" "$(@D)/cuda/include/host_config.h" && cp "/usr/local/cuda-10.0/include/host_defines.h" "$(@D)/cuda/include/host_defines.h" && cp "/usr/local/cuda-10.0/include/library_types.h" "$(@D)/cuda/include/library_types.h" && cp "/usr/local/cuda-10.0/include/math_constants.h" "$(@D)/cuda/include/math_constants.h" && cp "/usr/local/cuda-10.0/include/math_functions.h" "$(@D)/cuda/include/math_functions.h" && cp "/usr/local/cuda-10.0/include/math_functions.hpp" "$(@D)/cuda/include/math_functions.hpp" && cp "/usr/local/cuda-10.0/include/math_functions_dbl_ptx3.h" "$(@D)/cuda/include/math_functions_dbl_ptx3.h" && cp "/usr/local/cuda-10.0/include/math_functions_dbl_ptx3.hpp" "$(@D)/cuda/include/math_functions_dbl_ptx3.hpp" && cp "/usr/local/cuda-10.0/include/mma.h" "$(@D)/cuda/include/mma.h" && cp "/usr/local/cuda-10.0/include/npp.h" "$(@D)/cuda/include/npp.h" && cp "/usr/local/cuda-10.0/include/nppcore.h" "$(@D)/cuda/include/nppcore.h" && cp "/usr/local/cuda-10.0/include/nppdefs.h" "$(@D)/cuda/include/nppdefs.h" && cp "/usr/local/cuda-10.0/include/nppi.h" "$(@D)/cuda/include/nppi.h" && cp "/usr/local/cuda-10.0/include/nppi_arithmetic_and_logical_operations.h" "$(@D)/cuda/include/nppi_arithmetic_and_logical_operations.h" && cp "/usr/local/cuda-10.0/include/nppi_color_conversion.h" "$(@D)/cuda/include/nppi_color_conversion.h" && cp "/usr/local/cuda-10.0/include/nppi_compression_functions.h" "$(@D)/cuda/include/nppi_compression_functions.h" && cp "/usr/local/cuda-10.0/include/nppi_computer_vision.h" "$(@D)/cuda/include/nppi_computer_vision.h" && cp "/usr/local/cuda-10.0/include/nppi_data_exchange_and_initialization.h" "$(@D)/cuda/include/nppi_data_exchange_and_initialization.h" && cp "/usr/local/cuda-10.0/include/nppi_filtering_functions.h" "$(@D)/cuda/include/nppi_filtering_functions.h" && cp "/usr/local/cuda-10.0/include/nppi_geometry_transforms.h" "$(@D)/cuda/include/nppi_geometry_transforms.h" && cp "/usr/local/cuda-10.0/include/nppi_linear_transforms.h" "$(@D)/cuda/include/nppi_linear_transforms.h" && cp "/usr/local/cuda-10.0/include/nppi_morphological_operations.h" "$(@D)/cuda/include/nppi_morphological_operations.h" && cp "/usr/local/cuda-10.0/include/nppi_statistics_functions.h" "$(@D)/cuda/include/nppi_statistics_functions.h" && cp "/usr/local/cuda-10.0/include/nppi_support_functions.h" "$(@D)/cuda/include/nppi_support_functions.h" && cp "/usr/local/cuda-10.0/include/nppi_threshold_and_compare_operations.h" "$(@D)/cuda/include/nppi_threshold_and_compare_operations.h" && cp "/usr/local/cuda-10.0/include/npps.h" "$(@D)/cuda/include/npps.h" && cp "/usr/local/cuda-10.0/include/npps_arithmetic_and_logical_operations.h" "$(@D)/cuda/include/npps_arithmetic_and_logical_operations.h" && cp "/usr/local/cuda-10.0/include/npps_conversion_functions.h" "$(@D)/cuda/include/npps_conversion_functions.h" && cp "/usr/local/cuda-10.0/include/npps_filtering_functions.h" "$(@D)/cuda/include/npps_filtering_functions.h" && cp "/usr/local/cuda-10.0/include/npps_initialization.h" "$(@D)/cuda/include/npps_initialization.h" && cp "/usr/local/cuda-10.0/include/npps_statistics_functions.h" "$(@D)/cuda/include/npps_statistics_functions.h" && cp "/usr/local/cuda-10.0/include/npps_support_functions.h" "$(@D)/cuda/include/npps_support_functions.h" && cp "/usr/local/cuda-10.0/include/nppversion.h" "$(@D)/cuda/include/nppversion.h" && cp "/usr/local/cuda-10.0/include/nvToolsExt.h" "$(@D)/cuda/include/nvToolsExt.h" && cp "/usr/local/cuda-10.0/include/nvToolsExtCuda.h" "$(@D)/cuda/include/nvToolsExtCuda.h" && cp "/usr/local/cuda-10.0/include/nvToolsExtCudaRt.h" "$(@D)/cuda/include/nvToolsExtCudaRt.h" && cp "/usr/local/cuda-10.0/include/nvToolsExtMeta.h" "$(@D)/cuda/include/nvToolsExtMeta.h" && cp "/usr/local/cuda-10.0/include/nvToolsExtSync.h" "$(@D)/cuda/include/nvToolsExtSync.h" && cp "/usr/local/cuda-10.0/include/nvblas.h" "$(@D)/cuda/include/nvblas.h" && cp "/usr/local/cuda-10.0/include/nvfunctional" "$(@D)/cuda/include/nvfunctional" && cp "/usr/local/cuda-10.0/include/nvgraph.h" "$(@D)/cuda/include/nvgraph.h" && cp "/usr/local/cuda-10.0/include/nvml.h" "$(@D)/cuda/include/nvml.h" && cp "/usr/local/cuda-10.0/include/nvrtc.h" "$(@D)/cuda/include/nvrtc.h" && cp "/usr/local/cuda-10.0/include/sm_20_atomic_functions.h" "$(@D)/cuda/include/sm_20_atomic_functions.h" && cp "/usr/local/cuda-10.0/include/sm_20_atomic_functions.hpp" "$(@D)/cuda/include/sm_20_atomic_functions.hpp" && cp "/usr/local/cuda-10.0/include/sm_20_intrinsics.h" "$(@D)/cuda/include/sm_20_intrinsics.h" && cp "/usr/local/cuda-10.0/include/sm_20_intrinsics.hpp" "$(@D)/cuda/include/sm_20_intrinsics.hpp" && cp "/usr/local/cuda-10.0/include/sm_30_intrinsics.h" "$(@D)/cuda/include/sm_30_intrinsics.h" && cp "/usr/local/cuda-10.0/include/sm_30_intrinsics.hpp" "$(@D)/cuda/include/sm_30_intrinsics.hpp" && cp "/usr/local/cuda-10.0/include/sm_32_atomic_functions.h" "$(@D)/cuda/include/sm_32_atomic_functions.h" && cp "/usr/local/cuda-10.0/include/sm_32_atomic_functions.hpp" "$(@D)/cuda/include/sm_32_atomic_functions.hpp" && cp "/usr/local/cuda-10.0/include/sm_32_intrinsics.h" "$(@D)/cuda/include/sm_32_intrinsics.h" && cp "/usr/local/cuda-10.0/include/sm_32_intrinsics.hpp" "$(@D)/cuda/include/sm_32_intrinsics.hpp" && cp "/usr/local/cuda-10.0/include/sm_35_atomic_functions.h" "$(@D)/cuda/include/sm_35_atomic_functions.h" && cp "/usr/local/cuda-10.0/include/sm_35_intrinsics.h" "$(@D)/cuda/include/sm_35_intrinsics.h" && cp "/usr/local/cuda-10.0/include/sm_60_atomic_functions.h" "$(@D)/cuda/include/sm_60_atomic_functions.h" && cp "/usr/local/cuda-10.0/include/sm_60_atomic_functions.hpp" "$(@D)/cuda/include/sm_60_atomic_functions.hpp" && cp "/usr/local/cuda-10.0/include/sm_61_intrinsics.h" "$(@D)/cuda/include/sm_61_intrinsics.h" && cp "/usr/local/cuda-10.0/include/sm_61_intrinsics.hpp" "$(@D)/cuda/include/sm_61_intrinsics.hpp" && cp "/usr/local/cuda-10.0/include/sobol_direction_vectors.h" "$(@D)/cuda/include/sobol_direction_vectors.h" && cp "/usr/local/cuda-10.0/include/surface_functions.h" "$(@D)/cuda/include/surface_functions.h" && cp "/usr/local/cuda-10.0/include/surface_functions.hpp" "$(@D)/cuda/include/surface_functions.hpp" && cp "/usr/local/cuda-10.0/include/surface_indirect_functions.h" "$(@D)/cuda/include/surface_indirect_functions.h" && cp "/usr/local/cuda-10.0/include/surface_indirect_functions.hpp" "$(@D)/cuda/include/surface_indirect_functions.hpp" && cp "/usr/local/cuda-10.0/include/surface_types.h" "$(@D)/cuda/include/surface_types.h" && cp "/usr/local/cuda-10.0/include/texture_fetch_functions.h" "$(@D)/cuda/include/texture_fetch_functions.h" && cp "/usr/local/cuda-10.0/include/texture_fetch_functions.hpp" "$(@D)/cuda/include/texture_fetch_functions.hpp" && cp "/usr/local/cuda-10.0/include/texture_indirect_functions.h" "$(@D)/cuda/include/texture_indirect_functions.h" && cp "/usr/local/cuda-10.0/include/texture_indirect_functions.hpp" "$(@D)/cuda/include/texture_indirect_functions.hpp" && cp "/usr/local/cuda-10.0/include/texture_types.h" "$(@D)/cuda/include/texture_types.h" && cp "/usr/local/cuda-10.0/include/thrust/adjacent_difference.h" "$(@D)/cuda/include/thrust/adjacent_difference.h" && cp "/usr/local/cuda-10.0/include/thrust/advance.h" "$(@D)/cuda/include/thrust/advance.h" && cp "/usr/local/cuda-10.0/include/thrust/binary_search.h" "$(@D)/cuda/include/thrust/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/complex.h" "$(@D)/cuda/include/thrust/complex.h" && cp "/usr/local/cuda-10.0/include/thrust/copy.h" "$(@D)/cuda/include/thrust/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/count.h" "$(@D)/cuda/include/thrust/count.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/adjacent_difference.inl" "$(@D)/cuda/include/thrust/detail/adjacent_difference.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/advance.inl" "$(@D)/cuda/include/thrust/detail/advance.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/allocator_traits.h" "$(@D)/cuda/include/thrust/detail/allocator/allocator_traits.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/allocator_traits.inl" "$(@D)/cuda/include/thrust/detail/allocator/allocator_traits.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/copy_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/copy_construct_range.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/copy_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/copy_construct_range.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/default_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/default_construct_range.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/default_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/default_construct_range.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/destroy_range.h" "$(@D)/cuda/include/thrust/detail/allocator/destroy_range.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/destroy_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/destroy_range.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/fill_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/fill_construct_range.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/fill_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/fill_construct_range.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/malloc_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/malloc_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/malloc_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/malloc_allocator.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/no_throw_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/no_throw_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/tagged_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/tagged_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/tagged_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/tagged_allocator.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/temporary_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/temporary_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/allocator/temporary_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/temporary_allocator.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/binary_search.inl" "$(@D)/cuda/include/thrust/detail/binary_search.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/arithmetic.h" "$(@D)/cuda/include/thrust/detail/complex/arithmetic.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/c99math.h" "$(@D)/cuda/include/thrust/detail/complex/c99math.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/catrig.h" "$(@D)/cuda/include/thrust/detail/complex/catrig.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/catrigf.h" "$(@D)/cuda/include/thrust/detail/complex/catrigf.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/ccosh.h" "$(@D)/cuda/include/thrust/detail/complex/ccosh.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/ccoshf.h" "$(@D)/cuda/include/thrust/detail/complex/ccoshf.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/cexp.h" "$(@D)/cuda/include/thrust/detail/complex/cexp.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/cexpf.h" "$(@D)/cuda/include/thrust/detail/complex/cexpf.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/clog.h" "$(@D)/cuda/include/thrust/detail/complex/clog.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/clogf.h" "$(@D)/cuda/include/thrust/detail/complex/clogf.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/complex.inl" "$(@D)/cuda/include/thrust/detail/complex/complex.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/cpow.h" "$(@D)/cuda/include/thrust/detail/complex/cpow.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/cpowf.h" "$(@D)/cuda/include/thrust/detail/complex/cpowf.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/cproj.h" "$(@D)/cuda/include/thrust/detail/complex/cproj.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/csinh.h" "$(@D)/cuda/include/thrust/detail/complex/csinh.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/csinhf.h" "$(@D)/cuda/include/thrust/detail/complex/csinhf.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/csqrt.h" "$(@D)/cuda/include/thrust/detail/complex/csqrt.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/csqrtf.h" "$(@D)/cuda/include/thrust/detail/complex/csqrtf.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/ctanh.h" "$(@D)/cuda/include/thrust/detail/complex/ctanh.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/ctanhf.h" "$(@D)/cuda/include/thrust/detail/complex/ctanhf.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/math_private.h" "$(@D)/cuda/include/thrust/detail/complex/math_private.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/complex/stream.h" "$(@D)/cuda/include/thrust/detail/complex/stream.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config.h" "$(@D)/cuda/include/thrust/detail/config.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/compiler.h" "$(@D)/cuda/include/thrust/detail/config/compiler.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/compiler_fence.h" "$(@D)/cuda/include/thrust/detail/config/compiler_fence.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/config.h" "$(@D)/cuda/include/thrust/detail/config/config.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/debug.h" "$(@D)/cuda/include/thrust/detail/config/debug.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/device_system.h" "$(@D)/cuda/include/thrust/detail/config/device_system.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/exec_check_disable.h" "$(@D)/cuda/include/thrust/detail/config/exec_check_disable.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/forceinline.h" "$(@D)/cuda/include/thrust/detail/config/forceinline.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/global_workarounds.h" "$(@D)/cuda/include/thrust/detail/config/global_workarounds.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/host_device.h" "$(@D)/cuda/include/thrust/detail/config/host_device.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/host_system.h" "$(@D)/cuda/include/thrust/detail/config/host_system.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/config/simple_defines.h" "$(@D)/cuda/include/thrust/detail/config/simple_defines.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/contiguous_storage.h" "$(@D)/cuda/include/thrust/detail/contiguous_storage.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/contiguous_storage.inl" "$(@D)/cuda/include/thrust/detail/contiguous_storage.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/copy.h" "$(@D)/cuda/include/thrust/detail/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/copy.inl" "$(@D)/cuda/include/thrust/detail/copy.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/copy_if.h" "$(@D)/cuda/include/thrust/detail/copy_if.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/copy_if.inl" "$(@D)/cuda/include/thrust/detail/copy_if.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/count.inl" "$(@D)/cuda/include/thrust/detail/count.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/cstdint.h" "$(@D)/cuda/include/thrust/detail/cstdint.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/device_delete.inl" "$(@D)/cuda/include/thrust/detail/device_delete.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/device_free.inl" "$(@D)/cuda/include/thrust/detail/device_free.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/device_malloc.inl" "$(@D)/cuda/include/thrust/detail/device_malloc.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/device_new.inl" "$(@D)/cuda/include/thrust/detail/device_new.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/device_ptr.inl" "$(@D)/cuda/include/thrust/detail/device_ptr.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/device_reference.inl" "$(@D)/cuda/include/thrust/detail/device_reference.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/device_vector.inl" "$(@D)/cuda/include/thrust/detail/device_vector.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/dispatch/is_trivial_copy.h" "$(@D)/cuda/include/thrust/detail/dispatch/is_trivial_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/distance.inl" "$(@D)/cuda/include/thrust/detail/distance.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/equal.inl" "$(@D)/cuda/include/thrust/detail/equal.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/execute_with_allocator.h" "$(@D)/cuda/include/thrust/detail/execute_with_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/execution_policy.h" "$(@D)/cuda/include/thrust/detail/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/extrema.inl" "$(@D)/cuda/include/thrust/detail/extrema.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/fill.inl" "$(@D)/cuda/include/thrust/detail/fill.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/find.inl" "$(@D)/cuda/include/thrust/detail/find.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/for_each.inl" "$(@D)/cuda/include/thrust/detail/for_each.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/function.h" "$(@D)/cuda/include/thrust/detail/function.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional.inl" "$(@D)/cuda/include/thrust/detail/functional.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/actor.h" "$(@D)/cuda/include/thrust/detail/functional/actor.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/actor.inl" "$(@D)/cuda/include/thrust/detail/functional/actor.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/argument.h" "$(@D)/cuda/include/thrust/detail/functional/argument.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/composite.h" "$(@D)/cuda/include/thrust/detail/functional/composite.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/arithmetic_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/arithmetic_operators.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/assignment_operator.h" "$(@D)/cuda/include/thrust/detail/functional/operators/assignment_operator.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/bitwise_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/bitwise_operators.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/compound_assignment_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/compound_assignment_operators.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/logical_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/logical_operators.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/operator_adaptors.h" "$(@D)/cuda/include/thrust/detail/functional/operators/operator_adaptors.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/relational_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/relational_operators.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/placeholder.h" "$(@D)/cuda/include/thrust/detail/functional/placeholder.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/functional/value.h" "$(@D)/cuda/include/thrust/detail/functional/value.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/gather.inl" "$(@D)/cuda/include/thrust/detail/gather.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/generate.inl" "$(@D)/cuda/include/thrust/detail/generate.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/get_iterator_value.h" "$(@D)/cuda/include/thrust/detail/get_iterator_value.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/host_vector.inl" "$(@D)/cuda/include/thrust/detail/host_vector.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/inner_product.inl" "$(@D)/cuda/include/thrust/detail/inner_product.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/integer_math.h" "$(@D)/cuda/include/thrust/detail/integer_math.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/integer_traits.h" "$(@D)/cuda/include/thrust/detail/integer_traits.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/internal_functional.h" "$(@D)/cuda/include/thrust/detail/internal_functional.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/logical.inl" "$(@D)/cuda/include/thrust/detail/logical.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/detail/malloc_and_free.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/merge.inl" "$(@D)/cuda/include/thrust/detail/merge.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/minmax.h" "$(@D)/cuda/include/thrust/detail/minmax.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/mismatch.inl" "$(@D)/cuda/include/thrust/detail/mismatch.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/mpl/math.h" "$(@D)/cuda/include/thrust/detail/mpl/math.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/numeric_traits.h" "$(@D)/cuda/include/thrust/detail/numeric_traits.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/overlapped_copy.h" "$(@D)/cuda/include/thrust/detail/overlapped_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/pair.inl" "$(@D)/cuda/include/thrust/detail/pair.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/partition.inl" "$(@D)/cuda/include/thrust/detail/partition.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/pointer.h" "$(@D)/cuda/include/thrust/detail/pointer.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/pointer.inl" "$(@D)/cuda/include/thrust/detail/pointer.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/range/head_flags.h" "$(@D)/cuda/include/thrust/detail/range/head_flags.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/range/tail_flags.h" "$(@D)/cuda/include/thrust/detail/range/tail_flags.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/raw_pointer_cast.h" "$(@D)/cuda/include/thrust/detail/raw_pointer_cast.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/raw_reference_cast.h" "$(@D)/cuda/include/thrust/detail/raw_reference_cast.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/reduce.inl" "$(@D)/cuda/include/thrust/detail/reduce.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/reference.h" "$(@D)/cuda/include/thrust/detail/reference.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/reference.inl" "$(@D)/cuda/include/thrust/detail/reference.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/reference_forward_declaration.h" "$(@D)/cuda/include/thrust/detail/reference_forward_declaration.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/remove.inl" "$(@D)/cuda/include/thrust/detail/remove.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/replace.inl" "$(@D)/cuda/include/thrust/detail/replace.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/reverse.inl" "$(@D)/cuda/include/thrust/detail/reverse.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/scan.inl" "$(@D)/cuda/include/thrust/detail/scan.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/scatter.inl" "$(@D)/cuda/include/thrust/detail/scatter.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/seq.h" "$(@D)/cuda/include/thrust/detail/seq.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/sequence.inl" "$(@D)/cuda/include/thrust/detail/sequence.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/set_operations.inl" "$(@D)/cuda/include/thrust/detail/set_operations.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/sort.inl" "$(@D)/cuda/include/thrust/detail/sort.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/static_assert.h" "$(@D)/cuda/include/thrust/detail/static_assert.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/static_map.h" "$(@D)/cuda/include/thrust/detail/static_map.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/swap.h" "$(@D)/cuda/include/thrust/detail/swap.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/swap.inl" "$(@D)/cuda/include/thrust/detail/swap.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/swap_ranges.inl" "$(@D)/cuda/include/thrust/detail/swap_ranges.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/tabulate.inl" "$(@D)/cuda/include/thrust/detail/tabulate.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/temporary_array.h" "$(@D)/cuda/include/thrust/detail/temporary_array.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/temporary_array.inl" "$(@D)/cuda/include/thrust/detail/temporary_array.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/detail/temporary_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/transform.inl" "$(@D)/cuda/include/thrust/detail/transform.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/transform_reduce.inl" "$(@D)/cuda/include/thrust/detail/transform_reduce.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/transform_scan.inl" "$(@D)/cuda/include/thrust/detail/transform_scan.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/trivial_sequence.h" "$(@D)/cuda/include/thrust/detail/trivial_sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/tuple.inl" "$(@D)/cuda/include/thrust/detail/tuple.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/tuple_meta_transform.h" "$(@D)/cuda/include/thrust/detail/tuple_meta_transform.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/tuple_transform.h" "$(@D)/cuda/include/thrust/detail/tuple_transform.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h" "$(@D)/cuda/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/function_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits/function_traits.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/has_member_function.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_member_function.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/has_nested_type.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_nested_type.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/has_trivial_assign.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_trivial_assign.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/is_call_possible.h" "$(@D)/cuda/include/thrust/detail/type_traits/is_call_possible.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/is_metafunction_defined.h" "$(@D)/cuda/include/thrust/detail/type_traits/is_metafunction_defined.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/iterator/is_discard_iterator.h" "$(@D)/cuda/include/thrust/detail/type_traits/iterator/is_discard_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/iterator/is_output_iterator.h" "$(@D)/cuda/include/thrust/detail/type_traits/iterator/is_output_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/minimum_type.h" "$(@D)/cuda/include/thrust/detail/type_traits/minimum_type.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/pointer_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits/pointer_traits.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/type_traits/result_of_adaptable_function.h" "$(@D)/cuda/include/thrust/detail/type_traits/result_of_adaptable_function.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/uninitialized_copy.inl" "$(@D)/cuda/include/thrust/detail/uninitialized_copy.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/uninitialized_fill.inl" "$(@D)/cuda/include/thrust/detail/uninitialized_fill.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/unique.inl" "$(@D)/cuda/include/thrust/detail/unique.inl" && cp "/usr/local/cuda-10.0/include/thrust/detail/use_default.h" "$(@D)/cuda/include/thrust/detail/use_default.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/util/align.h" "$(@D)/cuda/include/thrust/detail/util/align.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/util/blocking.h" "$(@D)/cuda/include/thrust/detail/util/blocking.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/vector_base.h" "$(@D)/cuda/include/thrust/detail/vector_base.h" && cp "/usr/local/cuda-10.0/include/thrust/detail/vector_base.inl" "$(@D)/cuda/include/thrust/detail/vector_base.inl" && cp "/usr/local/cuda-10.0/include/thrust/device_allocator.h" "$(@D)/cuda/include/thrust/device_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/device_delete.h" "$(@D)/cuda/include/thrust/device_delete.h" && cp "/usr/local/cuda-10.0/include/thrust/device_free.h" "$(@D)/cuda/include/thrust/device_free.h" && cp "/usr/local/cuda-10.0/include/thrust/device_malloc.h" "$(@D)/cuda/include/thrust/device_malloc.h" && cp "/usr/local/cuda-10.0/include/thrust/device_malloc_allocator.h" "$(@D)/cuda/include/thrust/device_malloc_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/device_new.h" "$(@D)/cuda/include/thrust/device_new.h" && cp "/usr/local/cuda-10.0/include/thrust/device_new_allocator.h" "$(@D)/cuda/include/thrust/device_new_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/device_ptr.h" "$(@D)/cuda/include/thrust/device_ptr.h" && cp "/usr/local/cuda-10.0/include/thrust/device_reference.h" "$(@D)/cuda/include/thrust/device_reference.h" && cp "/usr/local/cuda-10.0/include/thrust/device_vector.h" "$(@D)/cuda/include/thrust/device_vector.h" && cp "/usr/local/cuda-10.0/include/thrust/distance.h" "$(@D)/cuda/include/thrust/distance.h" && cp "/usr/local/cuda-10.0/include/thrust/equal.h" "$(@D)/cuda/include/thrust/equal.h" && cp "/usr/local/cuda-10.0/include/thrust/execution_policy.h" "$(@D)/cuda/include/thrust/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/extrema.h" "$(@D)/cuda/include/thrust/extrema.h" && cp "/usr/local/cuda-10.0/include/thrust/fill.h" "$(@D)/cuda/include/thrust/fill.h" && cp "/usr/local/cuda-10.0/include/thrust/find.h" "$(@D)/cuda/include/thrust/find.h" && cp "/usr/local/cuda-10.0/include/thrust/for_each.h" "$(@D)/cuda/include/thrust/for_each.h" && cp "/usr/local/cuda-10.0/include/thrust/functional.h" "$(@D)/cuda/include/thrust/functional.h" && cp "/usr/local/cuda-10.0/include/thrust/gather.h" "$(@D)/cuda/include/thrust/gather.h" && cp "/usr/local/cuda-10.0/include/thrust/generate.h" "$(@D)/cuda/include/thrust/generate.h" && cp "/usr/local/cuda-10.0/include/thrust/host_vector.h" "$(@D)/cuda/include/thrust/host_vector.h" && cp "/usr/local/cuda-10.0/include/thrust/inner_product.h" "$(@D)/cuda/include/thrust/inner_product.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/constant_iterator.h" "$(@D)/cuda/include/thrust/iterator/constant_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/counting_iterator.h" "$(@D)/cuda/include/thrust/iterator/counting_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/any_assign.h" "$(@D)/cuda/include/thrust/iterator/detail/any_assign.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/any_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/any_system_tag.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/constant_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/constant_iterator_base.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/counting_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/counting_iterator.inl" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/device_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/device_system_tag.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/discard_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/discard_iterator_base.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/distance_from_result.h" "$(@D)/cuda/include/thrust/iterator/detail/distance_from_result.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/host_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/host_system_tag.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/is_iterator_category.h" "$(@D)/cuda/include/thrust/iterator/detail/is_iterator_category.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/is_trivial_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/is_trivial_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_adaptor_base.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_adaptor_base.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_category_to_system.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_to_system.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_category_to_traversal.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_to_traversal.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_facade_category.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_facade_category.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_traits.inl" "$(@D)/cuda/include/thrust/iterator/detail/iterator_traits.inl" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_traversal_tags.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_traversal_tags.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/join_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/join_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/minimum_category.h" "$(@D)/cuda/include/thrust/iterator/detail/minimum_category.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/minimum_system.h" "$(@D)/cuda/include/thrust/iterator/detail/minimum_system.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/normal_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/normal_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/permutation_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/permutation_iterator_base.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/retag.h" "$(@D)/cuda/include/thrust/iterator/detail/retag.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/reverse_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/reverse_iterator.inl" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/reverse_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/reverse_iterator_base.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/tagged_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/tagged_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/transform_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/transform_iterator.inl" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/transform_output_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/transform_output_iterator.inl" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/tuple_of_iterator_references.h" "$(@D)/cuda/include/thrust/iterator/detail/tuple_of_iterator_references.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/universal_categories.h" "$(@D)/cuda/include/thrust/iterator/detail/universal_categories.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/zip_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/zip_iterator.inl" && cp "/usr/local/cuda-10.0/include/thrust/iterator/detail/zip_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/zip_iterator_base.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/discard_iterator.h" "$(@D)/cuda/include/thrust/iterator/discard_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/iterator_adaptor.h" "$(@D)/cuda/include/thrust/iterator/iterator_adaptor.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/iterator_categories.h" "$(@D)/cuda/include/thrust/iterator/iterator_categories.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/iterator_facade.h" "$(@D)/cuda/include/thrust/iterator/iterator_facade.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/iterator_traits.h" "$(@D)/cuda/include/thrust/iterator/iterator_traits.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/permutation_iterator.h" "$(@D)/cuda/include/thrust/iterator/permutation_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/retag.h" "$(@D)/cuda/include/thrust/iterator/retag.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/reverse_iterator.h" "$(@D)/cuda/include/thrust/iterator/reverse_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/transform_iterator.h" "$(@D)/cuda/include/thrust/iterator/transform_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/transform_output_iterator.h" "$(@D)/cuda/include/thrust/iterator/transform_output_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/iterator/zip_iterator.h" "$(@D)/cuda/include/thrust/iterator/zip_iterator.h" && cp "/usr/local/cuda-10.0/include/thrust/logical.h" "$(@D)/cuda/include/thrust/logical.h" && cp "/usr/local/cuda-10.0/include/thrust/memory.h" "$(@D)/cuda/include/thrust/memory.h" && cp "/usr/local/cuda-10.0/include/thrust/merge.h" "$(@D)/cuda/include/thrust/merge.h" && cp "/usr/local/cuda-10.0/include/thrust/mismatch.h" "$(@D)/cuda/include/thrust/mismatch.h" && cp "/usr/local/cuda-10.0/include/thrust/pair.h" "$(@D)/cuda/include/thrust/pair.h" && cp "/usr/local/cuda-10.0/include/thrust/partition.h" "$(@D)/cuda/include/thrust/partition.h" && cp "/usr/local/cuda-10.0/include/thrust/random.h" "$(@D)/cuda/include/thrust/random.h" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/discard_block_engine.inl" "$(@D)/cuda/include/thrust/random/detail/discard_block_engine.inl" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/linear_congruential_engine.inl" "$(@D)/cuda/include/thrust/random/detail/linear_congruential_engine.inl" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/linear_congruential_engine_discard.h" "$(@D)/cuda/include/thrust/random/detail/linear_congruential_engine_discard.h" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/linear_feedback_shift_engine.inl" "$(@D)/cuda/include/thrust/random/detail/linear_feedback_shift_engine.inl" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h" "$(@D)/cuda/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/mod.h" "$(@D)/cuda/include/thrust/random/detail/mod.h" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/normal_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/normal_distribution.inl" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/normal_distribution_base.h" "$(@D)/cuda/include/thrust/random/detail/normal_distribution_base.h" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/random_core_access.h" "$(@D)/cuda/include/thrust/random/detail/random_core_access.h" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/subtract_with_carry_engine.inl" "$(@D)/cuda/include/thrust/random/detail/subtract_with_carry_engine.inl" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/uniform_int_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/uniform_int_distribution.inl" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/uniform_real_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/uniform_real_distribution.inl" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/xor_combine_engine.inl" "$(@D)/cuda/include/thrust/random/detail/xor_combine_engine.inl" && cp "/usr/local/cuda-10.0/include/thrust/random/detail/xor_combine_engine_max.h" "$(@D)/cuda/include/thrust/random/detail/xor_combine_engine_max.h" && cp "/usr/local/cuda-10.0/include/thrust/random/discard_block_engine.h" "$(@D)/cuda/include/thrust/random/discard_block_engine.h" && cp "/usr/local/cuda-10.0/include/thrust/random/linear_congruential_engine.h" "$(@D)/cuda/include/thrust/random/linear_congruential_engine.h" && cp "/usr/local/cuda-10.0/include/thrust/random/linear_feedback_shift_engine.h" "$(@D)/cuda/include/thrust/random/linear_feedback_shift_engine.h" && cp "/usr/local/cuda-10.0/include/thrust/random/normal_distribution.h" "$(@D)/cuda/include/thrust/random/normal_distribution.h" && cp "/usr/local/cuda-10.0/include/thrust/random/subtract_with_carry_engine.h" "$(@D)/cuda/include/thrust/random/subtract_with_carry_engine.h" && cp "/usr/local/cuda-10.0/include/thrust/random/uniform_int_distribution.h" "$(@D)/cuda/include/thrust/random/uniform_int_distribution.h" && cp "/usr/local/cuda-10.0/include/thrust/random/uniform_real_distribution.h" "$(@D)/cuda/include/thrust/random/uniform_real_distribution.h" && cp "/usr/local/cuda-10.0/include/thrust/random/xor_combine_engine.h" "$(@D)/cuda/include/thrust/random/xor_combine_engine.h" && cp "/usr/local/cuda-10.0/include/thrust/reduce.h" "$(@D)/cuda/include/thrust/reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/remove.h" "$(@D)/cuda/include/thrust/remove.h" && cp "/usr/local/cuda-10.0/include/thrust/replace.h" "$(@D)/cuda/include/thrust/replace.h" && cp "/usr/local/cuda-10.0/include/thrust/reverse.h" "$(@D)/cuda/include/thrust/reverse.h" && cp "/usr/local/cuda-10.0/include/thrust/scan.h" "$(@D)/cuda/include/thrust/scan.h" && cp "/usr/local/cuda-10.0/include/thrust/scatter.h" "$(@D)/cuda/include/thrust/scatter.h" && cp "/usr/local/cuda-10.0/include/thrust/sequence.h" "$(@D)/cuda/include/thrust/sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/set_operations.h" "$(@D)/cuda/include/thrust/set_operations.h" && cp "/usr/local/cuda-10.0/include/thrust/sort.h" "$(@D)/cuda/include/thrust/sort.h" && cp "/usr/local/cuda-10.0/include/thrust/swap.h" "$(@D)/cuda/include/thrust/swap.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/cpp/detail/adjacent_difference.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/cpp/detail/assign_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/cpp/detail/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/copy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/cpp/detail/copy_if.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/count.h" "$(@D)/cuda/include/thrust/system/cpp/detail/count.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/equal.h" "$(@D)/cuda/include/thrust/system/cpp/detail/equal.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/extrema.h" "$(@D)/cuda/include/thrust/system/cpp/detail/extrema.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/fill.h" "$(@D)/cuda/include/thrust/system/cpp/detail/fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/find.h" "$(@D)/cuda/include/thrust/system/cpp/detail/find.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/for_each.h" "$(@D)/cuda/include/thrust/system/cpp/detail/for_each.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/gather.h" "$(@D)/cuda/include/thrust/system/cpp/detail/gather.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/generate.h" "$(@D)/cuda/include/thrust/system/cpp/detail/generate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/get_value.h" "$(@D)/cuda/include/thrust/system/cpp/detail/get_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/cpp/detail/inner_product.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/cpp/detail/iter_swap.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/logical.h" "$(@D)/cuda/include/thrust/system/cpp/detail/logical.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/cpp/detail/malloc_and_free.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/memory.inl" "$(@D)/cuda/include/thrust/system/cpp/detail/memory.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/merge.h" "$(@D)/cuda/include/thrust/system/cpp/detail/merge.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/cpp/detail/mismatch.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/par.h" "$(@D)/cuda/include/thrust/system/cpp/detail/par.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/partition.h" "$(@D)/cuda/include/thrust/system/cpp/detail/partition.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/reduce.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reduce_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/remove.h" "$(@D)/cuda/include/thrust/system/cpp/detail/remove.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/replace.h" "$(@D)/cuda/include/thrust/system/cpp/detail/replace.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/reverse.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reverse.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/scan.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scan_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/scatter.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scatter.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/sequence.h" "$(@D)/cuda/include/thrust/system/cpp/detail/sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/cpp/detail/set_operations.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/sort.h" "$(@D)/cuda/include/thrust/system/cpp/detail/sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/cpp/detail/swap_ranges.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/cpp/detail/tabulate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/cpp/detail/temporary_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/transform.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform_reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform_scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/uninitialized_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/cpp/detail/uninitialized_fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/unique.h" "$(@D)/cuda/include/thrust/system/cpp/detail/unique.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/unique_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/vector.inl" "$(@D)/cuda/include/thrust/system/cpp/detail/vector.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/execution_policy.h" "$(@D)/cuda/include/thrust/system/cpp/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/memory.h" "$(@D)/cuda/include/thrust/system/cpp/memory.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cpp/vector.h" "$(@D)/cuda/include/thrust/system/cpp/vector.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/config.h" "$(@D)/cuda/include/thrust/system/cuda/config.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/cuda/detail/adjacent_difference.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/cuda/detail/assign_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/cuda/detail/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/copy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/cuda/detail/copy_if.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/core/agent_launcher.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/agent_launcher.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/core/alignment.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/alignment.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/core/triple_chevron_launch.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/triple_chevron_launch.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/core/util.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/util.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/count.h" "$(@D)/cuda/include/thrust/system/cuda/detail/count.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cross_system.h" "$(@D)/cuda/include/thrust/system/cuda/detail/cross_system.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_spmv_csrt.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_csrt.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_spmv_row_based.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_row_based.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_load.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_load.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_scan.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_store.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_store.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/cub.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/cub.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_partition.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_partition.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_scan.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_select.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_select.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_csrt.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_csrt.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_row_based.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_row_based.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/host/mutex.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/host/mutex.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_allocator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_allocator.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_arch.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_arch.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_debug.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_debug.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_device.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_device.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_macro.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_macro.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_namespace.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_namespace.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_ptx.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_ptx.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_type.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_type.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/equal.h" "$(@D)/cuda/include/thrust/system/cuda/detail/equal.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/error.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/error.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/extrema.h" "$(@D)/cuda/include/thrust/system/cuda/detail/extrema.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/fill.h" "$(@D)/cuda/include/thrust/system/cuda/detail/fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/find.h" "$(@D)/cuda/include/thrust/system/cuda/detail/find.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/for_each.h" "$(@D)/cuda/include/thrust/system/cuda/detail/for_each.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/gather.h" "$(@D)/cuda/include/thrust/system/cuda/detail/gather.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/generate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/generate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/get_value.h" "$(@D)/cuda/include/thrust/system/cuda/detail/get_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h" "$(@D)/cuda/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/guarded_driver_types.h" "$(@D)/cuda/include/thrust/system/cuda/detail/guarded_driver_types.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/cuda/detail/inner_product.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/internal/copy_cross_system.h" "$(@D)/cuda/include/thrust/system/cuda/detail/internal/copy_cross_system.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/internal/copy_device_to_device.h" "$(@D)/cuda/include/thrust/system/cuda/detail/internal/copy_device_to_device.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/cuda/detail/iter_swap.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/logical.h" "$(@D)/cuda/include/thrust/system/cuda/detail/logical.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/cuda/detail/malloc_and_free.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/memory.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/memory.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/memory_buffer.h" "$(@D)/cuda/include/thrust/system/cuda/detail/memory_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/merge.h" "$(@D)/cuda/include/thrust/system/cuda/detail/merge.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/cuda/detail/mismatch.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/par.h" "$(@D)/cuda/include/thrust/system/cuda/detail/par.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/par_to_seq.h" "$(@D)/cuda/include/thrust/system/cuda/detail/par_to_seq.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/parallel_for.h" "$(@D)/cuda/include/thrust/system/cuda/detail/parallel_for.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/partition.h" "$(@D)/cuda/include/thrust/system/cuda/detail/partition.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/reduce.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reduce_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/remove.h" "$(@D)/cuda/include/thrust/system/cuda/detail/remove.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/replace.h" "$(@D)/cuda/include/thrust/system/cuda/detail/replace.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/reverse.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reverse.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/scan.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scan_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/scatter.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scatter.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/sequence.h" "$(@D)/cuda/include/thrust/system/cuda/detail/sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/cuda/detail/set_operations.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/sort.h" "$(@D)/cuda/include/thrust/system/cuda/detail/sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/cuda/detail/swap_ranges.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/tabulate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/cuda/detail/temporary_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/terminate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/terminate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/transform.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform_reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform_scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/uninitialized_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/cuda/detail/uninitialized_fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/unique.h" "$(@D)/cuda/include/thrust/system/cuda/detail/unique.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/unique_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/util.h" "$(@D)/cuda/include/thrust/system/cuda/detail/util.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/vector.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/vector.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/error.h" "$(@D)/cuda/include/thrust/system/cuda/error.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/execution_policy.h" "$(@D)/cuda/include/thrust/system/cuda/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/experimental/pinned_allocator.h" "$(@D)/cuda/include/thrust/system/cuda/experimental/pinned_allocator.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/memory.h" "$(@D)/cuda/include/thrust/system/cuda/memory.h" && cp "/usr/local/cuda-10.0/include/thrust/system/cuda/vector.h" "$(@D)/cuda/include/thrust/system/cuda/vector.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/adl/adjacent_difference.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/assign_value.h" "$(@D)/cuda/include/thrust/system/detail/adl/assign_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/adl/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/copy.h" "$(@D)/cuda/include/thrust/system/detail/adl/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/adl/copy_if.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/count.h" "$(@D)/cuda/include/thrust/system/detail/adl/count.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/equal.h" "$(@D)/cuda/include/thrust/system/detail/adl/equal.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/extrema.h" "$(@D)/cuda/include/thrust/system/detail/adl/extrema.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/fill.h" "$(@D)/cuda/include/thrust/system/detail/adl/fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/find.h" "$(@D)/cuda/include/thrust/system/detail/adl/find.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/for_each.h" "$(@D)/cuda/include/thrust/system/detail/adl/for_each.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/gather.h" "$(@D)/cuda/include/thrust/system/detail/adl/gather.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/generate.h" "$(@D)/cuda/include/thrust/system/detail/adl/generate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/get_value.h" "$(@D)/cuda/include/thrust/system/detail/adl/get_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/adl/inner_product.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/iter_swap.h" "$(@D)/cuda/include/thrust/system/detail/adl/iter_swap.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/logical.h" "$(@D)/cuda/include/thrust/system/detail/adl/logical.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/detail/adl/malloc_and_free.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/merge.h" "$(@D)/cuda/include/thrust/system/detail/adl/merge.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/adl/mismatch.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/partition.h" "$(@D)/cuda/include/thrust/system/detail/adl/partition.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/reduce.h" "$(@D)/cuda/include/thrust/system/detail/adl/reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/reduce_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/remove.h" "$(@D)/cuda/include/thrust/system/detail/adl/remove.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/replace.h" "$(@D)/cuda/include/thrust/system/detail/adl/replace.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/reverse.h" "$(@D)/cuda/include/thrust/system/detail/adl/reverse.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/scan.h" "$(@D)/cuda/include/thrust/system/detail/adl/scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/scan_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/scatter.h" "$(@D)/cuda/include/thrust/system/detail/adl/scatter.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/sequence.h" "$(@D)/cuda/include/thrust/system/detail/adl/sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/adl/set_operations.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/sort.h" "$(@D)/cuda/include/thrust/system/detail/adl/sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/adl/swap_ranges.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/adl/tabulate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/adl/temporary_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/transform.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform_reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform_scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/adl/uninitialized_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/adl/uninitialized_fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/unique.h" "$(@D)/cuda/include/thrust/system/detail/adl/unique.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/adl/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/unique_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/bad_alloc.h" "$(@D)/cuda/include/thrust/system/detail/bad_alloc.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/errno.h" "$(@D)/cuda/include/thrust/system/detail/errno.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/error_category.inl" "$(@D)/cuda/include/thrust/system/detail/error_category.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/error_code.inl" "$(@D)/cuda/include/thrust/system/detail/error_code.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/error_condition.inl" "$(@D)/cuda/include/thrust/system/detail/error_condition.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/generic/adjacent_difference.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/adjacent_difference.inl" "$(@D)/cuda/include/thrust/system/detail/generic/adjacent_difference.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/advance.h" "$(@D)/cuda/include/thrust/system/detail/generic/advance.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/advance.inl" "$(@D)/cuda/include/thrust/system/detail/generic/advance.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/generic/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/binary_search.inl" "$(@D)/cuda/include/thrust/system/detail/generic/binary_search.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/copy.h" "$(@D)/cuda/include/thrust/system/detail/generic/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/copy.inl" "$(@D)/cuda/include/thrust/system/detail/generic/copy.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/generic/copy_if.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/copy_if.inl" "$(@D)/cuda/include/thrust/system/detail/generic/copy_if.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/count.h" "$(@D)/cuda/include/thrust/system/detail/generic/count.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/count.inl" "$(@D)/cuda/include/thrust/system/detail/generic/count.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/distance.h" "$(@D)/cuda/include/thrust/system/detail/generic/distance.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/distance.inl" "$(@D)/cuda/include/thrust/system/detail/generic/distance.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/equal.h" "$(@D)/cuda/include/thrust/system/detail/generic/equal.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/equal.inl" "$(@D)/cuda/include/thrust/system/detail/generic/equal.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/extrema.h" "$(@D)/cuda/include/thrust/system/detail/generic/extrema.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/extrema.inl" "$(@D)/cuda/include/thrust/system/detail/generic/extrema.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/fill.h" "$(@D)/cuda/include/thrust/system/detail/generic/fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/find.h" "$(@D)/cuda/include/thrust/system/detail/generic/find.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/find.inl" "$(@D)/cuda/include/thrust/system/detail/generic/find.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/for_each.h" "$(@D)/cuda/include/thrust/system/detail/generic/for_each.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/gather.h" "$(@D)/cuda/include/thrust/system/detail/generic/gather.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/gather.inl" "$(@D)/cuda/include/thrust/system/detail/generic/gather.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/generate.h" "$(@D)/cuda/include/thrust/system/detail/generic/generate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/generate.inl" "$(@D)/cuda/include/thrust/system/detail/generic/generate.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/generic/inner_product.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/inner_product.inl" "$(@D)/cuda/include/thrust/system/detail/generic/inner_product.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/logical.h" "$(@D)/cuda/include/thrust/system/detail/generic/logical.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/memory.h" "$(@D)/cuda/include/thrust/system/detail/generic/memory.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/memory.inl" "$(@D)/cuda/include/thrust/system/detail/generic/memory.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/merge.h" "$(@D)/cuda/include/thrust/system/detail/generic/merge.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/merge.inl" "$(@D)/cuda/include/thrust/system/detail/generic/merge.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/generic/mismatch.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/mismatch.inl" "$(@D)/cuda/include/thrust/system/detail/generic/mismatch.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/partition.h" "$(@D)/cuda/include/thrust/system/detail/generic/partition.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/partition.inl" "$(@D)/cuda/include/thrust/system/detail/generic/partition.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reduce.h" "$(@D)/cuda/include/thrust/system/detail/generic/reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reduce.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reduce.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/reduce_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reduce_by_key.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/remove.h" "$(@D)/cuda/include/thrust/system/detail/generic/remove.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/remove.inl" "$(@D)/cuda/include/thrust/system/detail/generic/remove.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/replace.h" "$(@D)/cuda/include/thrust/system/detail/generic/replace.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/replace.inl" "$(@D)/cuda/include/thrust/system/detail/generic/replace.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reverse.h" "$(@D)/cuda/include/thrust/system/detail/generic/reverse.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reverse.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reverse.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scalar/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/generic/scalar/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scalar/binary_search.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scalar/binary_search.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scan.h" "$(@D)/cuda/include/thrust/system/detail/generic/scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scan.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scan.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/scan_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scan_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scan_by_key.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scatter.h" "$(@D)/cuda/include/thrust/system/detail/generic/scatter.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scatter.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scatter.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/select_system.h" "$(@D)/cuda/include/thrust/system/detail/generic/select_system.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/sequence.h" "$(@D)/cuda/include/thrust/system/detail/generic/sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/sequence.inl" "$(@D)/cuda/include/thrust/system/detail/generic/sequence.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/generic/set_operations.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/set_operations.inl" "$(@D)/cuda/include/thrust/system/detail/generic/set_operations.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/sort.h" "$(@D)/cuda/include/thrust/system/detail/generic/sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/sort.inl" "$(@D)/cuda/include/thrust/system/detail/generic/sort.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/generic/swap_ranges.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/swap_ranges.inl" "$(@D)/cuda/include/thrust/system/detail/generic/swap_ranges.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/generic/tabulate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/tabulate.inl" "$(@D)/cuda/include/thrust/system/detail/generic/tabulate.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/tag.h" "$(@D)/cuda/include/thrust/system/detail/generic/tag.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/generic/temporary_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/temporary_buffer.inl" "$(@D)/cuda/include/thrust/system/detail/generic/temporary_buffer.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform_reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform_reduce.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform_reduce.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform_scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform_scan.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform_scan.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/type_traits.h" "$(@D)/cuda/include/thrust/system/detail/generic/type_traits.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/uninitialized_copy.inl" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_copy.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/uninitialized_fill.inl" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_fill.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/unique.h" "$(@D)/cuda/include/thrust/system/detail/generic/unique.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/unique.inl" "$(@D)/cuda/include/thrust/system/detail/generic/unique.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/unique_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/generic/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/unique_by_key.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/internal/decompose.h" "$(@D)/cuda/include/thrust/system/detail/internal/decompose.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/sequential/adjacent_difference.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/assign_value.h" "$(@D)/cuda/include/thrust/system/detail/sequential/assign_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/sequential/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/copy.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/copy.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/copy_backward.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy_backward.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy_if.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/count.h" "$(@D)/cuda/include/thrust/system/detail/sequential/count.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/equal.h" "$(@D)/cuda/include/thrust/system/detail/sequential/equal.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/execution_policy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/extrema.h" "$(@D)/cuda/include/thrust/system/detail/sequential/extrema.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/fill.h" "$(@D)/cuda/include/thrust/system/detail/sequential/fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/find.h" "$(@D)/cuda/include/thrust/system/detail/sequential/find.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/for_each.h" "$(@D)/cuda/include/thrust/system/detail/sequential/for_each.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/gather.h" "$(@D)/cuda/include/thrust/system/detail/sequential/gather.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/general_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/general_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/generate.h" "$(@D)/cuda/include/thrust/system/detail/sequential/generate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/get_value.h" "$(@D)/cuda/include/thrust/system/detail/sequential/get_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/sequential/inner_product.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/insertion_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/insertion_sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/iter_swap.h" "$(@D)/cuda/include/thrust/system/detail/sequential/iter_swap.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/logical.h" "$(@D)/cuda/include/thrust/system/detail/sequential/logical.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/detail/sequential/malloc_and_free.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/merge.h" "$(@D)/cuda/include/thrust/system/detail/sequential/merge.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/merge.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/merge.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/sequential/mismatch.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/partition.h" "$(@D)/cuda/include/thrust/system/detail/sequential/partition.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/reduce.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reduce_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/remove.h" "$(@D)/cuda/include/thrust/system/detail/sequential/remove.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/replace.h" "$(@D)/cuda/include/thrust/system/detail/sequential/replace.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/reverse.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reverse.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/scan.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scan_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/scatter.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scatter.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/sequence.h" "$(@D)/cuda/include/thrust/system/detail/sequential/sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/sequential/set_operations.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/sort.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_merge_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_merge_sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_merge_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_merge_sort.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_primitive_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_primitive_sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_primitive_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_primitive_sort.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_radix_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_radix_sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_radix_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_radix_sort.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/sequential/swap_ranges.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/sequential/tabulate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/sequential/temporary_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/transform.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform_reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform_scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/trivial_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/trivial_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/uninitialized_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/sequential/uninitialized_fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/unique.h" "$(@D)/cuda/include/thrust/system/detail/sequential/unique.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/unique_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/detail/system_error.inl" "$(@D)/cuda/include/thrust/system/detail/system_error.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/error_code.h" "$(@D)/cuda/include/thrust/system/error_code.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/omp/detail/adjacent_difference.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/omp/detail/assign_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/omp/detail/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/copy.h" "$(@D)/cuda/include/thrust/system/omp/detail/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/copy.inl" "$(@D)/cuda/include/thrust/system/omp/detail/copy.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/omp/detail/copy_if.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/copy_if.inl" "$(@D)/cuda/include/thrust/system/omp/detail/copy_if.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/count.h" "$(@D)/cuda/include/thrust/system/omp/detail/count.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/default_decomposition.h" "$(@D)/cuda/include/thrust/system/omp/detail/default_decomposition.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/default_decomposition.inl" "$(@D)/cuda/include/thrust/system/omp/detail/default_decomposition.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/equal.h" "$(@D)/cuda/include/thrust/system/omp/detail/equal.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/omp/detail/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/extrema.h" "$(@D)/cuda/include/thrust/system/omp/detail/extrema.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/fill.h" "$(@D)/cuda/include/thrust/system/omp/detail/fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/find.h" "$(@D)/cuda/include/thrust/system/omp/detail/find.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/for_each.h" "$(@D)/cuda/include/thrust/system/omp/detail/for_each.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/for_each.inl" "$(@D)/cuda/include/thrust/system/omp/detail/for_each.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/gather.h" "$(@D)/cuda/include/thrust/system/omp/detail/gather.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/generate.h" "$(@D)/cuda/include/thrust/system/omp/detail/generate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/get_value.h" "$(@D)/cuda/include/thrust/system/omp/detail/get_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/omp/detail/inner_product.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/omp/detail/iter_swap.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/logical.h" "$(@D)/cuda/include/thrust/system/omp/detail/logical.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/omp/detail/malloc_and_free.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/memory.inl" "$(@D)/cuda/include/thrust/system/omp/detail/memory.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/merge.h" "$(@D)/cuda/include/thrust/system/omp/detail/merge.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/omp/detail/mismatch.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/par.h" "$(@D)/cuda/include/thrust/system/omp/detail/par.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/partition.h" "$(@D)/cuda/include/thrust/system/omp/detail/partition.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/partition.inl" "$(@D)/cuda/include/thrust/system/omp/detail/partition.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_by_key.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce_intervals.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_intervals.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce_intervals.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_intervals.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/remove.h" "$(@D)/cuda/include/thrust/system/omp/detail/remove.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/remove.inl" "$(@D)/cuda/include/thrust/system/omp/detail/remove.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/replace.h" "$(@D)/cuda/include/thrust/system/omp/detail/replace.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reverse.h" "$(@D)/cuda/include/thrust/system/omp/detail/reverse.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/scan.h" "$(@D)/cuda/include/thrust/system/omp/detail/scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/scan_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/scatter.h" "$(@D)/cuda/include/thrust/system/omp/detail/scatter.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/sequence.h" "$(@D)/cuda/include/thrust/system/omp/detail/sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/omp/detail/set_operations.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/sort.h" "$(@D)/cuda/include/thrust/system/omp/detail/sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/sort.inl" "$(@D)/cuda/include/thrust/system/omp/detail/sort.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/omp/detail/swap_ranges.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/omp/detail/tabulate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/omp/detail/temporary_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/transform.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform_reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform_scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/omp/detail/uninitialized_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/omp/detail/uninitialized_fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/unique.h" "$(@D)/cuda/include/thrust/system/omp/detail/unique.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/unique.inl" "$(@D)/cuda/include/thrust/system/omp/detail/unique.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/unique_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/omp/detail/unique_by_key.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/detail/vector.inl" "$(@D)/cuda/include/thrust/system/omp/detail/vector.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/execution_policy.h" "$(@D)/cuda/include/thrust/system/omp/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/memory.h" "$(@D)/cuda/include/thrust/system/omp/memory.h" && cp "/usr/local/cuda-10.0/include/thrust/system/omp/vector.h" "$(@D)/cuda/include/thrust/system/omp/vector.h" && cp "/usr/local/cuda-10.0/include/thrust/system/system_error.h" "$(@D)/cuda/include/thrust/system/system_error.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/tbb/detail/adjacent_difference.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/tbb/detail/assign_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/tbb/detail/binary_search.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/copy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/copy.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/copy.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/tbb/detail/copy_if.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/copy_if.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/copy_if.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/count.h" "$(@D)/cuda/include/thrust/system/tbb/detail/count.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/equal.h" "$(@D)/cuda/include/thrust/system/tbb/detail/equal.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/extrema.h" "$(@D)/cuda/include/thrust/system/tbb/detail/extrema.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/fill.h" "$(@D)/cuda/include/thrust/system/tbb/detail/fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/find.h" "$(@D)/cuda/include/thrust/system/tbb/detail/find.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/for_each.h" "$(@D)/cuda/include/thrust/system/tbb/detail/for_each.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/for_each.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/for_each.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/gather.h" "$(@D)/cuda/include/thrust/system/tbb/detail/gather.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/generate.h" "$(@D)/cuda/include/thrust/system/tbb/detail/generate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/get_value.h" "$(@D)/cuda/include/thrust/system/tbb/detail/get_value.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/tbb/detail/inner_product.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/tbb/detail/iter_swap.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/logical.h" "$(@D)/cuda/include/thrust/system/tbb/detail/logical.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/tbb/detail/malloc_and_free.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/memory.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/memory.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/merge.h" "$(@D)/cuda/include/thrust/system/tbb/detail/merge.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/merge.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/merge.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/tbb/detail/mismatch.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/par.h" "$(@D)/cuda/include/thrust/system/tbb/detail/par.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/partition.h" "$(@D)/cuda/include/thrust/system/tbb/detail/partition.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/partition.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/partition.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_by_key.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce_intervals.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_intervals.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/remove.h" "$(@D)/cuda/include/thrust/system/tbb/detail/remove.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/remove.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/remove.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/replace.h" "$(@D)/cuda/include/thrust/system/tbb/detail/replace.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reverse.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reverse.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/scan.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/scan.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/scan.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scan_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/scatter.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scatter.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/sequence.h" "$(@D)/cuda/include/thrust/system/tbb/detail/sequence.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/tbb/detail/set_operations.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/sort.h" "$(@D)/cuda/include/thrust/system/tbb/detail/sort.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/sort.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/sort.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/tbb/detail/swap_ranges.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/tbb/detail/tabulate.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/tbb/detail/temporary_buffer.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/transform.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform_reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform_scan.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/uninitialized_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/tbb/detail/uninitialized_fill.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/unique.h" "$(@D)/cuda/include/thrust/system/tbb/detail/unique.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/unique.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/unique.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/unique_by_key.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/unique_by_key.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/vector.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/vector.inl" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/execution_policy.h" "$(@D)/cuda/include/thrust/system/tbb/execution_policy.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/memory.h" "$(@D)/cuda/include/thrust/system/tbb/memory.h" && cp "/usr/local/cuda-10.0/include/thrust/system/tbb/vector.h" "$(@D)/cuda/include/thrust/system/tbb/vector.h" && cp "/usr/local/cuda-10.0/include/thrust/system_error.h" "$(@D)/cuda/include/thrust/system_error.h" && cp "/usr/local/cuda-10.0/include/thrust/tabulate.h" "$(@D)/cuda/include/thrust/tabulate.h" && cp "/usr/local/cuda-10.0/include/thrust/transform.h" "$(@D)/cuda/include/thrust/transform.h" && cp "/usr/local/cuda-10.0/include/thrust/transform_reduce.h" "$(@D)/cuda/include/thrust/transform_reduce.h" && cp "/usr/local/cuda-10.0/include/thrust/transform_scan.h" "$(@D)/cuda/include/thrust/transform_scan.h" && cp "/usr/local/cuda-10.0/include/thrust/tuple.h" "$(@D)/cuda/include/thrust/tuple.h" && cp "/usr/local/cuda-10.0/include/thrust/uninitialized_copy.h" "$(@D)/cuda/include/thrust/uninitialized_copy.h" && cp "/usr/local/cuda-10.0/include/thrust/uninitialized_fill.h" "$(@D)/cuda/include/thrust/uninitialized_fill.h" && cp "/usr/local/cuda-10.0/include/thrust/unique.h" "$(@D)/cuda/include/thrust/unique.h" && cp "/usr/local/cuda-10.0/include/thrust/version.h" "$(@D)/cuda/include/thrust/version.h" && cp "/usr/local/cuda-10.0/include/vector_functions.h" "$(@D)/cuda/include/vector_functions.h" && cp "/usr/local/cuda-10.0/include/vector_functions.hpp" "$(@D)/cuda/include/vector_functions.hpp" && cp "/usr/local/cuda-10.0/include/vector_types.h" "$(@D)/cuda/include/vector_types.h"
- """,
-)
-
-genrule(
- name = "cuda-nvvm",
- outs = [
- "cuda/nvvm/libdevice/libdevice.10.bc",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp "/usr/local/cuda-10.0/nvvm/libdevice/libdevice.10.bc" "$(@D)//libdevice.10.bc"
- """,
-)
-
-genrule(
- name = "cuda-extras",
- outs = [
- "cuda/extras/CUPTI/include/GL/gl.h",
- "cuda/extras/CUPTI/include/GL/glew.h",
- "cuda/extras/CUPTI/include/GL/glext.h",
- "cuda/extras/CUPTI/include/GL/glu.h",
- "cuda/extras/CUPTI/include/GL/glut.h",
- "cuda/extras/CUPTI/include/GL/glx.h",
- "cuda/extras/CUPTI/include/GL/glxext.h",
- "cuda/extras/CUPTI/include/GL/wglew.h",
- "cuda/extras/CUPTI/include/GL/wglext.h",
- "cuda/extras/CUPTI/include/cuda_stdint.h",
- "cuda/extras/CUPTI/include/cupti.h",
- "cuda/extras/CUPTI/include/cupti_activity.h",
- "cuda/extras/CUPTI/include/cupti_callbacks.h",
- "cuda/extras/CUPTI/include/cupti_driver_cbid.h",
- "cuda/extras/CUPTI/include/cupti_events.h",
- "cuda/extras/CUPTI/include/cupti_metrics.h",
- "cuda/extras/CUPTI/include/cupti_nvtx_cbid.h",
- "cuda/extras/CUPTI/include/cupti_result.h",
- "cuda/extras/CUPTI/include/cupti_runtime_cbid.h",
- "cuda/extras/CUPTI/include/cupti_version.h",
- "cuda/extras/CUPTI/include/generated_cudaGL_meta.h",
- "cuda/extras/CUPTI/include/generated_cudaVDPAU_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_gl_interop_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_runtime_api_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h",
- "cuda/extras/CUPTI/include/generated_nvtx_meta.h",
- "cuda/extras/CUPTI/include/openacc/cupti_openacc.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/gl.h" "$(@D)/cuda/extras/CUPTI/include/GL/gl.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glew.h" "$(@D)/cuda/extras/CUPTI/include/GL/glew.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glext.h" "$(@D)/cuda/extras/CUPTI/include/GL/glext.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glu.h" "$(@D)/cuda/extras/CUPTI/include/GL/glu.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glut.h" "$(@D)/cuda/extras/CUPTI/include/GL/glut.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glx.h" "$(@D)/cuda/extras/CUPTI/include/GL/glx.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glxext.h" "$(@D)/cuda/extras/CUPTI/include/GL/glxext.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/wglew.h" "$(@D)/cuda/extras/CUPTI/include/GL/wglew.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/GL/wglext.h" "$(@D)/cuda/extras/CUPTI/include/GL/wglext.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cuda_stdint.h" "$(@D)/cuda/extras/CUPTI/include/cuda_stdint.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti.h" "$(@D)/cuda/extras/CUPTI/include/cupti.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_activity.h" "$(@D)/cuda/extras/CUPTI/include/cupti_activity.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_callbacks.h" "$(@D)/cuda/extras/CUPTI/include/cupti_callbacks.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_driver_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_driver_cbid.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_events.h" "$(@D)/cuda/extras/CUPTI/include/cupti_events.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_metrics.h" "$(@D)/cuda/extras/CUPTI/include/cupti_metrics.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_nvtx_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_nvtx_cbid.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_result.h" "$(@D)/cuda/extras/CUPTI/include/cupti_result.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_runtime_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_runtime_cbid.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_version.h" "$(@D)/cuda/extras/CUPTI/include/cupti_version.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cudaGL_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cudaGL_meta.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cudaVDPAU_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cudaVDPAU_meta.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cuda_gl_interop_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_gl_interop_meta.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cuda_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_meta.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cuda_runtime_api_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_runtime_api_meta.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/generated_nvtx_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_nvtx_meta.h" && cp "/usr/local/cuda-10.0/extras/CUPTI/include/openacc/cupti_openacc.h" "$(@D)/cuda/extras/CUPTI/include/openacc/cupti_openacc.h"
- """,
-)
-
-genrule(
- name = "cuda-lib",
- outs = [
- "cuda/lib/libcuda.so",
- "cuda/lib/libcudart.so.10.0",
- "cuda/lib/libcudart_static.a",
- "cuda/lib/libcublas.so.10.0",
- "cuda/lib/libcusolver.so.10.0",
- "cuda/lib/libcurand.so.10.0",
- "cuda/lib/libcufft.so.10.0",
- "cuda/lib/libcudnn.so.7",
- "cuda/lib/libcupti.so.10.0",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp "/usr/local/cuda-10.0/targets/x86_64-linux/lib/stubs/libcuda.so" "$(@D)/cuda/lib/libcuda.so" && cp "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcudart.so.10.0.176" "$(@D)/cuda/lib/libcudart.so.10.0" && cp "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcudart_static.a" "$(@D)/cuda/lib/libcudart_static.a" && cp "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcublas.so.10.0.480" "$(@D)/cuda/lib/libcublas.so.10.0" && cp "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcusolver.so.10.0.176" "$(@D)/cuda/lib/libcusolver.so.10.0" && cp "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcurand.so.10.0.176" "$(@D)/cuda/lib/libcurand.so.10.0" && cp "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcufft.so.10.0.176" "$(@D)/cuda/lib/libcufft.so.10.0" && cp "/usr/lib/x86_64-linux-gnu/libcudnn.so.7.2.1" "$(@D)/cuda/lib/libcudnn.so.7" && cp "/usr/local/cuda/extras/CUPTI/lib64/libcupti.so.10.0.176" "$(@D)/cuda/lib/libcupti.so.10.0"
- """,
-)
-
-filegroup(
- name = "cudnn-include",
- srcs = [],
-)
diff --git a/third_party/toolchains/gpus/cuda/build_defs.bzl b/third_party/toolchains/gpus/cuda/build_defs.bzl
deleted file mode 100644
index 9210bfe..0000000
--- a/third_party/toolchains/gpus/cuda/build_defs.bzl
+++ /dev/null
@@ -1,35 +0,0 @@
-# Macros for building CUDA code used with Bazel remote
-# execution service.
-# DO NOT EDIT: automatically generated file
-
-# Macros for building CUDA code.
-def if_cuda(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with CUDA.
-
- Returns a select statement which evaluates to if_true if we're building
- with CUDA enabled. Otherwise, the select statement evaluates to if_false.
-
- """
- return select({
- "@local_config_cuda//cuda:using_nvcc": if_true,
- "@local_config_cuda//cuda:using_clang": if_true,
- "//conditions:default": if_false,
- })
-
-def cuda_default_copts():
- """Default options for all CUDA compilations."""
- return if_cuda(["-x", "cuda", "-DGOOGLE_CUDA=1"] + ["--cuda-gpu-arch=sm_30"])
-
-def cuda_is_configured():
- """Returns true if CUDA was enabled during the configure process."""
- return True
-
-def if_cuda_is_configured(x):
- """Tests if the CUDA was enabled during the configure process.
-
- Unlike if_cuda(), this does not require that we are building with
- --config=cuda. Used to allow non-CUDA code to depend on CUDA libraries.
- """
- if cuda_is_configured():
- return x
- return []
diff --git a/third_party/toolchains/gpus/cuda/cuda/cuda_config.h b/third_party/toolchains/gpus/cuda/cuda/cuda_config.h
deleted file mode 100644
index b05bfb7..0000000
--- a/third_party/toolchains/gpus/cuda/cuda/cuda_config.h
+++ /dev/null
@@ -1,27 +0,0 @@
-/* Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-
-Licensed under the Apache License, Version 2.0 (the "License");
-you may not use this file except in compliance with the License.
-You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
-Unless required by applicable law or agreed to in writing, software
-distributed under the License is distributed on an "AS IS" BASIS,
-WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-See the License for the specific language governing permissions and
-limitations under the License.
-==============================================================================*/
-
-// DO NOT EDIT: automatically generated file
-#ifndef CUDA_CUDA_CONFIG_H_
-#define CUDA_CUDA_CONFIG_H_
-
-#define TF_CUDA_CAPABILITIES CudaVersion("3.0")
-
-#define TF_CUDA_VERSION "10.0"
-#define TF_CUDNN_VERSION "7"
-
-#define TF_CUDA_TOOLKIT_PATH "/usr/local/cuda-10.0"
-
-#endif // CUDA_CUDA_CONFIG_H_
diff --git a/third_party/toolchains/gpus/py/BUILD b/third_party/toolchains/gpus/py/BUILD
deleted file mode 100644
index 1235988..0000000
--- a/third_party/toolchains/gpus/py/BUILD
+++ /dev/null
@@ -1,177 +0,0 @@
-# A build file to configure python remote repository used with Bazel remote
-# execution service
-# DO NOT EDIT: automatically generated BUILD file
-
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-# To build Python C/C++ extension on Windows, we need to link to python import library pythonXY.lib
-# See https://docs.python.org/3/extending/windows.html
-cc_import(
- name = "python_lib",
- interface_library = select({
- ":windows": ":python_import_lib",
- # A placeholder for Unix platforms which makes --no_build happy.
- "//conditions:default": "not-existing.lib",
- }),
- system_provided = 1,
-)
-
-cc_library(
- name = "python_headers",
- hdrs = [":python_include"],
- includes = ["python_include"],
- deps = select({
- ":windows": [":python_lib"],
- "//conditions:default": [],
- }),
-)
-
-cc_library(
- name = "numpy_headers",
- hdrs = [":numpy_include"],
- includes = ["numpy_include"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "python_include",
- outs = [
- "python_include/Python-ast.h",
- "python_include/Python.h",
- "python_include/abstract.h",
- "python_include/asdl.h",
- "python_include/ast.h",
- "python_include/bitset.h",
- "python_include/boolobject.h",
- "python_include/bufferobject.h",
- "python_include/bytearrayobject.h",
- "python_include/bytes_methods.h",
- "python_include/bytesobject.h",
- "python_include/cStringIO.h",
- "python_include/cellobject.h",
- "python_include/ceval.h",
- "python_include/classobject.h",
- "python_include/cobject.h",
- "python_include/code.h",
- "python_include/codecs.h",
- "python_include/compile.h",
- "python_include/complexobject.h",
- "python_include/datetime.h",
- "python_include/descrobject.h",
- "python_include/dictobject.h",
- "python_include/dtoa.h",
- "python_include/enumobject.h",
- "python_include/errcode.h",
- "python_include/eval.h",
- "python_include/fileobject.h",
- "python_include/floatobject.h",
- "python_include/frameobject.h",
- "python_include/funcobject.h",
- "python_include/genobject.h",
- "python_include/graminit.h",
- "python_include/grammar.h",
- "python_include/import.h",
- "python_include/intobject.h",
- "python_include/intrcheck.h",
- "python_include/iterobject.h",
- "python_include/listobject.h",
- "python_include/longintrepr.h",
- "python_include/longobject.h",
- "python_include/marshal.h",
- "python_include/memoryobject.h",
- "python_include/metagrammar.h",
- "python_include/methodobject.h",
- "python_include/modsupport.h",
- "python_include/moduleobject.h",
- "python_include/node.h",
- "python_include/object.h",
- "python_include/objimpl.h",
- "python_include/opcode.h",
- "python_include/osdefs.h",
- "python_include/parsetok.h",
- "python_include/patchlevel.h",
- "python_include/pgen.h",
- "python_include/pgenheaders.h",
- "python_include/py_curses.h",
- "python_include/pyarena.h",
- "python_include/pycapsule.h",
- "python_include/pyconfig.h",
- "python_include/pyctype.h",
- "python_include/pydebug.h",
- "python_include/pyerrors.h",
- "python_include/pyexpat.h",
- "python_include/pyfpe.h",
- "python_include/pygetopt.h",
- "python_include/pymacconfig.h",
- "python_include/pymactoolbox.h",
- "python_include/pymath.h",
- "python_include/pymem.h",
- "python_include/pyport.h",
- "python_include/pystate.h",
- "python_include/pystrcmp.h",
- "python_include/pystrtod.h",
- "python_include/pythonrun.h",
- "python_include/pythread.h",
- "python_include/rangeobject.h",
- "python_include/setobject.h",
- "python_include/sliceobject.h",
- "python_include/stringobject.h",
- "python_include/structmember.h",
- "python_include/structseq.h",
- "python_include/symtable.h",
- "python_include/sysmodule.h",
- "python_include/timefuncs.h",
- "python_include/token.h",
- "python_include/traceback.h",
- "python_include/tupleobject.h",
- "python_include/ucnhash.h",
- "python_include/unicodeobject.h",
- "python_include/warnings.h",
- "python_include/weakrefobject.h",
- ],
- cmd = """
-cp "/usr/include/python2.7/Python-ast.h" "$(@D)/python_include/Python-ast.h" && cp "/usr/include/python2.7/Python.h" "$(@D)/python_include/Python.h" && cp "/usr/include/python2.7/abstract.h" "$(@D)/python_include/abstract.h" && cp "/usr/include/python2.7/asdl.h" "$(@D)/python_include/asdl.h" && cp "/usr/include/python2.7/ast.h" "$(@D)/python_include/ast.h" && cp "/usr/include/python2.7/bitset.h" "$(@D)/python_include/bitset.h" && cp "/usr/include/python2.7/boolobject.h" "$(@D)/python_include/boolobject.h" && cp "/usr/include/python2.7/bufferobject.h" "$(@D)/python_include/bufferobject.h" && cp "/usr/include/python2.7/bytearrayobject.h" "$(@D)/python_include/bytearrayobject.h" && cp "/usr/include/python2.7/bytes_methods.h" "$(@D)/python_include/bytes_methods.h" && cp "/usr/include/python2.7/bytesobject.h" "$(@D)/python_include/bytesobject.h" && cp "/usr/include/python2.7/cStringIO.h" "$(@D)/python_include/cStringIO.h" && cp "/usr/include/python2.7/cellobject.h" "$(@D)/python_include/cellobject.h" && cp "/usr/include/python2.7/ceval.h" "$(@D)/python_include/ceval.h" && cp "/usr/include/python2.7/classobject.h" "$(@D)/python_include/classobject.h" && cp "/usr/include/python2.7/cobject.h" "$(@D)/python_include/cobject.h" && cp "/usr/include/python2.7/code.h" "$(@D)/python_include/code.h" && cp "/usr/include/python2.7/codecs.h" "$(@D)/python_include/codecs.h" && cp "/usr/include/python2.7/compile.h" "$(@D)/python_include/compile.h" && cp "/usr/include/python2.7/complexobject.h" "$(@D)/python_include/complexobject.h" && cp "/usr/include/python2.7/datetime.h" "$(@D)/python_include/datetime.h" && cp "/usr/include/python2.7/descrobject.h" "$(@D)/python_include/descrobject.h" && cp "/usr/include/python2.7/dictobject.h" "$(@D)/python_include/dictobject.h" && cp "/usr/include/python2.7/dtoa.h" "$(@D)/python_include/dtoa.h" && cp "/usr/include/python2.7/enumobject.h" "$(@D)/python_include/enumobject.h" && cp "/usr/include/python2.7/errcode.h" "$(@D)/python_include/errcode.h" && cp "/usr/include/python2.7/eval.h" "$(@D)/python_include/eval.h" && cp "/usr/include/python2.7/fileobject.h" "$(@D)/python_include/fileobject.h" && cp "/usr/include/python2.7/floatobject.h" "$(@D)/python_include/floatobject.h" && cp "/usr/include/python2.7/frameobject.h" "$(@D)/python_include/frameobject.h" && cp "/usr/include/python2.7/funcobject.h" "$(@D)/python_include/funcobject.h" && cp "/usr/include/python2.7/genobject.h" "$(@D)/python_include/genobject.h" && cp "/usr/include/python2.7/graminit.h" "$(@D)/python_include/graminit.h" && cp "/usr/include/python2.7/grammar.h" "$(@D)/python_include/grammar.h" && cp "/usr/include/python2.7/import.h" "$(@D)/python_include/import.h" && cp "/usr/include/python2.7/intobject.h" "$(@D)/python_include/intobject.h" && cp "/usr/include/python2.7/intrcheck.h" "$(@D)/python_include/intrcheck.h" && cp "/usr/include/python2.7/iterobject.h" "$(@D)/python_include/iterobject.h" && cp "/usr/include/python2.7/listobject.h" "$(@D)/python_include/listobject.h" && cp "/usr/include/python2.7/longintrepr.h" "$(@D)/python_include/longintrepr.h" && cp "/usr/include/python2.7/longobject.h" "$(@D)/python_include/longobject.h" && cp "/usr/include/python2.7/marshal.h" "$(@D)/python_include/marshal.h" && cp "/usr/include/python2.7/memoryobject.h" "$(@D)/python_include/memoryobject.h" && cp "/usr/include/python2.7/metagrammar.h" "$(@D)/python_include/metagrammar.h" && cp "/usr/include/python2.7/methodobject.h" "$(@D)/python_include/methodobject.h" && cp "/usr/include/python2.7/modsupport.h" "$(@D)/python_include/modsupport.h" && cp "/usr/include/python2.7/moduleobject.h" "$(@D)/python_include/moduleobject.h" && cp "/usr/include/python2.7/node.h" "$(@D)/python_include/node.h" && cp "/usr/include/python2.7/object.h" "$(@D)/python_include/object.h" && cp "/usr/include/python2.7/objimpl.h" "$(@D)/python_include/objimpl.h" && cp "/usr/include/python2.7/opcode.h" "$(@D)/python_include/opcode.h" && cp "/usr/include/python2.7/osdefs.h" "$(@D)/python_include/osdefs.h" && cp "/usr/include/python2.7/parsetok.h" "$(@D)/python_include/parsetok.h" && cp "/usr/include/python2.7/patchlevel.h" "$(@D)/python_include/patchlevel.h" && cp "/usr/include/python2.7/pgen.h" "$(@D)/python_include/pgen.h" && cp "/usr/include/python2.7/pgenheaders.h" "$(@D)/python_include/pgenheaders.h" && cp "/usr/include/python2.7/py_curses.h" "$(@D)/python_include/py_curses.h" && cp "/usr/include/python2.7/pyarena.h" "$(@D)/python_include/pyarena.h" && cp "/usr/include/python2.7/pycapsule.h" "$(@D)/python_include/pycapsule.h" && cp "/usr/include/python2.7/pyconfig.h" "$(@D)/python_include/pyconfig.h" && cp "/usr/include/python2.7/pyctype.h" "$(@D)/python_include/pyctype.h" && cp "/usr/include/python2.7/pydebug.h" "$(@D)/python_include/pydebug.h" && cp "/usr/include/python2.7/pyerrors.h" "$(@D)/python_include/pyerrors.h" && cp "/usr/include/python2.7/pyexpat.h" "$(@D)/python_include/pyexpat.h" && cp "/usr/include/python2.7/pyfpe.h" "$(@D)/python_include/pyfpe.h" && cp "/usr/include/python2.7/pygetopt.h" "$(@D)/python_include/pygetopt.h" && cp "/usr/include/python2.7/pymacconfig.h" "$(@D)/python_include/pymacconfig.h" && cp "/usr/include/python2.7/pymactoolbox.h" "$(@D)/python_include/pymactoolbox.h" && cp "/usr/include/python2.7/pymath.h" "$(@D)/python_include/pymath.h" && cp "/usr/include/python2.7/pymem.h" "$(@D)/python_include/pymem.h" && cp "/usr/include/python2.7/pyport.h" "$(@D)/python_include/pyport.h" && cp "/usr/include/python2.7/pystate.h" "$(@D)/python_include/pystate.h" && cp "/usr/include/python2.7/pystrcmp.h" "$(@D)/python_include/pystrcmp.h" && cp "/usr/include/python2.7/pystrtod.h" "$(@D)/python_include/pystrtod.h" && cp "/usr/include/python2.7/pythonrun.h" "$(@D)/python_include/pythonrun.h" && cp "/usr/include/python2.7/pythread.h" "$(@D)/python_include/pythread.h" && cp "/usr/include/python2.7/rangeobject.h" "$(@D)/python_include/rangeobject.h" && cp "/usr/include/python2.7/setobject.h" "$(@D)/python_include/setobject.h" && cp "/usr/include/python2.7/sliceobject.h" "$(@D)/python_include/sliceobject.h" && cp "/usr/include/python2.7/stringobject.h" "$(@D)/python_include/stringobject.h" && cp "/usr/include/python2.7/structmember.h" "$(@D)/python_include/structmember.h" && cp "/usr/include/python2.7/structseq.h" "$(@D)/python_include/structseq.h" && cp "/usr/include/python2.7/symtable.h" "$(@D)/python_include/symtable.h" && cp "/usr/include/python2.7/sysmodule.h" "$(@D)/python_include/sysmodule.h" && cp "/usr/include/python2.7/timefuncs.h" "$(@D)/python_include/timefuncs.h" && cp "/usr/include/python2.7/token.h" "$(@D)/python_include/token.h" && cp "/usr/include/python2.7/traceback.h" "$(@D)/python_include/traceback.h" && cp "/usr/include/python2.7/tupleobject.h" "$(@D)/python_include/tupleobject.h" && cp "/usr/include/python2.7/ucnhash.h" "$(@D)/python_include/ucnhash.h" && cp "/usr/include/python2.7/unicodeobject.h" "$(@D)/python_include/unicodeobject.h" && cp "/usr/include/python2.7/warnings.h" "$(@D)/python_include/warnings.h" && cp "/usr/include/python2.7/weakrefobject.h" "$(@D)/python_include/weakrefobject.h"
- """,
-)
-
-genrule(
- name = "numpy_include",
- outs = [
- "numpy_include/numpy/__multiarray_api.h",
- "numpy_include/numpy/__ufunc_api.h",
- "numpy_include/numpy/_neighborhood_iterator_imp.h",
- "numpy_include/numpy/_numpyconfig.h",
- "numpy_include/numpy/arrayobject.h",
- "numpy_include/numpy/arrayscalars.h",
- "numpy_include/numpy/halffloat.h",
- "numpy_include/numpy/multiarray_api.txt",
- "numpy_include/numpy/ndarrayobject.h",
- "numpy_include/numpy/ndarraytypes.h",
- "numpy_include/numpy/noprefix.h",
- "numpy_include/numpy/npy_1_7_deprecated_api.h",
- "numpy_include/numpy/npy_3kcompat.h",
- "numpy_include/numpy/npy_common.h",
- "numpy_include/numpy/npy_cpu.h",
- "numpy_include/numpy/npy_endian.h",
- "numpy_include/numpy/npy_interrupt.h",
- "numpy_include/numpy/npy_math.h",
- "numpy_include/numpy/npy_no_deprecated_api.h",
- "numpy_include/numpy/npy_os.h",
- "numpy_include/numpy/numpyconfig.h",
- "numpy_include/numpy/old_defines.h",
- "numpy_include/numpy/oldnumeric.h",
- "numpy_include/numpy/ufunc_api.txt",
- "numpy_include/numpy/ufuncobject.h",
- "numpy_include/numpy/utils.h",
- ],
- cmd = """
-cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/__multiarray_api.h" "$(@D)/numpy_include/numpy/__multiarray_api.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/__ufunc_api.h" "$(@D)/numpy_include/numpy/__ufunc_api.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/_neighborhood_iterator_imp.h" "$(@D)/numpy_include/numpy/_neighborhood_iterator_imp.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/_numpyconfig.h" "$(@D)/numpy_include/numpy/_numpyconfig.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/arrayobject.h" "$(@D)/numpy_include/numpy/arrayobject.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/arrayscalars.h" "$(@D)/numpy_include/numpy/arrayscalars.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/halffloat.h" "$(@D)/numpy_include/numpy/halffloat.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/multiarray_api.txt" "$(@D)/numpy_include/numpy/multiarray_api.txt" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/ndarrayobject.h" "$(@D)/numpy_include/numpy/ndarrayobject.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/ndarraytypes.h" "$(@D)/numpy_include/numpy/ndarraytypes.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/noprefix.h" "$(@D)/numpy_include/numpy/noprefix.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_1_7_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_1_7_deprecated_api.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_3kcompat.h" "$(@D)/numpy_include/numpy/npy_3kcompat.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_common.h" "$(@D)/numpy_include/numpy/npy_common.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_cpu.h" "$(@D)/numpy_include/numpy/npy_cpu.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_endian.h" "$(@D)/numpy_include/numpy/npy_endian.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_interrupt.h" "$(@D)/numpy_include/numpy/npy_interrupt.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_math.h" "$(@D)/numpy_include/numpy/npy_math.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_no_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_no_deprecated_api.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/npy_os.h" "$(@D)/numpy_include/numpy/npy_os.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/numpyconfig.h" "$(@D)/numpy_include/numpy/numpyconfig.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/old_defines.h" "$(@D)/numpy_include/numpy/old_defines.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/oldnumeric.h" "$(@D)/numpy_include/numpy/oldnumeric.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/ufunc_api.txt" "$(@D)/numpy_include/numpy/ufunc_api.txt" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/ufuncobject.h" "$(@D)/numpy_include/numpy/ufuncobject.h" && cp "/usr/local/lib/python2.7/dist-packages/numpy/core/include/numpy/utils.h" "$(@D)/numpy_include/numpy/utils.h"
- """,
-)
diff --git a/third_party/toolchains/preconfig/generate/BUILD b/third_party/toolchains/preconfig/generate/BUILD
deleted file mode 100644
index ad79255..0000000
--- a/third_party/toolchains/preconfig/generate/BUILD
+++ /dev/null
@@ -1,45 +0,0 @@
-licenses(["restricted"])
-
-load(":generate.bzl", "tensorflow_rbe_config")
-
-tensorflow_rbe_config(
- name = "ubuntu16.04-py3-clang",
- compiler = "clang",
- python_version = "3",
-)
-
-tensorflow_rbe_config(
- name = "ubuntu14.04-py3-gcc-cuda9.0-cudnn7-tensorrt5",
- compiler = "gcc",
- cuda_version = "9.0",
- cudnn_version = "7",
- python_version = "3",
- tensorrt_version = "5",
-)
-
-tensorflow_rbe_config(
- name = "ubuntu14.04-py3-clang-cuda9.0-cudnn7-tensorrt5",
- compiler = "clang",
- cuda_version = "9.0",
- cudnn_version = "7",
- python_version = "3",
- tensorrt_version = "5",
-)
-
-tensorflow_rbe_config(
- name = "ubuntu14.04-py3-gcc-cuda10.0-cudnn7-tensorrt5",
- compiler = "gcc",
- cuda_version = "10.0",
- cudnn_version = "7",
- python_version = "3",
- tensorrt_version = "5",
-)
-
-tensorflow_rbe_config(
- name = "ubuntu14.04-py3-clang-cuda10.0-cudnn7-tensorrt5",
- compiler = "clang",
- cuda_version = "10.0",
- cudnn_version = "7",
- python_version = "3",
- tensorrt_version = "5",
-)
diff --git a/third_party/toolchains/preconfig/generate/archives.bzl b/third_party/toolchains/preconfig/generate/archives.bzl
deleted file mode 100644
index bafc7d4..0000000
--- a/third_party/toolchains/preconfig/generate/archives.bzl
+++ /dev/null
@@ -1,13 +0,0 @@
-load("//tensorflow:version_check.bzl", "parse_bazel_version")
-load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
-
-def bazel_toolchains_archive():
- http_archive(
- name = "bazel_toolchains",
- sha256 = "ee854b5de299138c1f4a2edb5573d22b21d975acfc7aa938f36d30b49ef97498",
- strip_prefix = "bazel-toolchains-37419a124bdb9af2fec5b99a973d359b6b899b61",
- urls = [
- "https://mirror.bazel.build/github.com/bazelbuild/bazel-toolchains/archive/37419a124bdb9af2fec5b99a973d359b6b899b61.tar.gz",
- "https://github.com/bazelbuild/bazel-toolchains/archive/37419a124bdb9af2fec5b99a973d359b6b899b61.tar.gz",
- ],
- )
diff --git a/third_party/toolchains/preconfig/generate/containers.bzl b/third_party/toolchains/preconfig/generate/containers.bzl
deleted file mode 100644
index 4282085..0000000
--- a/third_party/toolchains/preconfig/generate/containers.bzl
+++ /dev/null
@@ -1,5 +0,0 @@
-container_digests = {
- "ubuntu16.04": "sha256:d0d98c53111c3ec071aa81632a2b0d6f210e5c2411c5172e31f99002125ec4de",
- "cuda9.0-cudnn7-ubuntu14.04": "sha256:006a76ee1838122ff7f21ebac85f24c1ef350d4dd79b3ceff0e4fe649ed90d33",
- "cuda10.0-cudnn7-ubuntu14.04": "sha256:e36f05f1ff39e39ddf07122e37f2b1895948bb6f7acc3db37a3c496be5e66228",
-}
diff --git a/third_party/toolchains/preconfig/generate/generate.bzl b/third_party/toolchains/preconfig/generate/generate.bzl
deleted file mode 100644
index fc485d4..0000000
--- a/third_party/toolchains/preconfig/generate/generate.bzl
+++ /dev/null
@@ -1,59 +0,0 @@
-load(
- "@bazel_toolchains//rules:docker_config.bzl",
- "docker_toolchain_autoconfig",
-)
-
-def _tensorflow_rbe_config(name, compiler, python_version, cuda_version = None, cudnn_version = None, tensorrt_version = None):
- base = "@ubuntu16.04//image"
- config_repos = [
- "local_config_python",
- "local_config_cc",
- ]
- env = {
- "ABI_VERSION": "gcc",
- "ABI_LIBC_VERSION": "glibc_2.19",
- "BAZEL_COMPILER": compiler,
- "BAZEL_HOST_SYSTEM": "i686-unknown-linux-gnu",
- "BAZEL_TARGET_LIBC": "glibc_2.19",
- "BAZEL_TARGET_CPU": "k8",
- "BAZEL_TARGET_SYSTEM": "x86_64-unknown-linux-gnu",
- "CC_TOOLCHAIN_NAME": "linux_gnu_x86",
- "CC": compiler,
- "PYTHON_BIN_PATH": "/usr/bin/python%s" % python_version,
- "CLEAR_CACHE": "1",
- }
-
- if cuda_version != None:
- base = "@cuda%s-cudnn%s-ubuntu14.04//image" % (cuda_version, cudnn_version)
- # The cuda toolchain currently contains its own C++ toolchain definition,
- # so we do not fetch local_config_cc.
- config_repos = [
- "local_config_python",
- "local_config_cuda",
- "local_config_tensorrt",
- ]
- env.update({
- "TF_NEED_CUDA": "1",
- "TF_CUDA_CLANG": "1" if compiler == "clang" else "0",
- "TF_CUDA_COMPUTE_CAPABILITIES": "3.0",
- "TF_ENABLE_XLA": "1",
- "TF_CUDNN_VERSION": cudnn_version,
- "TF_CUDA_VERSION": cuda_version,
- "CUDNN_INSTALL_PATH": "/usr/lib/x86_64-linux-gnu",
- "TF_NEED_TENSORRT" : "1",
- "TF_TENSORRT_VERSION": tensorrt_version,
- "TENSORRT_INSTALL_PATH": "/usr/lib/x86_64-linux-gnu",
- })
-
- docker_toolchain_autoconfig(
- name = name,
- base = base,
- bazel_version = "0.21.0",
- config_repos = config_repos,
- env = env,
- mount_project = "$(mount_project)",
- tags = ["manual"],
- incompatible_changes_off = True,
- )
-
-tensorflow_rbe_config = _tensorflow_rbe_config
diff --git a/third_party/toolchains/preconfig/generate/generate.sh b/third_party/toolchains/preconfig/generate/generate.sh
deleted file mode 100755
index c05a4de..0000000
--- a/third_party/toolchains/preconfig/generate/generate.sh
+++ /dev/null
@@ -1,107 +0,0 @@
-#!/bin/bash
-#
-# Copyright 2018 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-TARGET="$1"
-OUTPUT="$2"
-
-if [[ -z "${TARGET}" || -z "${OUTPUT}" ]]; then
- echo "Usage:"
- echo "$0 <target> <output>"
- exit 1
-fi
-
-TEMPDIR="$(mktemp -d)"
-ROOT="${PWD}"
-PKG="third_party/toolchains/preconfig"
-IFS='-' read -ra PLATFORM <<< "${TARGET}"
-OS="${PLATFORM[0]}"
-PY_VERSION="${PLATFORM[1]}"
-COMPILER="${PLATFORM[2]}"
-CUDA_VERSION="${PLATFORM[3]}"
-CUDNN_VERSION="${PLATFORM[4]}"
-TENSORRT_VERSION="${PLATFORM[5]}"
-
-# TODO(klimek): Put this into the name.
-
-if [[ -n "${CUDA_VERSION}" ]]; then
- if [[ "${COMPILER}" == "gcc" ]]; then
- COMPILER="gcc-nvcc-${CUDA_VERSION}"
- fi
- # Currently we create a special toolchain for clang when compiling with
- # cuda enabled. We can get rid of this once the default toolchain bazel
- # provides supports cuda.
- if [[ "${COMPILER}" == "clang" ]]; then
- COMPILER="cuda-clang"
- fi
-fi
-
-echo "OS: ${OS}"
-echo "Python: ${PY_VERSION}"
-echo "Compiler: ${COMPILER}"
-echo "CUDA: ${CUDA_VERSION}"
-echo "CUDNN: ${CUDNN_VERSION}"
-echo "TensorRT: ${TENSORRT_VERSION}"
-
-bazel build --define=mount_project="${PWD}" "${PKG}/generate:${TARGET}"
-cd "${TEMPDIR}"
-tar xvf "${ROOT}/bazel-bin/${PKG}/generate/${TARGET}_outputs.tar"
-
-# TODO(klimek): The skylark config rules should copy the files instead of
-# creating aliases.
-# Other than in @local_config_tensorrt, the header files in the remote config
-# repo are not relative to the repository root. Add a dummy include_prefix to
-# make them available as virtual includes.
-buildozer 'set include_prefix ""' //local_config_tensorrt:%cc_library
-
-# Delete all empty files: configurations leave empty files around when they are
-# unnecessary.
-find . -empty -delete
-
-# We build up the following directory structure with preconfigured packages:
-# <OS>/
-# <CUDA>-<CUDNN>/
-# <COMPILER>/
-# <PYTHON>/
-# <TENSORRT>/
-
-# Create our toplevel output directory for the OS.
-mkdir "${OS}"
-
-# Python:
-mv local_config_python "${OS}/${PY_VERSION}"
-
-if [[ -n "${CUDA_VERSION}" ]]; then
- # Compiler:
- mv local_config_cuda/crosstool "${OS}/${COMPILER}"
-
- # CUDA:
- mv local_config_cuda "${OS}/${CUDA_VERSION}-${CUDNN_VERSION}"
-
- # TensorRT:
- mv local_config_tensorrt "${OS}/${TENSORRT_VERSION}"
-else
- # Compiler:
- mv local_config_cc "${OS}/${COMPILER}"
-fi
-
-# Cleanup for copybara.
-find "${OS}" -name 'BUILD' -o -name '*.bzl' |xargs buildifier
-find "${OS}" -name 'BUILD' -o -name '*.bzl' |xargs -I {} mv {} {}.oss
-
-# Tar it up:
-tar cvf "${OUTPUT}" "${OS}"
-
diff --git a/third_party/toolchains/preconfig/generate/workspace.bzl b/third_party/toolchains/preconfig/generate/workspace.bzl
deleted file mode 100644
index 0495173..0000000
--- a/third_party/toolchains/preconfig/generate/workspace.bzl
+++ /dev/null
@@ -1,32 +0,0 @@
-load(
- "@io_bazel_rules_docker//container:container.bzl",
- "container_pull",
- container_repositories = "repositories",
-)
-load(":containers.bzl", "container_digests")
-
-def _remote_config_workspace():
- container_repositories()
-
- container_pull(
- name = "ubuntu16.04",
- registry = "gcr.io",
- repository = "tensorflow-testing/nosla-ubuntu16.04",
- digest = container_digests["ubuntu16.04"],
- )
-
- container_pull(
- name = "cuda9.0-cudnn7-ubuntu14.04",
- registry = "gcr.io",
- repository = "tensorflow-testing/nosla-cuda9.0-cudnn7-ubuntu14.04",
- digest = container_digests["cuda9.0-cudnn7-ubuntu14.04"],
- )
-
- container_pull(
- name = "cuda10.0-cudnn7-ubuntu14.04",
- registry = "gcr.io",
- repository = "tensorflow-testing/nosla-cuda10.0-cudnn7-ubuntu14.04",
- digest = container_digests["cuda10.0-cudnn7-ubuntu14.04"],
- )
-
-remote_config_workspace = _remote_config_workspace
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/WORKSPACE b/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/WORKSPACE
deleted file mode 100644
index b61f572..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/WORKSPACE
+++ /dev/null
@@ -1,2 +0,0 @@
-# DO NOT EDIT: automatically generated WORKSPACE file for cuda_configure rule
-workspace(name = "local_config_cuda")
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/BUILD b/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/BUILD
deleted file mode 100755
index c813efc..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/BUILD
+++ /dev/null
@@ -1,1275 +0,0 @@
-licenses(["restricted"]) # MPL2, portions GPL v3, LGPL v3, BSD-like
-
-package(default_visibility = ["//visibility:public"])
-
-config_setting(
- name = "using_nvcc",
- values = {
- "define": "using_cuda_nvcc=true",
- },
-)
-
-config_setting(
- name = "using_clang",
- values = {
- "define": "using_cuda_clang=true",
- },
-)
-
-# Equivalent to using_clang && -c opt.
-config_setting(
- name = "using_clang_opt",
- values = {
- "define": "using_cuda_clang=true",
- "compilation_mode": "opt",
- },
-)
-
-config_setting(
- name = "darwin",
- values = {"cpu": "darwin"},
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "freebsd",
- values = {"cpu": "freebsd"},
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_headers",
- hdrs = [
- "cuda/cuda_config.h",
- ":cuda-include",
- ":cudnn-include",
- ],
- includes = [
- ".",
- "cuda/include",
- "cuda/include/crt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudart_static",
- srcs = ["cuda/lib/libcudart_static.a"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkopts = select({
- ":freebsd": [],
- "//conditions:default": ["-ldl"],
- }) + [
- "-lpthread",
- "-lrt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_driver",
- srcs = ["cuda/lib/libcuda.so"],
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudart",
- srcs = ["cuda/lib/libcudart.so.10.0"],
- data = ["cuda/lib/libcudart.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cublas",
- srcs = ["cuda/lib/libcublas.so.10.0"],
- data = ["cuda/lib/libcublas.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cusolver",
- srcs = ["cuda/lib/libcusolver.so.10.0"],
- data = ["cuda/lib/libcusolver.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkopts = ["-lgomp"],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn",
- srcs = ["cuda/lib/libcudnn.so.7"],
- data = ["cuda/lib/libcudnn.so.7"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn_header",
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cufft",
- srcs = ["cuda/lib/libcufft.so.10.0"],
- data = ["cuda/lib/libcufft.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "curand",
- srcs = ["cuda/lib/libcurand.so.10.0"],
- data = ["cuda/lib/libcurand.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda",
- visibility = ["//visibility:public"],
- deps = [
- ":cublas",
- ":cuda_headers",
- ":cudart",
- ":cudnn",
- ":cufft",
- ":curand",
- ],
-)
-
-cc_library(
- name = "cupti_headers",
- hdrs = [
- "cuda/cuda_config.h",
- ":cuda-extras",
- ],
- includes = [
- ".",
- "cuda/extras/CUPTI/include/",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cupti_dsos",
- data = ["cuda/lib/libcupti.so.10.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "libdevice_root",
- data = [":cuda-nvvm"],
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "cuda-include",
- outs = [
- "cuda/include/CL/cl.h",
- "cuda/include/CL/cl.hpp",
- "cuda/include/CL/cl_egl.h",
- "cuda/include/CL/cl_ext.h",
- "cuda/include/CL/cl_gl.h",
- "cuda/include/CL/cl_gl_ext.h",
- "cuda/include/CL/cl_platform.h",
- "cuda/include/CL/opencl.h",
- "cuda/include/builtin_types.h",
- "cuda/include/channel_descriptor.h",
- "cuda/include/common_functions.h",
- "cuda/include/cooperative_groups.h",
- "cuda/include/cooperative_groups_helpers.h",
- "cuda/include/crt/common_functions.h",
- "cuda/include/crt/device_double_functions.h",
- "cuda/include/crt/device_double_functions.hpp",
- "cuda/include/crt/device_functions.h",
- "cuda/include/crt/device_functions.hpp",
- "cuda/include/crt/func_macro.h",
- "cuda/include/crt/host_config.h",
- "cuda/include/crt/host_defines.h",
- "cuda/include/crt/host_runtime.h",
- "cuda/include/crt/math_functions.h",
- "cuda/include/crt/math_functions.hpp",
- "cuda/include/crt/mma.h",
- "cuda/include/crt/mma.hpp",
- "cuda/include/crt/nvfunctional",
- "cuda/include/crt/sm_70_rt.h",
- "cuda/include/crt/sm_70_rt.hpp",
- "cuda/include/crt/storage_class.h",
- "cuda/include/cuComplex.h",
- "cuda/include/cublas.h",
- "cuda/include/cublasXt.h",
- "cuda/include/cublas_api.h",
- "cuda/include/cublas_v2.h",
- "cuda/include/cuda.h",
- "cuda/include/cudaEGL.h",
- "cuda/include/cudaGL.h",
- "cuda/include/cudaProfiler.h",
- "cuda/include/cudaVDPAU.h",
- "cuda/include/cuda_device_runtime_api.h",
- "cuda/include/cuda_egl_interop.h",
- "cuda/include/cuda_fp16.h",
- "cuda/include/cuda_fp16.hpp",
- "cuda/include/cuda_gl_interop.h",
- "cuda/include/cuda_occupancy.h",
- "cuda/include/cuda_profiler_api.h",
- "cuda/include/cuda_runtime.h",
- "cuda/include/cuda_runtime_api.h",
- "cuda/include/cuda_surface_types.h",
- "cuda/include/cuda_texture_types.h",
- "cuda/include/cuda_vdpau_interop.h",
- "cuda/include/cudalibxt.h",
- "cuda/include/cudart_platform.h",
- "cuda/include/cufft.h",
- "cuda/include/cufftXt.h",
- "cuda/include/cufftw.h",
- "cuda/include/curand.h",
- "cuda/include/curand_discrete.h",
- "cuda/include/curand_discrete2.h",
- "cuda/include/curand_globals.h",
- "cuda/include/curand_kernel.h",
- "cuda/include/curand_lognormal.h",
- "cuda/include/curand_mrg32k3a.h",
- "cuda/include/curand_mtgp32.h",
- "cuda/include/curand_mtgp32_host.h",
- "cuda/include/curand_mtgp32_kernel.h",
- "cuda/include/curand_mtgp32dc_p_11213.h",
- "cuda/include/curand_normal.h",
- "cuda/include/curand_normal_static.h",
- "cuda/include/curand_philox4x32_x.h",
- "cuda/include/curand_poisson.h",
- "cuda/include/curand_precalc.h",
- "cuda/include/curand_uniform.h",
- "cuda/include/cusolverDn.h",
- "cuda/include/cusolverRf.h",
- "cuda/include/cusolverSp.h",
- "cuda/include/cusolverSp_LOWLEVEL_PREVIEW.h",
- "cuda/include/cusolver_common.h",
- "cuda/include/cusparse.h",
- "cuda/include/cusparse_v2.h",
- "cuda/include/device_atomic_functions.h",
- "cuda/include/device_atomic_functions.hpp",
- "cuda/include/device_double_functions.h",
- "cuda/include/device_functions.h",
- "cuda/include/device_launch_parameters.h",
- "cuda/include/device_types.h",
- "cuda/include/driver_functions.h",
- "cuda/include/driver_types.h",
- "cuda/include/fatBinaryCtl.h",
- "cuda/include/fatbinary.h",
- "cuda/include/host_config.h",
- "cuda/include/host_defines.h",
- "cuda/include/library_types.h",
- "cuda/include/math_constants.h",
- "cuda/include/math_functions.h",
- "cuda/include/mma.h",
- "cuda/include/npp.h",
- "cuda/include/nppcore.h",
- "cuda/include/nppdefs.h",
- "cuda/include/nppi.h",
- "cuda/include/nppi_arithmetic_and_logical_operations.h",
- "cuda/include/nppi_color_conversion.h",
- "cuda/include/nppi_compression_functions.h",
- "cuda/include/nppi_computer_vision.h",
- "cuda/include/nppi_data_exchange_and_initialization.h",
- "cuda/include/nppi_filtering_functions.h",
- "cuda/include/nppi_geometry_transforms.h",
- "cuda/include/nppi_linear_transforms.h",
- "cuda/include/nppi_morphological_operations.h",
- "cuda/include/nppi_statistics_functions.h",
- "cuda/include/nppi_support_functions.h",
- "cuda/include/nppi_threshold_and_compare_operations.h",
- "cuda/include/npps.h",
- "cuda/include/npps_arithmetic_and_logical_operations.h",
- "cuda/include/npps_conversion_functions.h",
- "cuda/include/npps_filtering_functions.h",
- "cuda/include/npps_initialization.h",
- "cuda/include/npps_statistics_functions.h",
- "cuda/include/npps_support_functions.h",
- "cuda/include/nppversion.h",
- "cuda/include/nvToolsExt.h",
- "cuda/include/nvToolsExtCuda.h",
- "cuda/include/nvToolsExtCudaRt.h",
- "cuda/include/nvToolsExtMeta.h",
- "cuda/include/nvToolsExtSync.h",
- "cuda/include/nvblas.h",
- "cuda/include/nvfunctional",
- "cuda/include/nvgraph.h",
- "cuda/include/nvjpeg.h",
- "cuda/include/nvml.h",
- "cuda/include/nvrtc.h",
- "cuda/include/nvtx3/nvToolsExt.h",
- "cuda/include/nvtx3/nvToolsExtCuda.h",
- "cuda/include/nvtx3/nvToolsExtCudaRt.h",
- "cuda/include/nvtx3/nvToolsExtOpenCL.h",
- "cuda/include/nvtx3/nvToolsExtSync.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxImpl.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxImplCore.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxImplCudaRt_v3.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxImplCuda_v3.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxImplOpenCL_v3.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxImplSync_v3.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxInit.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxInitDecls.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxInitDefs.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxLinkOnce.h",
- "cuda/include/nvtx3/nvtxDetail/nvtxTypes.h",
- "cuda/include/sm_20_atomic_functions.h",
- "cuda/include/sm_20_atomic_functions.hpp",
- "cuda/include/sm_20_intrinsics.h",
- "cuda/include/sm_20_intrinsics.hpp",
- "cuda/include/sm_30_intrinsics.h",
- "cuda/include/sm_30_intrinsics.hpp",
- "cuda/include/sm_32_atomic_functions.h",
- "cuda/include/sm_32_atomic_functions.hpp",
- "cuda/include/sm_32_intrinsics.h",
- "cuda/include/sm_32_intrinsics.hpp",
- "cuda/include/sm_35_atomic_functions.h",
- "cuda/include/sm_35_intrinsics.h",
- "cuda/include/sm_60_atomic_functions.h",
- "cuda/include/sm_60_atomic_functions.hpp",
- "cuda/include/sm_61_intrinsics.h",
- "cuda/include/sm_61_intrinsics.hpp",
- "cuda/include/sobol_direction_vectors.h",
- "cuda/include/surface_functions.h",
- "cuda/include/surface_functions.hpp",
- "cuda/include/surface_indirect_functions.h",
- "cuda/include/surface_indirect_functions.hpp",
- "cuda/include/surface_types.h",
- "cuda/include/texture_fetch_functions.h",
- "cuda/include/texture_fetch_functions.hpp",
- "cuda/include/texture_indirect_functions.h",
- "cuda/include/texture_indirect_functions.hpp",
- "cuda/include/texture_types.h",
- "cuda/include/thrust/adjacent_difference.h",
- "cuda/include/thrust/advance.h",
- "cuda/include/thrust/binary_search.h",
- "cuda/include/thrust/complex.h",
- "cuda/include/thrust/copy.h",
- "cuda/include/thrust/count.h",
- "cuda/include/thrust/detail/adjacent_difference.inl",
- "cuda/include/thrust/detail/advance.inl",
- "cuda/include/thrust/detail/alignment.h",
- "cuda/include/thrust/detail/allocator/allocator_traits.h",
- "cuda/include/thrust/detail/allocator/allocator_traits.inl",
- "cuda/include/thrust/detail/allocator/copy_construct_range.h",
- "cuda/include/thrust/detail/allocator/copy_construct_range.inl",
- "cuda/include/thrust/detail/allocator/default_construct_range.h",
- "cuda/include/thrust/detail/allocator/default_construct_range.inl",
- "cuda/include/thrust/detail/allocator/destroy_range.h",
- "cuda/include/thrust/detail/allocator/destroy_range.inl",
- "cuda/include/thrust/detail/allocator/fill_construct_range.h",
- "cuda/include/thrust/detail/allocator/fill_construct_range.inl",
- "cuda/include/thrust/detail/allocator/malloc_allocator.h",
- "cuda/include/thrust/detail/allocator/malloc_allocator.inl",
- "cuda/include/thrust/detail/allocator/no_throw_allocator.h",
- "cuda/include/thrust/detail/allocator/tagged_allocator.h",
- "cuda/include/thrust/detail/allocator/tagged_allocator.inl",
- "cuda/include/thrust/detail/allocator/temporary_allocator.h",
- "cuda/include/thrust/detail/allocator/temporary_allocator.inl",
- "cuda/include/thrust/detail/binary_search.inl",
- "cuda/include/thrust/detail/complex/arithmetic.h",
- "cuda/include/thrust/detail/complex/c99math.h",
- "cuda/include/thrust/detail/complex/catrig.h",
- "cuda/include/thrust/detail/complex/catrigf.h",
- "cuda/include/thrust/detail/complex/ccosh.h",
- "cuda/include/thrust/detail/complex/ccoshf.h",
- "cuda/include/thrust/detail/complex/cexp.h",
- "cuda/include/thrust/detail/complex/cexpf.h",
- "cuda/include/thrust/detail/complex/clog.h",
- "cuda/include/thrust/detail/complex/clogf.h",
- "cuda/include/thrust/detail/complex/complex.inl",
- "cuda/include/thrust/detail/complex/cpow.h",
- "cuda/include/thrust/detail/complex/cproj.h",
- "cuda/include/thrust/detail/complex/csinh.h",
- "cuda/include/thrust/detail/complex/csinhf.h",
- "cuda/include/thrust/detail/complex/csqrt.h",
- "cuda/include/thrust/detail/complex/csqrtf.h",
- "cuda/include/thrust/detail/complex/ctanh.h",
- "cuda/include/thrust/detail/complex/ctanhf.h",
- "cuda/include/thrust/detail/complex/math_private.h",
- "cuda/include/thrust/detail/complex/stream.h",
- "cuda/include/thrust/detail/config.h",
- "cuda/include/thrust/detail/config/compiler.h",
- "cuda/include/thrust/detail/config/compiler_fence.h",
- "cuda/include/thrust/detail/config/config.h",
- "cuda/include/thrust/detail/config/debug.h",
- "cuda/include/thrust/detail/config/device_system.h",
- "cuda/include/thrust/detail/config/exec_check_disable.h",
- "cuda/include/thrust/detail/config/forceinline.h",
- "cuda/include/thrust/detail/config/global_workarounds.h",
- "cuda/include/thrust/detail/config/host_device.h",
- "cuda/include/thrust/detail/config/host_system.h",
- "cuda/include/thrust/detail/config/simple_defines.h",
- "cuda/include/thrust/detail/contiguous_storage.h",
- "cuda/include/thrust/detail/contiguous_storage.inl",
- "cuda/include/thrust/detail/copy.h",
- "cuda/include/thrust/detail/copy.inl",
- "cuda/include/thrust/detail/copy_if.h",
- "cuda/include/thrust/detail/copy_if.inl",
- "cuda/include/thrust/detail/count.inl",
- "cuda/include/thrust/detail/cstdint.h",
- "cuda/include/thrust/detail/device_delete.inl",
- "cuda/include/thrust/detail/device_free.inl",
- "cuda/include/thrust/detail/device_malloc.inl",
- "cuda/include/thrust/detail/device_new.inl",
- "cuda/include/thrust/detail/device_ptr.inl",
- "cuda/include/thrust/detail/device_reference.inl",
- "cuda/include/thrust/detail/device_vector.inl",
- "cuda/include/thrust/detail/dispatch/is_trivial_copy.h",
- "cuda/include/thrust/detail/distance.inl",
- "cuda/include/thrust/detail/equal.inl",
- "cuda/include/thrust/detail/execute_with_allocator.h",
- "cuda/include/thrust/detail/execution_policy.h",
- "cuda/include/thrust/detail/extrema.inl",
- "cuda/include/thrust/detail/fill.inl",
- "cuda/include/thrust/detail/find.inl",
- "cuda/include/thrust/detail/for_each.inl",
- "cuda/include/thrust/detail/function.h",
- "cuda/include/thrust/detail/functional.inl",
- "cuda/include/thrust/detail/functional/actor.h",
- "cuda/include/thrust/detail/functional/actor.inl",
- "cuda/include/thrust/detail/functional/argument.h",
- "cuda/include/thrust/detail/functional/composite.h",
- "cuda/include/thrust/detail/functional/operators.h",
- "cuda/include/thrust/detail/functional/operators/arithmetic_operators.h",
- "cuda/include/thrust/detail/functional/operators/assignment_operator.h",
- "cuda/include/thrust/detail/functional/operators/bitwise_operators.h",
- "cuda/include/thrust/detail/functional/operators/compound_assignment_operators.h",
- "cuda/include/thrust/detail/functional/operators/logical_operators.h",
- "cuda/include/thrust/detail/functional/operators/operator_adaptors.h",
- "cuda/include/thrust/detail/functional/operators/relational_operators.h",
- "cuda/include/thrust/detail/functional/placeholder.h",
- "cuda/include/thrust/detail/functional/value.h",
- "cuda/include/thrust/detail/gather.inl",
- "cuda/include/thrust/detail/generate.inl",
- "cuda/include/thrust/detail/get_iterator_value.h",
- "cuda/include/thrust/detail/host_vector.inl",
- "cuda/include/thrust/detail/inner_product.inl",
- "cuda/include/thrust/detail/integer_math.h",
- "cuda/include/thrust/detail/integer_traits.h",
- "cuda/include/thrust/detail/internal_functional.h",
- "cuda/include/thrust/detail/logical.inl",
- "cuda/include/thrust/detail/malloc_and_free.h",
- "cuda/include/thrust/detail/merge.inl",
- "cuda/include/thrust/detail/minmax.h",
- "cuda/include/thrust/detail/mismatch.inl",
- "cuda/include/thrust/detail/mpl/math.h",
- "cuda/include/thrust/detail/numeric_traits.h",
- "cuda/include/thrust/detail/overlapped_copy.h",
- "cuda/include/thrust/detail/pair.inl",
- "cuda/include/thrust/detail/partition.inl",
- "cuda/include/thrust/detail/pointer.h",
- "cuda/include/thrust/detail/pointer.inl",
- "cuda/include/thrust/detail/preprocessor.h",
- "cuda/include/thrust/detail/range/head_flags.h",
- "cuda/include/thrust/detail/range/tail_flags.h",
- "cuda/include/thrust/detail/raw_pointer_cast.h",
- "cuda/include/thrust/detail/raw_reference_cast.h",
- "cuda/include/thrust/detail/reduce.inl",
- "cuda/include/thrust/detail/reference.h",
- "cuda/include/thrust/detail/reference.inl",
- "cuda/include/thrust/detail/reference_forward_declaration.h",
- "cuda/include/thrust/detail/remove.inl",
- "cuda/include/thrust/detail/replace.inl",
- "cuda/include/thrust/detail/reverse.inl",
- "cuda/include/thrust/detail/scan.inl",
- "cuda/include/thrust/detail/scatter.inl",
- "cuda/include/thrust/detail/seq.h",
- "cuda/include/thrust/detail/sequence.inl",
- "cuda/include/thrust/detail/set_operations.inl",
- "cuda/include/thrust/detail/sort.inl",
- "cuda/include/thrust/detail/static_assert.h",
- "cuda/include/thrust/detail/static_map.h",
- "cuda/include/thrust/detail/swap.h",
- "cuda/include/thrust/detail/swap.inl",
- "cuda/include/thrust/detail/swap_ranges.inl",
- "cuda/include/thrust/detail/tabulate.inl",
- "cuda/include/thrust/detail/temporary_array.h",
- "cuda/include/thrust/detail/temporary_array.inl",
- "cuda/include/thrust/detail/temporary_buffer.h",
- "cuda/include/thrust/detail/transform.inl",
- "cuda/include/thrust/detail/transform_reduce.inl",
- "cuda/include/thrust/detail/transform_scan.inl",
- "cuda/include/thrust/detail/trivial_sequence.h",
- "cuda/include/thrust/detail/tuple.inl",
- "cuda/include/thrust/detail/tuple_meta_transform.h",
- "cuda/include/thrust/detail/tuple_transform.h",
- "cuda/include/thrust/detail/type_traits.h",
- "cuda/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h",
- "cuda/include/thrust/detail/type_traits/function_traits.h",
- "cuda/include/thrust/detail/type_traits/has_member_function.h",
- "cuda/include/thrust/detail/type_traits/has_nested_type.h",
- "cuda/include/thrust/detail/type_traits/has_trivial_assign.h",
- "cuda/include/thrust/detail/type_traits/is_call_possible.h",
- "cuda/include/thrust/detail/type_traits/is_metafunction_defined.h",
- "cuda/include/thrust/detail/type_traits/iterator/is_discard_iterator.h",
- "cuda/include/thrust/detail/type_traits/iterator/is_output_iterator.h",
- "cuda/include/thrust/detail/type_traits/minimum_type.h",
- "cuda/include/thrust/detail/type_traits/pointer_traits.h",
- "cuda/include/thrust/detail/type_traits/result_of_adaptable_function.h",
- "cuda/include/thrust/detail/uninitialized_copy.inl",
- "cuda/include/thrust/detail/uninitialized_fill.inl",
- "cuda/include/thrust/detail/unique.inl",
- "cuda/include/thrust/detail/use_default.h",
- "cuda/include/thrust/detail/util/align.h",
- "cuda/include/thrust/detail/util/blocking.h",
- "cuda/include/thrust/detail/vector_base.h",
- "cuda/include/thrust/detail/vector_base.inl",
- "cuda/include/thrust/device_allocator.h",
- "cuda/include/thrust/device_delete.h",
- "cuda/include/thrust/device_free.h",
- "cuda/include/thrust/device_malloc.h",
- "cuda/include/thrust/device_malloc_allocator.h",
- "cuda/include/thrust/device_new.h",
- "cuda/include/thrust/device_new_allocator.h",
- "cuda/include/thrust/device_ptr.h",
- "cuda/include/thrust/device_reference.h",
- "cuda/include/thrust/device_vector.h",
- "cuda/include/thrust/distance.h",
- "cuda/include/thrust/equal.h",
- "cuda/include/thrust/execution_policy.h",
- "cuda/include/thrust/extrema.h",
- "cuda/include/thrust/fill.h",
- "cuda/include/thrust/find.h",
- "cuda/include/thrust/for_each.h",
- "cuda/include/thrust/functional.h",
- "cuda/include/thrust/gather.h",
- "cuda/include/thrust/generate.h",
- "cuda/include/thrust/host_vector.h",
- "cuda/include/thrust/inner_product.h",
- "cuda/include/thrust/iterator/constant_iterator.h",
- "cuda/include/thrust/iterator/counting_iterator.h",
- "cuda/include/thrust/iterator/detail/any_assign.h",
- "cuda/include/thrust/iterator/detail/any_system_tag.h",
- "cuda/include/thrust/iterator/detail/constant_iterator_base.h",
- "cuda/include/thrust/iterator/detail/counting_iterator.inl",
- "cuda/include/thrust/iterator/detail/device_system_tag.h",
- "cuda/include/thrust/iterator/detail/discard_iterator_base.h",
- "cuda/include/thrust/iterator/detail/distance_from_result.h",
- "cuda/include/thrust/iterator/detail/host_system_tag.h",
- "cuda/include/thrust/iterator/detail/is_iterator_category.h",
- "cuda/include/thrust/iterator/detail/is_trivial_iterator.h",
- "cuda/include/thrust/iterator/detail/iterator_adaptor_base.h",
- "cuda/include/thrust/iterator/detail/iterator_category_to_system.h",
- "cuda/include/thrust/iterator/detail/iterator_category_to_traversal.h",
- "cuda/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h",
- "cuda/include/thrust/iterator/detail/iterator_facade_category.h",
- "cuda/include/thrust/iterator/detail/iterator_traits.inl",
- "cuda/include/thrust/iterator/detail/iterator_traversal_tags.h",
- "cuda/include/thrust/iterator/detail/join_iterator.h",
- "cuda/include/thrust/iterator/detail/minimum_category.h",
- "cuda/include/thrust/iterator/detail/minimum_system.h",
- "cuda/include/thrust/iterator/detail/normal_iterator.h",
- "cuda/include/thrust/iterator/detail/permutation_iterator_base.h",
- "cuda/include/thrust/iterator/detail/retag.h",
- "cuda/include/thrust/iterator/detail/reverse_iterator.inl",
- "cuda/include/thrust/iterator/detail/reverse_iterator_base.h",
- "cuda/include/thrust/iterator/detail/tagged_iterator.h",
- "cuda/include/thrust/iterator/detail/transform_iterator.inl",
- "cuda/include/thrust/iterator/detail/transform_output_iterator.inl",
- "cuda/include/thrust/iterator/detail/tuple_of_iterator_references.h",
- "cuda/include/thrust/iterator/detail/universal_categories.h",
- "cuda/include/thrust/iterator/detail/zip_iterator.inl",
- "cuda/include/thrust/iterator/detail/zip_iterator_base.h",
- "cuda/include/thrust/iterator/discard_iterator.h",
- "cuda/include/thrust/iterator/iterator_adaptor.h",
- "cuda/include/thrust/iterator/iterator_categories.h",
- "cuda/include/thrust/iterator/iterator_facade.h",
- "cuda/include/thrust/iterator/iterator_traits.h",
- "cuda/include/thrust/iterator/permutation_iterator.h",
- "cuda/include/thrust/iterator/retag.h",
- "cuda/include/thrust/iterator/reverse_iterator.h",
- "cuda/include/thrust/iterator/transform_iterator.h",
- "cuda/include/thrust/iterator/transform_output_iterator.h",
- "cuda/include/thrust/iterator/zip_iterator.h",
- "cuda/include/thrust/logical.h",
- "cuda/include/thrust/memory.h",
- "cuda/include/thrust/merge.h",
- "cuda/include/thrust/mismatch.h",
- "cuda/include/thrust/pair.h",
- "cuda/include/thrust/partition.h",
- "cuda/include/thrust/random.h",
- "cuda/include/thrust/random/detail/discard_block_engine.inl",
- "cuda/include/thrust/random/detail/linear_congruential_engine.inl",
- "cuda/include/thrust/random/detail/linear_congruential_engine_discard.h",
- "cuda/include/thrust/random/detail/linear_feedback_shift_engine.inl",
- "cuda/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h",
- "cuda/include/thrust/random/detail/mod.h",
- "cuda/include/thrust/random/detail/normal_distribution.inl",
- "cuda/include/thrust/random/detail/normal_distribution_base.h",
- "cuda/include/thrust/random/detail/random_core_access.h",
- "cuda/include/thrust/random/detail/subtract_with_carry_engine.inl",
- "cuda/include/thrust/random/detail/uniform_int_distribution.inl",
- "cuda/include/thrust/random/detail/uniform_real_distribution.inl",
- "cuda/include/thrust/random/detail/xor_combine_engine.inl",
- "cuda/include/thrust/random/detail/xor_combine_engine_max.h",
- "cuda/include/thrust/random/discard_block_engine.h",
- "cuda/include/thrust/random/linear_congruential_engine.h",
- "cuda/include/thrust/random/linear_feedback_shift_engine.h",
- "cuda/include/thrust/random/normal_distribution.h",
- "cuda/include/thrust/random/subtract_with_carry_engine.h",
- "cuda/include/thrust/random/uniform_int_distribution.h",
- "cuda/include/thrust/random/uniform_real_distribution.h",
- "cuda/include/thrust/random/xor_combine_engine.h",
- "cuda/include/thrust/reduce.h",
- "cuda/include/thrust/remove.h",
- "cuda/include/thrust/replace.h",
- "cuda/include/thrust/reverse.h",
- "cuda/include/thrust/scan.h",
- "cuda/include/thrust/scatter.h",
- "cuda/include/thrust/sequence.h",
- "cuda/include/thrust/set_operations.h",
- "cuda/include/thrust/sort.h",
- "cuda/include/thrust/swap.h",
- "cuda/include/thrust/system/cpp/detail/adjacent_difference.h",
- "cuda/include/thrust/system/cpp/detail/assign_value.h",
- "cuda/include/thrust/system/cpp/detail/binary_search.h",
- "cuda/include/thrust/system/cpp/detail/copy.h",
- "cuda/include/thrust/system/cpp/detail/copy_if.h",
- "cuda/include/thrust/system/cpp/detail/count.h",
- "cuda/include/thrust/system/cpp/detail/equal.h",
- "cuda/include/thrust/system/cpp/detail/execution_policy.h",
- "cuda/include/thrust/system/cpp/detail/extrema.h",
- "cuda/include/thrust/system/cpp/detail/fill.h",
- "cuda/include/thrust/system/cpp/detail/find.h",
- "cuda/include/thrust/system/cpp/detail/for_each.h",
- "cuda/include/thrust/system/cpp/detail/gather.h",
- "cuda/include/thrust/system/cpp/detail/generate.h",
- "cuda/include/thrust/system/cpp/detail/get_value.h",
- "cuda/include/thrust/system/cpp/detail/inner_product.h",
- "cuda/include/thrust/system/cpp/detail/iter_swap.h",
- "cuda/include/thrust/system/cpp/detail/logical.h",
- "cuda/include/thrust/system/cpp/detail/malloc_and_free.h",
- "cuda/include/thrust/system/cpp/detail/memory.inl",
- "cuda/include/thrust/system/cpp/detail/merge.h",
- "cuda/include/thrust/system/cpp/detail/mismatch.h",
- "cuda/include/thrust/system/cpp/detail/par.h",
- "cuda/include/thrust/system/cpp/detail/partition.h",
- "cuda/include/thrust/system/cpp/detail/reduce.h",
- "cuda/include/thrust/system/cpp/detail/reduce_by_key.h",
- "cuda/include/thrust/system/cpp/detail/remove.h",
- "cuda/include/thrust/system/cpp/detail/replace.h",
- "cuda/include/thrust/system/cpp/detail/reverse.h",
- "cuda/include/thrust/system/cpp/detail/scan.h",
- "cuda/include/thrust/system/cpp/detail/scan_by_key.h",
- "cuda/include/thrust/system/cpp/detail/scatter.h",
- "cuda/include/thrust/system/cpp/detail/sequence.h",
- "cuda/include/thrust/system/cpp/detail/set_operations.h",
- "cuda/include/thrust/system/cpp/detail/sort.h",
- "cuda/include/thrust/system/cpp/detail/swap_ranges.h",
- "cuda/include/thrust/system/cpp/detail/tabulate.h",
- "cuda/include/thrust/system/cpp/detail/temporary_buffer.h",
- "cuda/include/thrust/system/cpp/detail/transform.h",
- "cuda/include/thrust/system/cpp/detail/transform_reduce.h",
- "cuda/include/thrust/system/cpp/detail/transform_scan.h",
- "cuda/include/thrust/system/cpp/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/cpp/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/cpp/detail/unique.h",
- "cuda/include/thrust/system/cpp/detail/unique_by_key.h",
- "cuda/include/thrust/system/cpp/detail/vector.inl",
- "cuda/include/thrust/system/cpp/execution_policy.h",
- "cuda/include/thrust/system/cpp/memory.h",
- "cuda/include/thrust/system/cpp/vector.h",
- "cuda/include/thrust/system/cuda/config.h",
- "cuda/include/thrust/system/cuda/detail/adjacent_difference.h",
- "cuda/include/thrust/system/cuda/detail/assign_value.h",
- "cuda/include/thrust/system/cuda/detail/binary_search.h",
- "cuda/include/thrust/system/cuda/detail/copy.h",
- "cuda/include/thrust/system/cuda/detail/copy_if.h",
- "cuda/include/thrust/system/cuda/detail/core/agent_launcher.h",
- "cuda/include/thrust/system/cuda/detail/core/alignment.h",
- "cuda/include/thrust/system/cuda/detail/core/triple_chevron_launch.h",
- "cuda/include/thrust/system/cuda/detail/core/util.h",
- "cuda/include/thrust/system/cuda/detail/count.h",
- "cuda/include/thrust/system/cuda/detail/cross_system.h",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_load.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_store.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/cub.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_partition.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_select.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/host/mutex.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_allocator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_arch.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_debug.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_device.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_macro.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_namespace.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_ptx.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_type.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/equal.h",
- "cuda/include/thrust/system/cuda/detail/error.inl",
- "cuda/include/thrust/system/cuda/detail/execution_policy.h",
- "cuda/include/thrust/system/cuda/detail/extrema.h",
- "cuda/include/thrust/system/cuda/detail/fill.h",
- "cuda/include/thrust/system/cuda/detail/find.h",
- "cuda/include/thrust/system/cuda/detail/for_each.h",
- "cuda/include/thrust/system/cuda/detail/gather.h",
- "cuda/include/thrust/system/cuda/detail/generate.h",
- "cuda/include/thrust/system/cuda/detail/get_value.h",
- "cuda/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h",
- "cuda/include/thrust/system/cuda/detail/guarded_driver_types.h",
- "cuda/include/thrust/system/cuda/detail/inner_product.h",
- "cuda/include/thrust/system/cuda/detail/internal/copy_cross_system.h",
- "cuda/include/thrust/system/cuda/detail/internal/copy_device_to_device.h",
- "cuda/include/thrust/system/cuda/detail/iter_swap.h",
- "cuda/include/thrust/system/cuda/detail/logical.h",
- "cuda/include/thrust/system/cuda/detail/malloc_and_free.h",
- "cuda/include/thrust/system/cuda/detail/memory.inl",
- "cuda/include/thrust/system/cuda/detail/merge.h",
- "cuda/include/thrust/system/cuda/detail/mismatch.h",
- "cuda/include/thrust/system/cuda/detail/par.h",
- "cuda/include/thrust/system/cuda/detail/par_to_seq.h",
- "cuda/include/thrust/system/cuda/detail/parallel_for.h",
- "cuda/include/thrust/system/cuda/detail/partition.h",
- "cuda/include/thrust/system/cuda/detail/reduce.h",
- "cuda/include/thrust/system/cuda/detail/reduce_by_key.h",
- "cuda/include/thrust/system/cuda/detail/remove.h",
- "cuda/include/thrust/system/cuda/detail/replace.h",
- "cuda/include/thrust/system/cuda/detail/reverse.h",
- "cuda/include/thrust/system/cuda/detail/scan.h",
- "cuda/include/thrust/system/cuda/detail/scan_by_key.h",
- "cuda/include/thrust/system/cuda/detail/scatter.h",
- "cuda/include/thrust/system/cuda/detail/sequence.h",
- "cuda/include/thrust/system/cuda/detail/set_operations.h",
- "cuda/include/thrust/system/cuda/detail/sort.h",
- "cuda/include/thrust/system/cuda/detail/swap_ranges.h",
- "cuda/include/thrust/system/cuda/detail/tabulate.h",
- "cuda/include/thrust/system/cuda/detail/temporary_buffer.h",
- "cuda/include/thrust/system/cuda/detail/terminate.h",
- "cuda/include/thrust/system/cuda/detail/transform.h",
- "cuda/include/thrust/system/cuda/detail/transform_reduce.h",
- "cuda/include/thrust/system/cuda/detail/transform_scan.h",
- "cuda/include/thrust/system/cuda/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/cuda/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/cuda/detail/unique.h",
- "cuda/include/thrust/system/cuda/detail/unique_by_key.h",
- "cuda/include/thrust/system/cuda/detail/util.h",
- "cuda/include/thrust/system/cuda/detail/vector.inl",
- "cuda/include/thrust/system/cuda/error.h",
- "cuda/include/thrust/system/cuda/execution_policy.h",
- "cuda/include/thrust/system/cuda/experimental/pinned_allocator.h",
- "cuda/include/thrust/system/cuda/memory.h",
- "cuda/include/thrust/system/cuda/vector.h",
- "cuda/include/thrust/system/detail/adl/adjacent_difference.h",
- "cuda/include/thrust/system/detail/adl/assign_value.h",
- "cuda/include/thrust/system/detail/adl/binary_search.h",
- "cuda/include/thrust/system/detail/adl/copy.h",
- "cuda/include/thrust/system/detail/adl/copy_if.h",
- "cuda/include/thrust/system/detail/adl/count.h",
- "cuda/include/thrust/system/detail/adl/equal.h",
- "cuda/include/thrust/system/detail/adl/extrema.h",
- "cuda/include/thrust/system/detail/adl/fill.h",
- "cuda/include/thrust/system/detail/adl/find.h",
- "cuda/include/thrust/system/detail/adl/for_each.h",
- "cuda/include/thrust/system/detail/adl/gather.h",
- "cuda/include/thrust/system/detail/adl/generate.h",
- "cuda/include/thrust/system/detail/adl/get_value.h",
- "cuda/include/thrust/system/detail/adl/inner_product.h",
- "cuda/include/thrust/system/detail/adl/iter_swap.h",
- "cuda/include/thrust/system/detail/adl/logical.h",
- "cuda/include/thrust/system/detail/adl/malloc_and_free.h",
- "cuda/include/thrust/system/detail/adl/merge.h",
- "cuda/include/thrust/system/detail/adl/mismatch.h",
- "cuda/include/thrust/system/detail/adl/partition.h",
- "cuda/include/thrust/system/detail/adl/reduce.h",
- "cuda/include/thrust/system/detail/adl/reduce_by_key.h",
- "cuda/include/thrust/system/detail/adl/remove.h",
- "cuda/include/thrust/system/detail/adl/replace.h",
- "cuda/include/thrust/system/detail/adl/reverse.h",
- "cuda/include/thrust/system/detail/adl/scan.h",
- "cuda/include/thrust/system/detail/adl/scan_by_key.h",
- "cuda/include/thrust/system/detail/adl/scatter.h",
- "cuda/include/thrust/system/detail/adl/sequence.h",
- "cuda/include/thrust/system/detail/adl/set_operations.h",
- "cuda/include/thrust/system/detail/adl/sort.h",
- "cuda/include/thrust/system/detail/adl/swap_ranges.h",
- "cuda/include/thrust/system/detail/adl/tabulate.h",
- "cuda/include/thrust/system/detail/adl/temporary_buffer.h",
- "cuda/include/thrust/system/detail/adl/transform.h",
- "cuda/include/thrust/system/detail/adl/transform_reduce.h",
- "cuda/include/thrust/system/detail/adl/transform_scan.h",
- "cuda/include/thrust/system/detail/adl/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/adl/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/adl/unique.h",
- "cuda/include/thrust/system/detail/adl/unique_by_key.h",
- "cuda/include/thrust/system/detail/bad_alloc.h",
- "cuda/include/thrust/system/detail/errno.h",
- "cuda/include/thrust/system/detail/error_category.inl",
- "cuda/include/thrust/system/detail/error_code.inl",
- "cuda/include/thrust/system/detail/error_condition.inl",
- "cuda/include/thrust/system/detail/generic/adjacent_difference.h",
- "cuda/include/thrust/system/detail/generic/adjacent_difference.inl",
- "cuda/include/thrust/system/detail/generic/advance.h",
- "cuda/include/thrust/system/detail/generic/advance.inl",
- "cuda/include/thrust/system/detail/generic/binary_search.h",
- "cuda/include/thrust/system/detail/generic/binary_search.inl",
- "cuda/include/thrust/system/detail/generic/copy.h",
- "cuda/include/thrust/system/detail/generic/copy.inl",
- "cuda/include/thrust/system/detail/generic/copy_if.h",
- "cuda/include/thrust/system/detail/generic/copy_if.inl",
- "cuda/include/thrust/system/detail/generic/count.h",
- "cuda/include/thrust/system/detail/generic/count.inl",
- "cuda/include/thrust/system/detail/generic/distance.h",
- "cuda/include/thrust/system/detail/generic/distance.inl",
- "cuda/include/thrust/system/detail/generic/equal.h",
- "cuda/include/thrust/system/detail/generic/equal.inl",
- "cuda/include/thrust/system/detail/generic/extrema.h",
- "cuda/include/thrust/system/detail/generic/extrema.inl",
- "cuda/include/thrust/system/detail/generic/fill.h",
- "cuda/include/thrust/system/detail/generic/find.h",
- "cuda/include/thrust/system/detail/generic/find.inl",
- "cuda/include/thrust/system/detail/generic/for_each.h",
- "cuda/include/thrust/system/detail/generic/gather.h",
- "cuda/include/thrust/system/detail/generic/gather.inl",
- "cuda/include/thrust/system/detail/generic/generate.h",
- "cuda/include/thrust/system/detail/generic/generate.inl",
- "cuda/include/thrust/system/detail/generic/inner_product.h",
- "cuda/include/thrust/system/detail/generic/inner_product.inl",
- "cuda/include/thrust/system/detail/generic/logical.h",
- "cuda/include/thrust/system/detail/generic/memory.h",
- "cuda/include/thrust/system/detail/generic/memory.inl",
- "cuda/include/thrust/system/detail/generic/merge.h",
- "cuda/include/thrust/system/detail/generic/merge.inl",
- "cuda/include/thrust/system/detail/generic/mismatch.h",
- "cuda/include/thrust/system/detail/generic/mismatch.inl",
- "cuda/include/thrust/system/detail/generic/partition.h",
- "cuda/include/thrust/system/detail/generic/partition.inl",
- "cuda/include/thrust/system/detail/generic/reduce.h",
- "cuda/include/thrust/system/detail/generic/reduce.inl",
- "cuda/include/thrust/system/detail/generic/reduce_by_key.h",
- "cuda/include/thrust/system/detail/generic/reduce_by_key.inl",
- "cuda/include/thrust/system/detail/generic/remove.h",
- "cuda/include/thrust/system/detail/generic/remove.inl",
- "cuda/include/thrust/system/detail/generic/replace.h",
- "cuda/include/thrust/system/detail/generic/replace.inl",
- "cuda/include/thrust/system/detail/generic/reverse.h",
- "cuda/include/thrust/system/detail/generic/reverse.inl",
- "cuda/include/thrust/system/detail/generic/scalar/binary_search.h",
- "cuda/include/thrust/system/detail/generic/scalar/binary_search.inl",
- "cuda/include/thrust/system/detail/generic/scan.h",
- "cuda/include/thrust/system/detail/generic/scan.inl",
- "cuda/include/thrust/system/detail/generic/scan_by_key.h",
- "cuda/include/thrust/system/detail/generic/scan_by_key.inl",
- "cuda/include/thrust/system/detail/generic/scatter.h",
- "cuda/include/thrust/system/detail/generic/scatter.inl",
- "cuda/include/thrust/system/detail/generic/select_system.h",
- "cuda/include/thrust/system/detail/generic/sequence.h",
- "cuda/include/thrust/system/detail/generic/sequence.inl",
- "cuda/include/thrust/system/detail/generic/set_operations.h",
- "cuda/include/thrust/system/detail/generic/set_operations.inl",
- "cuda/include/thrust/system/detail/generic/sort.h",
- "cuda/include/thrust/system/detail/generic/sort.inl",
- "cuda/include/thrust/system/detail/generic/swap_ranges.h",
- "cuda/include/thrust/system/detail/generic/swap_ranges.inl",
- "cuda/include/thrust/system/detail/generic/tabulate.h",
- "cuda/include/thrust/system/detail/generic/tabulate.inl",
- "cuda/include/thrust/system/detail/generic/tag.h",
- "cuda/include/thrust/system/detail/generic/temporary_buffer.h",
- "cuda/include/thrust/system/detail/generic/temporary_buffer.inl",
- "cuda/include/thrust/system/detail/generic/transform.h",
- "cuda/include/thrust/system/detail/generic/transform.inl",
- "cuda/include/thrust/system/detail/generic/transform_reduce.h",
- "cuda/include/thrust/system/detail/generic/transform_reduce.inl",
- "cuda/include/thrust/system/detail/generic/transform_scan.h",
- "cuda/include/thrust/system/detail/generic/transform_scan.inl",
- "cuda/include/thrust/system/detail/generic/type_traits.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_copy.inl",
- "cuda/include/thrust/system/detail/generic/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_fill.inl",
- "cuda/include/thrust/system/detail/generic/unique.h",
- "cuda/include/thrust/system/detail/generic/unique.inl",
- "cuda/include/thrust/system/detail/generic/unique_by_key.h",
- "cuda/include/thrust/system/detail/generic/unique_by_key.inl",
- "cuda/include/thrust/system/detail/internal/decompose.h",
- "cuda/include/thrust/system/detail/sequential/adjacent_difference.h",
- "cuda/include/thrust/system/detail/sequential/assign_value.h",
- "cuda/include/thrust/system/detail/sequential/binary_search.h",
- "cuda/include/thrust/system/detail/sequential/copy.h",
- "cuda/include/thrust/system/detail/sequential/copy.inl",
- "cuda/include/thrust/system/detail/sequential/copy_backward.h",
- "cuda/include/thrust/system/detail/sequential/copy_if.h",
- "cuda/include/thrust/system/detail/sequential/count.h",
- "cuda/include/thrust/system/detail/sequential/equal.h",
- "cuda/include/thrust/system/detail/sequential/execution_policy.h",
- "cuda/include/thrust/system/detail/sequential/extrema.h",
- "cuda/include/thrust/system/detail/sequential/fill.h",
- "cuda/include/thrust/system/detail/sequential/find.h",
- "cuda/include/thrust/system/detail/sequential/for_each.h",
- "cuda/include/thrust/system/detail/sequential/gather.h",
- "cuda/include/thrust/system/detail/sequential/general_copy.h",
- "cuda/include/thrust/system/detail/sequential/generate.h",
- "cuda/include/thrust/system/detail/sequential/get_value.h",
- "cuda/include/thrust/system/detail/sequential/inner_product.h",
- "cuda/include/thrust/system/detail/sequential/insertion_sort.h",
- "cuda/include/thrust/system/detail/sequential/iter_swap.h",
- "cuda/include/thrust/system/detail/sequential/logical.h",
- "cuda/include/thrust/system/detail/sequential/malloc_and_free.h",
- "cuda/include/thrust/system/detail/sequential/merge.h",
- "cuda/include/thrust/system/detail/sequential/merge.inl",
- "cuda/include/thrust/system/detail/sequential/mismatch.h",
- "cuda/include/thrust/system/detail/sequential/partition.h",
- "cuda/include/thrust/system/detail/sequential/reduce.h",
- "cuda/include/thrust/system/detail/sequential/reduce_by_key.h",
- "cuda/include/thrust/system/detail/sequential/remove.h",
- "cuda/include/thrust/system/detail/sequential/replace.h",
- "cuda/include/thrust/system/detail/sequential/reverse.h",
- "cuda/include/thrust/system/detail/sequential/scan.h",
- "cuda/include/thrust/system/detail/sequential/scan_by_key.h",
- "cuda/include/thrust/system/detail/sequential/scatter.h",
- "cuda/include/thrust/system/detail/sequential/sequence.h",
- "cuda/include/thrust/system/detail/sequential/set_operations.h",
- "cuda/include/thrust/system/detail/sequential/sort.h",
- "cuda/include/thrust/system/detail/sequential/sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_merge_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_merge_sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_primitive_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_primitive_sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_radix_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_radix_sort.inl",
- "cuda/include/thrust/system/detail/sequential/swap_ranges.h",
- "cuda/include/thrust/system/detail/sequential/tabulate.h",
- "cuda/include/thrust/system/detail/sequential/temporary_buffer.h",
- "cuda/include/thrust/system/detail/sequential/transform.h",
- "cuda/include/thrust/system/detail/sequential/transform_reduce.h",
- "cuda/include/thrust/system/detail/sequential/transform_scan.h",
- "cuda/include/thrust/system/detail/sequential/trivial_copy.h",
- "cuda/include/thrust/system/detail/sequential/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/sequential/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/sequential/unique.h",
- "cuda/include/thrust/system/detail/sequential/unique_by_key.h",
- "cuda/include/thrust/system/detail/system_error.inl",
- "cuda/include/thrust/system/error_code.h",
- "cuda/include/thrust/system/omp/detail/adjacent_difference.h",
- "cuda/include/thrust/system/omp/detail/assign_value.h",
- "cuda/include/thrust/system/omp/detail/binary_search.h",
- "cuda/include/thrust/system/omp/detail/copy.h",
- "cuda/include/thrust/system/omp/detail/copy.inl",
- "cuda/include/thrust/system/omp/detail/copy_if.h",
- "cuda/include/thrust/system/omp/detail/copy_if.inl",
- "cuda/include/thrust/system/omp/detail/count.h",
- "cuda/include/thrust/system/omp/detail/default_decomposition.h",
- "cuda/include/thrust/system/omp/detail/default_decomposition.inl",
- "cuda/include/thrust/system/omp/detail/equal.h",
- "cuda/include/thrust/system/omp/detail/execution_policy.h",
- "cuda/include/thrust/system/omp/detail/extrema.h",
- "cuda/include/thrust/system/omp/detail/fill.h",
- "cuda/include/thrust/system/omp/detail/find.h",
- "cuda/include/thrust/system/omp/detail/for_each.h",
- "cuda/include/thrust/system/omp/detail/for_each.inl",
- "cuda/include/thrust/system/omp/detail/gather.h",
- "cuda/include/thrust/system/omp/detail/generate.h",
- "cuda/include/thrust/system/omp/detail/get_value.h",
- "cuda/include/thrust/system/omp/detail/inner_product.h",
- "cuda/include/thrust/system/omp/detail/iter_swap.h",
- "cuda/include/thrust/system/omp/detail/logical.h",
- "cuda/include/thrust/system/omp/detail/malloc_and_free.h",
- "cuda/include/thrust/system/omp/detail/memory.inl",
- "cuda/include/thrust/system/omp/detail/merge.h",
- "cuda/include/thrust/system/omp/detail/mismatch.h",
- "cuda/include/thrust/system/omp/detail/par.h",
- "cuda/include/thrust/system/omp/detail/partition.h",
- "cuda/include/thrust/system/omp/detail/partition.inl",
- "cuda/include/thrust/system/omp/detail/reduce.h",
- "cuda/include/thrust/system/omp/detail/reduce.inl",
- "cuda/include/thrust/system/omp/detail/reduce_by_key.h",
- "cuda/include/thrust/system/omp/detail/reduce_by_key.inl",
- "cuda/include/thrust/system/omp/detail/reduce_intervals.h",
- "cuda/include/thrust/system/omp/detail/reduce_intervals.inl",
- "cuda/include/thrust/system/omp/detail/remove.h",
- "cuda/include/thrust/system/omp/detail/remove.inl",
- "cuda/include/thrust/system/omp/detail/replace.h",
- "cuda/include/thrust/system/omp/detail/reverse.h",
- "cuda/include/thrust/system/omp/detail/scan.h",
- "cuda/include/thrust/system/omp/detail/scan_by_key.h",
- "cuda/include/thrust/system/omp/detail/scatter.h",
- "cuda/include/thrust/system/omp/detail/sequence.h",
- "cuda/include/thrust/system/omp/detail/set_operations.h",
- "cuda/include/thrust/system/omp/detail/sort.h",
- "cuda/include/thrust/system/omp/detail/sort.inl",
- "cuda/include/thrust/system/omp/detail/swap_ranges.h",
- "cuda/include/thrust/system/omp/detail/tabulate.h",
- "cuda/include/thrust/system/omp/detail/temporary_buffer.h",
- "cuda/include/thrust/system/omp/detail/transform.h",
- "cuda/include/thrust/system/omp/detail/transform_reduce.h",
- "cuda/include/thrust/system/omp/detail/transform_scan.h",
- "cuda/include/thrust/system/omp/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/omp/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/omp/detail/unique.h",
- "cuda/include/thrust/system/omp/detail/unique.inl",
- "cuda/include/thrust/system/omp/detail/unique_by_key.h",
- "cuda/include/thrust/system/omp/detail/unique_by_key.inl",
- "cuda/include/thrust/system/omp/detail/vector.inl",
- "cuda/include/thrust/system/omp/execution_policy.h",
- "cuda/include/thrust/system/omp/memory.h",
- "cuda/include/thrust/system/omp/vector.h",
- "cuda/include/thrust/system/system_error.h",
- "cuda/include/thrust/system/tbb/detail/adjacent_difference.h",
- "cuda/include/thrust/system/tbb/detail/assign_value.h",
- "cuda/include/thrust/system/tbb/detail/binary_search.h",
- "cuda/include/thrust/system/tbb/detail/copy.h",
- "cuda/include/thrust/system/tbb/detail/copy.inl",
- "cuda/include/thrust/system/tbb/detail/copy_if.h",
- "cuda/include/thrust/system/tbb/detail/copy_if.inl",
- "cuda/include/thrust/system/tbb/detail/count.h",
- "cuda/include/thrust/system/tbb/detail/equal.h",
- "cuda/include/thrust/system/tbb/detail/execution_policy.h",
- "cuda/include/thrust/system/tbb/detail/extrema.h",
- "cuda/include/thrust/system/tbb/detail/fill.h",
- "cuda/include/thrust/system/tbb/detail/find.h",
- "cuda/include/thrust/system/tbb/detail/for_each.h",
- "cuda/include/thrust/system/tbb/detail/for_each.inl",
- "cuda/include/thrust/system/tbb/detail/gather.h",
- "cuda/include/thrust/system/tbb/detail/generate.h",
- "cuda/include/thrust/system/tbb/detail/get_value.h",
- "cuda/include/thrust/system/tbb/detail/inner_product.h",
- "cuda/include/thrust/system/tbb/detail/iter_swap.h",
- "cuda/include/thrust/system/tbb/detail/logical.h",
- "cuda/include/thrust/system/tbb/detail/malloc_and_free.h",
- "cuda/include/thrust/system/tbb/detail/memory.inl",
- "cuda/include/thrust/system/tbb/detail/merge.h",
- "cuda/include/thrust/system/tbb/detail/merge.inl",
- "cuda/include/thrust/system/tbb/detail/mismatch.h",
- "cuda/include/thrust/system/tbb/detail/par.h",
- "cuda/include/thrust/system/tbb/detail/partition.h",
- "cuda/include/thrust/system/tbb/detail/partition.inl",
- "cuda/include/thrust/system/tbb/detail/reduce.h",
- "cuda/include/thrust/system/tbb/detail/reduce.inl",
- "cuda/include/thrust/system/tbb/detail/reduce_by_key.h",
- "cuda/include/thrust/system/tbb/detail/reduce_by_key.inl",
- "cuda/include/thrust/system/tbb/detail/reduce_intervals.h",
- "cuda/include/thrust/system/tbb/detail/remove.h",
- "cuda/include/thrust/system/tbb/detail/remove.inl",
- "cuda/include/thrust/system/tbb/detail/replace.h",
- "cuda/include/thrust/system/tbb/detail/reverse.h",
- "cuda/include/thrust/system/tbb/detail/scan.h",
- "cuda/include/thrust/system/tbb/detail/scan.inl",
- "cuda/include/thrust/system/tbb/detail/scan_by_key.h",
- "cuda/include/thrust/system/tbb/detail/scatter.h",
- "cuda/include/thrust/system/tbb/detail/sequence.h",
- "cuda/include/thrust/system/tbb/detail/set_operations.h",
- "cuda/include/thrust/system/tbb/detail/sort.h",
- "cuda/include/thrust/system/tbb/detail/sort.inl",
- "cuda/include/thrust/system/tbb/detail/swap_ranges.h",
- "cuda/include/thrust/system/tbb/detail/tabulate.h",
- "cuda/include/thrust/system/tbb/detail/temporary_buffer.h",
- "cuda/include/thrust/system/tbb/detail/transform.h",
- "cuda/include/thrust/system/tbb/detail/transform_reduce.h",
- "cuda/include/thrust/system/tbb/detail/transform_scan.h",
- "cuda/include/thrust/system/tbb/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/tbb/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/tbb/detail/unique.h",
- "cuda/include/thrust/system/tbb/detail/unique.inl",
- "cuda/include/thrust/system/tbb/detail/unique_by_key.h",
- "cuda/include/thrust/system/tbb/detail/unique_by_key.inl",
- "cuda/include/thrust/system/tbb/detail/vector.inl",
- "cuda/include/thrust/system/tbb/execution_policy.h",
- "cuda/include/thrust/system/tbb/memory.h",
- "cuda/include/thrust/system/tbb/vector.h",
- "cuda/include/thrust/system_error.h",
- "cuda/include/thrust/tabulate.h",
- "cuda/include/thrust/transform.h",
- "cuda/include/thrust/transform_reduce.h",
- "cuda/include/thrust/transform_scan.h",
- "cuda/include/thrust/tuple.h",
- "cuda/include/thrust/uninitialized_copy.h",
- "cuda/include/thrust/uninitialized_fill.h",
- "cuda/include/thrust/unique.h",
- "cuda/include/thrust/version.h",
- "cuda/include/vector_functions.h",
- "cuda/include/vector_functions.hpp",
- "cuda/include/vector_types.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/local/cuda-10.0/include/CL/cl.h" "$(@D)/cuda/include/CL/cl.h" && cp -f "/usr/local/cuda-10.0/include/CL/cl.hpp" "$(@D)/cuda/include/CL/cl.hpp" && cp -f "/usr/local/cuda-10.0/include/CL/cl_egl.h" "$(@D)/cuda/include/CL/cl_egl.h" && cp -f "/usr/local/cuda-10.0/include/CL/cl_ext.h" "$(@D)/cuda/include/CL/cl_ext.h" && cp -f "/usr/local/cuda-10.0/include/CL/cl_gl.h" "$(@D)/cuda/include/CL/cl_gl.h" && cp -f "/usr/local/cuda-10.0/include/CL/cl_gl_ext.h" "$(@D)/cuda/include/CL/cl_gl_ext.h" && cp -f "/usr/local/cuda-10.0/include/CL/cl_platform.h" "$(@D)/cuda/include/CL/cl_platform.h" && cp -f "/usr/local/cuda-10.0/include/CL/opencl.h" "$(@D)/cuda/include/CL/opencl.h" && cp -f "/usr/local/cuda-10.0/include/builtin_types.h" "$(@D)/cuda/include/builtin_types.h" && cp -f "/usr/local/cuda-10.0/include/channel_descriptor.h" "$(@D)/cuda/include/channel_descriptor.h" && cp -f "/usr/local/cuda-10.0/include/common_functions.h" "$(@D)/cuda/include/common_functions.h" && cp -f "/usr/local/cuda-10.0/include/cooperative_groups.h" "$(@D)/cuda/include/cooperative_groups.h" && cp -f "/usr/local/cuda-10.0/include/cooperative_groups_helpers.h" "$(@D)/cuda/include/cooperative_groups_helpers.h" && cp -f "/usr/local/cuda-10.0/include/crt/common_functions.h" "$(@D)/cuda/include/crt/common_functions.h" && cp -f "/usr/local/cuda-10.0/include/crt/device_double_functions.h" "$(@D)/cuda/include/crt/device_double_functions.h" && cp -f "/usr/local/cuda-10.0/include/crt/device_double_functions.hpp" "$(@D)/cuda/include/crt/device_double_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/crt/device_functions.h" "$(@D)/cuda/include/crt/device_functions.h" && cp -f "/usr/local/cuda-10.0/include/crt/device_functions.hpp" "$(@D)/cuda/include/crt/device_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/crt/func_macro.h" "$(@D)/cuda/include/crt/func_macro.h" && cp -f "/usr/local/cuda-10.0/include/crt/host_config.h" "$(@D)/cuda/include/crt/host_config.h" && cp -f "/usr/local/cuda-10.0/include/crt/host_defines.h" "$(@D)/cuda/include/crt/host_defines.h" && cp -f "/usr/local/cuda-10.0/include/crt/host_runtime.h" "$(@D)/cuda/include/crt/host_runtime.h" && cp -f "/usr/local/cuda-10.0/include/crt/math_functions.h" "$(@D)/cuda/include/crt/math_functions.h" && cp -f "/usr/local/cuda-10.0/include/crt/math_functions.hpp" "$(@D)/cuda/include/crt/math_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/crt/mma.h" "$(@D)/cuda/include/crt/mma.h" && cp -f "/usr/local/cuda-10.0/include/crt/mma.hpp" "$(@D)/cuda/include/crt/mma.hpp" && cp -f "/usr/local/cuda-10.0/include/crt/nvfunctional" "$(@D)/cuda/include/crt/nvfunctional" && cp -f "/usr/local/cuda-10.0/include/crt/sm_70_rt.h" "$(@D)/cuda/include/crt/sm_70_rt.h" && cp -f "/usr/local/cuda-10.0/include/crt/sm_70_rt.hpp" "$(@D)/cuda/include/crt/sm_70_rt.hpp" && cp -f "/usr/local/cuda-10.0/include/crt/storage_class.h" "$(@D)/cuda/include/crt/storage_class.h" && cp -f "/usr/local/cuda-10.0/include/cuComplex.h" "$(@D)/cuda/include/cuComplex.h" && cp -f "/usr/local/cuda-10.0/include/cublas.h" "$(@D)/cuda/include/cublas.h" && cp -f "/usr/local/cuda-10.0/include/cublasXt.h" "$(@D)/cuda/include/cublasXt.h" && cp -f "/usr/local/cuda-10.0/include/cublas_api.h" "$(@D)/cuda/include/cublas_api.h" && cp -f "/usr/local/cuda-10.0/include/cublas_v2.h" "$(@D)/cuda/include/cublas_v2.h" && cp -f "/usr/local/cuda-10.0/include/cuda.h" "$(@D)/cuda/include/cuda.h" && cp -f "/usr/local/cuda-10.0/include/cudaEGL.h" "$(@D)/cuda/include/cudaEGL.h" && cp -f "/usr/local/cuda-10.0/include/cudaGL.h" "$(@D)/cuda/include/cudaGL.h" && cp -f "/usr/local/cuda-10.0/include/cudaProfiler.h" "$(@D)/cuda/include/cudaProfiler.h" && cp -f "/usr/local/cuda-10.0/include/cudaVDPAU.h" "$(@D)/cuda/include/cudaVDPAU.h" && cp -f "/usr/local/cuda-10.0/include/cuda_device_runtime_api.h" "$(@D)/cuda/include/cuda_device_runtime_api.h" && cp -f "/usr/local/cuda-10.0/include/cuda_egl_interop.h" "$(@D)/cuda/include/cuda_egl_interop.h" && cp -f "/usr/local/cuda-10.0/include/cuda_fp16.h" "$(@D)/cuda/include/cuda_fp16.h" && cp -f "/usr/local/cuda-10.0/include/cuda_fp16.hpp" "$(@D)/cuda/include/cuda_fp16.hpp" && cp -f "/usr/local/cuda-10.0/include/cuda_gl_interop.h" "$(@D)/cuda/include/cuda_gl_interop.h" && cp -f "/usr/local/cuda-10.0/include/cuda_occupancy.h" "$(@D)/cuda/include/cuda_occupancy.h" && cp -f "/usr/local/cuda-10.0/include/cuda_profiler_api.h" "$(@D)/cuda/include/cuda_profiler_api.h" && cp -f "/usr/local/cuda-10.0/include/cuda_runtime.h" "$(@D)/cuda/include/cuda_runtime.h" && cp -f "/usr/local/cuda-10.0/include/cuda_runtime_api.h" "$(@D)/cuda/include/cuda_runtime_api.h" && cp -f "/usr/local/cuda-10.0/include/cuda_surface_types.h" "$(@D)/cuda/include/cuda_surface_types.h" && cp -f "/usr/local/cuda-10.0/include/cuda_texture_types.h" "$(@D)/cuda/include/cuda_texture_types.h" && cp -f "/usr/local/cuda-10.0/include/cuda_vdpau_interop.h" "$(@D)/cuda/include/cuda_vdpau_interop.h" && cp -f "/usr/local/cuda-10.0/include/cudalibxt.h" "$(@D)/cuda/include/cudalibxt.h" && cp -f "/usr/local/cuda-10.0/include/cudart_platform.h" "$(@D)/cuda/include/cudart_platform.h" && cp -f "/usr/local/cuda-10.0/include/cufft.h" "$(@D)/cuda/include/cufft.h" && cp -f "/usr/local/cuda-10.0/include/cufftXt.h" "$(@D)/cuda/include/cufftXt.h" && cp -f "/usr/local/cuda-10.0/include/cufftw.h" "$(@D)/cuda/include/cufftw.h" && cp -f "/usr/local/cuda-10.0/include/curand.h" "$(@D)/cuda/include/curand.h" && cp -f "/usr/local/cuda-10.0/include/curand_discrete.h" "$(@D)/cuda/include/curand_discrete.h" && cp -f "/usr/local/cuda-10.0/include/curand_discrete2.h" "$(@D)/cuda/include/curand_discrete2.h" && cp -f "/usr/local/cuda-10.0/include/curand_globals.h" "$(@D)/cuda/include/curand_globals.h" && cp -f "/usr/local/cuda-10.0/include/curand_kernel.h" "$(@D)/cuda/include/curand_kernel.h" && cp -f "/usr/local/cuda-10.0/include/curand_lognormal.h" "$(@D)/cuda/include/curand_lognormal.h" && cp -f "/usr/local/cuda-10.0/include/curand_mrg32k3a.h" "$(@D)/cuda/include/curand_mrg32k3a.h" && cp -f "/usr/local/cuda-10.0/include/curand_mtgp32.h" "$(@D)/cuda/include/curand_mtgp32.h" && cp -f "/usr/local/cuda-10.0/include/curand_mtgp32_host.h" "$(@D)/cuda/include/curand_mtgp32_host.h" && cp -f "/usr/local/cuda-10.0/include/curand_mtgp32_kernel.h" "$(@D)/cuda/include/curand_mtgp32_kernel.h" && cp -f "/usr/local/cuda-10.0/include/curand_mtgp32dc_p_11213.h" "$(@D)/cuda/include/curand_mtgp32dc_p_11213.h" && cp -f "/usr/local/cuda-10.0/include/curand_normal.h" "$(@D)/cuda/include/curand_normal.h" && cp -f "/usr/local/cuda-10.0/include/curand_normal_static.h" "$(@D)/cuda/include/curand_normal_static.h" && cp -f "/usr/local/cuda-10.0/include/curand_philox4x32_x.h" "$(@D)/cuda/include/curand_philox4x32_x.h" && cp -f "/usr/local/cuda-10.0/include/curand_poisson.h" "$(@D)/cuda/include/curand_poisson.h" && cp -f "/usr/local/cuda-10.0/include/curand_precalc.h" "$(@D)/cuda/include/curand_precalc.h" && cp -f "/usr/local/cuda-10.0/include/curand_uniform.h" "$(@D)/cuda/include/curand_uniform.h" && cp -f "/usr/local/cuda-10.0/include/cusolverDn.h" "$(@D)/cuda/include/cusolverDn.h" && cp -f "/usr/local/cuda-10.0/include/cusolverRf.h" "$(@D)/cuda/include/cusolverRf.h" && cp -f "/usr/local/cuda-10.0/include/cusolverSp.h" "$(@D)/cuda/include/cusolverSp.h" && cp -f "/usr/local/cuda-10.0/include/cusolverSp_LOWLEVEL_PREVIEW.h" "$(@D)/cuda/include/cusolverSp_LOWLEVEL_PREVIEW.h" && cp -f "/usr/local/cuda-10.0/include/cusolver_common.h" "$(@D)/cuda/include/cusolver_common.h" && cp -f "/usr/local/cuda-10.0/include/cusparse.h" "$(@D)/cuda/include/cusparse.h" && cp -f "/usr/local/cuda-10.0/include/cusparse_v2.h" "$(@D)/cuda/include/cusparse_v2.h" && cp -f "/usr/local/cuda-10.0/include/device_atomic_functions.h" "$(@D)/cuda/include/device_atomic_functions.h" && cp -f "/usr/local/cuda-10.0/include/device_atomic_functions.hpp" "$(@D)/cuda/include/device_atomic_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/device_double_functions.h" "$(@D)/cuda/include/device_double_functions.h" && cp -f "/usr/local/cuda-10.0/include/device_functions.h" "$(@D)/cuda/include/device_functions.h" && cp -f "/usr/local/cuda-10.0/include/device_launch_parameters.h" "$(@D)/cuda/include/device_launch_parameters.h" && cp -f "/usr/local/cuda-10.0/include/device_types.h" "$(@D)/cuda/include/device_types.h" && cp -f "/usr/local/cuda-10.0/include/driver_functions.h" "$(@D)/cuda/include/driver_functions.h" && cp -f "/usr/local/cuda-10.0/include/driver_types.h" "$(@D)/cuda/include/driver_types.h" && cp -f "/usr/local/cuda-10.0/include/fatBinaryCtl.h" "$(@D)/cuda/include/fatBinaryCtl.h" && cp -f "/usr/local/cuda-10.0/include/fatbinary.h" "$(@D)/cuda/include/fatbinary.h" && cp -f "/usr/local/cuda-10.0/include/host_config.h" "$(@D)/cuda/include/host_config.h" && cp -f "/usr/local/cuda-10.0/include/host_defines.h" "$(@D)/cuda/include/host_defines.h" && cp -f "/usr/local/cuda-10.0/include/library_types.h" "$(@D)/cuda/include/library_types.h" && cp -f "/usr/local/cuda-10.0/include/math_constants.h" "$(@D)/cuda/include/math_constants.h" && cp -f "/usr/local/cuda-10.0/include/math_functions.h" "$(@D)/cuda/include/math_functions.h" && cp -f "/usr/local/cuda-10.0/include/mma.h" "$(@D)/cuda/include/mma.h" && cp -f "/usr/local/cuda-10.0/include/npp.h" "$(@D)/cuda/include/npp.h" && cp -f "/usr/local/cuda-10.0/include/nppcore.h" "$(@D)/cuda/include/nppcore.h" && cp -f "/usr/local/cuda-10.0/include/nppdefs.h" "$(@D)/cuda/include/nppdefs.h" && cp -f "/usr/local/cuda-10.0/include/nppi.h" "$(@D)/cuda/include/nppi.h" && cp -f "/usr/local/cuda-10.0/include/nppi_arithmetic_and_logical_operations.h" "$(@D)/cuda/include/nppi_arithmetic_and_logical_operations.h" && cp -f "/usr/local/cuda-10.0/include/nppi_color_conversion.h" "$(@D)/cuda/include/nppi_color_conversion.h" && cp -f "/usr/local/cuda-10.0/include/nppi_compression_functions.h" "$(@D)/cuda/include/nppi_compression_functions.h" && cp -f "/usr/local/cuda-10.0/include/nppi_computer_vision.h" "$(@D)/cuda/include/nppi_computer_vision.h" && cp -f "/usr/local/cuda-10.0/include/nppi_data_exchange_and_initialization.h" "$(@D)/cuda/include/nppi_data_exchange_and_initialization.h" && cp -f "/usr/local/cuda-10.0/include/nppi_filtering_functions.h" "$(@D)/cuda/include/nppi_filtering_functions.h" && cp -f "/usr/local/cuda-10.0/include/nppi_geometry_transforms.h" "$(@D)/cuda/include/nppi_geometry_transforms.h" && cp -f "/usr/local/cuda-10.0/include/nppi_linear_transforms.h" "$(@D)/cuda/include/nppi_linear_transforms.h" && cp -f "/usr/local/cuda-10.0/include/nppi_morphological_operations.h" "$(@D)/cuda/include/nppi_morphological_operations.h" && cp -f "/usr/local/cuda-10.0/include/nppi_statistics_functions.h" "$(@D)/cuda/include/nppi_statistics_functions.h" && cp -f "/usr/local/cuda-10.0/include/nppi_support_functions.h" "$(@D)/cuda/include/nppi_support_functions.h" && cp -f "/usr/local/cuda-10.0/include/nppi_threshold_and_compare_operations.h" "$(@D)/cuda/include/nppi_threshold_and_compare_operations.h" && cp -f "/usr/local/cuda-10.0/include/npps.h" "$(@D)/cuda/include/npps.h" && cp -f "/usr/local/cuda-10.0/include/npps_arithmetic_and_logical_operations.h" "$(@D)/cuda/include/npps_arithmetic_and_logical_operations.h" && cp -f "/usr/local/cuda-10.0/include/npps_conversion_functions.h" "$(@D)/cuda/include/npps_conversion_functions.h" && cp -f "/usr/local/cuda-10.0/include/npps_filtering_functions.h" "$(@D)/cuda/include/npps_filtering_functions.h" && cp -f "/usr/local/cuda-10.0/include/npps_initialization.h" "$(@D)/cuda/include/npps_initialization.h" && cp -f "/usr/local/cuda-10.0/include/npps_statistics_functions.h" "$(@D)/cuda/include/npps_statistics_functions.h" && cp -f "/usr/local/cuda-10.0/include/npps_support_functions.h" "$(@D)/cuda/include/npps_support_functions.h" && cp -f "/usr/local/cuda-10.0/include/nppversion.h" "$(@D)/cuda/include/nppversion.h" && cp -f "/usr/local/cuda-10.0/include/nvToolsExt.h" "$(@D)/cuda/include/nvToolsExt.h" && cp -f "/usr/local/cuda-10.0/include/nvToolsExtCuda.h" "$(@D)/cuda/include/nvToolsExtCuda.h" && cp -f "/usr/local/cuda-10.0/include/nvToolsExtCudaRt.h" "$(@D)/cuda/include/nvToolsExtCudaRt.h" && cp -f "/usr/local/cuda-10.0/include/nvToolsExtMeta.h" "$(@D)/cuda/include/nvToolsExtMeta.h" && cp -f "/usr/local/cuda-10.0/include/nvToolsExtSync.h" "$(@D)/cuda/include/nvToolsExtSync.h" && cp -f "/usr/local/cuda-10.0/include/nvblas.h" "$(@D)/cuda/include/nvblas.h" && cp -f "/usr/local/cuda-10.0/include/nvfunctional" "$(@D)/cuda/include/nvfunctional" && cp -f "/usr/local/cuda-10.0/include/nvgraph.h" "$(@D)/cuda/include/nvgraph.h" && cp -f "/usr/local/cuda-10.0/include/nvjpeg.h" "$(@D)/cuda/include/nvjpeg.h" && cp -f "/usr/local/cuda-10.0/include/nvml.h" "$(@D)/cuda/include/nvml.h" && cp -f "/usr/local/cuda-10.0/include/nvrtc.h" "$(@D)/cuda/include/nvrtc.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvToolsExt.h" "$(@D)/cuda/include/nvtx3/nvToolsExt.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvToolsExtCuda.h" "$(@D)/cuda/include/nvtx3/nvToolsExtCuda.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvToolsExtCudaRt.h" "$(@D)/cuda/include/nvtx3/nvToolsExtCudaRt.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvToolsExtOpenCL.h" "$(@D)/cuda/include/nvtx3/nvToolsExtOpenCL.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvToolsExtSync.h" "$(@D)/cuda/include/nvtx3/nvToolsExtSync.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxImpl.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxImpl.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxImplCore.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxImplCore.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxImplCudaRt_v3.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxImplCudaRt_v3.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxImplCuda_v3.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxImplCuda_v3.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxImplOpenCL_v3.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxImplOpenCL_v3.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxImplSync_v3.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxImplSync_v3.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxInit.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxInit.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxInitDecls.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxInitDecls.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxInitDefs.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxInitDefs.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxLinkOnce.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxLinkOnce.h" && cp -f "/usr/local/cuda-10.0/include/nvtx3/nvtxDetail/nvtxTypes.h" "$(@D)/cuda/include/nvtx3/nvtxDetail/nvtxTypes.h" && cp -f "/usr/local/cuda-10.0/include/sm_20_atomic_functions.h" "$(@D)/cuda/include/sm_20_atomic_functions.h" && cp -f "/usr/local/cuda-10.0/include/sm_20_atomic_functions.hpp" "$(@D)/cuda/include/sm_20_atomic_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/sm_20_intrinsics.h" "$(@D)/cuda/include/sm_20_intrinsics.h" && cp -f "/usr/local/cuda-10.0/include/sm_20_intrinsics.hpp" "$(@D)/cuda/include/sm_20_intrinsics.hpp" && cp -f "/usr/local/cuda-10.0/include/sm_30_intrinsics.h" "$(@D)/cuda/include/sm_30_intrinsics.h" && cp -f "/usr/local/cuda-10.0/include/sm_30_intrinsics.hpp" "$(@D)/cuda/include/sm_30_intrinsics.hpp" && cp -f "/usr/local/cuda-10.0/include/sm_32_atomic_functions.h" "$(@D)/cuda/include/sm_32_atomic_functions.h" && cp -f "/usr/local/cuda-10.0/include/sm_32_atomic_functions.hpp" "$(@D)/cuda/include/sm_32_atomic_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/sm_32_intrinsics.h" "$(@D)/cuda/include/sm_32_intrinsics.h" && cp -f "/usr/local/cuda-10.0/include/sm_32_intrinsics.hpp" "$(@D)/cuda/include/sm_32_intrinsics.hpp" && cp -f "/usr/local/cuda-10.0/include/sm_35_atomic_functions.h" "$(@D)/cuda/include/sm_35_atomic_functions.h" && cp -f "/usr/local/cuda-10.0/include/sm_35_intrinsics.h" "$(@D)/cuda/include/sm_35_intrinsics.h" && cp -f "/usr/local/cuda-10.0/include/sm_60_atomic_functions.h" "$(@D)/cuda/include/sm_60_atomic_functions.h" && cp -f "/usr/local/cuda-10.0/include/sm_60_atomic_functions.hpp" "$(@D)/cuda/include/sm_60_atomic_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/sm_61_intrinsics.h" "$(@D)/cuda/include/sm_61_intrinsics.h" && cp -f "/usr/local/cuda-10.0/include/sm_61_intrinsics.hpp" "$(@D)/cuda/include/sm_61_intrinsics.hpp" && cp -f "/usr/local/cuda-10.0/include/sobol_direction_vectors.h" "$(@D)/cuda/include/sobol_direction_vectors.h" && cp -f "/usr/local/cuda-10.0/include/surface_functions.h" "$(@D)/cuda/include/surface_functions.h" && cp -f "/usr/local/cuda-10.0/include/surface_functions.hpp" "$(@D)/cuda/include/surface_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/surface_indirect_functions.h" "$(@D)/cuda/include/surface_indirect_functions.h" && cp -f "/usr/local/cuda-10.0/include/surface_indirect_functions.hpp" "$(@D)/cuda/include/surface_indirect_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/surface_types.h" "$(@D)/cuda/include/surface_types.h" && cp -f "/usr/local/cuda-10.0/include/texture_fetch_functions.h" "$(@D)/cuda/include/texture_fetch_functions.h" && cp -f "/usr/local/cuda-10.0/include/texture_fetch_functions.hpp" "$(@D)/cuda/include/texture_fetch_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/texture_indirect_functions.h" "$(@D)/cuda/include/texture_indirect_functions.h" && cp -f "/usr/local/cuda-10.0/include/texture_indirect_functions.hpp" "$(@D)/cuda/include/texture_indirect_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/texture_types.h" "$(@D)/cuda/include/texture_types.h" && cp -f "/usr/local/cuda-10.0/include/thrust/adjacent_difference.h" "$(@D)/cuda/include/thrust/adjacent_difference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/advance.h" "$(@D)/cuda/include/thrust/advance.h" && cp -f "/usr/local/cuda-10.0/include/thrust/binary_search.h" "$(@D)/cuda/include/thrust/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/complex.h" "$(@D)/cuda/include/thrust/complex.h" && cp -f "/usr/local/cuda-10.0/include/thrust/copy.h" "$(@D)/cuda/include/thrust/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/count.h" "$(@D)/cuda/include/thrust/count.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/adjacent_difference.inl" "$(@D)/cuda/include/thrust/detail/adjacent_difference.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/advance.inl" "$(@D)/cuda/include/thrust/detail/advance.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/alignment.h" "$(@D)/cuda/include/thrust/detail/alignment.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/allocator_traits.h" "$(@D)/cuda/include/thrust/detail/allocator/allocator_traits.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/allocator_traits.inl" "$(@D)/cuda/include/thrust/detail/allocator/allocator_traits.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/copy_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/copy_construct_range.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/copy_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/copy_construct_range.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/default_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/default_construct_range.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/default_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/default_construct_range.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/destroy_range.h" "$(@D)/cuda/include/thrust/detail/allocator/destroy_range.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/destroy_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/destroy_range.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/fill_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/fill_construct_range.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/fill_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/fill_construct_range.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/malloc_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/malloc_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/malloc_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/malloc_allocator.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/no_throw_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/no_throw_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/tagged_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/tagged_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/tagged_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/tagged_allocator.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/temporary_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/temporary_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/allocator/temporary_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/temporary_allocator.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/binary_search.inl" "$(@D)/cuda/include/thrust/detail/binary_search.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/arithmetic.h" "$(@D)/cuda/include/thrust/detail/complex/arithmetic.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/c99math.h" "$(@D)/cuda/include/thrust/detail/complex/c99math.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/catrig.h" "$(@D)/cuda/include/thrust/detail/complex/catrig.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/catrigf.h" "$(@D)/cuda/include/thrust/detail/complex/catrigf.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/ccosh.h" "$(@D)/cuda/include/thrust/detail/complex/ccosh.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/ccoshf.h" "$(@D)/cuda/include/thrust/detail/complex/ccoshf.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/cexp.h" "$(@D)/cuda/include/thrust/detail/complex/cexp.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/cexpf.h" "$(@D)/cuda/include/thrust/detail/complex/cexpf.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/clog.h" "$(@D)/cuda/include/thrust/detail/complex/clog.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/clogf.h" "$(@D)/cuda/include/thrust/detail/complex/clogf.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/complex.inl" "$(@D)/cuda/include/thrust/detail/complex/complex.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/cpow.h" "$(@D)/cuda/include/thrust/detail/complex/cpow.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/cproj.h" "$(@D)/cuda/include/thrust/detail/complex/cproj.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/csinh.h" "$(@D)/cuda/include/thrust/detail/complex/csinh.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/csinhf.h" "$(@D)/cuda/include/thrust/detail/complex/csinhf.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/csqrt.h" "$(@D)/cuda/include/thrust/detail/complex/csqrt.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/csqrtf.h" "$(@D)/cuda/include/thrust/detail/complex/csqrtf.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/ctanh.h" "$(@D)/cuda/include/thrust/detail/complex/ctanh.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/ctanhf.h" "$(@D)/cuda/include/thrust/detail/complex/ctanhf.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/math_private.h" "$(@D)/cuda/include/thrust/detail/complex/math_private.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/complex/stream.h" "$(@D)/cuda/include/thrust/detail/complex/stream.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config.h" "$(@D)/cuda/include/thrust/detail/config.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/compiler.h" "$(@D)/cuda/include/thrust/detail/config/compiler.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/compiler_fence.h" "$(@D)/cuda/include/thrust/detail/config/compiler_fence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/config.h" "$(@D)/cuda/include/thrust/detail/config/config.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/debug.h" "$(@D)/cuda/include/thrust/detail/config/debug.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/device_system.h" "$(@D)/cuda/include/thrust/detail/config/device_system.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/exec_check_disable.h" "$(@D)/cuda/include/thrust/detail/config/exec_check_disable.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/forceinline.h" "$(@D)/cuda/include/thrust/detail/config/forceinline.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/global_workarounds.h" "$(@D)/cuda/include/thrust/detail/config/global_workarounds.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/host_device.h" "$(@D)/cuda/include/thrust/detail/config/host_device.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/host_system.h" "$(@D)/cuda/include/thrust/detail/config/host_system.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/config/simple_defines.h" "$(@D)/cuda/include/thrust/detail/config/simple_defines.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/contiguous_storage.h" "$(@D)/cuda/include/thrust/detail/contiguous_storage.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/contiguous_storage.inl" "$(@D)/cuda/include/thrust/detail/contiguous_storage.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/copy.h" "$(@D)/cuda/include/thrust/detail/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/copy.inl" "$(@D)/cuda/include/thrust/detail/copy.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/copy_if.h" "$(@D)/cuda/include/thrust/detail/copy_if.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/copy_if.inl" "$(@D)/cuda/include/thrust/detail/copy_if.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/count.inl" "$(@D)/cuda/include/thrust/detail/count.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/cstdint.h" "$(@D)/cuda/include/thrust/detail/cstdint.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/device_delete.inl" "$(@D)/cuda/include/thrust/detail/device_delete.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/device_free.inl" "$(@D)/cuda/include/thrust/detail/device_free.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/device_malloc.inl" "$(@D)/cuda/include/thrust/detail/device_malloc.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/device_new.inl" "$(@D)/cuda/include/thrust/detail/device_new.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/device_ptr.inl" "$(@D)/cuda/include/thrust/detail/device_ptr.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/device_reference.inl" "$(@D)/cuda/include/thrust/detail/device_reference.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/device_vector.inl" "$(@D)/cuda/include/thrust/detail/device_vector.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/dispatch/is_trivial_copy.h" "$(@D)/cuda/include/thrust/detail/dispatch/is_trivial_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/distance.inl" "$(@D)/cuda/include/thrust/detail/distance.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/equal.inl" "$(@D)/cuda/include/thrust/detail/equal.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/execute_with_allocator.h" "$(@D)/cuda/include/thrust/detail/execute_with_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/execution_policy.h" "$(@D)/cuda/include/thrust/detail/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/extrema.inl" "$(@D)/cuda/include/thrust/detail/extrema.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/fill.inl" "$(@D)/cuda/include/thrust/detail/fill.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/find.inl" "$(@D)/cuda/include/thrust/detail/find.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/for_each.inl" "$(@D)/cuda/include/thrust/detail/for_each.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/function.h" "$(@D)/cuda/include/thrust/detail/function.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional.inl" "$(@D)/cuda/include/thrust/detail/functional.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/actor.h" "$(@D)/cuda/include/thrust/detail/functional/actor.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/actor.inl" "$(@D)/cuda/include/thrust/detail/functional/actor.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/argument.h" "$(@D)/cuda/include/thrust/detail/functional/argument.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/composite.h" "$(@D)/cuda/include/thrust/detail/functional/composite.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/arithmetic_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/arithmetic_operators.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/assignment_operator.h" "$(@D)/cuda/include/thrust/detail/functional/operators/assignment_operator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/bitwise_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/bitwise_operators.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/compound_assignment_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/compound_assignment_operators.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/logical_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/logical_operators.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/operator_adaptors.h" "$(@D)/cuda/include/thrust/detail/functional/operators/operator_adaptors.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/operators/relational_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/relational_operators.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/placeholder.h" "$(@D)/cuda/include/thrust/detail/functional/placeholder.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/functional/value.h" "$(@D)/cuda/include/thrust/detail/functional/value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/gather.inl" "$(@D)/cuda/include/thrust/detail/gather.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/generate.inl" "$(@D)/cuda/include/thrust/detail/generate.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/get_iterator_value.h" "$(@D)/cuda/include/thrust/detail/get_iterator_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/host_vector.inl" "$(@D)/cuda/include/thrust/detail/host_vector.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/inner_product.inl" "$(@D)/cuda/include/thrust/detail/inner_product.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/integer_math.h" "$(@D)/cuda/include/thrust/detail/integer_math.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/integer_traits.h" "$(@D)/cuda/include/thrust/detail/integer_traits.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/internal_functional.h" "$(@D)/cuda/include/thrust/detail/internal_functional.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/logical.inl" "$(@D)/cuda/include/thrust/detail/logical.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/merge.inl" "$(@D)/cuda/include/thrust/detail/merge.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/minmax.h" "$(@D)/cuda/include/thrust/detail/minmax.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/mismatch.inl" "$(@D)/cuda/include/thrust/detail/mismatch.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/mpl/math.h" "$(@D)/cuda/include/thrust/detail/mpl/math.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/numeric_traits.h" "$(@D)/cuda/include/thrust/detail/numeric_traits.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/overlapped_copy.h" "$(@D)/cuda/include/thrust/detail/overlapped_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/pair.inl" "$(@D)/cuda/include/thrust/detail/pair.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/partition.inl" "$(@D)/cuda/include/thrust/detail/partition.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/pointer.h" "$(@D)/cuda/include/thrust/detail/pointer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/pointer.inl" "$(@D)/cuda/include/thrust/detail/pointer.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/preprocessor.h" "$(@D)/cuda/include/thrust/detail/preprocessor.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/range/head_flags.h" "$(@D)/cuda/include/thrust/detail/range/head_flags.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/range/tail_flags.h" "$(@D)/cuda/include/thrust/detail/range/tail_flags.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/raw_pointer_cast.h" "$(@D)/cuda/include/thrust/detail/raw_pointer_cast.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/raw_reference_cast.h" "$(@D)/cuda/include/thrust/detail/raw_reference_cast.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/reduce.inl" "$(@D)/cuda/include/thrust/detail/reduce.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/reference.h" "$(@D)/cuda/include/thrust/detail/reference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/reference.inl" "$(@D)/cuda/include/thrust/detail/reference.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/reference_forward_declaration.h" "$(@D)/cuda/include/thrust/detail/reference_forward_declaration.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/remove.inl" "$(@D)/cuda/include/thrust/detail/remove.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/replace.inl" "$(@D)/cuda/include/thrust/detail/replace.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/reverse.inl" "$(@D)/cuda/include/thrust/detail/reverse.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/scan.inl" "$(@D)/cuda/include/thrust/detail/scan.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/scatter.inl" "$(@D)/cuda/include/thrust/detail/scatter.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/seq.h" "$(@D)/cuda/include/thrust/detail/seq.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/sequence.inl" "$(@D)/cuda/include/thrust/detail/sequence.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/set_operations.inl" "$(@D)/cuda/include/thrust/detail/set_operations.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/sort.inl" "$(@D)/cuda/include/thrust/detail/sort.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/static_assert.h" "$(@D)/cuda/include/thrust/detail/static_assert.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/static_map.h" "$(@D)/cuda/include/thrust/detail/static_map.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/swap.h" "$(@D)/cuda/include/thrust/detail/swap.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/swap.inl" "$(@D)/cuda/include/thrust/detail/swap.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/swap_ranges.inl" "$(@D)/cuda/include/thrust/detail/swap_ranges.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/tabulate.inl" "$(@D)/cuda/include/thrust/detail/tabulate.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/temporary_array.h" "$(@D)/cuda/include/thrust/detail/temporary_array.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/temporary_array.inl" "$(@D)/cuda/include/thrust/detail/temporary_array.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/transform.inl" "$(@D)/cuda/include/thrust/detail/transform.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/transform_reduce.inl" "$(@D)/cuda/include/thrust/detail/transform_reduce.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/transform_scan.inl" "$(@D)/cuda/include/thrust/detail/transform_scan.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/trivial_sequence.h" "$(@D)/cuda/include/thrust/detail/trivial_sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/tuple.inl" "$(@D)/cuda/include/thrust/detail/tuple.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/tuple_meta_transform.h" "$(@D)/cuda/include/thrust/detail/tuple_meta_transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/tuple_transform.h" "$(@D)/cuda/include/thrust/detail/tuple_transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h" "$(@D)/cuda/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/function_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits/function_traits.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/has_member_function.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_member_function.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/has_nested_type.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_nested_type.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/has_trivial_assign.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_trivial_assign.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/is_call_possible.h" "$(@D)/cuda/include/thrust/detail/type_traits/is_call_possible.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/is_metafunction_defined.h" "$(@D)/cuda/include/thrust/detail/type_traits/is_metafunction_defined.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/iterator/is_discard_iterator.h" "$(@D)/cuda/include/thrust/detail/type_traits/iterator/is_discard_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/iterator/is_output_iterator.h" "$(@D)/cuda/include/thrust/detail/type_traits/iterator/is_output_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/minimum_type.h" "$(@D)/cuda/include/thrust/detail/type_traits/minimum_type.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/pointer_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits/pointer_traits.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/type_traits/result_of_adaptable_function.h" "$(@D)/cuda/include/thrust/detail/type_traits/result_of_adaptable_function.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/uninitialized_copy.inl" "$(@D)/cuda/include/thrust/detail/uninitialized_copy.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/uninitialized_fill.inl" "$(@D)/cuda/include/thrust/detail/uninitialized_fill.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/unique.inl" "$(@D)/cuda/include/thrust/detail/unique.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/use_default.h" "$(@D)/cuda/include/thrust/detail/use_default.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/util/align.h" "$(@D)/cuda/include/thrust/detail/util/align.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/util/blocking.h" "$(@D)/cuda/include/thrust/detail/util/blocking.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/vector_base.h" "$(@D)/cuda/include/thrust/detail/vector_base.h" && cp -f "/usr/local/cuda-10.0/include/thrust/detail/vector_base.inl" "$(@D)/cuda/include/thrust/detail/vector_base.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/device_allocator.h" "$(@D)/cuda/include/thrust/device_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_delete.h" "$(@D)/cuda/include/thrust/device_delete.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_free.h" "$(@D)/cuda/include/thrust/device_free.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_malloc.h" "$(@D)/cuda/include/thrust/device_malloc.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_malloc_allocator.h" "$(@D)/cuda/include/thrust/device_malloc_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_new.h" "$(@D)/cuda/include/thrust/device_new.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_new_allocator.h" "$(@D)/cuda/include/thrust/device_new_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_ptr.h" "$(@D)/cuda/include/thrust/device_ptr.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_reference.h" "$(@D)/cuda/include/thrust/device_reference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/device_vector.h" "$(@D)/cuda/include/thrust/device_vector.h" && cp -f "/usr/local/cuda-10.0/include/thrust/distance.h" "$(@D)/cuda/include/thrust/distance.h" && cp -f "/usr/local/cuda-10.0/include/thrust/equal.h" "$(@D)/cuda/include/thrust/equal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/execution_policy.h" "$(@D)/cuda/include/thrust/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/extrema.h" "$(@D)/cuda/include/thrust/extrema.h" && cp -f "/usr/local/cuda-10.0/include/thrust/fill.h" "$(@D)/cuda/include/thrust/fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/find.h" "$(@D)/cuda/include/thrust/find.h" && cp -f "/usr/local/cuda-10.0/include/thrust/for_each.h" "$(@D)/cuda/include/thrust/for_each.h" && cp -f "/usr/local/cuda-10.0/include/thrust/functional.h" "$(@D)/cuda/include/thrust/functional.h" && cp -f "/usr/local/cuda-10.0/include/thrust/gather.h" "$(@D)/cuda/include/thrust/gather.h" && cp -f "/usr/local/cuda-10.0/include/thrust/generate.h" "$(@D)/cuda/include/thrust/generate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/host_vector.h" "$(@D)/cuda/include/thrust/host_vector.h" && cp -f "/usr/local/cuda-10.0/include/thrust/inner_product.h" "$(@D)/cuda/include/thrust/inner_product.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/constant_iterator.h" "$(@D)/cuda/include/thrust/iterator/constant_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/counting_iterator.h" "$(@D)/cuda/include/thrust/iterator/counting_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/any_assign.h" "$(@D)/cuda/include/thrust/iterator/detail/any_assign.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/any_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/any_system_tag.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/constant_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/constant_iterator_base.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/counting_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/counting_iterator.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/device_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/device_system_tag.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/discard_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/discard_iterator_base.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/distance_from_result.h" "$(@D)/cuda/include/thrust/iterator/detail/distance_from_result.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/host_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/host_system_tag.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/is_iterator_category.h" "$(@D)/cuda/include/thrust/iterator/detail/is_iterator_category.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/is_trivial_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/is_trivial_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_adaptor_base.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_adaptor_base.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_category_to_system.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_to_system.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_category_to_traversal.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_to_traversal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_facade_category.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_facade_category.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_traits.inl" "$(@D)/cuda/include/thrust/iterator/detail/iterator_traits.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/iterator_traversal_tags.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_traversal_tags.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/join_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/join_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/minimum_category.h" "$(@D)/cuda/include/thrust/iterator/detail/minimum_category.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/minimum_system.h" "$(@D)/cuda/include/thrust/iterator/detail/minimum_system.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/normal_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/normal_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/permutation_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/permutation_iterator_base.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/retag.h" "$(@D)/cuda/include/thrust/iterator/detail/retag.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/reverse_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/reverse_iterator.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/reverse_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/reverse_iterator_base.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/tagged_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/tagged_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/transform_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/transform_iterator.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/transform_output_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/transform_output_iterator.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/tuple_of_iterator_references.h" "$(@D)/cuda/include/thrust/iterator/detail/tuple_of_iterator_references.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/universal_categories.h" "$(@D)/cuda/include/thrust/iterator/detail/universal_categories.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/zip_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/zip_iterator.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/detail/zip_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/zip_iterator_base.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/discard_iterator.h" "$(@D)/cuda/include/thrust/iterator/discard_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/iterator_adaptor.h" "$(@D)/cuda/include/thrust/iterator/iterator_adaptor.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/iterator_categories.h" "$(@D)/cuda/include/thrust/iterator/iterator_categories.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/iterator_facade.h" "$(@D)/cuda/include/thrust/iterator/iterator_facade.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/iterator_traits.h" "$(@D)/cuda/include/thrust/iterator/iterator_traits.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/permutation_iterator.h" "$(@D)/cuda/include/thrust/iterator/permutation_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/retag.h" "$(@D)/cuda/include/thrust/iterator/retag.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/reverse_iterator.h" "$(@D)/cuda/include/thrust/iterator/reverse_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/transform_iterator.h" "$(@D)/cuda/include/thrust/iterator/transform_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/transform_output_iterator.h" "$(@D)/cuda/include/thrust/iterator/transform_output_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/iterator/zip_iterator.h" "$(@D)/cuda/include/thrust/iterator/zip_iterator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/logical.h" "$(@D)/cuda/include/thrust/logical.h" && cp -f "/usr/local/cuda-10.0/include/thrust/memory.h" "$(@D)/cuda/include/thrust/memory.h" && cp -f "/usr/local/cuda-10.0/include/thrust/merge.h" "$(@D)/cuda/include/thrust/merge.h" && cp -f "/usr/local/cuda-10.0/include/thrust/mismatch.h" "$(@D)/cuda/include/thrust/mismatch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/pair.h" "$(@D)/cuda/include/thrust/pair.h" && cp -f "/usr/local/cuda-10.0/include/thrust/partition.h" "$(@D)/cuda/include/thrust/partition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random.h" "$(@D)/cuda/include/thrust/random.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/discard_block_engine.inl" "$(@D)/cuda/include/thrust/random/detail/discard_block_engine.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/linear_congruential_engine.inl" "$(@D)/cuda/include/thrust/random/detail/linear_congruential_engine.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/linear_congruential_engine_discard.h" "$(@D)/cuda/include/thrust/random/detail/linear_congruential_engine_discard.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/linear_feedback_shift_engine.inl" "$(@D)/cuda/include/thrust/random/detail/linear_feedback_shift_engine.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h" "$(@D)/cuda/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/mod.h" "$(@D)/cuda/include/thrust/random/detail/mod.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/normal_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/normal_distribution.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/normal_distribution_base.h" "$(@D)/cuda/include/thrust/random/detail/normal_distribution_base.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/random_core_access.h" "$(@D)/cuda/include/thrust/random/detail/random_core_access.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/subtract_with_carry_engine.inl" "$(@D)/cuda/include/thrust/random/detail/subtract_with_carry_engine.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/uniform_int_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/uniform_int_distribution.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/uniform_real_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/uniform_real_distribution.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/xor_combine_engine.inl" "$(@D)/cuda/include/thrust/random/detail/xor_combine_engine.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/random/detail/xor_combine_engine_max.h" "$(@D)/cuda/include/thrust/random/detail/xor_combine_engine_max.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/discard_block_engine.h" "$(@D)/cuda/include/thrust/random/discard_block_engine.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/linear_congruential_engine.h" "$(@D)/cuda/include/thrust/random/linear_congruential_engine.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/linear_feedback_shift_engine.h" "$(@D)/cuda/include/thrust/random/linear_feedback_shift_engine.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/normal_distribution.h" "$(@D)/cuda/include/thrust/random/normal_distribution.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/subtract_with_carry_engine.h" "$(@D)/cuda/include/thrust/random/subtract_with_carry_engine.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/uniform_int_distribution.h" "$(@D)/cuda/include/thrust/random/uniform_int_distribution.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/uniform_real_distribution.h" "$(@D)/cuda/include/thrust/random/uniform_real_distribution.h" && cp -f "/usr/local/cuda-10.0/include/thrust/random/xor_combine_engine.h" "$(@D)/cuda/include/thrust/random/xor_combine_engine.h" && cp -f "/usr/local/cuda-10.0/include/thrust/reduce.h" "$(@D)/cuda/include/thrust/reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/remove.h" "$(@D)/cuda/include/thrust/remove.h" && cp -f "/usr/local/cuda-10.0/include/thrust/replace.h" "$(@D)/cuda/include/thrust/replace.h" && cp -f "/usr/local/cuda-10.0/include/thrust/reverse.h" "$(@D)/cuda/include/thrust/reverse.h" && cp -f "/usr/local/cuda-10.0/include/thrust/scan.h" "$(@D)/cuda/include/thrust/scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/scatter.h" "$(@D)/cuda/include/thrust/scatter.h" && cp -f "/usr/local/cuda-10.0/include/thrust/sequence.h" "$(@D)/cuda/include/thrust/sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/set_operations.h" "$(@D)/cuda/include/thrust/set_operations.h" && cp -f "/usr/local/cuda-10.0/include/thrust/sort.h" "$(@D)/cuda/include/thrust/sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/swap.h" "$(@D)/cuda/include/thrust/swap.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/cpp/detail/adjacent_difference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/cpp/detail/assign_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/cpp/detail/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/copy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/cpp/detail/copy_if.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/count.h" "$(@D)/cuda/include/thrust/system/cpp/detail/count.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/equal.h" "$(@D)/cuda/include/thrust/system/cpp/detail/equal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/extrema.h" "$(@D)/cuda/include/thrust/system/cpp/detail/extrema.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/fill.h" "$(@D)/cuda/include/thrust/system/cpp/detail/fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/find.h" "$(@D)/cuda/include/thrust/system/cpp/detail/find.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/for_each.h" "$(@D)/cuda/include/thrust/system/cpp/detail/for_each.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/gather.h" "$(@D)/cuda/include/thrust/system/cpp/detail/gather.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/generate.h" "$(@D)/cuda/include/thrust/system/cpp/detail/generate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/get_value.h" "$(@D)/cuda/include/thrust/system/cpp/detail/get_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/cpp/detail/inner_product.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/cpp/detail/iter_swap.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/logical.h" "$(@D)/cuda/include/thrust/system/cpp/detail/logical.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/cpp/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/memory.inl" "$(@D)/cuda/include/thrust/system/cpp/detail/memory.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/merge.h" "$(@D)/cuda/include/thrust/system/cpp/detail/merge.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/cpp/detail/mismatch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/par.h" "$(@D)/cuda/include/thrust/system/cpp/detail/par.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/partition.h" "$(@D)/cuda/include/thrust/system/cpp/detail/partition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/reduce.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reduce_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/remove.h" "$(@D)/cuda/include/thrust/system/cpp/detail/remove.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/replace.h" "$(@D)/cuda/include/thrust/system/cpp/detail/replace.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/reverse.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reverse.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/scan.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scan_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/scatter.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scatter.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/sequence.h" "$(@D)/cuda/include/thrust/system/cpp/detail/sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/cpp/detail/set_operations.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/sort.h" "$(@D)/cuda/include/thrust/system/cpp/detail/sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/cpp/detail/swap_ranges.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/cpp/detail/tabulate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/cpp/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/transform.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform_reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform_scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/uninitialized_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/cpp/detail/uninitialized_fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/unique.h" "$(@D)/cuda/include/thrust/system/cpp/detail/unique.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/unique_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/detail/vector.inl" "$(@D)/cuda/include/thrust/system/cpp/detail/vector.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/execution_policy.h" "$(@D)/cuda/include/thrust/system/cpp/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/memory.h" "$(@D)/cuda/include/thrust/system/cpp/memory.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cpp/vector.h" "$(@D)/cuda/include/thrust/system/cpp/vector.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/config.h" "$(@D)/cuda/include/thrust/system/cuda/config.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/cuda/detail/adjacent_difference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/cuda/detail/assign_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/cuda/detail/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/copy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/cuda/detail/copy_if.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/core/agent_launcher.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/agent_launcher.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/core/alignment.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/alignment.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/core/triple_chevron_launch.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/triple_chevron_launch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/core/util.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/util.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/count.h" "$(@D)/cuda/include/thrust/system/cuda/detail/count.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cross_system.h" "$(@D)/cuda/include/thrust/system/cuda/detail/cross_system.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_load.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_load.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_scan.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/block_store.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_store.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/cub.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/cub.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_partition.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_partition.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_scan.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_select.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_select.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/host/mutex.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/host/mutex.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_allocator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_allocator.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_arch.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_arch.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_debug.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_debug.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_device.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_device.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_macro.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_macro.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_namespace.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_namespace.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_ptx.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_ptx.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/util_type.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_type.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/equal.h" "$(@D)/cuda/include/thrust/system/cuda/detail/equal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/error.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/error.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/extrema.h" "$(@D)/cuda/include/thrust/system/cuda/detail/extrema.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/fill.h" "$(@D)/cuda/include/thrust/system/cuda/detail/fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/find.h" "$(@D)/cuda/include/thrust/system/cuda/detail/find.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/for_each.h" "$(@D)/cuda/include/thrust/system/cuda/detail/for_each.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/gather.h" "$(@D)/cuda/include/thrust/system/cuda/detail/gather.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/generate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/generate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/get_value.h" "$(@D)/cuda/include/thrust/system/cuda/detail/get_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h" "$(@D)/cuda/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/guarded_driver_types.h" "$(@D)/cuda/include/thrust/system/cuda/detail/guarded_driver_types.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/cuda/detail/inner_product.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/internal/copy_cross_system.h" "$(@D)/cuda/include/thrust/system/cuda/detail/internal/copy_cross_system.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/internal/copy_device_to_device.h" "$(@D)/cuda/include/thrust/system/cuda/detail/internal/copy_device_to_device.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/cuda/detail/iter_swap.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/logical.h" "$(@D)/cuda/include/thrust/system/cuda/detail/logical.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/cuda/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/memory.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/memory.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/merge.h" "$(@D)/cuda/include/thrust/system/cuda/detail/merge.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/cuda/detail/mismatch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/par.h" "$(@D)/cuda/include/thrust/system/cuda/detail/par.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/par_to_seq.h" "$(@D)/cuda/include/thrust/system/cuda/detail/par_to_seq.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/parallel_for.h" "$(@D)/cuda/include/thrust/system/cuda/detail/parallel_for.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/partition.h" "$(@D)/cuda/include/thrust/system/cuda/detail/partition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/reduce.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reduce_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/remove.h" "$(@D)/cuda/include/thrust/system/cuda/detail/remove.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/replace.h" "$(@D)/cuda/include/thrust/system/cuda/detail/replace.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/reverse.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reverse.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/scan.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scan_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/scatter.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scatter.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/sequence.h" "$(@D)/cuda/include/thrust/system/cuda/detail/sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/cuda/detail/set_operations.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/sort.h" "$(@D)/cuda/include/thrust/system/cuda/detail/sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/cuda/detail/swap_ranges.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/tabulate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/cuda/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/terminate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/terminate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/transform.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform_reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform_scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/uninitialized_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/cuda/detail/uninitialized_fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/unique.h" "$(@D)/cuda/include/thrust/system/cuda/detail/unique.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/unique_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/util.h" "$(@D)/cuda/include/thrust/system/cuda/detail/util.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/detail/vector.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/vector.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/error.h" "$(@D)/cuda/include/thrust/system/cuda/error.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/execution_policy.h" "$(@D)/cuda/include/thrust/system/cuda/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/experimental/pinned_allocator.h" "$(@D)/cuda/include/thrust/system/cuda/experimental/pinned_allocator.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/memory.h" "$(@D)/cuda/include/thrust/system/cuda/memory.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/cuda/vector.h" "$(@D)/cuda/include/thrust/system/cuda/vector.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/adl/adjacent_difference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/assign_value.h" "$(@D)/cuda/include/thrust/system/detail/adl/assign_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/adl/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/copy.h" "$(@D)/cuda/include/thrust/system/detail/adl/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/adl/copy_if.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/count.h" "$(@D)/cuda/include/thrust/system/detail/adl/count.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/equal.h" "$(@D)/cuda/include/thrust/system/detail/adl/equal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/extrema.h" "$(@D)/cuda/include/thrust/system/detail/adl/extrema.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/fill.h" "$(@D)/cuda/include/thrust/system/detail/adl/fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/find.h" "$(@D)/cuda/include/thrust/system/detail/adl/find.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/for_each.h" "$(@D)/cuda/include/thrust/system/detail/adl/for_each.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/gather.h" "$(@D)/cuda/include/thrust/system/detail/adl/gather.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/generate.h" "$(@D)/cuda/include/thrust/system/detail/adl/generate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/get_value.h" "$(@D)/cuda/include/thrust/system/detail/adl/get_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/adl/inner_product.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/iter_swap.h" "$(@D)/cuda/include/thrust/system/detail/adl/iter_swap.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/logical.h" "$(@D)/cuda/include/thrust/system/detail/adl/logical.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/detail/adl/malloc_and_free.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/merge.h" "$(@D)/cuda/include/thrust/system/detail/adl/merge.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/adl/mismatch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/partition.h" "$(@D)/cuda/include/thrust/system/detail/adl/partition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/reduce.h" "$(@D)/cuda/include/thrust/system/detail/adl/reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/reduce_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/remove.h" "$(@D)/cuda/include/thrust/system/detail/adl/remove.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/replace.h" "$(@D)/cuda/include/thrust/system/detail/adl/replace.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/reverse.h" "$(@D)/cuda/include/thrust/system/detail/adl/reverse.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/scan.h" "$(@D)/cuda/include/thrust/system/detail/adl/scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/scan_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/scatter.h" "$(@D)/cuda/include/thrust/system/detail/adl/scatter.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/sequence.h" "$(@D)/cuda/include/thrust/system/detail/adl/sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/adl/set_operations.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/sort.h" "$(@D)/cuda/include/thrust/system/detail/adl/sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/adl/swap_ranges.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/adl/tabulate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/adl/temporary_buffer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/transform.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform_reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform_scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/adl/uninitialized_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/adl/uninitialized_fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/unique.h" "$(@D)/cuda/include/thrust/system/detail/adl/unique.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/adl/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/unique_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/bad_alloc.h" "$(@D)/cuda/include/thrust/system/detail/bad_alloc.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/errno.h" "$(@D)/cuda/include/thrust/system/detail/errno.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/error_category.inl" "$(@D)/cuda/include/thrust/system/detail/error_category.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/error_code.inl" "$(@D)/cuda/include/thrust/system/detail/error_code.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/error_condition.inl" "$(@D)/cuda/include/thrust/system/detail/error_condition.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/generic/adjacent_difference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/adjacent_difference.inl" "$(@D)/cuda/include/thrust/system/detail/generic/adjacent_difference.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/advance.h" "$(@D)/cuda/include/thrust/system/detail/generic/advance.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/advance.inl" "$(@D)/cuda/include/thrust/system/detail/generic/advance.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/generic/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/binary_search.inl" "$(@D)/cuda/include/thrust/system/detail/generic/binary_search.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/copy.h" "$(@D)/cuda/include/thrust/system/detail/generic/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/copy.inl" "$(@D)/cuda/include/thrust/system/detail/generic/copy.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/generic/copy_if.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/copy_if.inl" "$(@D)/cuda/include/thrust/system/detail/generic/copy_if.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/count.h" "$(@D)/cuda/include/thrust/system/detail/generic/count.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/count.inl" "$(@D)/cuda/include/thrust/system/detail/generic/count.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/distance.h" "$(@D)/cuda/include/thrust/system/detail/generic/distance.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/distance.inl" "$(@D)/cuda/include/thrust/system/detail/generic/distance.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/equal.h" "$(@D)/cuda/include/thrust/system/detail/generic/equal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/equal.inl" "$(@D)/cuda/include/thrust/system/detail/generic/equal.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/extrema.h" "$(@D)/cuda/include/thrust/system/detail/generic/extrema.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/extrema.inl" "$(@D)/cuda/include/thrust/system/detail/generic/extrema.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/fill.h" "$(@D)/cuda/include/thrust/system/detail/generic/fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/find.h" "$(@D)/cuda/include/thrust/system/detail/generic/find.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/find.inl" "$(@D)/cuda/include/thrust/system/detail/generic/find.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/for_each.h" "$(@D)/cuda/include/thrust/system/detail/generic/for_each.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/gather.h" "$(@D)/cuda/include/thrust/system/detail/generic/gather.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/gather.inl" "$(@D)/cuda/include/thrust/system/detail/generic/gather.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/generate.h" "$(@D)/cuda/include/thrust/system/detail/generic/generate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/generate.inl" "$(@D)/cuda/include/thrust/system/detail/generic/generate.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/generic/inner_product.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/inner_product.inl" "$(@D)/cuda/include/thrust/system/detail/generic/inner_product.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/logical.h" "$(@D)/cuda/include/thrust/system/detail/generic/logical.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/memory.h" "$(@D)/cuda/include/thrust/system/detail/generic/memory.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/memory.inl" "$(@D)/cuda/include/thrust/system/detail/generic/memory.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/merge.h" "$(@D)/cuda/include/thrust/system/detail/generic/merge.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/merge.inl" "$(@D)/cuda/include/thrust/system/detail/generic/merge.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/generic/mismatch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/mismatch.inl" "$(@D)/cuda/include/thrust/system/detail/generic/mismatch.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/partition.h" "$(@D)/cuda/include/thrust/system/detail/generic/partition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/partition.inl" "$(@D)/cuda/include/thrust/system/detail/generic/partition.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reduce.h" "$(@D)/cuda/include/thrust/system/detail/generic/reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reduce.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reduce.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/reduce_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reduce_by_key.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/remove.h" "$(@D)/cuda/include/thrust/system/detail/generic/remove.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/remove.inl" "$(@D)/cuda/include/thrust/system/detail/generic/remove.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/replace.h" "$(@D)/cuda/include/thrust/system/detail/generic/replace.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/replace.inl" "$(@D)/cuda/include/thrust/system/detail/generic/replace.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reverse.h" "$(@D)/cuda/include/thrust/system/detail/generic/reverse.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/reverse.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reverse.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scalar/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/generic/scalar/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scalar/binary_search.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scalar/binary_search.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scan.h" "$(@D)/cuda/include/thrust/system/detail/generic/scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scan.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scan.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/scan_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scan_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scan_by_key.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scatter.h" "$(@D)/cuda/include/thrust/system/detail/generic/scatter.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/scatter.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scatter.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/select_system.h" "$(@D)/cuda/include/thrust/system/detail/generic/select_system.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/sequence.h" "$(@D)/cuda/include/thrust/system/detail/generic/sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/sequence.inl" "$(@D)/cuda/include/thrust/system/detail/generic/sequence.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/generic/set_operations.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/set_operations.inl" "$(@D)/cuda/include/thrust/system/detail/generic/set_operations.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/sort.h" "$(@D)/cuda/include/thrust/system/detail/generic/sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/sort.inl" "$(@D)/cuda/include/thrust/system/detail/generic/sort.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/generic/swap_ranges.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/swap_ranges.inl" "$(@D)/cuda/include/thrust/system/detail/generic/swap_ranges.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/generic/tabulate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/tabulate.inl" "$(@D)/cuda/include/thrust/system/detail/generic/tabulate.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/tag.h" "$(@D)/cuda/include/thrust/system/detail/generic/tag.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/generic/temporary_buffer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/temporary_buffer.inl" "$(@D)/cuda/include/thrust/system/detail/generic/temporary_buffer.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform_reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform_reduce.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform_reduce.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform_scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/transform_scan.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform_scan.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/type_traits.h" "$(@D)/cuda/include/thrust/system/detail/generic/type_traits.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/uninitialized_copy.inl" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_copy.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/uninitialized_fill.inl" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_fill.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/unique.h" "$(@D)/cuda/include/thrust/system/detail/generic/unique.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/unique.inl" "$(@D)/cuda/include/thrust/system/detail/generic/unique.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/unique_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/generic/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/unique_by_key.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/internal/decompose.h" "$(@D)/cuda/include/thrust/system/detail/internal/decompose.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/sequential/adjacent_difference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/assign_value.h" "$(@D)/cuda/include/thrust/system/detail/sequential/assign_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/sequential/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/copy.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/copy.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/copy_backward.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy_backward.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy_if.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/count.h" "$(@D)/cuda/include/thrust/system/detail/sequential/count.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/equal.h" "$(@D)/cuda/include/thrust/system/detail/sequential/equal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/execution_policy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/extrema.h" "$(@D)/cuda/include/thrust/system/detail/sequential/extrema.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/fill.h" "$(@D)/cuda/include/thrust/system/detail/sequential/fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/find.h" "$(@D)/cuda/include/thrust/system/detail/sequential/find.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/for_each.h" "$(@D)/cuda/include/thrust/system/detail/sequential/for_each.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/gather.h" "$(@D)/cuda/include/thrust/system/detail/sequential/gather.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/general_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/general_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/generate.h" "$(@D)/cuda/include/thrust/system/detail/sequential/generate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/get_value.h" "$(@D)/cuda/include/thrust/system/detail/sequential/get_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/sequential/inner_product.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/insertion_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/insertion_sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/iter_swap.h" "$(@D)/cuda/include/thrust/system/detail/sequential/iter_swap.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/logical.h" "$(@D)/cuda/include/thrust/system/detail/sequential/logical.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/detail/sequential/malloc_and_free.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/merge.h" "$(@D)/cuda/include/thrust/system/detail/sequential/merge.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/merge.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/merge.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/sequential/mismatch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/partition.h" "$(@D)/cuda/include/thrust/system/detail/sequential/partition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/reduce.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reduce_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/remove.h" "$(@D)/cuda/include/thrust/system/detail/sequential/remove.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/replace.h" "$(@D)/cuda/include/thrust/system/detail/sequential/replace.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/reverse.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reverse.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/scan.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scan_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/scatter.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scatter.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/sequence.h" "$(@D)/cuda/include/thrust/system/detail/sequential/sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/sequential/set_operations.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/sort.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_merge_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_merge_sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_merge_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_merge_sort.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_primitive_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_primitive_sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_primitive_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_primitive_sort.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_radix_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_radix_sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/stable_radix_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_radix_sort.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/sequential/swap_ranges.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/sequential/tabulate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/sequential/temporary_buffer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/transform.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform_reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform_scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/trivial_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/trivial_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/uninitialized_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/sequential/uninitialized_fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/unique.h" "$(@D)/cuda/include/thrust/system/detail/sequential/unique.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/sequential/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/unique_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/detail/system_error.inl" "$(@D)/cuda/include/thrust/system/detail/system_error.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/error_code.h" "$(@D)/cuda/include/thrust/system/error_code.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/omp/detail/adjacent_difference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/omp/detail/assign_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/omp/detail/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/copy.h" "$(@D)/cuda/include/thrust/system/omp/detail/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/copy.inl" "$(@D)/cuda/include/thrust/system/omp/detail/copy.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/omp/detail/copy_if.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/copy_if.inl" "$(@D)/cuda/include/thrust/system/omp/detail/copy_if.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/count.h" "$(@D)/cuda/include/thrust/system/omp/detail/count.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/default_decomposition.h" "$(@D)/cuda/include/thrust/system/omp/detail/default_decomposition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/default_decomposition.inl" "$(@D)/cuda/include/thrust/system/omp/detail/default_decomposition.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/equal.h" "$(@D)/cuda/include/thrust/system/omp/detail/equal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/omp/detail/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/extrema.h" "$(@D)/cuda/include/thrust/system/omp/detail/extrema.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/fill.h" "$(@D)/cuda/include/thrust/system/omp/detail/fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/find.h" "$(@D)/cuda/include/thrust/system/omp/detail/find.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/for_each.h" "$(@D)/cuda/include/thrust/system/omp/detail/for_each.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/for_each.inl" "$(@D)/cuda/include/thrust/system/omp/detail/for_each.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/gather.h" "$(@D)/cuda/include/thrust/system/omp/detail/gather.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/generate.h" "$(@D)/cuda/include/thrust/system/omp/detail/generate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/get_value.h" "$(@D)/cuda/include/thrust/system/omp/detail/get_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/omp/detail/inner_product.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/omp/detail/iter_swap.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/logical.h" "$(@D)/cuda/include/thrust/system/omp/detail/logical.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/omp/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/memory.inl" "$(@D)/cuda/include/thrust/system/omp/detail/memory.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/merge.h" "$(@D)/cuda/include/thrust/system/omp/detail/merge.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/omp/detail/mismatch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/par.h" "$(@D)/cuda/include/thrust/system/omp/detail/par.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/partition.h" "$(@D)/cuda/include/thrust/system/omp/detail/partition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/partition.inl" "$(@D)/cuda/include/thrust/system/omp/detail/partition.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_by_key.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce_intervals.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_intervals.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reduce_intervals.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_intervals.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/remove.h" "$(@D)/cuda/include/thrust/system/omp/detail/remove.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/remove.inl" "$(@D)/cuda/include/thrust/system/omp/detail/remove.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/replace.h" "$(@D)/cuda/include/thrust/system/omp/detail/replace.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/reverse.h" "$(@D)/cuda/include/thrust/system/omp/detail/reverse.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/scan.h" "$(@D)/cuda/include/thrust/system/omp/detail/scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/scan_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/scatter.h" "$(@D)/cuda/include/thrust/system/omp/detail/scatter.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/sequence.h" "$(@D)/cuda/include/thrust/system/omp/detail/sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/omp/detail/set_operations.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/sort.h" "$(@D)/cuda/include/thrust/system/omp/detail/sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/sort.inl" "$(@D)/cuda/include/thrust/system/omp/detail/sort.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/omp/detail/swap_ranges.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/omp/detail/tabulate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/omp/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/transform.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform_reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform_scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/omp/detail/uninitialized_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/omp/detail/uninitialized_fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/unique.h" "$(@D)/cuda/include/thrust/system/omp/detail/unique.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/unique.inl" "$(@D)/cuda/include/thrust/system/omp/detail/unique.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/unique_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/omp/detail/unique_by_key.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/detail/vector.inl" "$(@D)/cuda/include/thrust/system/omp/detail/vector.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/execution_policy.h" "$(@D)/cuda/include/thrust/system/omp/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/memory.h" "$(@D)/cuda/include/thrust/system/omp/memory.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/omp/vector.h" "$(@D)/cuda/include/thrust/system/omp/vector.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/system_error.h" "$(@D)/cuda/include/thrust/system/system_error.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/tbb/detail/adjacent_difference.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/tbb/detail/assign_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/tbb/detail/binary_search.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/copy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/copy.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/copy.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/tbb/detail/copy_if.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/copy_if.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/copy_if.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/count.h" "$(@D)/cuda/include/thrust/system/tbb/detail/count.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/equal.h" "$(@D)/cuda/include/thrust/system/tbb/detail/equal.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/extrema.h" "$(@D)/cuda/include/thrust/system/tbb/detail/extrema.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/fill.h" "$(@D)/cuda/include/thrust/system/tbb/detail/fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/find.h" "$(@D)/cuda/include/thrust/system/tbb/detail/find.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/for_each.h" "$(@D)/cuda/include/thrust/system/tbb/detail/for_each.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/for_each.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/for_each.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/gather.h" "$(@D)/cuda/include/thrust/system/tbb/detail/gather.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/generate.h" "$(@D)/cuda/include/thrust/system/tbb/detail/generate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/get_value.h" "$(@D)/cuda/include/thrust/system/tbb/detail/get_value.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/tbb/detail/inner_product.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/tbb/detail/iter_swap.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/logical.h" "$(@D)/cuda/include/thrust/system/tbb/detail/logical.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/tbb/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/memory.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/memory.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/merge.h" "$(@D)/cuda/include/thrust/system/tbb/detail/merge.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/merge.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/merge.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/tbb/detail/mismatch.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/par.h" "$(@D)/cuda/include/thrust/system/tbb/detail/par.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/partition.h" "$(@D)/cuda/include/thrust/system/tbb/detail/partition.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/partition.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/partition.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_by_key.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reduce_intervals.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_intervals.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/remove.h" "$(@D)/cuda/include/thrust/system/tbb/detail/remove.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/remove.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/remove.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/replace.h" "$(@D)/cuda/include/thrust/system/tbb/detail/replace.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/reverse.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reverse.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/scan.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/scan.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/scan.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scan_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/scatter.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scatter.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/sequence.h" "$(@D)/cuda/include/thrust/system/tbb/detail/sequence.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/tbb/detail/set_operations.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/sort.h" "$(@D)/cuda/include/thrust/system/tbb/detail/sort.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/sort.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/sort.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/tbb/detail/swap_ranges.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/tbb/detail/tabulate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/tbb/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/transform.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform_reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform_scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/uninitialized_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/tbb/detail/uninitialized_fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/unique.h" "$(@D)/cuda/include/thrust/system/tbb/detail/unique.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/unique.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/unique.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/unique_by_key.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/unique_by_key.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/detail/vector.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/vector.inl" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/execution_policy.h" "$(@D)/cuda/include/thrust/system/tbb/execution_policy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/memory.h" "$(@D)/cuda/include/thrust/system/tbb/memory.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system/tbb/vector.h" "$(@D)/cuda/include/thrust/system/tbb/vector.h" && cp -f "/usr/local/cuda-10.0/include/thrust/system_error.h" "$(@D)/cuda/include/thrust/system_error.h" && cp -f "/usr/local/cuda-10.0/include/thrust/tabulate.h" "$(@D)/cuda/include/thrust/tabulate.h" && cp -f "/usr/local/cuda-10.0/include/thrust/transform.h" "$(@D)/cuda/include/thrust/transform.h" && cp -f "/usr/local/cuda-10.0/include/thrust/transform_reduce.h" "$(@D)/cuda/include/thrust/transform_reduce.h" && cp -f "/usr/local/cuda-10.0/include/thrust/transform_scan.h" "$(@D)/cuda/include/thrust/transform_scan.h" && cp -f "/usr/local/cuda-10.0/include/thrust/tuple.h" "$(@D)/cuda/include/thrust/tuple.h" && cp -f "/usr/local/cuda-10.0/include/thrust/uninitialized_copy.h" "$(@D)/cuda/include/thrust/uninitialized_copy.h" && cp -f "/usr/local/cuda-10.0/include/thrust/uninitialized_fill.h" "$(@D)/cuda/include/thrust/uninitialized_fill.h" && cp -f "/usr/local/cuda-10.0/include/thrust/unique.h" "$(@D)/cuda/include/thrust/unique.h" && cp -f "/usr/local/cuda-10.0/include/thrust/version.h" "$(@D)/cuda/include/thrust/version.h" && cp -f "/usr/local/cuda-10.0/include/vector_functions.h" "$(@D)/cuda/include/vector_functions.h" && cp -f "/usr/local/cuda-10.0/include/vector_functions.hpp" "$(@D)/cuda/include/vector_functions.hpp" && cp -f "/usr/local/cuda-10.0/include/vector_types.h" "$(@D)/cuda/include/vector_types.h"
- """,
-)
-
-genrule(
- name = "cuda-nvvm",
- outs = [
- "cuda/nvvm/libdevice/libdevice.10.bc",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/local/cuda-10.0/nvvm/libdevice/libdevice.10.bc" "$(@D)//libdevice.10.bc"
- """,
-)
-
-genrule(
- name = "cuda-extras",
- outs = [
- "cuda/extras/CUPTI/include/GL/gl.h",
- "cuda/extras/CUPTI/include/GL/glew.h",
- "cuda/extras/CUPTI/include/GL/glext.h",
- "cuda/extras/CUPTI/include/GL/glu.h",
- "cuda/extras/CUPTI/include/GL/glut.h",
- "cuda/extras/CUPTI/include/GL/glx.h",
- "cuda/extras/CUPTI/include/GL/glxext.h",
- "cuda/extras/CUPTI/include/GL/wglew.h",
- "cuda/extras/CUPTI/include/GL/wglext.h",
- "cuda/extras/CUPTI/include/cuda_stdint.h",
- "cuda/extras/CUPTI/include/cupti.h",
- "cuda/extras/CUPTI/include/cupti_activity.h",
- "cuda/extras/CUPTI/include/cupti_callbacks.h",
- "cuda/extras/CUPTI/include/cupti_driver_cbid.h",
- "cuda/extras/CUPTI/include/cupti_events.h",
- "cuda/extras/CUPTI/include/cupti_metrics.h",
- "cuda/extras/CUPTI/include/cupti_nvtx_cbid.h",
- "cuda/extras/CUPTI/include/cupti_result.h",
- "cuda/extras/CUPTI/include/cupti_runtime_cbid.h",
- "cuda/extras/CUPTI/include/cupti_version.h",
- "cuda/extras/CUPTI/include/generated_cudaGL_meta.h",
- "cuda/extras/CUPTI/include/generated_cudaVDPAU_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_gl_interop_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_runtime_api_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h",
- "cuda/extras/CUPTI/include/generated_nvtx_meta.h",
- "cuda/extras/CUPTI/include/openacc/cupti_openacc.h",
- "cuda/extras/CUPTI/include/openmp/cupti_openmp.h",
- "cuda/extras/CUPTI/include/openmp/ompt.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/gl.h" "$(@D)/cuda/extras/CUPTI/include/GL/gl.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glew.h" "$(@D)/cuda/extras/CUPTI/include/GL/glew.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glext.h" "$(@D)/cuda/extras/CUPTI/include/GL/glext.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glu.h" "$(@D)/cuda/extras/CUPTI/include/GL/glu.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glut.h" "$(@D)/cuda/extras/CUPTI/include/GL/glut.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glx.h" "$(@D)/cuda/extras/CUPTI/include/GL/glx.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/glxext.h" "$(@D)/cuda/extras/CUPTI/include/GL/glxext.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/wglew.h" "$(@D)/cuda/extras/CUPTI/include/GL/wglew.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/GL/wglext.h" "$(@D)/cuda/extras/CUPTI/include/GL/wglext.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cuda_stdint.h" "$(@D)/cuda/extras/CUPTI/include/cuda_stdint.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti.h" "$(@D)/cuda/extras/CUPTI/include/cupti.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_activity.h" "$(@D)/cuda/extras/CUPTI/include/cupti_activity.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_callbacks.h" "$(@D)/cuda/extras/CUPTI/include/cupti_callbacks.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_driver_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_driver_cbid.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_events.h" "$(@D)/cuda/extras/CUPTI/include/cupti_events.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_metrics.h" "$(@D)/cuda/extras/CUPTI/include/cupti_metrics.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_nvtx_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_nvtx_cbid.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_result.h" "$(@D)/cuda/extras/CUPTI/include/cupti_result.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_runtime_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_runtime_cbid.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/cupti_version.h" "$(@D)/cuda/extras/CUPTI/include/cupti_version.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cudaGL_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cudaGL_meta.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cudaVDPAU_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cudaVDPAU_meta.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cuda_gl_interop_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_gl_interop_meta.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cuda_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_meta.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cuda_runtime_api_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_runtime_api_meta.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/generated_nvtx_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_nvtx_meta.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/openacc/cupti_openacc.h" "$(@D)/cuda/extras/CUPTI/include/openacc/cupti_openacc.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/openmp/cupti_openmp.h" "$(@D)/cuda/extras/CUPTI/include/openmp/cupti_openmp.h" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/include/openmp/ompt.h" "$(@D)/cuda/extras/CUPTI/include/openmp/ompt.h"
- """,
-)
-
-genrule(
- name = "cuda-lib",
- outs = [
- "cuda/lib/libcuda.so",
- "cuda/lib/libcudart.so.10.0",
- "cuda/lib/libcudart_static.a",
- "cuda/lib/libcublas.so.10.0",
- "cuda/lib/libcusolver.so.10.0",
- "cuda/lib/libcurand.so.10.0",
- "cuda/lib/libcufft.so.10.0",
- "cuda/lib/libcudnn.so.7",
- "cuda/lib/libcupti.so.10.0",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/local/cuda-10.0/targets/x86_64-linux/lib/stubs/libcuda.so" "$(@D)/cuda/lib/libcuda.so" && cp -f "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcudart.so.10.0.130" "$(@D)/cuda/lib/libcudart.so.10.0" && cp -f "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcudart_static.a" "$(@D)/cuda/lib/libcudart_static.a" && cp -f "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcublas.so.10.0.130" "$(@D)/cuda/lib/libcublas.so.10.0" && cp -f "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcusolver.so.10.0.130" "$(@D)/cuda/lib/libcusolver.so.10.0" && cp -f "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcurand.so.10.0.130" "$(@D)/cuda/lib/libcurand.so.10.0" && cp -f "/usr/local/cuda-10.0/targets/x86_64-linux/lib/libcufft.so.10.0.145" "$(@D)/cuda/lib/libcufft.so.10.0" && cp -f "/usr/lib/x86_64-linux-gnu/libcudnn.so.7.3.1" "$(@D)/cuda/lib/libcudnn.so.7" && cp -f "/usr/local/cuda-10.0/extras/CUPTI/lib64/libcupti.so.10.0.130" "$(@D)/cuda/lib/libcupti.so.10.0"
- """,
-)
-
-genrule(
- name = "cudnn-include",
- outs = [
- "cuda/include/cudnn.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/include/cudnn.h" "$(@D)/cudnn.h"
- """,
-)
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/build_defs.bzl b/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/build_defs.bzl
deleted file mode 100755
index a53c891..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/build_defs.bzl
+++ /dev/null
@@ -1,31 +0,0 @@
-# Macros for building CUDA code.
-def if_cuda(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with CUDA.
-
- Returns a select statement which evaluates to if_true if we're building
- with CUDA enabled. Otherwise, the select statement evaluates to if_false.
-
- """
- return select({
- "@local_config_cuda//cuda:using_nvcc": if_true,
- "@local_config_cuda//cuda:using_clang": if_true,
- "//conditions:default": if_false,
- })
-
-def cuda_default_copts():
- """Default options for all CUDA compilations."""
- return if_cuda(["-x", "cuda", "-DGOOGLE_CUDA=1"] + [])
-
-def cuda_is_configured():
- """Returns true if CUDA was enabled during the configure process."""
- return True
-
-def if_cuda_is_configured(x):
- """Tests if the CUDA was enabled during the configure process.
-
- Unlike if_cuda(), this does not require that we are building with
- --config=cuda. Used to allow non-CUDA code to depend on CUDA libraries.
- """
- if cuda_is_configured():
- return x
- return []
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/cuda/cuda_config.h b/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/cuda/cuda_config.h
deleted file mode 100755
index 0934618..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/cuda10.0-cudnn7/cuda/cuda/cuda_config.h
+++ /dev/null
@@ -1,26 +0,0 @@
-/* Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-
-Licensed under the Apache License, Version 2.0 (the "License");
-you may not use this file except in compliance with the License.
-You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
-Unless required by applicable law or agreed to in writing, software
-distributed under the License is distributed on an "AS IS" BASIS,
-WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-See the License for the specific language governing permissions and
-limitations under the License.
-==============================================================================*/
-
-#ifndef CUDA_CUDA_CONFIG_H_
-#define CUDA_CUDA_CONFIG_H_
-
-#define TF_CUDA_CAPABILITIES CudaVersion("3.0")
-
-#define TF_CUDA_VERSION "10.0"
-#define TF_CUDNN_VERSION "7"
-
-#define TF_CUDA_TOOLKIT_PATH "/usr/local/cuda-10.0"
-
-#endif // CUDA_CUDA_CONFIG_H_
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/WORKSPACE b/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/WORKSPACE
deleted file mode 100644
index b61f572..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/WORKSPACE
+++ /dev/null
@@ -1,2 +0,0 @@
-# DO NOT EDIT: automatically generated WORKSPACE file for cuda_configure rule
-workspace(name = "local_config_cuda")
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/BUILD b/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/BUILD
deleted file mode 100755
index c693090..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/BUILD
+++ /dev/null
@@ -1,1268 +0,0 @@
-licenses(["restricted"]) # MPL2, portions GPL v3, LGPL v3, BSD-like
-
-package(default_visibility = ["//visibility:public"])
-
-config_setting(
- name = "using_nvcc",
- values = {
- "define": "using_cuda_nvcc=true",
- },
-)
-
-config_setting(
- name = "using_clang",
- values = {
- "define": "using_cuda_clang=true",
- },
-)
-
-# Equivalent to using_clang && -c opt.
-config_setting(
- name = "using_clang_opt",
- values = {
- "define": "using_cuda_clang=true",
- "compilation_mode": "opt",
- },
-)
-
-config_setting(
- name = "darwin",
- values = {"cpu": "darwin"},
- visibility = ["//visibility:public"],
-)
-
-config_setting(
- name = "freebsd",
- values = {"cpu": "freebsd"},
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_headers",
- hdrs = [
- "cuda/cuda_config.h",
- ":cuda-include",
- ":cudnn-include",
- ],
- includes = [
- ".",
- "cuda/include",
- "cuda/include/crt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudart_static",
- srcs = ["cuda/lib/libcudart_static.a"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkopts = select({
- ":freebsd": [],
- "//conditions:default": ["-ldl"],
- }) + [
- "-lpthread",
- "-lrt",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda_driver",
- srcs = ["cuda/lib/libcuda.so"],
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudart",
- srcs = ["cuda/lib/libcudart.so.9.0"],
- data = ["cuda/lib/libcudart.so.9.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cublas",
- srcs = ["cuda/lib/libcublas.so.9.0"],
- data = ["cuda/lib/libcublas.so.9.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cusolver",
- srcs = ["cuda/lib/libcusolver.so.9.0"],
- data = ["cuda/lib/libcusolver.so.9.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkopts = ["-lgomp"],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn",
- srcs = ["cuda/lib/libcudnn.so.7"],
- data = ["cuda/lib/libcudnn.so.7"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cudnn_header",
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cufft",
- srcs = ["cuda/lib/libcufft.so.9.0"],
- data = ["cuda/lib/libcufft.so.9.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "curand",
- srcs = ["cuda/lib/libcurand.so.9.0"],
- data = ["cuda/lib/libcurand.so.9.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- linkstatic = 1,
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cuda",
- visibility = ["//visibility:public"],
- deps = [
- ":cublas",
- ":cuda_headers",
- ":cudart",
- ":cudnn",
- ":cufft",
- ":curand",
- ],
-)
-
-cc_library(
- name = "cupti_headers",
- hdrs = [
- "cuda/cuda_config.h",
- ":cuda-extras",
- ],
- includes = [
- ".",
- "cuda/extras/CUPTI/include/",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "cupti_dsos",
- data = ["cuda/lib/libcupti.so.9.0"],
- includes = [
- ".",
- "cuda/include",
- ],
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "libdevice_root",
- data = [":cuda-nvvm"],
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "cuda-include",
- outs = [
- "cuda/include/CL/cl.h",
- "cuda/include/CL/cl.hpp",
- "cuda/include/CL/cl_egl.h",
- "cuda/include/CL/cl_ext.h",
- "cuda/include/CL/cl_gl.h",
- "cuda/include/CL/cl_gl_ext.h",
- "cuda/include/CL/cl_platform.h",
- "cuda/include/CL/opencl.h",
- "cuda/include/builtin_types.h",
- "cuda/include/channel_descriptor.h",
- "cuda/include/common_functions.h",
- "cuda/include/cooperative_groups.h",
- "cuda/include/cooperative_groups_helpers.h",
- "cuda/include/crt/common_functions.h",
- "cuda/include/crt/device_double_functions.h",
- "cuda/include/crt/device_double_functions.hpp",
- "cuda/include/crt/device_functions.h",
- "cuda/include/crt/device_functions.hpp",
- "cuda/include/crt/func_macro.h",
- "cuda/include/crt/host_config.h",
- "cuda/include/crt/host_defines.h",
- "cuda/include/crt/host_runtime.h",
- "cuda/include/crt/math_functions.h",
- "cuda/include/crt/math_functions.hpp",
- "cuda/include/crt/mma.h",
- "cuda/include/crt/mma.hpp",
- "cuda/include/crt/nvfunctional",
- "cuda/include/crt/sm_70_rt.h",
- "cuda/include/crt/sm_70_rt.hpp",
- "cuda/include/crt/storage_class.h",
- "cuda/include/cuComplex.h",
- "cuda/include/cublas.h",
- "cuda/include/cublasXt.h",
- "cuda/include/cublas_api.h",
- "cuda/include/cublas_v2.h",
- "cuda/include/cuda.h",
- "cuda/include/cudaEGL.h",
- "cuda/include/cudaGL.h",
- "cuda/include/cudaProfiler.h",
- "cuda/include/cudaVDPAU.h",
- "cuda/include/cuda_device_runtime_api.h",
- "cuda/include/cuda_fp16.h",
- "cuda/include/cuda_fp16.hpp",
- "cuda/include/cuda_gl_interop.h",
- "cuda/include/cuda_occupancy.h",
- "cuda/include/cuda_profiler_api.h",
- "cuda/include/cuda_runtime.h",
- "cuda/include/cuda_runtime_api.h",
- "cuda/include/cuda_surface_types.h",
- "cuda/include/cuda_texture_types.h",
- "cuda/include/cuda_vdpau_interop.h",
- "cuda/include/cudalibxt.h",
- "cuda/include/cufft.h",
- "cuda/include/cufftXt.h",
- "cuda/include/cufftw.h",
- "cuda/include/curand.h",
- "cuda/include/curand_discrete.h",
- "cuda/include/curand_discrete2.h",
- "cuda/include/curand_globals.h",
- "cuda/include/curand_kernel.h",
- "cuda/include/curand_lognormal.h",
- "cuda/include/curand_mrg32k3a.h",
- "cuda/include/curand_mtgp32.h",
- "cuda/include/curand_mtgp32_host.h",
- "cuda/include/curand_mtgp32_kernel.h",
- "cuda/include/curand_mtgp32dc_p_11213.h",
- "cuda/include/curand_normal.h",
- "cuda/include/curand_normal_static.h",
- "cuda/include/curand_philox4x32_x.h",
- "cuda/include/curand_poisson.h",
- "cuda/include/curand_precalc.h",
- "cuda/include/curand_uniform.h",
- "cuda/include/cusolverDn.h",
- "cuda/include/cusolverRf.h",
- "cuda/include/cusolverSp.h",
- "cuda/include/cusolverSp_LOWLEVEL_PREVIEW.h",
- "cuda/include/cusolver_common.h",
- "cuda/include/cusparse.h",
- "cuda/include/cusparse_v2.h",
- "cuda/include/device_atomic_functions.h",
- "cuda/include/device_atomic_functions.hpp",
- "cuda/include/device_double_functions.h",
- "cuda/include/device_double_functions.hpp",
- "cuda/include/device_functions.h",
- "cuda/include/device_functions.hpp",
- "cuda/include/device_functions_decls.h",
- "cuda/include/device_launch_parameters.h",
- "cuda/include/device_types.h",
- "cuda/include/driver_functions.h",
- "cuda/include/driver_types.h",
- "cuda/include/dynlink_cuda.h",
- "cuda/include/dynlink_cuda_cuda.h",
- "cuda/include/dynlink_cuviddec.h",
- "cuda/include/dynlink_nvcuvid.h",
- "cuda/include/fatBinaryCtl.h",
- "cuda/include/fatbinary.h",
- "cuda/include/host_config.h",
- "cuda/include/host_defines.h",
- "cuda/include/library_types.h",
- "cuda/include/math_constants.h",
- "cuda/include/math_functions.h",
- "cuda/include/math_functions.hpp",
- "cuda/include/math_functions_dbl_ptx3.h",
- "cuda/include/math_functions_dbl_ptx3.hpp",
- "cuda/include/mma.h",
- "cuda/include/npp.h",
- "cuda/include/nppcore.h",
- "cuda/include/nppdefs.h",
- "cuda/include/nppi.h",
- "cuda/include/nppi_arithmetic_and_logical_operations.h",
- "cuda/include/nppi_color_conversion.h",
- "cuda/include/nppi_compression_functions.h",
- "cuda/include/nppi_computer_vision.h",
- "cuda/include/nppi_data_exchange_and_initialization.h",
- "cuda/include/nppi_filtering_functions.h",
- "cuda/include/nppi_geometry_transforms.h",
- "cuda/include/nppi_linear_transforms.h",
- "cuda/include/nppi_morphological_operations.h",
- "cuda/include/nppi_statistics_functions.h",
- "cuda/include/nppi_support_functions.h",
- "cuda/include/nppi_threshold_and_compare_operations.h",
- "cuda/include/npps.h",
- "cuda/include/npps_arithmetic_and_logical_operations.h",
- "cuda/include/npps_conversion_functions.h",
- "cuda/include/npps_filtering_functions.h",
- "cuda/include/npps_initialization.h",
- "cuda/include/npps_statistics_functions.h",
- "cuda/include/npps_support_functions.h",
- "cuda/include/nppversion.h",
- "cuda/include/nvToolsExt.h",
- "cuda/include/nvToolsExtCuda.h",
- "cuda/include/nvToolsExtCudaRt.h",
- "cuda/include/nvToolsExtMeta.h",
- "cuda/include/nvToolsExtSync.h",
- "cuda/include/nvblas.h",
- "cuda/include/nvfunctional",
- "cuda/include/nvgraph.h",
- "cuda/include/nvml.h",
- "cuda/include/nvrtc.h",
- "cuda/include/sm_20_atomic_functions.h",
- "cuda/include/sm_20_atomic_functions.hpp",
- "cuda/include/sm_20_intrinsics.h",
- "cuda/include/sm_20_intrinsics.hpp",
- "cuda/include/sm_30_intrinsics.h",
- "cuda/include/sm_30_intrinsics.hpp",
- "cuda/include/sm_32_atomic_functions.h",
- "cuda/include/sm_32_atomic_functions.hpp",
- "cuda/include/sm_32_intrinsics.h",
- "cuda/include/sm_32_intrinsics.hpp",
- "cuda/include/sm_35_atomic_functions.h",
- "cuda/include/sm_35_intrinsics.h",
- "cuda/include/sm_60_atomic_functions.h",
- "cuda/include/sm_60_atomic_functions.hpp",
- "cuda/include/sm_61_intrinsics.h",
- "cuda/include/sm_61_intrinsics.hpp",
- "cuda/include/sobol_direction_vectors.h",
- "cuda/include/surface_functions.h",
- "cuda/include/surface_functions.hpp",
- "cuda/include/surface_indirect_functions.h",
- "cuda/include/surface_indirect_functions.hpp",
- "cuda/include/surface_types.h",
- "cuda/include/texture_fetch_functions.h",
- "cuda/include/texture_fetch_functions.hpp",
- "cuda/include/texture_indirect_functions.h",
- "cuda/include/texture_indirect_functions.hpp",
- "cuda/include/texture_types.h",
- "cuda/include/thrust/adjacent_difference.h",
- "cuda/include/thrust/advance.h",
- "cuda/include/thrust/binary_search.h",
- "cuda/include/thrust/complex.h",
- "cuda/include/thrust/copy.h",
- "cuda/include/thrust/count.h",
- "cuda/include/thrust/detail/adjacent_difference.inl",
- "cuda/include/thrust/detail/advance.inl",
- "cuda/include/thrust/detail/allocator/allocator_traits.h",
- "cuda/include/thrust/detail/allocator/allocator_traits.inl",
- "cuda/include/thrust/detail/allocator/copy_construct_range.h",
- "cuda/include/thrust/detail/allocator/copy_construct_range.inl",
- "cuda/include/thrust/detail/allocator/default_construct_range.h",
- "cuda/include/thrust/detail/allocator/default_construct_range.inl",
- "cuda/include/thrust/detail/allocator/destroy_range.h",
- "cuda/include/thrust/detail/allocator/destroy_range.inl",
- "cuda/include/thrust/detail/allocator/fill_construct_range.h",
- "cuda/include/thrust/detail/allocator/fill_construct_range.inl",
- "cuda/include/thrust/detail/allocator/malloc_allocator.h",
- "cuda/include/thrust/detail/allocator/malloc_allocator.inl",
- "cuda/include/thrust/detail/allocator/no_throw_allocator.h",
- "cuda/include/thrust/detail/allocator/tagged_allocator.h",
- "cuda/include/thrust/detail/allocator/tagged_allocator.inl",
- "cuda/include/thrust/detail/allocator/temporary_allocator.h",
- "cuda/include/thrust/detail/allocator/temporary_allocator.inl",
- "cuda/include/thrust/detail/binary_search.inl",
- "cuda/include/thrust/detail/complex/arithmetic.h",
- "cuda/include/thrust/detail/complex/c99math.h",
- "cuda/include/thrust/detail/complex/catrig.h",
- "cuda/include/thrust/detail/complex/catrigf.h",
- "cuda/include/thrust/detail/complex/ccosh.h",
- "cuda/include/thrust/detail/complex/ccoshf.h",
- "cuda/include/thrust/detail/complex/cexp.h",
- "cuda/include/thrust/detail/complex/cexpf.h",
- "cuda/include/thrust/detail/complex/clog.h",
- "cuda/include/thrust/detail/complex/clogf.h",
- "cuda/include/thrust/detail/complex/complex.inl",
- "cuda/include/thrust/detail/complex/cpow.h",
- "cuda/include/thrust/detail/complex/cpowf.h",
- "cuda/include/thrust/detail/complex/cproj.h",
- "cuda/include/thrust/detail/complex/csinh.h",
- "cuda/include/thrust/detail/complex/csinhf.h",
- "cuda/include/thrust/detail/complex/csqrt.h",
- "cuda/include/thrust/detail/complex/csqrtf.h",
- "cuda/include/thrust/detail/complex/ctanh.h",
- "cuda/include/thrust/detail/complex/ctanhf.h",
- "cuda/include/thrust/detail/complex/math_private.h",
- "cuda/include/thrust/detail/complex/stream.h",
- "cuda/include/thrust/detail/config.h",
- "cuda/include/thrust/detail/config/compiler.h",
- "cuda/include/thrust/detail/config/compiler_fence.h",
- "cuda/include/thrust/detail/config/config.h",
- "cuda/include/thrust/detail/config/debug.h",
- "cuda/include/thrust/detail/config/device_system.h",
- "cuda/include/thrust/detail/config/exec_check_disable.h",
- "cuda/include/thrust/detail/config/forceinline.h",
- "cuda/include/thrust/detail/config/global_workarounds.h",
- "cuda/include/thrust/detail/config/host_device.h",
- "cuda/include/thrust/detail/config/host_system.h",
- "cuda/include/thrust/detail/config/simple_defines.h",
- "cuda/include/thrust/detail/contiguous_storage.h",
- "cuda/include/thrust/detail/contiguous_storage.inl",
- "cuda/include/thrust/detail/copy.h",
- "cuda/include/thrust/detail/copy.inl",
- "cuda/include/thrust/detail/copy_if.h",
- "cuda/include/thrust/detail/copy_if.inl",
- "cuda/include/thrust/detail/count.inl",
- "cuda/include/thrust/detail/cstdint.h",
- "cuda/include/thrust/detail/device_delete.inl",
- "cuda/include/thrust/detail/device_free.inl",
- "cuda/include/thrust/detail/device_malloc.inl",
- "cuda/include/thrust/detail/device_new.inl",
- "cuda/include/thrust/detail/device_ptr.inl",
- "cuda/include/thrust/detail/device_reference.inl",
- "cuda/include/thrust/detail/device_vector.inl",
- "cuda/include/thrust/detail/dispatch/is_trivial_copy.h",
- "cuda/include/thrust/detail/distance.inl",
- "cuda/include/thrust/detail/equal.inl",
- "cuda/include/thrust/detail/execute_with_allocator.h",
- "cuda/include/thrust/detail/execution_policy.h",
- "cuda/include/thrust/detail/extrema.inl",
- "cuda/include/thrust/detail/fill.inl",
- "cuda/include/thrust/detail/find.inl",
- "cuda/include/thrust/detail/for_each.inl",
- "cuda/include/thrust/detail/function.h",
- "cuda/include/thrust/detail/functional.inl",
- "cuda/include/thrust/detail/functional/actor.h",
- "cuda/include/thrust/detail/functional/actor.inl",
- "cuda/include/thrust/detail/functional/argument.h",
- "cuda/include/thrust/detail/functional/composite.h",
- "cuda/include/thrust/detail/functional/operators.h",
- "cuda/include/thrust/detail/functional/operators/arithmetic_operators.h",
- "cuda/include/thrust/detail/functional/operators/assignment_operator.h",
- "cuda/include/thrust/detail/functional/operators/bitwise_operators.h",
- "cuda/include/thrust/detail/functional/operators/compound_assignment_operators.h",
- "cuda/include/thrust/detail/functional/operators/logical_operators.h",
- "cuda/include/thrust/detail/functional/operators/operator_adaptors.h",
- "cuda/include/thrust/detail/functional/operators/relational_operators.h",
- "cuda/include/thrust/detail/functional/placeholder.h",
- "cuda/include/thrust/detail/functional/value.h",
- "cuda/include/thrust/detail/gather.inl",
- "cuda/include/thrust/detail/generate.inl",
- "cuda/include/thrust/detail/get_iterator_value.h",
- "cuda/include/thrust/detail/host_vector.inl",
- "cuda/include/thrust/detail/inner_product.inl",
- "cuda/include/thrust/detail/integer_math.h",
- "cuda/include/thrust/detail/integer_traits.h",
- "cuda/include/thrust/detail/internal_functional.h",
- "cuda/include/thrust/detail/logical.inl",
- "cuda/include/thrust/detail/malloc_and_free.h",
- "cuda/include/thrust/detail/merge.inl",
- "cuda/include/thrust/detail/minmax.h",
- "cuda/include/thrust/detail/mismatch.inl",
- "cuda/include/thrust/detail/mpl/math.h",
- "cuda/include/thrust/detail/numeric_traits.h",
- "cuda/include/thrust/detail/overlapped_copy.h",
- "cuda/include/thrust/detail/pair.inl",
- "cuda/include/thrust/detail/partition.inl",
- "cuda/include/thrust/detail/pointer.h",
- "cuda/include/thrust/detail/pointer.inl",
- "cuda/include/thrust/detail/range/head_flags.h",
- "cuda/include/thrust/detail/range/tail_flags.h",
- "cuda/include/thrust/detail/raw_pointer_cast.h",
- "cuda/include/thrust/detail/raw_reference_cast.h",
- "cuda/include/thrust/detail/reduce.inl",
- "cuda/include/thrust/detail/reference.h",
- "cuda/include/thrust/detail/reference.inl",
- "cuda/include/thrust/detail/reference_forward_declaration.h",
- "cuda/include/thrust/detail/remove.inl",
- "cuda/include/thrust/detail/replace.inl",
- "cuda/include/thrust/detail/reverse.inl",
- "cuda/include/thrust/detail/scan.inl",
- "cuda/include/thrust/detail/scatter.inl",
- "cuda/include/thrust/detail/seq.h",
- "cuda/include/thrust/detail/sequence.inl",
- "cuda/include/thrust/detail/set_operations.inl",
- "cuda/include/thrust/detail/sort.inl",
- "cuda/include/thrust/detail/static_assert.h",
- "cuda/include/thrust/detail/static_map.h",
- "cuda/include/thrust/detail/swap.h",
- "cuda/include/thrust/detail/swap.inl",
- "cuda/include/thrust/detail/swap_ranges.inl",
- "cuda/include/thrust/detail/tabulate.inl",
- "cuda/include/thrust/detail/temporary_array.h",
- "cuda/include/thrust/detail/temporary_array.inl",
- "cuda/include/thrust/detail/temporary_buffer.h",
- "cuda/include/thrust/detail/transform.inl",
- "cuda/include/thrust/detail/transform_reduce.inl",
- "cuda/include/thrust/detail/transform_scan.inl",
- "cuda/include/thrust/detail/trivial_sequence.h",
- "cuda/include/thrust/detail/tuple.inl",
- "cuda/include/thrust/detail/tuple_meta_transform.h",
- "cuda/include/thrust/detail/tuple_transform.h",
- "cuda/include/thrust/detail/type_traits.h",
- "cuda/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h",
- "cuda/include/thrust/detail/type_traits/function_traits.h",
- "cuda/include/thrust/detail/type_traits/has_member_function.h",
- "cuda/include/thrust/detail/type_traits/has_nested_type.h",
- "cuda/include/thrust/detail/type_traits/has_trivial_assign.h",
- "cuda/include/thrust/detail/type_traits/is_call_possible.h",
- "cuda/include/thrust/detail/type_traits/is_metafunction_defined.h",
- "cuda/include/thrust/detail/type_traits/iterator/is_discard_iterator.h",
- "cuda/include/thrust/detail/type_traits/iterator/is_output_iterator.h",
- "cuda/include/thrust/detail/type_traits/minimum_type.h",
- "cuda/include/thrust/detail/type_traits/pointer_traits.h",
- "cuda/include/thrust/detail/type_traits/result_of_adaptable_function.h",
- "cuda/include/thrust/detail/uninitialized_copy.inl",
- "cuda/include/thrust/detail/uninitialized_fill.inl",
- "cuda/include/thrust/detail/unique.inl",
- "cuda/include/thrust/detail/use_default.h",
- "cuda/include/thrust/detail/util/align.h",
- "cuda/include/thrust/detail/util/blocking.h",
- "cuda/include/thrust/detail/vector_base.h",
- "cuda/include/thrust/detail/vector_base.inl",
- "cuda/include/thrust/device_allocator.h",
- "cuda/include/thrust/device_delete.h",
- "cuda/include/thrust/device_free.h",
- "cuda/include/thrust/device_malloc.h",
- "cuda/include/thrust/device_malloc_allocator.h",
- "cuda/include/thrust/device_new.h",
- "cuda/include/thrust/device_new_allocator.h",
- "cuda/include/thrust/device_ptr.h",
- "cuda/include/thrust/device_reference.h",
- "cuda/include/thrust/device_vector.h",
- "cuda/include/thrust/distance.h",
- "cuda/include/thrust/equal.h",
- "cuda/include/thrust/execution_policy.h",
- "cuda/include/thrust/extrema.h",
- "cuda/include/thrust/fill.h",
- "cuda/include/thrust/find.h",
- "cuda/include/thrust/for_each.h",
- "cuda/include/thrust/functional.h",
- "cuda/include/thrust/gather.h",
- "cuda/include/thrust/generate.h",
- "cuda/include/thrust/host_vector.h",
- "cuda/include/thrust/inner_product.h",
- "cuda/include/thrust/iterator/constant_iterator.h",
- "cuda/include/thrust/iterator/counting_iterator.h",
- "cuda/include/thrust/iterator/detail/any_assign.h",
- "cuda/include/thrust/iterator/detail/any_system_tag.h",
- "cuda/include/thrust/iterator/detail/constant_iterator_base.h",
- "cuda/include/thrust/iterator/detail/counting_iterator.inl",
- "cuda/include/thrust/iterator/detail/device_system_tag.h",
- "cuda/include/thrust/iterator/detail/discard_iterator_base.h",
- "cuda/include/thrust/iterator/detail/distance_from_result.h",
- "cuda/include/thrust/iterator/detail/host_system_tag.h",
- "cuda/include/thrust/iterator/detail/is_iterator_category.h",
- "cuda/include/thrust/iterator/detail/is_trivial_iterator.h",
- "cuda/include/thrust/iterator/detail/iterator_adaptor_base.h",
- "cuda/include/thrust/iterator/detail/iterator_category_to_system.h",
- "cuda/include/thrust/iterator/detail/iterator_category_to_traversal.h",
- "cuda/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h",
- "cuda/include/thrust/iterator/detail/iterator_facade_category.h",
- "cuda/include/thrust/iterator/detail/iterator_traits.inl",
- "cuda/include/thrust/iterator/detail/iterator_traversal_tags.h",
- "cuda/include/thrust/iterator/detail/join_iterator.h",
- "cuda/include/thrust/iterator/detail/minimum_category.h",
- "cuda/include/thrust/iterator/detail/minimum_system.h",
- "cuda/include/thrust/iterator/detail/normal_iterator.h",
- "cuda/include/thrust/iterator/detail/permutation_iterator_base.h",
- "cuda/include/thrust/iterator/detail/retag.h",
- "cuda/include/thrust/iterator/detail/reverse_iterator.inl",
- "cuda/include/thrust/iterator/detail/reverse_iterator_base.h",
- "cuda/include/thrust/iterator/detail/tagged_iterator.h",
- "cuda/include/thrust/iterator/detail/transform_iterator.inl",
- "cuda/include/thrust/iterator/detail/transform_output_iterator.inl",
- "cuda/include/thrust/iterator/detail/tuple_of_iterator_references.h",
- "cuda/include/thrust/iterator/detail/universal_categories.h",
- "cuda/include/thrust/iterator/detail/zip_iterator.inl",
- "cuda/include/thrust/iterator/detail/zip_iterator_base.h",
- "cuda/include/thrust/iterator/discard_iterator.h",
- "cuda/include/thrust/iterator/iterator_adaptor.h",
- "cuda/include/thrust/iterator/iterator_categories.h",
- "cuda/include/thrust/iterator/iterator_facade.h",
- "cuda/include/thrust/iterator/iterator_traits.h",
- "cuda/include/thrust/iterator/permutation_iterator.h",
- "cuda/include/thrust/iterator/retag.h",
- "cuda/include/thrust/iterator/reverse_iterator.h",
- "cuda/include/thrust/iterator/transform_iterator.h",
- "cuda/include/thrust/iterator/transform_output_iterator.h",
- "cuda/include/thrust/iterator/zip_iterator.h",
- "cuda/include/thrust/logical.h",
- "cuda/include/thrust/memory.h",
- "cuda/include/thrust/merge.h",
- "cuda/include/thrust/mismatch.h",
- "cuda/include/thrust/pair.h",
- "cuda/include/thrust/partition.h",
- "cuda/include/thrust/random.h",
- "cuda/include/thrust/random/detail/discard_block_engine.inl",
- "cuda/include/thrust/random/detail/linear_congruential_engine.inl",
- "cuda/include/thrust/random/detail/linear_congruential_engine_discard.h",
- "cuda/include/thrust/random/detail/linear_feedback_shift_engine.inl",
- "cuda/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h",
- "cuda/include/thrust/random/detail/mod.h",
- "cuda/include/thrust/random/detail/normal_distribution.inl",
- "cuda/include/thrust/random/detail/normal_distribution_base.h",
- "cuda/include/thrust/random/detail/random_core_access.h",
- "cuda/include/thrust/random/detail/subtract_with_carry_engine.inl",
- "cuda/include/thrust/random/detail/uniform_int_distribution.inl",
- "cuda/include/thrust/random/detail/uniform_real_distribution.inl",
- "cuda/include/thrust/random/detail/xor_combine_engine.inl",
- "cuda/include/thrust/random/detail/xor_combine_engine_max.h",
- "cuda/include/thrust/random/discard_block_engine.h",
- "cuda/include/thrust/random/linear_congruential_engine.h",
- "cuda/include/thrust/random/linear_feedback_shift_engine.h",
- "cuda/include/thrust/random/normal_distribution.h",
- "cuda/include/thrust/random/subtract_with_carry_engine.h",
- "cuda/include/thrust/random/uniform_int_distribution.h",
- "cuda/include/thrust/random/uniform_real_distribution.h",
- "cuda/include/thrust/random/xor_combine_engine.h",
- "cuda/include/thrust/reduce.h",
- "cuda/include/thrust/remove.h",
- "cuda/include/thrust/replace.h",
- "cuda/include/thrust/reverse.h",
- "cuda/include/thrust/scan.h",
- "cuda/include/thrust/scatter.h",
- "cuda/include/thrust/sequence.h",
- "cuda/include/thrust/set_operations.h",
- "cuda/include/thrust/sort.h",
- "cuda/include/thrust/swap.h",
- "cuda/include/thrust/system/cpp/detail/adjacent_difference.h",
- "cuda/include/thrust/system/cpp/detail/assign_value.h",
- "cuda/include/thrust/system/cpp/detail/binary_search.h",
- "cuda/include/thrust/system/cpp/detail/copy.h",
- "cuda/include/thrust/system/cpp/detail/copy_if.h",
- "cuda/include/thrust/system/cpp/detail/count.h",
- "cuda/include/thrust/system/cpp/detail/equal.h",
- "cuda/include/thrust/system/cpp/detail/execution_policy.h",
- "cuda/include/thrust/system/cpp/detail/extrema.h",
- "cuda/include/thrust/system/cpp/detail/fill.h",
- "cuda/include/thrust/system/cpp/detail/find.h",
- "cuda/include/thrust/system/cpp/detail/for_each.h",
- "cuda/include/thrust/system/cpp/detail/gather.h",
- "cuda/include/thrust/system/cpp/detail/generate.h",
- "cuda/include/thrust/system/cpp/detail/get_value.h",
- "cuda/include/thrust/system/cpp/detail/inner_product.h",
- "cuda/include/thrust/system/cpp/detail/iter_swap.h",
- "cuda/include/thrust/system/cpp/detail/logical.h",
- "cuda/include/thrust/system/cpp/detail/malloc_and_free.h",
- "cuda/include/thrust/system/cpp/detail/memory.inl",
- "cuda/include/thrust/system/cpp/detail/merge.h",
- "cuda/include/thrust/system/cpp/detail/mismatch.h",
- "cuda/include/thrust/system/cpp/detail/par.h",
- "cuda/include/thrust/system/cpp/detail/partition.h",
- "cuda/include/thrust/system/cpp/detail/reduce.h",
- "cuda/include/thrust/system/cpp/detail/reduce_by_key.h",
- "cuda/include/thrust/system/cpp/detail/remove.h",
- "cuda/include/thrust/system/cpp/detail/replace.h",
- "cuda/include/thrust/system/cpp/detail/reverse.h",
- "cuda/include/thrust/system/cpp/detail/scan.h",
- "cuda/include/thrust/system/cpp/detail/scan_by_key.h",
- "cuda/include/thrust/system/cpp/detail/scatter.h",
- "cuda/include/thrust/system/cpp/detail/sequence.h",
- "cuda/include/thrust/system/cpp/detail/set_operations.h",
- "cuda/include/thrust/system/cpp/detail/sort.h",
- "cuda/include/thrust/system/cpp/detail/swap_ranges.h",
- "cuda/include/thrust/system/cpp/detail/tabulate.h",
- "cuda/include/thrust/system/cpp/detail/temporary_buffer.h",
- "cuda/include/thrust/system/cpp/detail/transform.h",
- "cuda/include/thrust/system/cpp/detail/transform_reduce.h",
- "cuda/include/thrust/system/cpp/detail/transform_scan.h",
- "cuda/include/thrust/system/cpp/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/cpp/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/cpp/detail/unique.h",
- "cuda/include/thrust/system/cpp/detail/unique_by_key.h",
- "cuda/include/thrust/system/cpp/detail/vector.inl",
- "cuda/include/thrust/system/cpp/execution_policy.h",
- "cuda/include/thrust/system/cpp/memory.h",
- "cuda/include/thrust/system/cpp/vector.h",
- "cuda/include/thrust/system/cuda/config.h",
- "cuda/include/thrust/system/cuda/detail/adjacent_difference.h",
- "cuda/include/thrust/system/cuda/detail/assign_value.h",
- "cuda/include/thrust/system/cuda/detail/binary_search.h",
- "cuda/include/thrust/system/cuda/detail/copy.h",
- "cuda/include/thrust/system/cuda/detail/copy_if.h",
- "cuda/include/thrust/system/cuda/detail/core/agent_launcher.h",
- "cuda/include/thrust/system/cuda/detail/core/alignment.h",
- "cuda/include/thrust/system/cuda/detail/core/triple_chevron_launch.h",
- "cuda/include/thrust/system/cuda/detail/core/util.h",
- "cuda/include/thrust/system/cuda/detail/count.h",
- "cuda/include/thrust/system/cuda/detail/cross_system.h",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_csrt.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_row_based.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_load.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/block_store.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/cub.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_partition.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_select.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_csrt.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_row_based.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/host/mutex.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_allocator.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_arch.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_debug.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_device.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_macro.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_namespace.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_ptx.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/util_type.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh",
- "cuda/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh",
- "cuda/include/thrust/system/cuda/detail/equal.h",
- "cuda/include/thrust/system/cuda/detail/error.inl",
- "cuda/include/thrust/system/cuda/detail/execution_policy.h",
- "cuda/include/thrust/system/cuda/detail/extrema.h",
- "cuda/include/thrust/system/cuda/detail/fill.h",
- "cuda/include/thrust/system/cuda/detail/find.h",
- "cuda/include/thrust/system/cuda/detail/for_each.h",
- "cuda/include/thrust/system/cuda/detail/gather.h",
- "cuda/include/thrust/system/cuda/detail/generate.h",
- "cuda/include/thrust/system/cuda/detail/get_value.h",
- "cuda/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h",
- "cuda/include/thrust/system/cuda/detail/guarded_driver_types.h",
- "cuda/include/thrust/system/cuda/detail/inner_product.h",
- "cuda/include/thrust/system/cuda/detail/internal/copy_cross_system.h",
- "cuda/include/thrust/system/cuda/detail/internal/copy_device_to_device.h",
- "cuda/include/thrust/system/cuda/detail/iter_swap.h",
- "cuda/include/thrust/system/cuda/detail/logical.h",
- "cuda/include/thrust/system/cuda/detail/malloc_and_free.h",
- "cuda/include/thrust/system/cuda/detail/memory.inl",
- "cuda/include/thrust/system/cuda/detail/memory_buffer.h",
- "cuda/include/thrust/system/cuda/detail/merge.h",
- "cuda/include/thrust/system/cuda/detail/mismatch.h",
- "cuda/include/thrust/system/cuda/detail/par.h",
- "cuda/include/thrust/system/cuda/detail/par_to_seq.h",
- "cuda/include/thrust/system/cuda/detail/parallel_for.h",
- "cuda/include/thrust/system/cuda/detail/partition.h",
- "cuda/include/thrust/system/cuda/detail/reduce.h",
- "cuda/include/thrust/system/cuda/detail/reduce_by_key.h",
- "cuda/include/thrust/system/cuda/detail/remove.h",
- "cuda/include/thrust/system/cuda/detail/replace.h",
- "cuda/include/thrust/system/cuda/detail/reverse.h",
- "cuda/include/thrust/system/cuda/detail/scan.h",
- "cuda/include/thrust/system/cuda/detail/scan_by_key.h",
- "cuda/include/thrust/system/cuda/detail/scatter.h",
- "cuda/include/thrust/system/cuda/detail/sequence.h",
- "cuda/include/thrust/system/cuda/detail/set_operations.h",
- "cuda/include/thrust/system/cuda/detail/sort.h",
- "cuda/include/thrust/system/cuda/detail/swap_ranges.h",
- "cuda/include/thrust/system/cuda/detail/tabulate.h",
- "cuda/include/thrust/system/cuda/detail/temporary_buffer.h",
- "cuda/include/thrust/system/cuda/detail/terminate.h",
- "cuda/include/thrust/system/cuda/detail/transform.h",
- "cuda/include/thrust/system/cuda/detail/transform_reduce.h",
- "cuda/include/thrust/system/cuda/detail/transform_scan.h",
- "cuda/include/thrust/system/cuda/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/cuda/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/cuda/detail/unique.h",
- "cuda/include/thrust/system/cuda/detail/unique_by_key.h",
- "cuda/include/thrust/system/cuda/detail/util.h",
- "cuda/include/thrust/system/cuda/detail/vector.inl",
- "cuda/include/thrust/system/cuda/error.h",
- "cuda/include/thrust/system/cuda/execution_policy.h",
- "cuda/include/thrust/system/cuda/experimental/pinned_allocator.h",
- "cuda/include/thrust/system/cuda/memory.h",
- "cuda/include/thrust/system/cuda/vector.h",
- "cuda/include/thrust/system/detail/adl/adjacent_difference.h",
- "cuda/include/thrust/system/detail/adl/assign_value.h",
- "cuda/include/thrust/system/detail/adl/binary_search.h",
- "cuda/include/thrust/system/detail/adl/copy.h",
- "cuda/include/thrust/system/detail/adl/copy_if.h",
- "cuda/include/thrust/system/detail/adl/count.h",
- "cuda/include/thrust/system/detail/adl/equal.h",
- "cuda/include/thrust/system/detail/adl/extrema.h",
- "cuda/include/thrust/system/detail/adl/fill.h",
- "cuda/include/thrust/system/detail/adl/find.h",
- "cuda/include/thrust/system/detail/adl/for_each.h",
- "cuda/include/thrust/system/detail/adl/gather.h",
- "cuda/include/thrust/system/detail/adl/generate.h",
- "cuda/include/thrust/system/detail/adl/get_value.h",
- "cuda/include/thrust/system/detail/adl/inner_product.h",
- "cuda/include/thrust/system/detail/adl/iter_swap.h",
- "cuda/include/thrust/system/detail/adl/logical.h",
- "cuda/include/thrust/system/detail/adl/malloc_and_free.h",
- "cuda/include/thrust/system/detail/adl/merge.h",
- "cuda/include/thrust/system/detail/adl/mismatch.h",
- "cuda/include/thrust/system/detail/adl/partition.h",
- "cuda/include/thrust/system/detail/adl/reduce.h",
- "cuda/include/thrust/system/detail/adl/reduce_by_key.h",
- "cuda/include/thrust/system/detail/adl/remove.h",
- "cuda/include/thrust/system/detail/adl/replace.h",
- "cuda/include/thrust/system/detail/adl/reverse.h",
- "cuda/include/thrust/system/detail/adl/scan.h",
- "cuda/include/thrust/system/detail/adl/scan_by_key.h",
- "cuda/include/thrust/system/detail/adl/scatter.h",
- "cuda/include/thrust/system/detail/adl/sequence.h",
- "cuda/include/thrust/system/detail/adl/set_operations.h",
- "cuda/include/thrust/system/detail/adl/sort.h",
- "cuda/include/thrust/system/detail/adl/swap_ranges.h",
- "cuda/include/thrust/system/detail/adl/tabulate.h",
- "cuda/include/thrust/system/detail/adl/temporary_buffer.h",
- "cuda/include/thrust/system/detail/adl/transform.h",
- "cuda/include/thrust/system/detail/adl/transform_reduce.h",
- "cuda/include/thrust/system/detail/adl/transform_scan.h",
- "cuda/include/thrust/system/detail/adl/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/adl/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/adl/unique.h",
- "cuda/include/thrust/system/detail/adl/unique_by_key.h",
- "cuda/include/thrust/system/detail/bad_alloc.h",
- "cuda/include/thrust/system/detail/errno.h",
- "cuda/include/thrust/system/detail/error_category.inl",
- "cuda/include/thrust/system/detail/error_code.inl",
- "cuda/include/thrust/system/detail/error_condition.inl",
- "cuda/include/thrust/system/detail/generic/adjacent_difference.h",
- "cuda/include/thrust/system/detail/generic/adjacent_difference.inl",
- "cuda/include/thrust/system/detail/generic/advance.h",
- "cuda/include/thrust/system/detail/generic/advance.inl",
- "cuda/include/thrust/system/detail/generic/binary_search.h",
- "cuda/include/thrust/system/detail/generic/binary_search.inl",
- "cuda/include/thrust/system/detail/generic/copy.h",
- "cuda/include/thrust/system/detail/generic/copy.inl",
- "cuda/include/thrust/system/detail/generic/copy_if.h",
- "cuda/include/thrust/system/detail/generic/copy_if.inl",
- "cuda/include/thrust/system/detail/generic/count.h",
- "cuda/include/thrust/system/detail/generic/count.inl",
- "cuda/include/thrust/system/detail/generic/distance.h",
- "cuda/include/thrust/system/detail/generic/distance.inl",
- "cuda/include/thrust/system/detail/generic/equal.h",
- "cuda/include/thrust/system/detail/generic/equal.inl",
- "cuda/include/thrust/system/detail/generic/extrema.h",
- "cuda/include/thrust/system/detail/generic/extrema.inl",
- "cuda/include/thrust/system/detail/generic/fill.h",
- "cuda/include/thrust/system/detail/generic/find.h",
- "cuda/include/thrust/system/detail/generic/find.inl",
- "cuda/include/thrust/system/detail/generic/for_each.h",
- "cuda/include/thrust/system/detail/generic/gather.h",
- "cuda/include/thrust/system/detail/generic/gather.inl",
- "cuda/include/thrust/system/detail/generic/generate.h",
- "cuda/include/thrust/system/detail/generic/generate.inl",
- "cuda/include/thrust/system/detail/generic/inner_product.h",
- "cuda/include/thrust/system/detail/generic/inner_product.inl",
- "cuda/include/thrust/system/detail/generic/logical.h",
- "cuda/include/thrust/system/detail/generic/memory.h",
- "cuda/include/thrust/system/detail/generic/memory.inl",
- "cuda/include/thrust/system/detail/generic/merge.h",
- "cuda/include/thrust/system/detail/generic/merge.inl",
- "cuda/include/thrust/system/detail/generic/mismatch.h",
- "cuda/include/thrust/system/detail/generic/mismatch.inl",
- "cuda/include/thrust/system/detail/generic/partition.h",
- "cuda/include/thrust/system/detail/generic/partition.inl",
- "cuda/include/thrust/system/detail/generic/reduce.h",
- "cuda/include/thrust/system/detail/generic/reduce.inl",
- "cuda/include/thrust/system/detail/generic/reduce_by_key.h",
- "cuda/include/thrust/system/detail/generic/reduce_by_key.inl",
- "cuda/include/thrust/system/detail/generic/remove.h",
- "cuda/include/thrust/system/detail/generic/remove.inl",
- "cuda/include/thrust/system/detail/generic/replace.h",
- "cuda/include/thrust/system/detail/generic/replace.inl",
- "cuda/include/thrust/system/detail/generic/reverse.h",
- "cuda/include/thrust/system/detail/generic/reverse.inl",
- "cuda/include/thrust/system/detail/generic/scalar/binary_search.h",
- "cuda/include/thrust/system/detail/generic/scalar/binary_search.inl",
- "cuda/include/thrust/system/detail/generic/scan.h",
- "cuda/include/thrust/system/detail/generic/scan.inl",
- "cuda/include/thrust/system/detail/generic/scan_by_key.h",
- "cuda/include/thrust/system/detail/generic/scan_by_key.inl",
- "cuda/include/thrust/system/detail/generic/scatter.h",
- "cuda/include/thrust/system/detail/generic/scatter.inl",
- "cuda/include/thrust/system/detail/generic/select_system.h",
- "cuda/include/thrust/system/detail/generic/sequence.h",
- "cuda/include/thrust/system/detail/generic/sequence.inl",
- "cuda/include/thrust/system/detail/generic/set_operations.h",
- "cuda/include/thrust/system/detail/generic/set_operations.inl",
- "cuda/include/thrust/system/detail/generic/sort.h",
- "cuda/include/thrust/system/detail/generic/sort.inl",
- "cuda/include/thrust/system/detail/generic/swap_ranges.h",
- "cuda/include/thrust/system/detail/generic/swap_ranges.inl",
- "cuda/include/thrust/system/detail/generic/tabulate.h",
- "cuda/include/thrust/system/detail/generic/tabulate.inl",
- "cuda/include/thrust/system/detail/generic/tag.h",
- "cuda/include/thrust/system/detail/generic/temporary_buffer.h",
- "cuda/include/thrust/system/detail/generic/temporary_buffer.inl",
- "cuda/include/thrust/system/detail/generic/transform.h",
- "cuda/include/thrust/system/detail/generic/transform.inl",
- "cuda/include/thrust/system/detail/generic/transform_reduce.h",
- "cuda/include/thrust/system/detail/generic/transform_reduce.inl",
- "cuda/include/thrust/system/detail/generic/transform_scan.h",
- "cuda/include/thrust/system/detail/generic/transform_scan.inl",
- "cuda/include/thrust/system/detail/generic/type_traits.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_copy.inl",
- "cuda/include/thrust/system/detail/generic/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/generic/uninitialized_fill.inl",
- "cuda/include/thrust/system/detail/generic/unique.h",
- "cuda/include/thrust/system/detail/generic/unique.inl",
- "cuda/include/thrust/system/detail/generic/unique_by_key.h",
- "cuda/include/thrust/system/detail/generic/unique_by_key.inl",
- "cuda/include/thrust/system/detail/internal/decompose.h",
- "cuda/include/thrust/system/detail/sequential/adjacent_difference.h",
- "cuda/include/thrust/system/detail/sequential/assign_value.h",
- "cuda/include/thrust/system/detail/sequential/binary_search.h",
- "cuda/include/thrust/system/detail/sequential/copy.h",
- "cuda/include/thrust/system/detail/sequential/copy.inl",
- "cuda/include/thrust/system/detail/sequential/copy_backward.h",
- "cuda/include/thrust/system/detail/sequential/copy_if.h",
- "cuda/include/thrust/system/detail/sequential/count.h",
- "cuda/include/thrust/system/detail/sequential/equal.h",
- "cuda/include/thrust/system/detail/sequential/execution_policy.h",
- "cuda/include/thrust/system/detail/sequential/extrema.h",
- "cuda/include/thrust/system/detail/sequential/fill.h",
- "cuda/include/thrust/system/detail/sequential/find.h",
- "cuda/include/thrust/system/detail/sequential/for_each.h",
- "cuda/include/thrust/system/detail/sequential/gather.h",
- "cuda/include/thrust/system/detail/sequential/general_copy.h",
- "cuda/include/thrust/system/detail/sequential/generate.h",
- "cuda/include/thrust/system/detail/sequential/get_value.h",
- "cuda/include/thrust/system/detail/sequential/inner_product.h",
- "cuda/include/thrust/system/detail/sequential/insertion_sort.h",
- "cuda/include/thrust/system/detail/sequential/iter_swap.h",
- "cuda/include/thrust/system/detail/sequential/logical.h",
- "cuda/include/thrust/system/detail/sequential/malloc_and_free.h",
- "cuda/include/thrust/system/detail/sequential/merge.h",
- "cuda/include/thrust/system/detail/sequential/merge.inl",
- "cuda/include/thrust/system/detail/sequential/mismatch.h",
- "cuda/include/thrust/system/detail/sequential/partition.h",
- "cuda/include/thrust/system/detail/sequential/reduce.h",
- "cuda/include/thrust/system/detail/sequential/reduce_by_key.h",
- "cuda/include/thrust/system/detail/sequential/remove.h",
- "cuda/include/thrust/system/detail/sequential/replace.h",
- "cuda/include/thrust/system/detail/sequential/reverse.h",
- "cuda/include/thrust/system/detail/sequential/scan.h",
- "cuda/include/thrust/system/detail/sequential/scan_by_key.h",
- "cuda/include/thrust/system/detail/sequential/scatter.h",
- "cuda/include/thrust/system/detail/sequential/sequence.h",
- "cuda/include/thrust/system/detail/sequential/set_operations.h",
- "cuda/include/thrust/system/detail/sequential/sort.h",
- "cuda/include/thrust/system/detail/sequential/sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_merge_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_merge_sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_primitive_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_primitive_sort.inl",
- "cuda/include/thrust/system/detail/sequential/stable_radix_sort.h",
- "cuda/include/thrust/system/detail/sequential/stable_radix_sort.inl",
- "cuda/include/thrust/system/detail/sequential/swap_ranges.h",
- "cuda/include/thrust/system/detail/sequential/tabulate.h",
- "cuda/include/thrust/system/detail/sequential/temporary_buffer.h",
- "cuda/include/thrust/system/detail/sequential/transform.h",
- "cuda/include/thrust/system/detail/sequential/transform_reduce.h",
- "cuda/include/thrust/system/detail/sequential/transform_scan.h",
- "cuda/include/thrust/system/detail/sequential/trivial_copy.h",
- "cuda/include/thrust/system/detail/sequential/uninitialized_copy.h",
- "cuda/include/thrust/system/detail/sequential/uninitialized_fill.h",
- "cuda/include/thrust/system/detail/sequential/unique.h",
- "cuda/include/thrust/system/detail/sequential/unique_by_key.h",
- "cuda/include/thrust/system/detail/system_error.inl",
- "cuda/include/thrust/system/error_code.h",
- "cuda/include/thrust/system/omp/detail/adjacent_difference.h",
- "cuda/include/thrust/system/omp/detail/assign_value.h",
- "cuda/include/thrust/system/omp/detail/binary_search.h",
- "cuda/include/thrust/system/omp/detail/copy.h",
- "cuda/include/thrust/system/omp/detail/copy.inl",
- "cuda/include/thrust/system/omp/detail/copy_if.h",
- "cuda/include/thrust/system/omp/detail/copy_if.inl",
- "cuda/include/thrust/system/omp/detail/count.h",
- "cuda/include/thrust/system/omp/detail/default_decomposition.h",
- "cuda/include/thrust/system/omp/detail/default_decomposition.inl",
- "cuda/include/thrust/system/omp/detail/equal.h",
- "cuda/include/thrust/system/omp/detail/execution_policy.h",
- "cuda/include/thrust/system/omp/detail/extrema.h",
- "cuda/include/thrust/system/omp/detail/fill.h",
- "cuda/include/thrust/system/omp/detail/find.h",
- "cuda/include/thrust/system/omp/detail/for_each.h",
- "cuda/include/thrust/system/omp/detail/for_each.inl",
- "cuda/include/thrust/system/omp/detail/gather.h",
- "cuda/include/thrust/system/omp/detail/generate.h",
- "cuda/include/thrust/system/omp/detail/get_value.h",
- "cuda/include/thrust/system/omp/detail/inner_product.h",
- "cuda/include/thrust/system/omp/detail/iter_swap.h",
- "cuda/include/thrust/system/omp/detail/logical.h",
- "cuda/include/thrust/system/omp/detail/malloc_and_free.h",
- "cuda/include/thrust/system/omp/detail/memory.inl",
- "cuda/include/thrust/system/omp/detail/merge.h",
- "cuda/include/thrust/system/omp/detail/mismatch.h",
- "cuda/include/thrust/system/omp/detail/par.h",
- "cuda/include/thrust/system/omp/detail/partition.h",
- "cuda/include/thrust/system/omp/detail/partition.inl",
- "cuda/include/thrust/system/omp/detail/reduce.h",
- "cuda/include/thrust/system/omp/detail/reduce.inl",
- "cuda/include/thrust/system/omp/detail/reduce_by_key.h",
- "cuda/include/thrust/system/omp/detail/reduce_by_key.inl",
- "cuda/include/thrust/system/omp/detail/reduce_intervals.h",
- "cuda/include/thrust/system/omp/detail/reduce_intervals.inl",
- "cuda/include/thrust/system/omp/detail/remove.h",
- "cuda/include/thrust/system/omp/detail/remove.inl",
- "cuda/include/thrust/system/omp/detail/replace.h",
- "cuda/include/thrust/system/omp/detail/reverse.h",
- "cuda/include/thrust/system/omp/detail/scan.h",
- "cuda/include/thrust/system/omp/detail/scan_by_key.h",
- "cuda/include/thrust/system/omp/detail/scatter.h",
- "cuda/include/thrust/system/omp/detail/sequence.h",
- "cuda/include/thrust/system/omp/detail/set_operations.h",
- "cuda/include/thrust/system/omp/detail/sort.h",
- "cuda/include/thrust/system/omp/detail/sort.inl",
- "cuda/include/thrust/system/omp/detail/swap_ranges.h",
- "cuda/include/thrust/system/omp/detail/tabulate.h",
- "cuda/include/thrust/system/omp/detail/temporary_buffer.h",
- "cuda/include/thrust/system/omp/detail/transform.h",
- "cuda/include/thrust/system/omp/detail/transform_reduce.h",
- "cuda/include/thrust/system/omp/detail/transform_scan.h",
- "cuda/include/thrust/system/omp/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/omp/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/omp/detail/unique.h",
- "cuda/include/thrust/system/omp/detail/unique.inl",
- "cuda/include/thrust/system/omp/detail/unique_by_key.h",
- "cuda/include/thrust/system/omp/detail/unique_by_key.inl",
- "cuda/include/thrust/system/omp/detail/vector.inl",
- "cuda/include/thrust/system/omp/execution_policy.h",
- "cuda/include/thrust/system/omp/memory.h",
- "cuda/include/thrust/system/omp/vector.h",
- "cuda/include/thrust/system/system_error.h",
- "cuda/include/thrust/system/tbb/detail/adjacent_difference.h",
- "cuda/include/thrust/system/tbb/detail/assign_value.h",
- "cuda/include/thrust/system/tbb/detail/binary_search.h",
- "cuda/include/thrust/system/tbb/detail/copy.h",
- "cuda/include/thrust/system/tbb/detail/copy.inl",
- "cuda/include/thrust/system/tbb/detail/copy_if.h",
- "cuda/include/thrust/system/tbb/detail/copy_if.inl",
- "cuda/include/thrust/system/tbb/detail/count.h",
- "cuda/include/thrust/system/tbb/detail/equal.h",
- "cuda/include/thrust/system/tbb/detail/execution_policy.h",
- "cuda/include/thrust/system/tbb/detail/extrema.h",
- "cuda/include/thrust/system/tbb/detail/fill.h",
- "cuda/include/thrust/system/tbb/detail/find.h",
- "cuda/include/thrust/system/tbb/detail/for_each.h",
- "cuda/include/thrust/system/tbb/detail/for_each.inl",
- "cuda/include/thrust/system/tbb/detail/gather.h",
- "cuda/include/thrust/system/tbb/detail/generate.h",
- "cuda/include/thrust/system/tbb/detail/get_value.h",
- "cuda/include/thrust/system/tbb/detail/inner_product.h",
- "cuda/include/thrust/system/tbb/detail/iter_swap.h",
- "cuda/include/thrust/system/tbb/detail/logical.h",
- "cuda/include/thrust/system/tbb/detail/malloc_and_free.h",
- "cuda/include/thrust/system/tbb/detail/memory.inl",
- "cuda/include/thrust/system/tbb/detail/merge.h",
- "cuda/include/thrust/system/tbb/detail/merge.inl",
- "cuda/include/thrust/system/tbb/detail/mismatch.h",
- "cuda/include/thrust/system/tbb/detail/par.h",
- "cuda/include/thrust/system/tbb/detail/partition.h",
- "cuda/include/thrust/system/tbb/detail/partition.inl",
- "cuda/include/thrust/system/tbb/detail/reduce.h",
- "cuda/include/thrust/system/tbb/detail/reduce.inl",
- "cuda/include/thrust/system/tbb/detail/reduce_by_key.h",
- "cuda/include/thrust/system/tbb/detail/reduce_by_key.inl",
- "cuda/include/thrust/system/tbb/detail/reduce_intervals.h",
- "cuda/include/thrust/system/tbb/detail/remove.h",
- "cuda/include/thrust/system/tbb/detail/remove.inl",
- "cuda/include/thrust/system/tbb/detail/replace.h",
- "cuda/include/thrust/system/tbb/detail/reverse.h",
- "cuda/include/thrust/system/tbb/detail/scan.h",
- "cuda/include/thrust/system/tbb/detail/scan.inl",
- "cuda/include/thrust/system/tbb/detail/scan_by_key.h",
- "cuda/include/thrust/system/tbb/detail/scatter.h",
- "cuda/include/thrust/system/tbb/detail/sequence.h",
- "cuda/include/thrust/system/tbb/detail/set_operations.h",
- "cuda/include/thrust/system/tbb/detail/sort.h",
- "cuda/include/thrust/system/tbb/detail/sort.inl",
- "cuda/include/thrust/system/tbb/detail/swap_ranges.h",
- "cuda/include/thrust/system/tbb/detail/tabulate.h",
- "cuda/include/thrust/system/tbb/detail/temporary_buffer.h",
- "cuda/include/thrust/system/tbb/detail/transform.h",
- "cuda/include/thrust/system/tbb/detail/transform_reduce.h",
- "cuda/include/thrust/system/tbb/detail/transform_scan.h",
- "cuda/include/thrust/system/tbb/detail/uninitialized_copy.h",
- "cuda/include/thrust/system/tbb/detail/uninitialized_fill.h",
- "cuda/include/thrust/system/tbb/detail/unique.h",
- "cuda/include/thrust/system/tbb/detail/unique.inl",
- "cuda/include/thrust/system/tbb/detail/unique_by_key.h",
- "cuda/include/thrust/system/tbb/detail/unique_by_key.inl",
- "cuda/include/thrust/system/tbb/detail/vector.inl",
- "cuda/include/thrust/system/tbb/execution_policy.h",
- "cuda/include/thrust/system/tbb/memory.h",
- "cuda/include/thrust/system/tbb/vector.h",
- "cuda/include/thrust/system_error.h",
- "cuda/include/thrust/tabulate.h",
- "cuda/include/thrust/transform.h",
- "cuda/include/thrust/transform_reduce.h",
- "cuda/include/thrust/transform_scan.h",
- "cuda/include/thrust/tuple.h",
- "cuda/include/thrust/uninitialized_copy.h",
- "cuda/include/thrust/uninitialized_fill.h",
- "cuda/include/thrust/unique.h",
- "cuda/include/thrust/version.h",
- "cuda/include/vector_functions.h",
- "cuda/include/vector_functions.hpp",
- "cuda/include/vector_types.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/local/cuda-9.0/include/CL/cl.h" "$(@D)/cuda/include/CL/cl.h" && cp -f "/usr/local/cuda-9.0/include/CL/cl.hpp" "$(@D)/cuda/include/CL/cl.hpp" && cp -f "/usr/local/cuda-9.0/include/CL/cl_egl.h" "$(@D)/cuda/include/CL/cl_egl.h" && cp -f "/usr/local/cuda-9.0/include/CL/cl_ext.h" "$(@D)/cuda/include/CL/cl_ext.h" && cp -f "/usr/local/cuda-9.0/include/CL/cl_gl.h" "$(@D)/cuda/include/CL/cl_gl.h" && cp -f "/usr/local/cuda-9.0/include/CL/cl_gl_ext.h" "$(@D)/cuda/include/CL/cl_gl_ext.h" && cp -f "/usr/local/cuda-9.0/include/CL/cl_platform.h" "$(@D)/cuda/include/CL/cl_platform.h" && cp -f "/usr/local/cuda-9.0/include/CL/opencl.h" "$(@D)/cuda/include/CL/opencl.h" && cp -f "/usr/local/cuda-9.0/include/builtin_types.h" "$(@D)/cuda/include/builtin_types.h" && cp -f "/usr/local/cuda-9.0/include/channel_descriptor.h" "$(@D)/cuda/include/channel_descriptor.h" && cp -f "/usr/local/cuda-9.0/include/common_functions.h" "$(@D)/cuda/include/common_functions.h" && cp -f "/usr/local/cuda-9.0/include/cooperative_groups.h" "$(@D)/cuda/include/cooperative_groups.h" && cp -f "/usr/local/cuda-9.0/include/cooperative_groups_helpers.h" "$(@D)/cuda/include/cooperative_groups_helpers.h" && cp -f "/usr/local/cuda-9.0/include/crt/common_functions.h" "$(@D)/cuda/include/crt/common_functions.h" && cp -f "/usr/local/cuda-9.0/include/crt/device_double_functions.h" "$(@D)/cuda/include/crt/device_double_functions.h" && cp -f "/usr/local/cuda-9.0/include/crt/device_double_functions.hpp" "$(@D)/cuda/include/crt/device_double_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/crt/device_functions.h" "$(@D)/cuda/include/crt/device_functions.h" && cp -f "/usr/local/cuda-9.0/include/crt/device_functions.hpp" "$(@D)/cuda/include/crt/device_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/crt/func_macro.h" "$(@D)/cuda/include/crt/func_macro.h" && cp -f "/usr/local/cuda-9.0/include/crt/host_config.h" "$(@D)/cuda/include/crt/host_config.h" && cp -f "/usr/local/cuda-9.0/include/crt/host_defines.h" "$(@D)/cuda/include/crt/host_defines.h" && cp -f "/usr/local/cuda-9.0/include/crt/host_runtime.h" "$(@D)/cuda/include/crt/host_runtime.h" && cp -f "/usr/local/cuda-9.0/include/crt/math_functions.h" "$(@D)/cuda/include/crt/math_functions.h" && cp -f "/usr/local/cuda-9.0/include/crt/math_functions.hpp" "$(@D)/cuda/include/crt/math_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/crt/mma.h" "$(@D)/cuda/include/crt/mma.h" && cp -f "/usr/local/cuda-9.0/include/crt/mma.hpp" "$(@D)/cuda/include/crt/mma.hpp" && cp -f "/usr/local/cuda-9.0/include/crt/nvfunctional" "$(@D)/cuda/include/crt/nvfunctional" && cp -f "/usr/local/cuda-9.0/include/crt/sm_70_rt.h" "$(@D)/cuda/include/crt/sm_70_rt.h" && cp -f "/usr/local/cuda-9.0/include/crt/sm_70_rt.hpp" "$(@D)/cuda/include/crt/sm_70_rt.hpp" && cp -f "/usr/local/cuda-9.0/include/crt/storage_class.h" "$(@D)/cuda/include/crt/storage_class.h" && cp -f "/usr/local/cuda-9.0/include/cuComplex.h" "$(@D)/cuda/include/cuComplex.h" && cp -f "/usr/local/cuda-9.0/include/cublas.h" "$(@D)/cuda/include/cublas.h" && cp -f "/usr/local/cuda-9.0/include/cublasXt.h" "$(@D)/cuda/include/cublasXt.h" && cp -f "/usr/local/cuda-9.0/include/cublas_api.h" "$(@D)/cuda/include/cublas_api.h" && cp -f "/usr/local/cuda-9.0/include/cublas_v2.h" "$(@D)/cuda/include/cublas_v2.h" && cp -f "/usr/local/cuda-9.0/include/cuda.h" "$(@D)/cuda/include/cuda.h" && cp -f "/usr/local/cuda-9.0/include/cudaEGL.h" "$(@D)/cuda/include/cudaEGL.h" && cp -f "/usr/local/cuda-9.0/include/cudaGL.h" "$(@D)/cuda/include/cudaGL.h" && cp -f "/usr/local/cuda-9.0/include/cudaProfiler.h" "$(@D)/cuda/include/cudaProfiler.h" && cp -f "/usr/local/cuda-9.0/include/cudaVDPAU.h" "$(@D)/cuda/include/cudaVDPAU.h" && cp -f "/usr/local/cuda-9.0/include/cuda_device_runtime_api.h" "$(@D)/cuda/include/cuda_device_runtime_api.h" && cp -f "/usr/local/cuda-9.0/include/cuda_fp16.h" "$(@D)/cuda/include/cuda_fp16.h" && cp -f "/usr/local/cuda-9.0/include/cuda_fp16.hpp" "$(@D)/cuda/include/cuda_fp16.hpp" && cp -f "/usr/local/cuda-9.0/include/cuda_gl_interop.h" "$(@D)/cuda/include/cuda_gl_interop.h" && cp -f "/usr/local/cuda-9.0/include/cuda_occupancy.h" "$(@D)/cuda/include/cuda_occupancy.h" && cp -f "/usr/local/cuda-9.0/include/cuda_profiler_api.h" "$(@D)/cuda/include/cuda_profiler_api.h" && cp -f "/usr/local/cuda-9.0/include/cuda_runtime.h" "$(@D)/cuda/include/cuda_runtime.h" && cp -f "/usr/local/cuda-9.0/include/cuda_runtime_api.h" "$(@D)/cuda/include/cuda_runtime_api.h" && cp -f "/usr/local/cuda-9.0/include/cuda_surface_types.h" "$(@D)/cuda/include/cuda_surface_types.h" && cp -f "/usr/local/cuda-9.0/include/cuda_texture_types.h" "$(@D)/cuda/include/cuda_texture_types.h" && cp -f "/usr/local/cuda-9.0/include/cuda_vdpau_interop.h" "$(@D)/cuda/include/cuda_vdpau_interop.h" && cp -f "/usr/local/cuda-9.0/include/cudalibxt.h" "$(@D)/cuda/include/cudalibxt.h" && cp -f "/usr/local/cuda-9.0/include/cufft.h" "$(@D)/cuda/include/cufft.h" && cp -f "/usr/local/cuda-9.0/include/cufftXt.h" "$(@D)/cuda/include/cufftXt.h" && cp -f "/usr/local/cuda-9.0/include/cufftw.h" "$(@D)/cuda/include/cufftw.h" && cp -f "/usr/local/cuda-9.0/include/curand.h" "$(@D)/cuda/include/curand.h" && cp -f "/usr/local/cuda-9.0/include/curand_discrete.h" "$(@D)/cuda/include/curand_discrete.h" && cp -f "/usr/local/cuda-9.0/include/curand_discrete2.h" "$(@D)/cuda/include/curand_discrete2.h" && cp -f "/usr/local/cuda-9.0/include/curand_globals.h" "$(@D)/cuda/include/curand_globals.h" && cp -f "/usr/local/cuda-9.0/include/curand_kernel.h" "$(@D)/cuda/include/curand_kernel.h" && cp -f "/usr/local/cuda-9.0/include/curand_lognormal.h" "$(@D)/cuda/include/curand_lognormal.h" && cp -f "/usr/local/cuda-9.0/include/curand_mrg32k3a.h" "$(@D)/cuda/include/curand_mrg32k3a.h" && cp -f "/usr/local/cuda-9.0/include/curand_mtgp32.h" "$(@D)/cuda/include/curand_mtgp32.h" && cp -f "/usr/local/cuda-9.0/include/curand_mtgp32_host.h" "$(@D)/cuda/include/curand_mtgp32_host.h" && cp -f "/usr/local/cuda-9.0/include/curand_mtgp32_kernel.h" "$(@D)/cuda/include/curand_mtgp32_kernel.h" && cp -f "/usr/local/cuda-9.0/include/curand_mtgp32dc_p_11213.h" "$(@D)/cuda/include/curand_mtgp32dc_p_11213.h" && cp -f "/usr/local/cuda-9.0/include/curand_normal.h" "$(@D)/cuda/include/curand_normal.h" && cp -f "/usr/local/cuda-9.0/include/curand_normal_static.h" "$(@D)/cuda/include/curand_normal_static.h" && cp -f "/usr/local/cuda-9.0/include/curand_philox4x32_x.h" "$(@D)/cuda/include/curand_philox4x32_x.h" && cp -f "/usr/local/cuda-9.0/include/curand_poisson.h" "$(@D)/cuda/include/curand_poisson.h" && cp -f "/usr/local/cuda-9.0/include/curand_precalc.h" "$(@D)/cuda/include/curand_precalc.h" && cp -f "/usr/local/cuda-9.0/include/curand_uniform.h" "$(@D)/cuda/include/curand_uniform.h" && cp -f "/usr/local/cuda-9.0/include/cusolverDn.h" "$(@D)/cuda/include/cusolverDn.h" && cp -f "/usr/local/cuda-9.0/include/cusolverRf.h" "$(@D)/cuda/include/cusolverRf.h" && cp -f "/usr/local/cuda-9.0/include/cusolverSp.h" "$(@D)/cuda/include/cusolverSp.h" && cp -f "/usr/local/cuda-9.0/include/cusolverSp_LOWLEVEL_PREVIEW.h" "$(@D)/cuda/include/cusolverSp_LOWLEVEL_PREVIEW.h" && cp -f "/usr/local/cuda-9.0/include/cusolver_common.h" "$(@D)/cuda/include/cusolver_common.h" && cp -f "/usr/local/cuda-9.0/include/cusparse.h" "$(@D)/cuda/include/cusparse.h" && cp -f "/usr/local/cuda-9.0/include/cusparse_v2.h" "$(@D)/cuda/include/cusparse_v2.h" && cp -f "/usr/local/cuda-9.0/include/device_atomic_functions.h" "$(@D)/cuda/include/device_atomic_functions.h" && cp -f "/usr/local/cuda-9.0/include/device_atomic_functions.hpp" "$(@D)/cuda/include/device_atomic_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/device_double_functions.h" "$(@D)/cuda/include/device_double_functions.h" && cp -f "/usr/local/cuda-9.0/include/device_double_functions.hpp" "$(@D)/cuda/include/device_double_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/device_functions.h" "$(@D)/cuda/include/device_functions.h" && cp -f "/usr/local/cuda-9.0/include/device_functions.hpp" "$(@D)/cuda/include/device_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/device_functions_decls.h" "$(@D)/cuda/include/device_functions_decls.h" && cp -f "/usr/local/cuda-9.0/include/device_launch_parameters.h" "$(@D)/cuda/include/device_launch_parameters.h" && cp -f "/usr/local/cuda-9.0/include/device_types.h" "$(@D)/cuda/include/device_types.h" && cp -f "/usr/local/cuda-9.0/include/driver_functions.h" "$(@D)/cuda/include/driver_functions.h" && cp -f "/usr/local/cuda-9.0/include/driver_types.h" "$(@D)/cuda/include/driver_types.h" && cp -f "/usr/local/cuda-9.0/include/dynlink_cuda.h" "$(@D)/cuda/include/dynlink_cuda.h" && cp -f "/usr/local/cuda-9.0/include/dynlink_cuda_cuda.h" "$(@D)/cuda/include/dynlink_cuda_cuda.h" && cp -f "/usr/local/cuda-9.0/include/dynlink_cuviddec.h" "$(@D)/cuda/include/dynlink_cuviddec.h" && cp -f "/usr/local/cuda-9.0/include/dynlink_nvcuvid.h" "$(@D)/cuda/include/dynlink_nvcuvid.h" && cp -f "/usr/local/cuda-9.0/include/fatBinaryCtl.h" "$(@D)/cuda/include/fatBinaryCtl.h" && cp -f "/usr/local/cuda-9.0/include/fatbinary.h" "$(@D)/cuda/include/fatbinary.h" && cp -f "/usr/local/cuda-9.0/include/host_config.h" "$(@D)/cuda/include/host_config.h" && cp -f "/usr/local/cuda-9.0/include/host_defines.h" "$(@D)/cuda/include/host_defines.h" && cp -f "/usr/local/cuda-9.0/include/library_types.h" "$(@D)/cuda/include/library_types.h" && cp -f "/usr/local/cuda-9.0/include/math_constants.h" "$(@D)/cuda/include/math_constants.h" && cp -f "/usr/local/cuda-9.0/include/math_functions.h" "$(@D)/cuda/include/math_functions.h" && cp -f "/usr/local/cuda-9.0/include/math_functions.hpp" "$(@D)/cuda/include/math_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/math_functions_dbl_ptx3.h" "$(@D)/cuda/include/math_functions_dbl_ptx3.h" && cp -f "/usr/local/cuda-9.0/include/math_functions_dbl_ptx3.hpp" "$(@D)/cuda/include/math_functions_dbl_ptx3.hpp" && cp -f "/usr/local/cuda-9.0/include/mma.h" "$(@D)/cuda/include/mma.h" && cp -f "/usr/local/cuda-9.0/include/npp.h" "$(@D)/cuda/include/npp.h" && cp -f "/usr/local/cuda-9.0/include/nppcore.h" "$(@D)/cuda/include/nppcore.h" && cp -f "/usr/local/cuda-9.0/include/nppdefs.h" "$(@D)/cuda/include/nppdefs.h" && cp -f "/usr/local/cuda-9.0/include/nppi.h" "$(@D)/cuda/include/nppi.h" && cp -f "/usr/local/cuda-9.0/include/nppi_arithmetic_and_logical_operations.h" "$(@D)/cuda/include/nppi_arithmetic_and_logical_operations.h" && cp -f "/usr/local/cuda-9.0/include/nppi_color_conversion.h" "$(@D)/cuda/include/nppi_color_conversion.h" && cp -f "/usr/local/cuda-9.0/include/nppi_compression_functions.h" "$(@D)/cuda/include/nppi_compression_functions.h" && cp -f "/usr/local/cuda-9.0/include/nppi_computer_vision.h" "$(@D)/cuda/include/nppi_computer_vision.h" && cp -f "/usr/local/cuda-9.0/include/nppi_data_exchange_and_initialization.h" "$(@D)/cuda/include/nppi_data_exchange_and_initialization.h" && cp -f "/usr/local/cuda-9.0/include/nppi_filtering_functions.h" "$(@D)/cuda/include/nppi_filtering_functions.h" && cp -f "/usr/local/cuda-9.0/include/nppi_geometry_transforms.h" "$(@D)/cuda/include/nppi_geometry_transforms.h" && cp -f "/usr/local/cuda-9.0/include/nppi_linear_transforms.h" "$(@D)/cuda/include/nppi_linear_transforms.h" && cp -f "/usr/local/cuda-9.0/include/nppi_morphological_operations.h" "$(@D)/cuda/include/nppi_morphological_operations.h" && cp -f "/usr/local/cuda-9.0/include/nppi_statistics_functions.h" "$(@D)/cuda/include/nppi_statistics_functions.h" && cp -f "/usr/local/cuda-9.0/include/nppi_support_functions.h" "$(@D)/cuda/include/nppi_support_functions.h" && cp -f "/usr/local/cuda-9.0/include/nppi_threshold_and_compare_operations.h" "$(@D)/cuda/include/nppi_threshold_and_compare_operations.h" && cp -f "/usr/local/cuda-9.0/include/npps.h" "$(@D)/cuda/include/npps.h" && cp -f "/usr/local/cuda-9.0/include/npps_arithmetic_and_logical_operations.h" "$(@D)/cuda/include/npps_arithmetic_and_logical_operations.h" && cp -f "/usr/local/cuda-9.0/include/npps_conversion_functions.h" "$(@D)/cuda/include/npps_conversion_functions.h" && cp -f "/usr/local/cuda-9.0/include/npps_filtering_functions.h" "$(@D)/cuda/include/npps_filtering_functions.h" && cp -f "/usr/local/cuda-9.0/include/npps_initialization.h" "$(@D)/cuda/include/npps_initialization.h" && cp -f "/usr/local/cuda-9.0/include/npps_statistics_functions.h" "$(@D)/cuda/include/npps_statistics_functions.h" && cp -f "/usr/local/cuda-9.0/include/npps_support_functions.h" "$(@D)/cuda/include/npps_support_functions.h" && cp -f "/usr/local/cuda-9.0/include/nppversion.h" "$(@D)/cuda/include/nppversion.h" && cp -f "/usr/local/cuda-9.0/include/nvToolsExt.h" "$(@D)/cuda/include/nvToolsExt.h" && cp -f "/usr/local/cuda-9.0/include/nvToolsExtCuda.h" "$(@D)/cuda/include/nvToolsExtCuda.h" && cp -f "/usr/local/cuda-9.0/include/nvToolsExtCudaRt.h" "$(@D)/cuda/include/nvToolsExtCudaRt.h" && cp -f "/usr/local/cuda-9.0/include/nvToolsExtMeta.h" "$(@D)/cuda/include/nvToolsExtMeta.h" && cp -f "/usr/local/cuda-9.0/include/nvToolsExtSync.h" "$(@D)/cuda/include/nvToolsExtSync.h" && cp -f "/usr/local/cuda-9.0/include/nvblas.h" "$(@D)/cuda/include/nvblas.h" && cp -f "/usr/local/cuda-9.0/include/nvfunctional" "$(@D)/cuda/include/nvfunctional" && cp -f "/usr/local/cuda-9.0/include/nvgraph.h" "$(@D)/cuda/include/nvgraph.h" && cp -f "/usr/local/cuda-9.0/include/nvml.h" "$(@D)/cuda/include/nvml.h" && cp -f "/usr/local/cuda-9.0/include/nvrtc.h" "$(@D)/cuda/include/nvrtc.h" && cp -f "/usr/local/cuda-9.0/include/sm_20_atomic_functions.h" "$(@D)/cuda/include/sm_20_atomic_functions.h" && cp -f "/usr/local/cuda-9.0/include/sm_20_atomic_functions.hpp" "$(@D)/cuda/include/sm_20_atomic_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/sm_20_intrinsics.h" "$(@D)/cuda/include/sm_20_intrinsics.h" && cp -f "/usr/local/cuda-9.0/include/sm_20_intrinsics.hpp" "$(@D)/cuda/include/sm_20_intrinsics.hpp" && cp -f "/usr/local/cuda-9.0/include/sm_30_intrinsics.h" "$(@D)/cuda/include/sm_30_intrinsics.h" && cp -f "/usr/local/cuda-9.0/include/sm_30_intrinsics.hpp" "$(@D)/cuda/include/sm_30_intrinsics.hpp" && cp -f "/usr/local/cuda-9.0/include/sm_32_atomic_functions.h" "$(@D)/cuda/include/sm_32_atomic_functions.h" && cp -f "/usr/local/cuda-9.0/include/sm_32_atomic_functions.hpp" "$(@D)/cuda/include/sm_32_atomic_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/sm_32_intrinsics.h" "$(@D)/cuda/include/sm_32_intrinsics.h" && cp -f "/usr/local/cuda-9.0/include/sm_32_intrinsics.hpp" "$(@D)/cuda/include/sm_32_intrinsics.hpp" && cp -f "/usr/local/cuda-9.0/include/sm_35_atomic_functions.h" "$(@D)/cuda/include/sm_35_atomic_functions.h" && cp -f "/usr/local/cuda-9.0/include/sm_35_intrinsics.h" "$(@D)/cuda/include/sm_35_intrinsics.h" && cp -f "/usr/local/cuda-9.0/include/sm_60_atomic_functions.h" "$(@D)/cuda/include/sm_60_atomic_functions.h" && cp -f "/usr/local/cuda-9.0/include/sm_60_atomic_functions.hpp" "$(@D)/cuda/include/sm_60_atomic_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/sm_61_intrinsics.h" "$(@D)/cuda/include/sm_61_intrinsics.h" && cp -f "/usr/local/cuda-9.0/include/sm_61_intrinsics.hpp" "$(@D)/cuda/include/sm_61_intrinsics.hpp" && cp -f "/usr/local/cuda-9.0/include/sobol_direction_vectors.h" "$(@D)/cuda/include/sobol_direction_vectors.h" && cp -f "/usr/local/cuda-9.0/include/surface_functions.h" "$(@D)/cuda/include/surface_functions.h" && cp -f "/usr/local/cuda-9.0/include/surface_functions.hpp" "$(@D)/cuda/include/surface_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/surface_indirect_functions.h" "$(@D)/cuda/include/surface_indirect_functions.h" && cp -f "/usr/local/cuda-9.0/include/surface_indirect_functions.hpp" "$(@D)/cuda/include/surface_indirect_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/surface_types.h" "$(@D)/cuda/include/surface_types.h" && cp -f "/usr/local/cuda-9.0/include/texture_fetch_functions.h" "$(@D)/cuda/include/texture_fetch_functions.h" && cp -f "/usr/local/cuda-9.0/include/texture_fetch_functions.hpp" "$(@D)/cuda/include/texture_fetch_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/texture_indirect_functions.h" "$(@D)/cuda/include/texture_indirect_functions.h" && cp -f "/usr/local/cuda-9.0/include/texture_indirect_functions.hpp" "$(@D)/cuda/include/texture_indirect_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/texture_types.h" "$(@D)/cuda/include/texture_types.h" && cp -f "/usr/local/cuda-9.0/include/thrust/adjacent_difference.h" "$(@D)/cuda/include/thrust/adjacent_difference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/advance.h" "$(@D)/cuda/include/thrust/advance.h" && cp -f "/usr/local/cuda-9.0/include/thrust/binary_search.h" "$(@D)/cuda/include/thrust/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/complex.h" "$(@D)/cuda/include/thrust/complex.h" && cp -f "/usr/local/cuda-9.0/include/thrust/copy.h" "$(@D)/cuda/include/thrust/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/count.h" "$(@D)/cuda/include/thrust/count.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/adjacent_difference.inl" "$(@D)/cuda/include/thrust/detail/adjacent_difference.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/advance.inl" "$(@D)/cuda/include/thrust/detail/advance.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/allocator_traits.h" "$(@D)/cuda/include/thrust/detail/allocator/allocator_traits.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/allocator_traits.inl" "$(@D)/cuda/include/thrust/detail/allocator/allocator_traits.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/copy_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/copy_construct_range.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/copy_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/copy_construct_range.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/default_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/default_construct_range.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/default_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/default_construct_range.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/destroy_range.h" "$(@D)/cuda/include/thrust/detail/allocator/destroy_range.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/destroy_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/destroy_range.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/fill_construct_range.h" "$(@D)/cuda/include/thrust/detail/allocator/fill_construct_range.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/fill_construct_range.inl" "$(@D)/cuda/include/thrust/detail/allocator/fill_construct_range.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/malloc_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/malloc_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/malloc_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/malloc_allocator.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/no_throw_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/no_throw_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/tagged_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/tagged_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/tagged_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/tagged_allocator.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/temporary_allocator.h" "$(@D)/cuda/include/thrust/detail/allocator/temporary_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/allocator/temporary_allocator.inl" "$(@D)/cuda/include/thrust/detail/allocator/temporary_allocator.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/binary_search.inl" "$(@D)/cuda/include/thrust/detail/binary_search.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/arithmetic.h" "$(@D)/cuda/include/thrust/detail/complex/arithmetic.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/c99math.h" "$(@D)/cuda/include/thrust/detail/complex/c99math.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/catrig.h" "$(@D)/cuda/include/thrust/detail/complex/catrig.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/catrigf.h" "$(@D)/cuda/include/thrust/detail/complex/catrigf.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/ccosh.h" "$(@D)/cuda/include/thrust/detail/complex/ccosh.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/ccoshf.h" "$(@D)/cuda/include/thrust/detail/complex/ccoshf.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/cexp.h" "$(@D)/cuda/include/thrust/detail/complex/cexp.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/cexpf.h" "$(@D)/cuda/include/thrust/detail/complex/cexpf.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/clog.h" "$(@D)/cuda/include/thrust/detail/complex/clog.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/clogf.h" "$(@D)/cuda/include/thrust/detail/complex/clogf.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/complex.inl" "$(@D)/cuda/include/thrust/detail/complex/complex.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/cpow.h" "$(@D)/cuda/include/thrust/detail/complex/cpow.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/cpowf.h" "$(@D)/cuda/include/thrust/detail/complex/cpowf.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/cproj.h" "$(@D)/cuda/include/thrust/detail/complex/cproj.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/csinh.h" "$(@D)/cuda/include/thrust/detail/complex/csinh.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/csinhf.h" "$(@D)/cuda/include/thrust/detail/complex/csinhf.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/csqrt.h" "$(@D)/cuda/include/thrust/detail/complex/csqrt.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/csqrtf.h" "$(@D)/cuda/include/thrust/detail/complex/csqrtf.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/ctanh.h" "$(@D)/cuda/include/thrust/detail/complex/ctanh.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/ctanhf.h" "$(@D)/cuda/include/thrust/detail/complex/ctanhf.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/math_private.h" "$(@D)/cuda/include/thrust/detail/complex/math_private.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/complex/stream.h" "$(@D)/cuda/include/thrust/detail/complex/stream.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config.h" "$(@D)/cuda/include/thrust/detail/config.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/compiler.h" "$(@D)/cuda/include/thrust/detail/config/compiler.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/compiler_fence.h" "$(@D)/cuda/include/thrust/detail/config/compiler_fence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/config.h" "$(@D)/cuda/include/thrust/detail/config/config.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/debug.h" "$(@D)/cuda/include/thrust/detail/config/debug.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/device_system.h" "$(@D)/cuda/include/thrust/detail/config/device_system.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/exec_check_disable.h" "$(@D)/cuda/include/thrust/detail/config/exec_check_disable.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/forceinline.h" "$(@D)/cuda/include/thrust/detail/config/forceinline.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/global_workarounds.h" "$(@D)/cuda/include/thrust/detail/config/global_workarounds.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/host_device.h" "$(@D)/cuda/include/thrust/detail/config/host_device.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/host_system.h" "$(@D)/cuda/include/thrust/detail/config/host_system.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/config/simple_defines.h" "$(@D)/cuda/include/thrust/detail/config/simple_defines.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/contiguous_storage.h" "$(@D)/cuda/include/thrust/detail/contiguous_storage.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/contiguous_storage.inl" "$(@D)/cuda/include/thrust/detail/contiguous_storage.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/copy.h" "$(@D)/cuda/include/thrust/detail/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/copy.inl" "$(@D)/cuda/include/thrust/detail/copy.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/copy_if.h" "$(@D)/cuda/include/thrust/detail/copy_if.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/copy_if.inl" "$(@D)/cuda/include/thrust/detail/copy_if.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/count.inl" "$(@D)/cuda/include/thrust/detail/count.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/cstdint.h" "$(@D)/cuda/include/thrust/detail/cstdint.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/device_delete.inl" "$(@D)/cuda/include/thrust/detail/device_delete.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/device_free.inl" "$(@D)/cuda/include/thrust/detail/device_free.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/device_malloc.inl" "$(@D)/cuda/include/thrust/detail/device_malloc.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/device_new.inl" "$(@D)/cuda/include/thrust/detail/device_new.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/device_ptr.inl" "$(@D)/cuda/include/thrust/detail/device_ptr.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/device_reference.inl" "$(@D)/cuda/include/thrust/detail/device_reference.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/device_vector.inl" "$(@D)/cuda/include/thrust/detail/device_vector.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/dispatch/is_trivial_copy.h" "$(@D)/cuda/include/thrust/detail/dispatch/is_trivial_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/distance.inl" "$(@D)/cuda/include/thrust/detail/distance.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/equal.inl" "$(@D)/cuda/include/thrust/detail/equal.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/execute_with_allocator.h" "$(@D)/cuda/include/thrust/detail/execute_with_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/execution_policy.h" "$(@D)/cuda/include/thrust/detail/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/extrema.inl" "$(@D)/cuda/include/thrust/detail/extrema.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/fill.inl" "$(@D)/cuda/include/thrust/detail/fill.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/find.inl" "$(@D)/cuda/include/thrust/detail/find.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/for_each.inl" "$(@D)/cuda/include/thrust/detail/for_each.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/function.h" "$(@D)/cuda/include/thrust/detail/function.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional.inl" "$(@D)/cuda/include/thrust/detail/functional.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/actor.h" "$(@D)/cuda/include/thrust/detail/functional/actor.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/actor.inl" "$(@D)/cuda/include/thrust/detail/functional/actor.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/argument.h" "$(@D)/cuda/include/thrust/detail/functional/argument.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/composite.h" "$(@D)/cuda/include/thrust/detail/functional/composite.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/operators/arithmetic_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/arithmetic_operators.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/operators/assignment_operator.h" "$(@D)/cuda/include/thrust/detail/functional/operators/assignment_operator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/operators/bitwise_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/bitwise_operators.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/operators/compound_assignment_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/compound_assignment_operators.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/operators/logical_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/logical_operators.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/operators/operator_adaptors.h" "$(@D)/cuda/include/thrust/detail/functional/operators/operator_adaptors.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/operators/relational_operators.h" "$(@D)/cuda/include/thrust/detail/functional/operators/relational_operators.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/placeholder.h" "$(@D)/cuda/include/thrust/detail/functional/placeholder.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/functional/value.h" "$(@D)/cuda/include/thrust/detail/functional/value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/gather.inl" "$(@D)/cuda/include/thrust/detail/gather.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/generate.inl" "$(@D)/cuda/include/thrust/detail/generate.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/get_iterator_value.h" "$(@D)/cuda/include/thrust/detail/get_iterator_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/host_vector.inl" "$(@D)/cuda/include/thrust/detail/host_vector.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/inner_product.inl" "$(@D)/cuda/include/thrust/detail/inner_product.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/integer_math.h" "$(@D)/cuda/include/thrust/detail/integer_math.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/integer_traits.h" "$(@D)/cuda/include/thrust/detail/integer_traits.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/internal_functional.h" "$(@D)/cuda/include/thrust/detail/internal_functional.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/logical.inl" "$(@D)/cuda/include/thrust/detail/logical.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/merge.inl" "$(@D)/cuda/include/thrust/detail/merge.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/minmax.h" "$(@D)/cuda/include/thrust/detail/minmax.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/mismatch.inl" "$(@D)/cuda/include/thrust/detail/mismatch.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/mpl/math.h" "$(@D)/cuda/include/thrust/detail/mpl/math.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/numeric_traits.h" "$(@D)/cuda/include/thrust/detail/numeric_traits.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/overlapped_copy.h" "$(@D)/cuda/include/thrust/detail/overlapped_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/pair.inl" "$(@D)/cuda/include/thrust/detail/pair.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/partition.inl" "$(@D)/cuda/include/thrust/detail/partition.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/pointer.h" "$(@D)/cuda/include/thrust/detail/pointer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/pointer.inl" "$(@D)/cuda/include/thrust/detail/pointer.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/range/head_flags.h" "$(@D)/cuda/include/thrust/detail/range/head_flags.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/range/tail_flags.h" "$(@D)/cuda/include/thrust/detail/range/tail_flags.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/raw_pointer_cast.h" "$(@D)/cuda/include/thrust/detail/raw_pointer_cast.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/raw_reference_cast.h" "$(@D)/cuda/include/thrust/detail/raw_reference_cast.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/reduce.inl" "$(@D)/cuda/include/thrust/detail/reduce.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/reference.h" "$(@D)/cuda/include/thrust/detail/reference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/reference.inl" "$(@D)/cuda/include/thrust/detail/reference.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/reference_forward_declaration.h" "$(@D)/cuda/include/thrust/detail/reference_forward_declaration.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/remove.inl" "$(@D)/cuda/include/thrust/detail/remove.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/replace.inl" "$(@D)/cuda/include/thrust/detail/replace.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/reverse.inl" "$(@D)/cuda/include/thrust/detail/reverse.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/scan.inl" "$(@D)/cuda/include/thrust/detail/scan.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/scatter.inl" "$(@D)/cuda/include/thrust/detail/scatter.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/seq.h" "$(@D)/cuda/include/thrust/detail/seq.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/sequence.inl" "$(@D)/cuda/include/thrust/detail/sequence.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/set_operations.inl" "$(@D)/cuda/include/thrust/detail/set_operations.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/sort.inl" "$(@D)/cuda/include/thrust/detail/sort.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/static_assert.h" "$(@D)/cuda/include/thrust/detail/static_assert.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/static_map.h" "$(@D)/cuda/include/thrust/detail/static_map.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/swap.h" "$(@D)/cuda/include/thrust/detail/swap.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/swap.inl" "$(@D)/cuda/include/thrust/detail/swap.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/swap_ranges.inl" "$(@D)/cuda/include/thrust/detail/swap_ranges.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/tabulate.inl" "$(@D)/cuda/include/thrust/detail/tabulate.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/temporary_array.h" "$(@D)/cuda/include/thrust/detail/temporary_array.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/temporary_array.inl" "$(@D)/cuda/include/thrust/detail/temporary_array.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/transform.inl" "$(@D)/cuda/include/thrust/detail/transform.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/transform_reduce.inl" "$(@D)/cuda/include/thrust/detail/transform_reduce.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/transform_scan.inl" "$(@D)/cuda/include/thrust/detail/transform_scan.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/trivial_sequence.h" "$(@D)/cuda/include/thrust/detail/trivial_sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/tuple.inl" "$(@D)/cuda/include/thrust/detail/tuple.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/tuple_meta_transform.h" "$(@D)/cuda/include/thrust/detail/tuple_meta_transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/tuple_transform.h" "$(@D)/cuda/include/thrust/detail/tuple_transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h" "$(@D)/cuda/include/thrust/detail/type_traits/algorithm/intermediate_type_from_function_and_iterators.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/function_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits/function_traits.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/has_member_function.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_member_function.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/has_nested_type.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_nested_type.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/has_trivial_assign.h" "$(@D)/cuda/include/thrust/detail/type_traits/has_trivial_assign.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/is_call_possible.h" "$(@D)/cuda/include/thrust/detail/type_traits/is_call_possible.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/is_metafunction_defined.h" "$(@D)/cuda/include/thrust/detail/type_traits/is_metafunction_defined.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/iterator/is_discard_iterator.h" "$(@D)/cuda/include/thrust/detail/type_traits/iterator/is_discard_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/iterator/is_output_iterator.h" "$(@D)/cuda/include/thrust/detail/type_traits/iterator/is_output_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/minimum_type.h" "$(@D)/cuda/include/thrust/detail/type_traits/minimum_type.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/pointer_traits.h" "$(@D)/cuda/include/thrust/detail/type_traits/pointer_traits.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/type_traits/result_of_adaptable_function.h" "$(@D)/cuda/include/thrust/detail/type_traits/result_of_adaptable_function.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/uninitialized_copy.inl" "$(@D)/cuda/include/thrust/detail/uninitialized_copy.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/uninitialized_fill.inl" "$(@D)/cuda/include/thrust/detail/uninitialized_fill.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/unique.inl" "$(@D)/cuda/include/thrust/detail/unique.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/use_default.h" "$(@D)/cuda/include/thrust/detail/use_default.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/util/align.h" "$(@D)/cuda/include/thrust/detail/util/align.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/util/blocking.h" "$(@D)/cuda/include/thrust/detail/util/blocking.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/vector_base.h" "$(@D)/cuda/include/thrust/detail/vector_base.h" && cp -f "/usr/local/cuda-9.0/include/thrust/detail/vector_base.inl" "$(@D)/cuda/include/thrust/detail/vector_base.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/device_allocator.h" "$(@D)/cuda/include/thrust/device_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_delete.h" "$(@D)/cuda/include/thrust/device_delete.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_free.h" "$(@D)/cuda/include/thrust/device_free.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_malloc.h" "$(@D)/cuda/include/thrust/device_malloc.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_malloc_allocator.h" "$(@D)/cuda/include/thrust/device_malloc_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_new.h" "$(@D)/cuda/include/thrust/device_new.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_new_allocator.h" "$(@D)/cuda/include/thrust/device_new_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_ptr.h" "$(@D)/cuda/include/thrust/device_ptr.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_reference.h" "$(@D)/cuda/include/thrust/device_reference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/device_vector.h" "$(@D)/cuda/include/thrust/device_vector.h" && cp -f "/usr/local/cuda-9.0/include/thrust/distance.h" "$(@D)/cuda/include/thrust/distance.h" && cp -f "/usr/local/cuda-9.0/include/thrust/equal.h" "$(@D)/cuda/include/thrust/equal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/execution_policy.h" "$(@D)/cuda/include/thrust/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/extrema.h" "$(@D)/cuda/include/thrust/extrema.h" && cp -f "/usr/local/cuda-9.0/include/thrust/fill.h" "$(@D)/cuda/include/thrust/fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/find.h" "$(@D)/cuda/include/thrust/find.h" && cp -f "/usr/local/cuda-9.0/include/thrust/for_each.h" "$(@D)/cuda/include/thrust/for_each.h" && cp -f "/usr/local/cuda-9.0/include/thrust/functional.h" "$(@D)/cuda/include/thrust/functional.h" && cp -f "/usr/local/cuda-9.0/include/thrust/gather.h" "$(@D)/cuda/include/thrust/gather.h" && cp -f "/usr/local/cuda-9.0/include/thrust/generate.h" "$(@D)/cuda/include/thrust/generate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/host_vector.h" "$(@D)/cuda/include/thrust/host_vector.h" && cp -f "/usr/local/cuda-9.0/include/thrust/inner_product.h" "$(@D)/cuda/include/thrust/inner_product.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/constant_iterator.h" "$(@D)/cuda/include/thrust/iterator/constant_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/counting_iterator.h" "$(@D)/cuda/include/thrust/iterator/counting_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/any_assign.h" "$(@D)/cuda/include/thrust/iterator/detail/any_assign.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/any_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/any_system_tag.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/constant_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/constant_iterator_base.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/counting_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/counting_iterator.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/device_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/device_system_tag.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/discard_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/discard_iterator_base.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/distance_from_result.h" "$(@D)/cuda/include/thrust/iterator/detail/distance_from_result.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/host_system_tag.h" "$(@D)/cuda/include/thrust/iterator/detail/host_system_tag.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/is_iterator_category.h" "$(@D)/cuda/include/thrust/iterator/detail/is_iterator_category.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/is_trivial_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/is_trivial_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/iterator_adaptor_base.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_adaptor_base.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/iterator_category_to_system.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_to_system.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/iterator_category_to_traversal.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_to_traversal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_category_with_system_and_traversal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/iterator_facade_category.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_facade_category.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/iterator_traits.inl" "$(@D)/cuda/include/thrust/iterator/detail/iterator_traits.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/iterator_traversal_tags.h" "$(@D)/cuda/include/thrust/iterator/detail/iterator_traversal_tags.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/join_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/join_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/minimum_category.h" "$(@D)/cuda/include/thrust/iterator/detail/minimum_category.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/minimum_system.h" "$(@D)/cuda/include/thrust/iterator/detail/minimum_system.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/normal_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/normal_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/permutation_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/permutation_iterator_base.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/retag.h" "$(@D)/cuda/include/thrust/iterator/detail/retag.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/reverse_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/reverse_iterator.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/reverse_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/reverse_iterator_base.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/tagged_iterator.h" "$(@D)/cuda/include/thrust/iterator/detail/tagged_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/transform_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/transform_iterator.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/transform_output_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/transform_output_iterator.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/tuple_of_iterator_references.h" "$(@D)/cuda/include/thrust/iterator/detail/tuple_of_iterator_references.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/universal_categories.h" "$(@D)/cuda/include/thrust/iterator/detail/universal_categories.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/zip_iterator.inl" "$(@D)/cuda/include/thrust/iterator/detail/zip_iterator.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/detail/zip_iterator_base.h" "$(@D)/cuda/include/thrust/iterator/detail/zip_iterator_base.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/discard_iterator.h" "$(@D)/cuda/include/thrust/iterator/discard_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/iterator_adaptor.h" "$(@D)/cuda/include/thrust/iterator/iterator_adaptor.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/iterator_categories.h" "$(@D)/cuda/include/thrust/iterator/iterator_categories.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/iterator_facade.h" "$(@D)/cuda/include/thrust/iterator/iterator_facade.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/iterator_traits.h" "$(@D)/cuda/include/thrust/iterator/iterator_traits.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/permutation_iterator.h" "$(@D)/cuda/include/thrust/iterator/permutation_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/retag.h" "$(@D)/cuda/include/thrust/iterator/retag.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/reverse_iterator.h" "$(@D)/cuda/include/thrust/iterator/reverse_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/transform_iterator.h" "$(@D)/cuda/include/thrust/iterator/transform_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/transform_output_iterator.h" "$(@D)/cuda/include/thrust/iterator/transform_output_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/iterator/zip_iterator.h" "$(@D)/cuda/include/thrust/iterator/zip_iterator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/logical.h" "$(@D)/cuda/include/thrust/logical.h" && cp -f "/usr/local/cuda-9.0/include/thrust/memory.h" "$(@D)/cuda/include/thrust/memory.h" && cp -f "/usr/local/cuda-9.0/include/thrust/merge.h" "$(@D)/cuda/include/thrust/merge.h" && cp -f "/usr/local/cuda-9.0/include/thrust/mismatch.h" "$(@D)/cuda/include/thrust/mismatch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/pair.h" "$(@D)/cuda/include/thrust/pair.h" && cp -f "/usr/local/cuda-9.0/include/thrust/partition.h" "$(@D)/cuda/include/thrust/partition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random.h" "$(@D)/cuda/include/thrust/random.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/discard_block_engine.inl" "$(@D)/cuda/include/thrust/random/detail/discard_block_engine.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/linear_congruential_engine.inl" "$(@D)/cuda/include/thrust/random/detail/linear_congruential_engine.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/linear_congruential_engine_discard.h" "$(@D)/cuda/include/thrust/random/detail/linear_congruential_engine_discard.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/linear_feedback_shift_engine.inl" "$(@D)/cuda/include/thrust/random/detail/linear_feedback_shift_engine.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h" "$(@D)/cuda/include/thrust/random/detail/linear_feedback_shift_engine_wordmask.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/mod.h" "$(@D)/cuda/include/thrust/random/detail/mod.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/normal_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/normal_distribution.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/normal_distribution_base.h" "$(@D)/cuda/include/thrust/random/detail/normal_distribution_base.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/random_core_access.h" "$(@D)/cuda/include/thrust/random/detail/random_core_access.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/subtract_with_carry_engine.inl" "$(@D)/cuda/include/thrust/random/detail/subtract_with_carry_engine.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/uniform_int_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/uniform_int_distribution.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/uniform_real_distribution.inl" "$(@D)/cuda/include/thrust/random/detail/uniform_real_distribution.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/xor_combine_engine.inl" "$(@D)/cuda/include/thrust/random/detail/xor_combine_engine.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/random/detail/xor_combine_engine_max.h" "$(@D)/cuda/include/thrust/random/detail/xor_combine_engine_max.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/discard_block_engine.h" "$(@D)/cuda/include/thrust/random/discard_block_engine.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/linear_congruential_engine.h" "$(@D)/cuda/include/thrust/random/linear_congruential_engine.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/linear_feedback_shift_engine.h" "$(@D)/cuda/include/thrust/random/linear_feedback_shift_engine.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/normal_distribution.h" "$(@D)/cuda/include/thrust/random/normal_distribution.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/subtract_with_carry_engine.h" "$(@D)/cuda/include/thrust/random/subtract_with_carry_engine.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/uniform_int_distribution.h" "$(@D)/cuda/include/thrust/random/uniform_int_distribution.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/uniform_real_distribution.h" "$(@D)/cuda/include/thrust/random/uniform_real_distribution.h" && cp -f "/usr/local/cuda-9.0/include/thrust/random/xor_combine_engine.h" "$(@D)/cuda/include/thrust/random/xor_combine_engine.h" && cp -f "/usr/local/cuda-9.0/include/thrust/reduce.h" "$(@D)/cuda/include/thrust/reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/remove.h" "$(@D)/cuda/include/thrust/remove.h" && cp -f "/usr/local/cuda-9.0/include/thrust/replace.h" "$(@D)/cuda/include/thrust/replace.h" && cp -f "/usr/local/cuda-9.0/include/thrust/reverse.h" "$(@D)/cuda/include/thrust/reverse.h" && cp -f "/usr/local/cuda-9.0/include/thrust/scan.h" "$(@D)/cuda/include/thrust/scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/scatter.h" "$(@D)/cuda/include/thrust/scatter.h" && cp -f "/usr/local/cuda-9.0/include/thrust/sequence.h" "$(@D)/cuda/include/thrust/sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/set_operations.h" "$(@D)/cuda/include/thrust/set_operations.h" && cp -f "/usr/local/cuda-9.0/include/thrust/sort.h" "$(@D)/cuda/include/thrust/sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/swap.h" "$(@D)/cuda/include/thrust/swap.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/cpp/detail/adjacent_difference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/cpp/detail/assign_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/cpp/detail/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/copy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/cpp/detail/copy_if.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/count.h" "$(@D)/cuda/include/thrust/system/cpp/detail/count.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/equal.h" "$(@D)/cuda/include/thrust/system/cpp/detail/equal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/extrema.h" "$(@D)/cuda/include/thrust/system/cpp/detail/extrema.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/fill.h" "$(@D)/cuda/include/thrust/system/cpp/detail/fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/find.h" "$(@D)/cuda/include/thrust/system/cpp/detail/find.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/for_each.h" "$(@D)/cuda/include/thrust/system/cpp/detail/for_each.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/gather.h" "$(@D)/cuda/include/thrust/system/cpp/detail/gather.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/generate.h" "$(@D)/cuda/include/thrust/system/cpp/detail/generate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/get_value.h" "$(@D)/cuda/include/thrust/system/cpp/detail/get_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/cpp/detail/inner_product.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/cpp/detail/iter_swap.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/logical.h" "$(@D)/cuda/include/thrust/system/cpp/detail/logical.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/cpp/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/memory.inl" "$(@D)/cuda/include/thrust/system/cpp/detail/memory.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/merge.h" "$(@D)/cuda/include/thrust/system/cpp/detail/merge.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/cpp/detail/mismatch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/par.h" "$(@D)/cuda/include/thrust/system/cpp/detail/par.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/partition.h" "$(@D)/cuda/include/thrust/system/cpp/detail/partition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/reduce.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reduce_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/remove.h" "$(@D)/cuda/include/thrust/system/cpp/detail/remove.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/replace.h" "$(@D)/cuda/include/thrust/system/cpp/detail/replace.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/reverse.h" "$(@D)/cuda/include/thrust/system/cpp/detail/reverse.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/scan.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scan_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/scatter.h" "$(@D)/cuda/include/thrust/system/cpp/detail/scatter.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/sequence.h" "$(@D)/cuda/include/thrust/system/cpp/detail/sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/cpp/detail/set_operations.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/sort.h" "$(@D)/cuda/include/thrust/system/cpp/detail/sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/cpp/detail/swap_ranges.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/cpp/detail/tabulate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/cpp/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/transform.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform_reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/cpp/detail/transform_scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/cpp/detail/uninitialized_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/cpp/detail/uninitialized_fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/unique.h" "$(@D)/cuda/include/thrust/system/cpp/detail/unique.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/cpp/detail/unique_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/detail/vector.inl" "$(@D)/cuda/include/thrust/system/cpp/detail/vector.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/execution_policy.h" "$(@D)/cuda/include/thrust/system/cpp/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/memory.h" "$(@D)/cuda/include/thrust/system/cpp/memory.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cpp/vector.h" "$(@D)/cuda/include/thrust/system/cpp/vector.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/config.h" "$(@D)/cuda/include/thrust/system/cuda/config.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/cuda/detail/adjacent_difference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/cuda/detail/assign_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/cuda/detail/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/copy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/cuda/detail/copy_if.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/core/agent_launcher.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/agent_launcher.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/core/alignment.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/alignment.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/core/triple_chevron_launch.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/triple_chevron_launch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/core/util.h" "$(@D)/cuda/include/thrust/system/cuda/detail/core/util.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/count.h" "$(@D)/cuda/include/thrust/system/cuda/detail/count.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cross_system.h" "$(@D)/cuda/include/thrust/system/cuda/detail/cross_system.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_histogram.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_downsweep.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_radix_sort_upsweep.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_reduce_by_key.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_rle.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_scan.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_segment_fixup.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_select_if.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_spmv_csrt.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_csrt.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_orig.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/agent_spmv_row_based.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/agent_spmv_row_based.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/agent/single_pass_scan_operators.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_adjacent_difference.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_discontinuity.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_exchange.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_histogram.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_load.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_load.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_radix_rank.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_radix_sort.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_raking_layout.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_reduce.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_scan.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_shuffle.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/block_store.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/block_store.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_atomic.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_histogram_sort.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_raking_commutative_only.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_reduce_warp_reductions.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_raking.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans2.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/block/specializations/block_scan_warp_scans3.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/cub.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/cub.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_histogram.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_partition.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_partition.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_radix_sort.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_reduce.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_run_length_encode.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_scan.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_radix_sort.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_segmented_reduce.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_select.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_select.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/device_spmv.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_histogram.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_radix_sort.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_reduce_by_key.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_rle.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_scan.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_select_if.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_csrt.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_csrt.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_orig.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_row_based.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/device/dispatch/dispatch_spmv_row_based.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_barrier.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_even_share.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_mapping.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/grid/grid_queue.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/host/mutex.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/host/mutex.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/arg_index_input_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_input_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/cache_modified_output_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/constant_input_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/counting_input_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/discard_output_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/tex_obj_input_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/tex_ref_input_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/iterator/transform_input_iterator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_load.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_operators.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_reduce.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_scan.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_search.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/thread/thread_store.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/util_allocator.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_allocator.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/util_arch.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_arch.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/util_debug.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_debug.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/util_device.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_device.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/util_macro.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_macro.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/util_namespace.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_namespace.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/util_ptx.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_ptx.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/util_type.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/util_type.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_shfl.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_reduce_smem.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_shfl.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/specializations/warp_scan_smem.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/warp_reduce.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh" "$(@D)/cuda/include/thrust/system/cuda/detail/cub/warp/warp_scan.cuh" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/equal.h" "$(@D)/cuda/include/thrust/system/cuda/detail/equal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/error.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/error.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/extrema.h" "$(@D)/cuda/include/thrust/system/cuda/detail/extrema.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/fill.h" "$(@D)/cuda/include/thrust/system/cuda/detail/fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/find.h" "$(@D)/cuda/include/thrust/system/cuda/detail/find.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/for_each.h" "$(@D)/cuda/include/thrust/system/cuda/detail/for_each.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/gather.h" "$(@D)/cuda/include/thrust/system/cuda/detail/gather.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/generate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/generate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/get_value.h" "$(@D)/cuda/include/thrust/system/cuda/detail/get_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h" "$(@D)/cuda/include/thrust/system/cuda/detail/guarded_cuda_runtime_api.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/guarded_driver_types.h" "$(@D)/cuda/include/thrust/system/cuda/detail/guarded_driver_types.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/cuda/detail/inner_product.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/internal/copy_cross_system.h" "$(@D)/cuda/include/thrust/system/cuda/detail/internal/copy_cross_system.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/internal/copy_device_to_device.h" "$(@D)/cuda/include/thrust/system/cuda/detail/internal/copy_device_to_device.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/cuda/detail/iter_swap.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/logical.h" "$(@D)/cuda/include/thrust/system/cuda/detail/logical.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/cuda/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/memory.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/memory.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/memory_buffer.h" "$(@D)/cuda/include/thrust/system/cuda/detail/memory_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/merge.h" "$(@D)/cuda/include/thrust/system/cuda/detail/merge.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/cuda/detail/mismatch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/par.h" "$(@D)/cuda/include/thrust/system/cuda/detail/par.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/par_to_seq.h" "$(@D)/cuda/include/thrust/system/cuda/detail/par_to_seq.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/parallel_for.h" "$(@D)/cuda/include/thrust/system/cuda/detail/parallel_for.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/partition.h" "$(@D)/cuda/include/thrust/system/cuda/detail/partition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/reduce.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reduce_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/remove.h" "$(@D)/cuda/include/thrust/system/cuda/detail/remove.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/replace.h" "$(@D)/cuda/include/thrust/system/cuda/detail/replace.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/reverse.h" "$(@D)/cuda/include/thrust/system/cuda/detail/reverse.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/scan.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scan_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/scatter.h" "$(@D)/cuda/include/thrust/system/cuda/detail/scatter.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/sequence.h" "$(@D)/cuda/include/thrust/system/cuda/detail/sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/cuda/detail/set_operations.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/sort.h" "$(@D)/cuda/include/thrust/system/cuda/detail/sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/cuda/detail/swap_ranges.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/tabulate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/cuda/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/terminate.h" "$(@D)/cuda/include/thrust/system/cuda/detail/terminate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/transform.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform_reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/cuda/detail/transform_scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/cuda/detail/uninitialized_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/cuda/detail/uninitialized_fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/unique.h" "$(@D)/cuda/include/thrust/system/cuda/detail/unique.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/cuda/detail/unique_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/util.h" "$(@D)/cuda/include/thrust/system/cuda/detail/util.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/detail/vector.inl" "$(@D)/cuda/include/thrust/system/cuda/detail/vector.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/error.h" "$(@D)/cuda/include/thrust/system/cuda/error.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/execution_policy.h" "$(@D)/cuda/include/thrust/system/cuda/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/experimental/pinned_allocator.h" "$(@D)/cuda/include/thrust/system/cuda/experimental/pinned_allocator.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/memory.h" "$(@D)/cuda/include/thrust/system/cuda/memory.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/cuda/vector.h" "$(@D)/cuda/include/thrust/system/cuda/vector.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/adl/adjacent_difference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/assign_value.h" "$(@D)/cuda/include/thrust/system/detail/adl/assign_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/adl/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/copy.h" "$(@D)/cuda/include/thrust/system/detail/adl/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/adl/copy_if.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/count.h" "$(@D)/cuda/include/thrust/system/detail/adl/count.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/equal.h" "$(@D)/cuda/include/thrust/system/detail/adl/equal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/extrema.h" "$(@D)/cuda/include/thrust/system/detail/adl/extrema.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/fill.h" "$(@D)/cuda/include/thrust/system/detail/adl/fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/find.h" "$(@D)/cuda/include/thrust/system/detail/adl/find.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/for_each.h" "$(@D)/cuda/include/thrust/system/detail/adl/for_each.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/gather.h" "$(@D)/cuda/include/thrust/system/detail/adl/gather.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/generate.h" "$(@D)/cuda/include/thrust/system/detail/adl/generate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/get_value.h" "$(@D)/cuda/include/thrust/system/detail/adl/get_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/adl/inner_product.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/iter_swap.h" "$(@D)/cuda/include/thrust/system/detail/adl/iter_swap.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/logical.h" "$(@D)/cuda/include/thrust/system/detail/adl/logical.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/detail/adl/malloc_and_free.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/merge.h" "$(@D)/cuda/include/thrust/system/detail/adl/merge.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/adl/mismatch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/partition.h" "$(@D)/cuda/include/thrust/system/detail/adl/partition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/reduce.h" "$(@D)/cuda/include/thrust/system/detail/adl/reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/reduce_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/remove.h" "$(@D)/cuda/include/thrust/system/detail/adl/remove.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/replace.h" "$(@D)/cuda/include/thrust/system/detail/adl/replace.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/reverse.h" "$(@D)/cuda/include/thrust/system/detail/adl/reverse.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/scan.h" "$(@D)/cuda/include/thrust/system/detail/adl/scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/scan_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/scatter.h" "$(@D)/cuda/include/thrust/system/detail/adl/scatter.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/sequence.h" "$(@D)/cuda/include/thrust/system/detail/adl/sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/adl/set_operations.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/sort.h" "$(@D)/cuda/include/thrust/system/detail/adl/sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/adl/swap_ranges.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/adl/tabulate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/adl/temporary_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/transform.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform_reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/adl/transform_scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/adl/uninitialized_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/adl/uninitialized_fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/unique.h" "$(@D)/cuda/include/thrust/system/detail/adl/unique.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/adl/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/adl/unique_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/bad_alloc.h" "$(@D)/cuda/include/thrust/system/detail/bad_alloc.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/errno.h" "$(@D)/cuda/include/thrust/system/detail/errno.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/error_category.inl" "$(@D)/cuda/include/thrust/system/detail/error_category.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/error_code.inl" "$(@D)/cuda/include/thrust/system/detail/error_code.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/error_condition.inl" "$(@D)/cuda/include/thrust/system/detail/error_condition.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/generic/adjacent_difference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/adjacent_difference.inl" "$(@D)/cuda/include/thrust/system/detail/generic/adjacent_difference.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/advance.h" "$(@D)/cuda/include/thrust/system/detail/generic/advance.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/advance.inl" "$(@D)/cuda/include/thrust/system/detail/generic/advance.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/generic/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/binary_search.inl" "$(@D)/cuda/include/thrust/system/detail/generic/binary_search.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/copy.h" "$(@D)/cuda/include/thrust/system/detail/generic/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/copy.inl" "$(@D)/cuda/include/thrust/system/detail/generic/copy.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/generic/copy_if.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/copy_if.inl" "$(@D)/cuda/include/thrust/system/detail/generic/copy_if.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/count.h" "$(@D)/cuda/include/thrust/system/detail/generic/count.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/count.inl" "$(@D)/cuda/include/thrust/system/detail/generic/count.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/distance.h" "$(@D)/cuda/include/thrust/system/detail/generic/distance.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/distance.inl" "$(@D)/cuda/include/thrust/system/detail/generic/distance.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/equal.h" "$(@D)/cuda/include/thrust/system/detail/generic/equal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/equal.inl" "$(@D)/cuda/include/thrust/system/detail/generic/equal.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/extrema.h" "$(@D)/cuda/include/thrust/system/detail/generic/extrema.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/extrema.inl" "$(@D)/cuda/include/thrust/system/detail/generic/extrema.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/fill.h" "$(@D)/cuda/include/thrust/system/detail/generic/fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/find.h" "$(@D)/cuda/include/thrust/system/detail/generic/find.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/find.inl" "$(@D)/cuda/include/thrust/system/detail/generic/find.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/for_each.h" "$(@D)/cuda/include/thrust/system/detail/generic/for_each.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/gather.h" "$(@D)/cuda/include/thrust/system/detail/generic/gather.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/gather.inl" "$(@D)/cuda/include/thrust/system/detail/generic/gather.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/generate.h" "$(@D)/cuda/include/thrust/system/detail/generic/generate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/generate.inl" "$(@D)/cuda/include/thrust/system/detail/generic/generate.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/generic/inner_product.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/inner_product.inl" "$(@D)/cuda/include/thrust/system/detail/generic/inner_product.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/logical.h" "$(@D)/cuda/include/thrust/system/detail/generic/logical.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/memory.h" "$(@D)/cuda/include/thrust/system/detail/generic/memory.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/memory.inl" "$(@D)/cuda/include/thrust/system/detail/generic/memory.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/merge.h" "$(@D)/cuda/include/thrust/system/detail/generic/merge.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/merge.inl" "$(@D)/cuda/include/thrust/system/detail/generic/merge.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/generic/mismatch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/mismatch.inl" "$(@D)/cuda/include/thrust/system/detail/generic/mismatch.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/partition.h" "$(@D)/cuda/include/thrust/system/detail/generic/partition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/partition.inl" "$(@D)/cuda/include/thrust/system/detail/generic/partition.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/reduce.h" "$(@D)/cuda/include/thrust/system/detail/generic/reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/reduce.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reduce.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/reduce_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reduce_by_key.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/remove.h" "$(@D)/cuda/include/thrust/system/detail/generic/remove.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/remove.inl" "$(@D)/cuda/include/thrust/system/detail/generic/remove.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/replace.h" "$(@D)/cuda/include/thrust/system/detail/generic/replace.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/replace.inl" "$(@D)/cuda/include/thrust/system/detail/generic/replace.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/reverse.h" "$(@D)/cuda/include/thrust/system/detail/generic/reverse.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/reverse.inl" "$(@D)/cuda/include/thrust/system/detail/generic/reverse.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/scalar/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/generic/scalar/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/scalar/binary_search.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scalar/binary_search.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/scan.h" "$(@D)/cuda/include/thrust/system/detail/generic/scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/scan.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scan.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/scan_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/scan_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scan_by_key.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/scatter.h" "$(@D)/cuda/include/thrust/system/detail/generic/scatter.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/scatter.inl" "$(@D)/cuda/include/thrust/system/detail/generic/scatter.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/select_system.h" "$(@D)/cuda/include/thrust/system/detail/generic/select_system.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/sequence.h" "$(@D)/cuda/include/thrust/system/detail/generic/sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/sequence.inl" "$(@D)/cuda/include/thrust/system/detail/generic/sequence.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/generic/set_operations.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/set_operations.inl" "$(@D)/cuda/include/thrust/system/detail/generic/set_operations.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/sort.h" "$(@D)/cuda/include/thrust/system/detail/generic/sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/sort.inl" "$(@D)/cuda/include/thrust/system/detail/generic/sort.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/generic/swap_ranges.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/swap_ranges.inl" "$(@D)/cuda/include/thrust/system/detail/generic/swap_ranges.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/generic/tabulate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/tabulate.inl" "$(@D)/cuda/include/thrust/system/detail/generic/tabulate.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/tag.h" "$(@D)/cuda/include/thrust/system/detail/generic/tag.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/generic/temporary_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/temporary_buffer.inl" "$(@D)/cuda/include/thrust/system/detail/generic/temporary_buffer.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/transform.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/transform.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform_reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/transform_reduce.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform_reduce.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/generic/transform_scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/transform_scan.inl" "$(@D)/cuda/include/thrust/system/detail/generic/transform_scan.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/type_traits.h" "$(@D)/cuda/include/thrust/system/detail/generic/type_traits.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/uninitialized_copy.inl" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_copy.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/uninitialized_fill.inl" "$(@D)/cuda/include/thrust/system/detail/generic/uninitialized_fill.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/unique.h" "$(@D)/cuda/include/thrust/system/detail/generic/unique.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/unique.inl" "$(@D)/cuda/include/thrust/system/detail/generic/unique.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/generic/unique_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/generic/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/detail/generic/unique_by_key.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/internal/decompose.h" "$(@D)/cuda/include/thrust/system/detail/internal/decompose.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/detail/sequential/adjacent_difference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/assign_value.h" "$(@D)/cuda/include/thrust/system/detail/sequential/assign_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/binary_search.h" "$(@D)/cuda/include/thrust/system/detail/sequential/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/copy.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/copy.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/copy_backward.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy_backward.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/copy_if.h" "$(@D)/cuda/include/thrust/system/detail/sequential/copy_if.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/count.h" "$(@D)/cuda/include/thrust/system/detail/sequential/count.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/equal.h" "$(@D)/cuda/include/thrust/system/detail/sequential/equal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/execution_policy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/extrema.h" "$(@D)/cuda/include/thrust/system/detail/sequential/extrema.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/fill.h" "$(@D)/cuda/include/thrust/system/detail/sequential/fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/find.h" "$(@D)/cuda/include/thrust/system/detail/sequential/find.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/for_each.h" "$(@D)/cuda/include/thrust/system/detail/sequential/for_each.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/gather.h" "$(@D)/cuda/include/thrust/system/detail/sequential/gather.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/general_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/general_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/generate.h" "$(@D)/cuda/include/thrust/system/detail/sequential/generate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/get_value.h" "$(@D)/cuda/include/thrust/system/detail/sequential/get_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/inner_product.h" "$(@D)/cuda/include/thrust/system/detail/sequential/inner_product.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/insertion_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/insertion_sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/iter_swap.h" "$(@D)/cuda/include/thrust/system/detail/sequential/iter_swap.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/logical.h" "$(@D)/cuda/include/thrust/system/detail/sequential/logical.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/detail/sequential/malloc_and_free.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/merge.h" "$(@D)/cuda/include/thrust/system/detail/sequential/merge.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/merge.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/merge.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/mismatch.h" "$(@D)/cuda/include/thrust/system/detail/sequential/mismatch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/partition.h" "$(@D)/cuda/include/thrust/system/detail/sequential/partition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/reduce.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reduce_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/remove.h" "$(@D)/cuda/include/thrust/system/detail/sequential/remove.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/replace.h" "$(@D)/cuda/include/thrust/system/detail/sequential/replace.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/reverse.h" "$(@D)/cuda/include/thrust/system/detail/sequential/reverse.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/scan.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/scan_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scan_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/scatter.h" "$(@D)/cuda/include/thrust/system/detail/sequential/scatter.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/sequence.h" "$(@D)/cuda/include/thrust/system/detail/sequential/sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/set_operations.h" "$(@D)/cuda/include/thrust/system/detail/sequential/set_operations.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/sort.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/stable_merge_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_merge_sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/stable_merge_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_merge_sort.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/stable_primitive_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_primitive_sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/stable_primitive_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_primitive_sort.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/stable_radix_sort.h" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_radix_sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/stable_radix_sort.inl" "$(@D)/cuda/include/thrust/system/detail/sequential/stable_radix_sort.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/swap_ranges.h" "$(@D)/cuda/include/thrust/system/detail/sequential/swap_ranges.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/tabulate.h" "$(@D)/cuda/include/thrust/system/detail/sequential/tabulate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/detail/sequential/temporary_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/transform.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/transform_reduce.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform_reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/transform_scan.h" "$(@D)/cuda/include/thrust/system/detail/sequential/transform_scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/trivial_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/trivial_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/detail/sequential/uninitialized_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/detail/sequential/uninitialized_fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/unique.h" "$(@D)/cuda/include/thrust/system/detail/sequential/unique.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/sequential/unique_by_key.h" "$(@D)/cuda/include/thrust/system/detail/sequential/unique_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/detail/system_error.inl" "$(@D)/cuda/include/thrust/system/detail/system_error.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/error_code.h" "$(@D)/cuda/include/thrust/system/error_code.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/omp/detail/adjacent_difference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/omp/detail/assign_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/omp/detail/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/copy.h" "$(@D)/cuda/include/thrust/system/omp/detail/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/copy.inl" "$(@D)/cuda/include/thrust/system/omp/detail/copy.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/omp/detail/copy_if.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/copy_if.inl" "$(@D)/cuda/include/thrust/system/omp/detail/copy_if.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/count.h" "$(@D)/cuda/include/thrust/system/omp/detail/count.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/default_decomposition.h" "$(@D)/cuda/include/thrust/system/omp/detail/default_decomposition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/default_decomposition.inl" "$(@D)/cuda/include/thrust/system/omp/detail/default_decomposition.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/equal.h" "$(@D)/cuda/include/thrust/system/omp/detail/equal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/omp/detail/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/extrema.h" "$(@D)/cuda/include/thrust/system/omp/detail/extrema.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/fill.h" "$(@D)/cuda/include/thrust/system/omp/detail/fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/find.h" "$(@D)/cuda/include/thrust/system/omp/detail/find.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/for_each.h" "$(@D)/cuda/include/thrust/system/omp/detail/for_each.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/for_each.inl" "$(@D)/cuda/include/thrust/system/omp/detail/for_each.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/gather.h" "$(@D)/cuda/include/thrust/system/omp/detail/gather.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/generate.h" "$(@D)/cuda/include/thrust/system/omp/detail/generate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/get_value.h" "$(@D)/cuda/include/thrust/system/omp/detail/get_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/omp/detail/inner_product.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/omp/detail/iter_swap.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/logical.h" "$(@D)/cuda/include/thrust/system/omp/detail/logical.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/omp/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/memory.inl" "$(@D)/cuda/include/thrust/system/omp/detail/memory.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/merge.h" "$(@D)/cuda/include/thrust/system/omp/detail/merge.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/omp/detail/mismatch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/par.h" "$(@D)/cuda/include/thrust/system/omp/detail/par.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/partition.h" "$(@D)/cuda/include/thrust/system/omp/detail/partition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/partition.inl" "$(@D)/cuda/include/thrust/system/omp/detail/partition.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/reduce.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/reduce.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_by_key.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/reduce_intervals.h" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_intervals.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/reduce_intervals.inl" "$(@D)/cuda/include/thrust/system/omp/detail/reduce_intervals.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/remove.h" "$(@D)/cuda/include/thrust/system/omp/detail/remove.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/remove.inl" "$(@D)/cuda/include/thrust/system/omp/detail/remove.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/replace.h" "$(@D)/cuda/include/thrust/system/omp/detail/replace.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/reverse.h" "$(@D)/cuda/include/thrust/system/omp/detail/reverse.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/scan.h" "$(@D)/cuda/include/thrust/system/omp/detail/scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/scan_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/scatter.h" "$(@D)/cuda/include/thrust/system/omp/detail/scatter.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/sequence.h" "$(@D)/cuda/include/thrust/system/omp/detail/sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/omp/detail/set_operations.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/sort.h" "$(@D)/cuda/include/thrust/system/omp/detail/sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/sort.inl" "$(@D)/cuda/include/thrust/system/omp/detail/sort.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/omp/detail/swap_ranges.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/omp/detail/tabulate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/omp/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/transform.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform_reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/omp/detail/transform_scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/omp/detail/uninitialized_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/omp/detail/uninitialized_fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/unique.h" "$(@D)/cuda/include/thrust/system/omp/detail/unique.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/unique.inl" "$(@D)/cuda/include/thrust/system/omp/detail/unique.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/omp/detail/unique_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/omp/detail/unique_by_key.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/detail/vector.inl" "$(@D)/cuda/include/thrust/system/omp/detail/vector.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/execution_policy.h" "$(@D)/cuda/include/thrust/system/omp/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/memory.h" "$(@D)/cuda/include/thrust/system/omp/memory.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/omp/vector.h" "$(@D)/cuda/include/thrust/system/omp/vector.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/system_error.h" "$(@D)/cuda/include/thrust/system/system_error.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/adjacent_difference.h" "$(@D)/cuda/include/thrust/system/tbb/detail/adjacent_difference.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/assign_value.h" "$(@D)/cuda/include/thrust/system/tbb/detail/assign_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/binary_search.h" "$(@D)/cuda/include/thrust/system/tbb/detail/binary_search.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/copy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/copy.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/copy.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/copy_if.h" "$(@D)/cuda/include/thrust/system/tbb/detail/copy_if.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/copy_if.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/copy_if.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/count.h" "$(@D)/cuda/include/thrust/system/tbb/detail/count.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/equal.h" "$(@D)/cuda/include/thrust/system/tbb/detail/equal.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/execution_policy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/extrema.h" "$(@D)/cuda/include/thrust/system/tbb/detail/extrema.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/fill.h" "$(@D)/cuda/include/thrust/system/tbb/detail/fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/find.h" "$(@D)/cuda/include/thrust/system/tbb/detail/find.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/for_each.h" "$(@D)/cuda/include/thrust/system/tbb/detail/for_each.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/for_each.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/for_each.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/gather.h" "$(@D)/cuda/include/thrust/system/tbb/detail/gather.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/generate.h" "$(@D)/cuda/include/thrust/system/tbb/detail/generate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/get_value.h" "$(@D)/cuda/include/thrust/system/tbb/detail/get_value.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/inner_product.h" "$(@D)/cuda/include/thrust/system/tbb/detail/inner_product.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/iter_swap.h" "$(@D)/cuda/include/thrust/system/tbb/detail/iter_swap.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/logical.h" "$(@D)/cuda/include/thrust/system/tbb/detail/logical.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/malloc_and_free.h" "$(@D)/cuda/include/thrust/system/tbb/detail/malloc_and_free.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/memory.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/memory.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/merge.h" "$(@D)/cuda/include/thrust/system/tbb/detail/merge.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/merge.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/merge.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/mismatch.h" "$(@D)/cuda/include/thrust/system/tbb/detail/mismatch.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/par.h" "$(@D)/cuda/include/thrust/system/tbb/detail/par.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/partition.h" "$(@D)/cuda/include/thrust/system/tbb/detail/partition.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/partition.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/partition.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/reduce.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/reduce.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/reduce_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/reduce_by_key.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_by_key.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/reduce_intervals.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reduce_intervals.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/remove.h" "$(@D)/cuda/include/thrust/system/tbb/detail/remove.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/remove.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/remove.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/replace.h" "$(@D)/cuda/include/thrust/system/tbb/detail/replace.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/reverse.h" "$(@D)/cuda/include/thrust/system/tbb/detail/reverse.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/scan.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/scan.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/scan.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/scan_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scan_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/scatter.h" "$(@D)/cuda/include/thrust/system/tbb/detail/scatter.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/sequence.h" "$(@D)/cuda/include/thrust/system/tbb/detail/sequence.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/set_operations.h" "$(@D)/cuda/include/thrust/system/tbb/detail/set_operations.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/sort.h" "$(@D)/cuda/include/thrust/system/tbb/detail/sort.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/sort.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/sort.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/swap_ranges.h" "$(@D)/cuda/include/thrust/system/tbb/detail/swap_ranges.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/tabulate.h" "$(@D)/cuda/include/thrust/system/tbb/detail/tabulate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/temporary_buffer.h" "$(@D)/cuda/include/thrust/system/tbb/detail/temporary_buffer.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/transform.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/transform_reduce.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform_reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/transform_scan.h" "$(@D)/cuda/include/thrust/system/tbb/detail/transform_scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/uninitialized_copy.h" "$(@D)/cuda/include/thrust/system/tbb/detail/uninitialized_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/uninitialized_fill.h" "$(@D)/cuda/include/thrust/system/tbb/detail/uninitialized_fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/unique.h" "$(@D)/cuda/include/thrust/system/tbb/detail/unique.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/unique.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/unique.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/unique_by_key.h" "$(@D)/cuda/include/thrust/system/tbb/detail/unique_by_key.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/unique_by_key.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/unique_by_key.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/detail/vector.inl" "$(@D)/cuda/include/thrust/system/tbb/detail/vector.inl" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/execution_policy.h" "$(@D)/cuda/include/thrust/system/tbb/execution_policy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/memory.h" "$(@D)/cuda/include/thrust/system/tbb/memory.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system/tbb/vector.h" "$(@D)/cuda/include/thrust/system/tbb/vector.h" && cp -f "/usr/local/cuda-9.0/include/thrust/system_error.h" "$(@D)/cuda/include/thrust/system_error.h" && cp -f "/usr/local/cuda-9.0/include/thrust/tabulate.h" "$(@D)/cuda/include/thrust/tabulate.h" && cp -f "/usr/local/cuda-9.0/include/thrust/transform.h" "$(@D)/cuda/include/thrust/transform.h" && cp -f "/usr/local/cuda-9.0/include/thrust/transform_reduce.h" "$(@D)/cuda/include/thrust/transform_reduce.h" && cp -f "/usr/local/cuda-9.0/include/thrust/transform_scan.h" "$(@D)/cuda/include/thrust/transform_scan.h" && cp -f "/usr/local/cuda-9.0/include/thrust/tuple.h" "$(@D)/cuda/include/thrust/tuple.h" && cp -f "/usr/local/cuda-9.0/include/thrust/uninitialized_copy.h" "$(@D)/cuda/include/thrust/uninitialized_copy.h" && cp -f "/usr/local/cuda-9.0/include/thrust/uninitialized_fill.h" "$(@D)/cuda/include/thrust/uninitialized_fill.h" && cp -f "/usr/local/cuda-9.0/include/thrust/unique.h" "$(@D)/cuda/include/thrust/unique.h" && cp -f "/usr/local/cuda-9.0/include/thrust/version.h" "$(@D)/cuda/include/thrust/version.h" && cp -f "/usr/local/cuda-9.0/include/vector_functions.h" "$(@D)/cuda/include/vector_functions.h" && cp -f "/usr/local/cuda-9.0/include/vector_functions.hpp" "$(@D)/cuda/include/vector_functions.hpp" && cp -f "/usr/local/cuda-9.0/include/vector_types.h" "$(@D)/cuda/include/vector_types.h"
- """,
-)
-
-genrule(
- name = "cuda-nvvm",
- outs = [
- "cuda/nvvm/libdevice/libdevice.10.bc",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/local/cuda-9.0/nvvm/libdevice/libdevice.10.bc" "$(@D)//libdevice.10.bc"
- """,
-)
-
-genrule(
- name = "cuda-extras",
- outs = [
- "cuda/extras/CUPTI/include/GL/gl.h",
- "cuda/extras/CUPTI/include/GL/glew.h",
- "cuda/extras/CUPTI/include/GL/glext.h",
- "cuda/extras/CUPTI/include/GL/glu.h",
- "cuda/extras/CUPTI/include/GL/glut.h",
- "cuda/extras/CUPTI/include/GL/glx.h",
- "cuda/extras/CUPTI/include/GL/glxext.h",
- "cuda/extras/CUPTI/include/GL/wglew.h",
- "cuda/extras/CUPTI/include/GL/wglext.h",
- "cuda/extras/CUPTI/include/cuda_stdint.h",
- "cuda/extras/CUPTI/include/cupti.h",
- "cuda/extras/CUPTI/include/cupti_activity.h",
- "cuda/extras/CUPTI/include/cupti_callbacks.h",
- "cuda/extras/CUPTI/include/cupti_driver_cbid.h",
- "cuda/extras/CUPTI/include/cupti_events.h",
- "cuda/extras/CUPTI/include/cupti_metrics.h",
- "cuda/extras/CUPTI/include/cupti_nvtx_cbid.h",
- "cuda/extras/CUPTI/include/cupti_result.h",
- "cuda/extras/CUPTI/include/cupti_runtime_cbid.h",
- "cuda/extras/CUPTI/include/cupti_version.h",
- "cuda/extras/CUPTI/include/generated_cudaGL_meta.h",
- "cuda/extras/CUPTI/include/generated_cudaVDPAU_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_gl_interop_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_runtime_api_meta.h",
- "cuda/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h",
- "cuda/extras/CUPTI/include/generated_nvtx_meta.h",
- "cuda/extras/CUPTI/include/openacc/cupti_openacc.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/gl.h" "$(@D)/cuda/extras/CUPTI/include/GL/gl.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/glew.h" "$(@D)/cuda/extras/CUPTI/include/GL/glew.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/glext.h" "$(@D)/cuda/extras/CUPTI/include/GL/glext.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/glu.h" "$(@D)/cuda/extras/CUPTI/include/GL/glu.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/glut.h" "$(@D)/cuda/extras/CUPTI/include/GL/glut.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/glx.h" "$(@D)/cuda/extras/CUPTI/include/GL/glx.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/glxext.h" "$(@D)/cuda/extras/CUPTI/include/GL/glxext.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/wglew.h" "$(@D)/cuda/extras/CUPTI/include/GL/wglew.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/GL/wglext.h" "$(@D)/cuda/extras/CUPTI/include/GL/wglext.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cuda_stdint.h" "$(@D)/cuda/extras/CUPTI/include/cuda_stdint.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti.h" "$(@D)/cuda/extras/CUPTI/include/cupti.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_activity.h" "$(@D)/cuda/extras/CUPTI/include/cupti_activity.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_callbacks.h" "$(@D)/cuda/extras/CUPTI/include/cupti_callbacks.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_driver_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_driver_cbid.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_events.h" "$(@D)/cuda/extras/CUPTI/include/cupti_events.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_metrics.h" "$(@D)/cuda/extras/CUPTI/include/cupti_metrics.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_nvtx_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_nvtx_cbid.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_result.h" "$(@D)/cuda/extras/CUPTI/include/cupti_result.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_runtime_cbid.h" "$(@D)/cuda/extras/CUPTI/include/cupti_runtime_cbid.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/cupti_version.h" "$(@D)/cuda/extras/CUPTI/include/cupti_version.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/generated_cudaGL_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cudaGL_meta.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/generated_cudaVDPAU_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cudaVDPAU_meta.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/generated_cuda_gl_interop_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_gl_interop_meta.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/generated_cuda_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_meta.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/generated_cuda_runtime_api_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_runtime_api_meta.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_cuda_vdpau_interop_meta.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/generated_nvtx_meta.h" "$(@D)/cuda/extras/CUPTI/include/generated_nvtx_meta.h" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/include/openacc/cupti_openacc.h" "$(@D)/cuda/extras/CUPTI/include/openacc/cupti_openacc.h"
- """,
-)
-
-genrule(
- name = "cuda-lib",
- outs = [
- "cuda/lib/libcuda.so",
- "cuda/lib/libcudart.so.9.0",
- "cuda/lib/libcudart_static.a",
- "cuda/lib/libcublas.so.9.0",
- "cuda/lib/libcusolver.so.9.0",
- "cuda/lib/libcurand.so.9.0",
- "cuda/lib/libcufft.so.9.0",
- "cuda/lib/libcudnn.so.7",
- "cuda/lib/libcupti.so.9.0",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/local/cuda-9.0/targets/x86_64-linux/lib/stubs/libcuda.so" "$(@D)/cuda/lib/libcuda.so" && cp -f "/usr/local/cuda-9.0/targets/x86_64-linux/lib/libcudart.so.9.0.176" "$(@D)/cuda/lib/libcudart.so.9.0" && cp -f "/usr/local/cuda-9.0/targets/x86_64-linux/lib/libcudart_static.a" "$(@D)/cuda/lib/libcudart_static.a" && cp -f "/usr/local/cuda-9.0/targets/x86_64-linux/lib/libcublas.so.9.0.480" "$(@D)/cuda/lib/libcublas.so.9.0" && cp -f "/usr/local/cuda-9.0/targets/x86_64-linux/lib/libcusolver.so.9.0.176" "$(@D)/cuda/lib/libcusolver.so.9.0" && cp -f "/usr/local/cuda-9.0/targets/x86_64-linux/lib/libcurand.so.9.0.176" "$(@D)/cuda/lib/libcurand.so.9.0" && cp -f "/usr/local/cuda-9.0/targets/x86_64-linux/lib/libcufft.so.9.0.176" "$(@D)/cuda/lib/libcufft.so.9.0" && cp -f "/usr/lib/x86_64-linux-gnu/libcudnn.so.7.1.4" "$(@D)/cuda/lib/libcudnn.so.7" && cp -f "/usr/local/cuda-9.0/extras/CUPTI/lib64/libcupti.so.9.0.176" "$(@D)/cuda/lib/libcupti.so.9.0"
- """,
-)
-
-genrule(
- name = "cudnn-include",
- outs = [
- "cuda/include/cudnn.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/include/cudnn.h" "$(@D)/cudnn.h"
- """,
-)
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/build_defs.bzl b/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/build_defs.bzl
deleted file mode 100755
index a53c891..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/build_defs.bzl
+++ /dev/null
@@ -1,31 +0,0 @@
-# Macros for building CUDA code.
-def if_cuda(if_true, if_false = []):
- """Shorthand for select()'ing on whether we're building with CUDA.
-
- Returns a select statement which evaluates to if_true if we're building
- with CUDA enabled. Otherwise, the select statement evaluates to if_false.
-
- """
- return select({
- "@local_config_cuda//cuda:using_nvcc": if_true,
- "@local_config_cuda//cuda:using_clang": if_true,
- "//conditions:default": if_false,
- })
-
-def cuda_default_copts():
- """Default options for all CUDA compilations."""
- return if_cuda(["-x", "cuda", "-DGOOGLE_CUDA=1"] + [])
-
-def cuda_is_configured():
- """Returns true if CUDA was enabled during the configure process."""
- return True
-
-def if_cuda_is_configured(x):
- """Tests if the CUDA was enabled during the configure process.
-
- Unlike if_cuda(), this does not require that we are building with
- --config=cuda. Used to allow non-CUDA code to depend on CUDA libraries.
- """
- if cuda_is_configured():
- return x
- return []
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/cuda/cuda_config.h b/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/cuda/cuda_config.h
deleted file mode 100755
index 5d0d301..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/cuda9.0-cudnn7/cuda/cuda/cuda_config.h
+++ /dev/null
@@ -1,26 +0,0 @@
-/* Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-
-Licensed under the Apache License, Version 2.0 (the "License");
-you may not use this file except in compliance with the License.
-You may obtain a copy of the License at
-
- http://www.apache.org/licenses/LICENSE-2.0
-
-Unless required by applicable law or agreed to in writing, software
-distributed under the License is distributed on an "AS IS" BASIS,
-WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-See the License for the specific language governing permissions and
-limitations under the License.
-==============================================================================*/
-
-#ifndef CUDA_CUDA_CONFIG_H_
-#define CUDA_CUDA_CONFIG_H_
-
-#define TF_CUDA_CAPABILITIES CudaVersion("3.0")
-
-#define TF_CUDA_VERSION "9.0"
-#define TF_CUDNN_VERSION "7"
-
-#define TF_CUDA_TOOLKIT_PATH "/usr/local/cuda-9.0"
-
-#endif // CUDA_CUDA_CONFIG_H_
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/BUILD b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/BUILD
deleted file mode 100755
index 6442e76..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/BUILD
+++ /dev/null
@@ -1,87 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-toolchain(
- name = "toolchain-linux-x86_64",
- exec_compatible_with = [
- "@bazel_tools//platforms:linux",
- "@bazel_tools//platforms:x86_64",
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:linux",
- "@bazel_tools//platforms:x86_64",
- ],
- toolchain = ":cc-compiler-local",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
-
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "local|compiler": ":cc-compiler-local",
- "darwin|compiler": ":cc-compiler-darwin",
- "x64_windows|msvc-cl": ":cc-compiler-windows",
- },
-)
-
-cc_toolchain(
- name = "cc-compiler-local",
- all_files = ":crosstool_wrapper_driver_is_not_gcc",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":crosstool_wrapper_driver_is_not_gcc",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- # To support linker flags that need to go to the start of command line
- # we need the toolchain to support parameter files. Parameter files are
- # last on the command line and contain all shared libraries to link, so all
- # regular options will be left of them.
- supports_param_files = 1,
-)
-
-cc_toolchain(
- name = "cc-compiler-darwin",
- all_files = ":crosstool_wrapper_driver_is_not_gcc",
- compiler_files = ":empty",
- cpu = "darwin",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":crosstool_wrapper_driver_is_not_gcc",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 0,
-)
-
-cc_toolchain(
- name = "cc-compiler-windows",
- all_files = ":windows_msvc_wrapper_files",
- compiler_files = ":empty",
- cpu = "x64_windows",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":windows_msvc_wrapper_files",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
-
-filegroup(
- name = "crosstool_wrapper_driver_is_not_gcc",
- srcs = ["clang/bin/crosstool_wrapper_driver_is_not_gcc"],
-)
-
-filegroup(
- name = "windows_msvc_wrapper_files",
- srcs = glob(["windows/msvc_*"]),
-)
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/CROSSTOOL b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/CROSSTOOL
deleted file mode 100755
index 1c2e8bc..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/CROSSTOOL
+++ /dev/null
@@ -1,1431 +0,0 @@
-major_version: "local"
-minor_version: ""
-default_target_cpu: "same_as_host"
-
-default_toolchain {
- cpu: "k8"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "piii"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "arm"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "darwin"
- toolchain_identifier: "local_darwin"
-}
-default_toolchain {
- cpu: "ppc"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "x64_windows"
- toolchain_identifier: "local_windows"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_linux"
-
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lstdc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- feature {
- name: "alwayslink"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,-no-as-needed"
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
-
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "build-id"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- # Stamp the binary with a unique identifier.
- flag: "-Wl,--build-id=md5"
- flag: "-Wl,--hash-style=gnu"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-no-canonical-prefixes"
- flag: "-fno-canonical-system-headers"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-B/usr/bin"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "alwayslink"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "build-id"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,--gc-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "clang/bin/crosstool_wrapper_driver_is_not_gcc" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
- cxx_builtin_include_directory: "/usr/include/c++/4.8"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu/c++/4.8"
- cxx_builtin_include_directory: "/usr/include/c++/4.8/backward"
- cxx_builtin_include_directory: "/usr/lib/gcc/x86_64-linux-gnu/4.8/include"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/lib/gcc/x86_64-linux-gnu/4.8/include-fixed"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu"
- cxx_builtin_include_directory: "/usr/include"
- cxx_builtin_include_directory: "/usr/local/cuda-10.0/targets/x86_64-linux/include"
- cxx_builtin_include_directory: "/usr/local/cuda-10.0/include"
- cxx_builtin_include_directory: "/usr/local/cuda-10.0/extras/CUPTI/include"
- cxx_builtin_include_directory: "/usr/include"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "macosx"
- target_cpu: "darwin"
- target_system_name: "local"
- toolchain_identifier: "local_darwin"
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
-
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag:"-no-canonical-prefixes"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-B/usr/bin"
- }
- }
- }
-
- feature {
- name: "undefined-dynamic"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-undefined"
- flag: "dynamic_lookup"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- implies: "undefined-dynamic"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "clang/bin/crosstool_wrapper_driver_is_not_gcc" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/libtool" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
- cxx_builtin_include_directory: "/usr/include/c++/4.8"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu/c++/4.8"
- cxx_builtin_include_directory: "/usr/include/c++/4.8/backward"
- cxx_builtin_include_directory: "/usr/lib/gcc/x86_64-linux-gnu/4.8/include"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/lib/gcc/x86_64-linux-gnu/4.8/include-fixed"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu"
- cxx_builtin_include_directory: "/usr/include"
- cxx_builtin_include_directory: "/usr/local/cuda-10.0/targets/x86_64-linux/include"
- cxx_builtin_include_directory: "/usr/local/cuda-10.0/include"
- cxx_builtin_include_directory: "/usr/local/cuda-10.0/extras/CUPTI/include"
- cxx_builtin_include_directory: "/usr/include"
-}
-
-toolchain {
- toolchain_identifier: "local_windows"
- host_system_name: "local"
- target_system_name: "local"
-
- abi_version: "local"
- abi_libc_version: "local"
- target_cpu: "x64_windows"
- compiler: "msvc-cl"
- target_libc: "msvcrt"
-
-
-
- tool_path {
- name: "ar"
- path: ""
- }
- tool_path {
- name: "ml"
- path: ""
- }
- tool_path {
- name: "cpp"
- path: ""
- }
- tool_path {
- name: "gcc"
- path: ""
- }
- tool_path {
- name: "gcov"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "ld"
- path: ""
- }
- tool_path {
- name: "nm"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objcopy"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objdump"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "strip"
- path: "wrapper/bin/msvc_nop.bat"
- }
- supports_interface_shared_objects: true
-
- # TODO(pcloudy): Review those flags below, they should be defined by cl.exe
- compiler_flag: "/DCOMPILER_MSVC"
-
- # Don't define min/max macros in windows.h.
- compiler_flag: "/DNOMINMAX"
-
- # Platform defines.
- compiler_flag: "/D_WIN32_WINNT=0x0600"
- # Turn off warning messages.
- compiler_flag: "/D_CRT_SECURE_NO_DEPRECATE"
- compiler_flag: "/D_CRT_SECURE_NO_WARNINGS"
- compiler_flag: "/D_SILENCE_STDEXT_HASH_DEPRECATION_WARNINGS"
-
- # Useful options to have on for compilation.
- # Increase the capacity of object files to 2^32 sections.
- compiler_flag: "/bigobj"
- # Allocate 500MB for precomputed headers.
- compiler_flag: "/Zm500"
- # Use unsigned char by default.
- compiler_flag: "/J"
- # Use function level linking.
- compiler_flag: "/Gy"
- # Use string pooling.
- compiler_flag: "/GF"
- # Catch C++ exceptions only and tell the compiler to assume that functions declared
- # as extern "C" never throw a C++ exception.
- compiler_flag: "/EHsc"
-
- # Globally disabled warnings.
- # Don't warn about elements of array being be default initialized.
- compiler_flag: "/wd4351"
- # Don't warn about no matching delete found.
- compiler_flag: "/wd4291"
- # Don't warn about diamond inheritance patterns.
- compiler_flag: "/wd4250"
- # Don't warn about insecure functions (e.g. non _s functions).
- compiler_flag: "/wd4996"
-
- linker_flag: "/MACHINE:X64"
-
- feature {
- name: "no_legacy_features"
- }
-
- # Suppress startup banner.
- feature {
- name: "nologo"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- flag_group {
- flag: "/nologo"
- }
- }
- }
-
- feature {
- name: 'has_configured_linker_path'
- }
-
- # This feature indicates strip is not supported, building stripped binary will just result a copy of orignial binary
- feature {
- name: 'no_stripping'
- }
-
- # This feature indicates this is a toolchain targeting Windows.
- feature {
- name: 'targets_windows'
- implies: 'copy_dynamic_libraries_to_binary'
- enabled: true
- }
-
- feature {
- name: 'copy_dynamic_libraries_to_binary'
- }
-
- action_config {
- config_name: 'assemble'
- action_name: 'assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'preprocess-assemble'
- action_name: 'preprocess-assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'c-compile'
- action_name: 'c-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-compile'
- action_name: 'c++-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-link-executable'
- action_name: 'c++-link-executable'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- }
-
- action_config {
- config_name: 'c++-link-dynamic-library'
- action_name: 'c++-link-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-nodeps-dynamic-library'
- action_name: 'c++-link-nodeps-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-static-library'
- action_name: 'c++-link-static-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'archiver_flags'
- implies: 'input_param_flags'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- }
-
- # TODO(b/65151735): Remove legacy_compile_flags feature when legacy fields are
- # not used in this crosstool
- feature {
- name: 'legacy_compile_flags'
- flag_set {
- expand_if_all_available: 'legacy_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'legacy_compile_flags'
- flag: '%{legacy_compile_flags}'
- }
- }
- }
-
- feature {
- name: "msvc_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "PATH"
- value: ""
- }
- env_entry {
- key: "INCLUDE"
- value: ""
- }
- env_entry {
- key: "LIB"
- value: ""
- }
- env_entry {
- key: "TMP"
- value: ""
- }
- env_entry {
- key: "TEMP"
- value: ""
- }
- }
- }
-
- feature {
- name: 'include_paths'
- flag_set {
- action: "assemble"
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- flag_group {
- iterate_over: 'quote_include_paths'
- flag: '/I%{quote_include_paths}'
- }
- flag_group {
- iterate_over: 'include_paths'
- flag: '/I%{include_paths}'
- }
- flag_group {
- iterate_over: 'system_include_paths'
- flag: '/I%{system_include_paths}'
- }
- }
- }
-
- feature {
- name: "preprocessor_defines"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-module-compile"
- flag_group {
- flag: "/D%{preprocessor_defines}"
- iterate_over: "preprocessor_defines"
- }
- }
- }
-
- # Tell Bazel to parse the output of /showIncludes
- feature {
- name: 'parse_showincludes'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-module-compile'
- action: 'c++-header-parsing'
- flag_group {
- flag: "/showIncludes"
- }
- }
- }
-
-
- feature {
- name: 'generate_pdb_file'
- requires: {
- feature: 'dbg'
- }
- requires: {
- feature: 'fastbuild'
- }
- }
-
- feature {
- name: 'shared_flag'
- flag_set {
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/DLL'
- }
- }
- }
-
- feature {
- name: 'linkstamps'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- expand_if_all_available: 'linkstamp_paths'
- flag_group {
- iterate_over: 'linkstamp_paths'
- flag: '%{linkstamp_paths}'
- }
- }
- }
-
- feature {
- name: 'output_execpath_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'archiver_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-static-library'
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'input_param_flags'
- flag_set {
- expand_if_all_available: 'interface_library_output_path'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/IMPLIB:%{interface_library_output_path}"
- }
- }
- flag_set {
- expand_if_all_available: 'libopts'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'libopts'
- flag: '%{libopts}'
- }
- }
- flag_set {
- expand_if_all_available: 'libraries_to_link'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- iterate_over: 'libraries_to_link'
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file_group'
- }
- iterate_over: 'libraries_to_link.object_files'
- flag_group {
- flag: '%{libraries_to_link.object_files}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'interface_library'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'static_library'
- }
- flag_group {
- expand_if_false: 'libraries_to_link.is_whole_archive'
- flag: '%{libraries_to_link.name}'
- }
- flag_group {
- expand_if_true: 'libraries_to_link.is_whole_archive'
- flag: '/WHOLEARCHIVE:%{libraries_to_link.name}'
- }
- }
- }
- }
- }
-
- # Since this feature is declared earlier in the CROSSTOOL than
- # "user_link_flags", this feature will be applied prior to it anwyhere they
- # are both implied. And since "user_link_flags" contains the linkopts from
- # the build rule, this allows the user to override the /SUBSYSTEM in the BUILD
- # file.
- feature {
- name: 'linker_subsystem_flag'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/SUBSYSTEM:CONSOLE'
- }
- }
- }
-
- # The "user_link_flags" contains user-defined linkopts (from build rules)
- # so it should be defined after features that declare user-overridable flags.
- # For example the "linker_subsystem_flag" defines a default "/SUBSYSTEM" flag
- # but we want to let the user override it, therefore "link_flag_subsystem" is
- # defined earlier in the CROSSTOOL file than "user_link_flags".
- feature {
- name: 'user_link_flags'
- flag_set {
- expand_if_all_available: 'user_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'user_link_flags'
- flag: '%{user_link_flags}'
- }
- }
- }
- feature {
- name: 'legacy_link_flags'
- flag_set {
- expand_if_all_available: 'legacy_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'legacy_link_flags'
- flag: '%{legacy_link_flags}'
- }
- }
- }
-
- feature {
- name: 'linker_param_file'
- flag_set {
- expand_if_all_available: 'linker_param_file'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- flag: '@%{linker_param_file}'
- }
- }
- }
-
- feature {
- name: 'static_link_msvcrt'
- }
-
- feature {
- name: 'static_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MT"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MD"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'static_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MTd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MDd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dbg'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FULL"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'fastbuild'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FASTLINK"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'opt'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/O2"
- flag: "/DNDEBUG"
- }
- }
- }
-
- feature {
- name: 'user_compile_flags'
- flag_set {
- expand_if_all_available: 'user_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'user_compile_flags'
- flag: '%{user_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'sysroot'
- flag_set {
- expand_if_all_available: 'sysroot'
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'sysroot'
- flag: '--sysroot=%{sysroot}'
- }
- }
- }
-
- feature {
- name: 'unfiltered_compile_flags'
- flag_set {
- expand_if_all_available: 'unfiltered_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'unfiltered_compile_flags'
- flag: '%{unfiltered_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'compiler_output_flags'
- flag_set {
- action: 'assemble'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- flag: '/Zi'
- }
- }
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_assembly_file'
- flag: '/Fa%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_preprocess_file'
- flag: '/P'
- flag: '/Fi%{output_file}'
- }
- }
- }
-
- feature {
- name: 'compiler_input_flags'
- flag_set {
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'source_file'
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- }
-
- feature {
- name : 'def_file',
- flag_set {
- expand_if_all_available: 'def_file_path'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEF:%{def_file_path}"
- # We can specify a different DLL name in DEF file, /ignore:4070 suppresses
- # the warning message about DLL name doesn't match the default one.
- # See https://msdn.microsoft.com/en-us/library/sfkk2fz7.aspx
- flag: "/ignore:4070"
- }
- }
- }
-
- feature {
- name: 'windows_export_all_symbols'
- }
-
- feature {
- name: 'no_windows_export_all_symbols'
- }
-
- linking_mode_flags { mode: DYNAMIC }
-}
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/clang/bin/crosstool_wrapper_driver_is_not_gcc b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/clang/bin/crosstool_wrapper_driver_is_not_gcc
deleted file mode 100755
index 7ae59e9..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/clang/bin/crosstool_wrapper_driver_is_not_gcc
+++ /dev/null
@@ -1,264 +0,0 @@
-#!/usr/bin/env python
-# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Crosstool wrapper for compiling CUDA programs.
-
-SYNOPSIS:
- crosstool_wrapper_is_not_gcc [options passed in by cc_library()
- or cc_binary() rule]
-
-DESCRIPTION:
- This script is expected to be called by the cc_library() or cc_binary() bazel
- rules. When the option "-x cuda" is present in the list of arguments passed
- to this script, it invokes the nvcc CUDA compiler. Most arguments are passed
- as is as a string to --compiler-options of nvcc. When "-x cuda" is not
- present, this wrapper invokes hybrid_driver_is_not_gcc with the input
- arguments as is.
-
-NOTES:
- Changes to the contents of this file must be propagated from
- //third_party/gpus/crosstool/crosstool_wrapper_is_not_gcc to
- //third_party/gpus/crosstool/v*/*/clang/bin/crosstool_wrapper_is_not_gcc
-"""
-
-from __future__ import print_function
-
-__author__ = 'keveman@google.com (Manjunath Kudlur)'
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by cuda_autoconf.
-CPU_COMPILER = ('/usr/bin/gcc')
-GCC_HOST_COMPILER_PATH = ('/usr/bin/gcc')
-
-NVCC_PATH = '/usr/local/cuda-10.0/bin/nvcc'
-PREFIX_DIR = os.path.dirname(GCC_HOST_COMPILER_PATH)
-NVCC_VERSION = '10.0'
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from the argv list.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- option: The option whose value to extract, without the leading '-'.
-
- Returns:
- A list of values, either directly following the option,
- (eg., -opt val1 val2) or values collected from multiple occurrences of
- the option (eg., -opt val1 -opt val2).
- """
-
- parser = ArgumentParser()
- parser.add_argument('-' + option, nargs='*', action='append')
- args, _ = parser.parse_known_args(argv)
- if not args or not vars(args)[option]:
- return []
- else:
- return sum(vars(args)[option], [])
-
-
-def GetHostCompilerOptions(argv):
- """Collect the -isystem, -iquote, and --sysroot option values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be used as the --compiler-options to nvcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-isystem', nargs='*', action='append')
- parser.add_argument('-iquote', nargs='*', action='append')
- parser.add_argument('--sysroot', nargs=1)
- parser.add_argument('-g', nargs='*', action='append')
- parser.add_argument('-fno-canonical-system-headers', action='store_true')
-
- args, _ = parser.parse_known_args(argv)
-
- opts = ''
-
- if args.isystem:
- opts += ' -isystem ' + ' -isystem '.join(sum(args.isystem, []))
- if args.iquote:
- opts += ' -iquote ' + ' -iquote '.join(sum(args.iquote, []))
- if args.g:
- opts += ' -g' + ' -g'.join(sum(args.g, []))
- if args.fno_canonical_system_headers:
- opts += ' -fno-canonical-system-headers'
- if args.sysroot:
- opts += ' --sysroot ' + args.sysroot[0]
-
- return opts
-
-def _update_options(nvcc_options):
- if NVCC_VERSION in ("7.0",):
- return nvcc_options
-
- update_options = { "relaxed-constexpr" : "expt-relaxed-constexpr" }
- return [ update_options[opt] if opt in update_options else opt
- for opt in nvcc_options ]
-
-def GetNvccOptions(argv):
- """Collect the -nvcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be passed directly to nvcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-nvcc_options', nargs='*', action='append')
-
- args, _ = parser.parse_known_args(argv)
-
- if args.nvcc_options:
- options = _update_options(sum(args.nvcc_options, []))
- return ' '.join(['--'+a for a in options])
- return ''
-
-
-def InvokeNvcc(argv, log=False):
- """Call nvcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('nvcc ' + args)
- """
-
- host_compiler_options = GetHostCompilerOptions(argv)
- nvcc_compiler_options = GetNvccOptions(argv)
- opt_option = GetOptionValue(argv, 'O')
- m_options = GetOptionValue(argv, 'm')
- m_options = ''.join([' -m' + m for m in m_options if m in ['32', '64']])
- include_options = GetOptionValue(argv, 'I')
- out_file = GetOptionValue(argv, 'o')
- depfiles = GetOptionValue(argv, 'MF')
- defines = GetOptionValue(argv, 'D')
- defines = ''.join([' -D' + define for define in defines])
- undefines = GetOptionValue(argv, 'U')
- undefines = ''.join([' -U' + define for define in undefines])
- std_options = GetOptionValue(argv, 'std')
- # currently only c++11 is supported by Cuda 7.0 std argument
- nvcc_allowed_std_options = ["c++11"]
- std_options = ''.join([' -std=' + define
- for define in std_options if define in nvcc_allowed_std_options])
-
- # The list of source files get passed after the -c option. I don't know of
- # any other reliable way to just get the list of source files to be compiled.
- src_files = GetOptionValue(argv, 'c')
-
- # Pass -w through from host to nvcc, but don't do anything fancier with
- # warnings-related flags, since they're not necessarily the same across
- # compilers.
- warning_options = ' -w' if '-w' in argv else ''
-
- if len(src_files) == 0:
- return 1
- if len(out_file) != 1:
- return 1
-
- opt = (' -O2' if (len(opt_option) > 0 and int(opt_option[0]) > 0)
- else ' -g -G')
-
- includes = (' -I ' + ' -I '.join(include_options)
- if len(include_options) > 0
- else '')
-
- # Unfortunately, there are other options that have -c prefix too.
- # So allowing only those look like C/C++ files.
- src_files = [f for f in src_files if
- re.search('\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)]
- srcs = ' '.join(src_files)
- out = ' -o ' + out_file[0]
-
- supported_cuda_compute_capabilities = [ "3.0" ]
- nvccopts = '-D_FORCE_INLINES '
- for capability in supported_cuda_compute_capabilities:
- capability = capability.replace('.', '')
- nvccopts += r'-gencode=arch=compute_%s,\"code=sm_%s,compute_%s\" ' % (
- capability, capability, capability)
- nvccopts += ' ' + nvcc_compiler_options
- nvccopts += undefines
- nvccopts += defines
- nvccopts += std_options
- nvccopts += m_options
- nvccopts += warning_options
-
- if depfiles:
- # Generate the dependency file
- depfile = depfiles[0]
- cmd = (NVCC_PATH + ' ' + nvccopts +
- ' --compiler-options "' + host_compiler_options + '"' +
- ' --compiler-bindir=' + GCC_HOST_COMPILER_PATH +
- ' -I .' +
- ' -x cu ' + opt + includes + ' ' + srcs + ' -M -o ' + depfile)
- if log: Log(cmd)
- exit_status = os.system(cmd)
- if exit_status != 0:
- return exit_status
-
- cmd = (NVCC_PATH + ' ' + nvccopts +
- ' --compiler-options "' + host_compiler_options + ' -fPIC"' +
- ' --compiler-bindir=' + GCC_HOST_COMPILER_PATH +
- ' -I .' +
- ' -x cu ' + opt + includes + ' -c ' + srcs + out)
-
- # TODO(zhengxq): for some reason, 'gcc' needs this help to find 'as'.
- # Need to investigate and fix.
- cmd = 'PATH=' + PREFIX_DIR + ':$PATH ' + cmd
- if log: Log(cmd)
- return os.system(cmd)
-
-
-def main():
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--cuda_log', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'cuda':
- if args.cuda_log: Log('-x cuda')
- leftover = [pipes.quote(s) for s in leftover]
- if args.cuda_log: Log('using nvcc')
- return InvokeNvcc(leftover, log=args.cuda_log)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x cuda. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--cuda_log'))]
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/windows/msvc_wrapper_for_nvcc.bat b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/windows/msvc_wrapper_for_nvcc.bat
deleted file mode 100755
index e896e65..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/windows/msvc_wrapper_for_nvcc.bat
+++ /dev/null
@@ -1,20 +0,0 @@
-:: Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-::
-:: Licensed under the Apache License, Version 2.0 (the "License");
-:: you may not use this file except in compliance with the License.
-:: You may obtain a copy of the License at
-::
-:: http://www.apache.org/licenses/LICENSE-2.0
-::
-:: Unless required by applicable law or agreed to in writing, software
-:: distributed under the License is distributed on an "AS IS" BASIS,
-:: WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-:: See the License for the specific language governing permissions and
-:: limitations under the License.
-:: =============================================================================
-
-:: Invoke msvc_wrapper_for_nvcc.py, which is located in the same directory.
-@echo OFF
-set arg0=%~0
-for %%F in ("%arg0%") do set DRIVER_BIN=%%~dpF
-"/usr/bin/python3" -B "%DRIVER_BIN%\msvc_wrapper_for_nvcc.py" %*
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/windows/msvc_wrapper_for_nvcc.py b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/windows/msvc_wrapper_for_nvcc.py
deleted file mode 100755
index 426b9ca..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda10.0/windows/msvc_wrapper_for_nvcc.py
+++ /dev/null
@@ -1,193 +0,0 @@
-#!/usr/bin/env python
-# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Crosstool wrapper for compiling CUDA programs with nvcc on Windows.
-
-DESCRIPTION:
- This script is the Windows version of //third_party/gpus/crosstool/crosstool_wrapper_is_not_gcc
-"""
-
-from __future__ import print_function
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by cuda_autoconf.
-CPU_COMPILER = ('/usr/bin/gcc')
-GCC_HOST_COMPILER_PATH = ('/usr/bin/gcc')
-
-NVCC_PATH = '/usr/local/cuda-10.0/bin/nvcc'
-NVCC_VERSION = '10.0'
-NVCC_TEMP_DIR = "C:\\Windows\\Temp\\nvcc_inter_files_tmp_dir"
-supported_cuda_compute_capabilities = [ "3.0" ]
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from options.
-
- Args:
- option: The option whose value to extract, without the leading '/'.
-
- Returns:
- 1. A list of values, either directly following the option,
- (eg., /opt val1 val2) or values collected from multiple occurrences of
- the option (eg., /opt val1 /opt val2).
- 2. The leftover options.
- """
-
- parser = ArgumentParser(prefix_chars='/')
- parser.add_argument('/' + option, nargs='*', action='append')
- args, leftover = parser.parse_known_args(argv)
- if args and vars(args)[option]:
- return (sum(vars(args)[option], []), leftover)
- return ([], leftover)
-
-def _update_options(nvcc_options):
- if NVCC_VERSION in ("7.0",):
- return nvcc_options
-
- update_options = { "relaxed-constexpr" : "expt-relaxed-constexpr" }
- return [ update_options[opt] if opt in update_options else opt
- for opt in nvcc_options ]
-
-def GetNvccOptions(argv):
- """Collect the -nvcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- 1. The string that can be passed directly to nvcc.
- 2. The leftover options.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-nvcc_options', nargs='*', action='append')
-
- args, leftover = parser.parse_known_args(argv)
-
- if args.nvcc_options:
- options = _update_options(sum(args.nvcc_options, []))
- return (['--' + a for a in options], leftover)
- return ([], leftover)
-
-
-def InvokeNvcc(argv, log=False):
- """Call nvcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('nvcc ' + args)
- """
-
- src_files = [
- f for f in argv if re.search(r'\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)
- ]
- if len(src_files) == 0:
- raise Error('No source files found for cuda compilation.')
-
- out_file = [ f for f in argv if f.startswith('/Fo') ]
- if len(out_file) != 1:
- raise Error('Please sepecify exactly one output file for cuda compilation.')
- out = ['-o', out_file[0][len('/Fo'):]]
-
- nvcc_compiler_options, argv = GetNvccOptions(argv)
-
- opt_option, argv = GetOptionValue(argv, 'O')
- opt = ['-g', '-G']
- if (len(opt_option) > 0 and opt_option[0] != 'd'):
- opt = ['-O2']
-
- include_options, argv = GetOptionValue(argv, 'I')
- includes = ["-I " + include for include in include_options]
-
- defines, argv = GetOptionValue(argv, 'D')
- defines = ['-D' + define for define in defines]
-
- undefines, argv = GetOptionValue(argv, 'U')
- undefines = ['-U' + define for define in undefines]
-
- # The rest of the unrecongized options should be passed to host compiler
- host_compiler_options = [option for option in argv if option not in (src_files + out_file)]
-
- m_options = ["-m64"]
-
- nvccopts = ['-D_FORCE_INLINES']
- for capability in supported_cuda_compute_capabilities:
- capability = capability.replace('.', '')
- nvccopts += [r'-gencode=arch=compute_%s,"code=sm_%s,compute_%s"' % (
- capability, capability, capability)]
- nvccopts += nvcc_compiler_options
- nvccopts += undefines
- nvccopts += defines
- nvccopts += m_options
- nvccopts += ['--compiler-options="' + " ".join(host_compiler_options) + '"']
- nvccopts += ['-x', 'cu'] + opt + includes + out + ['-c'] + src_files
- # If we don't specify --keep-dir, nvcc will generate intermediate files under TEMP
- # Put them under NVCC_TEMP_DIR instead, then Bazel can ignore files under NVCC_TEMP_DIR during dependency check
- # http://docs.nvidia.com/cuda/cuda-compiler-driver-nvcc/index.html#options-for-guiding-compiler-driver
- # Different actions are sharing NVCC_TEMP_DIR, so we cannot remove it if the directory already exists.
- if os.path.isfile(NVCC_TEMP_DIR):
- os.remove(NVCC_TEMP_DIR)
- if not os.path.exists(NVCC_TEMP_DIR):
- os.makedirs(NVCC_TEMP_DIR)
- nvccopts += ['--keep', '--keep-dir', NVCC_TEMP_DIR]
- cmd = [NVCC_PATH] + nvccopts
- if log:
- Log(cmd)
- proc = subprocess.Popen(cmd,
- stdout=sys.stdout,
- stderr=sys.stderr,
- env=os.environ.copy(),
- shell=True)
- proc.wait()
- return proc.returncode
-
-def main():
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--cuda_log', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'cuda':
- if args.cuda_log: Log('-x cuda')
- leftover = [pipes.quote(s) for s in leftover]
- if args.cuda_log: Log('using nvcc')
- return InvokeNvcc(leftover, log=args.cuda_log)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x cuda. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--cuda_log'))
- and not flag.startswith(('-nvcc_options'))]
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/BUILD b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/BUILD
deleted file mode 100755
index 6442e76..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/BUILD
+++ /dev/null
@@ -1,87 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-toolchain(
- name = "toolchain-linux-x86_64",
- exec_compatible_with = [
- "@bazel_tools//platforms:linux",
- "@bazel_tools//platforms:x86_64",
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:linux",
- "@bazel_tools//platforms:x86_64",
- ],
- toolchain = ":cc-compiler-local",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
-
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "local|compiler": ":cc-compiler-local",
- "darwin|compiler": ":cc-compiler-darwin",
- "x64_windows|msvc-cl": ":cc-compiler-windows",
- },
-)
-
-cc_toolchain(
- name = "cc-compiler-local",
- all_files = ":crosstool_wrapper_driver_is_not_gcc",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":crosstool_wrapper_driver_is_not_gcc",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- # To support linker flags that need to go to the start of command line
- # we need the toolchain to support parameter files. Parameter files are
- # last on the command line and contain all shared libraries to link, so all
- # regular options will be left of them.
- supports_param_files = 1,
-)
-
-cc_toolchain(
- name = "cc-compiler-darwin",
- all_files = ":crosstool_wrapper_driver_is_not_gcc",
- compiler_files = ":empty",
- cpu = "darwin",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":crosstool_wrapper_driver_is_not_gcc",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 0,
-)
-
-cc_toolchain(
- name = "cc-compiler-windows",
- all_files = ":windows_msvc_wrapper_files",
- compiler_files = ":empty",
- cpu = "x64_windows",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":windows_msvc_wrapper_files",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
-
-filegroup(
- name = "crosstool_wrapper_driver_is_not_gcc",
- srcs = ["clang/bin/crosstool_wrapper_driver_is_not_gcc"],
-)
-
-filegroup(
- name = "windows_msvc_wrapper_files",
- srcs = glob(["windows/msvc_*"]),
-)
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/CROSSTOOL b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/CROSSTOOL
deleted file mode 100755
index 0d89a53..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/CROSSTOOL
+++ /dev/null
@@ -1,1431 +0,0 @@
-major_version: "local"
-minor_version: ""
-default_target_cpu: "same_as_host"
-
-default_toolchain {
- cpu: "k8"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "piii"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "arm"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "darwin"
- toolchain_identifier: "local_darwin"
-}
-default_toolchain {
- cpu: "ppc"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "x64_windows"
- toolchain_identifier: "local_windows"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_linux"
-
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lstdc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- feature {
- name: "alwayslink"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,-no-as-needed"
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
-
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "build-id"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- # Stamp the binary with a unique identifier.
- flag: "-Wl,--build-id=md5"
- flag: "-Wl,--hash-style=gnu"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-no-canonical-prefixes"
- flag: "-fno-canonical-system-headers"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-B/usr/bin"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "alwayslink"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "build-id"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,--gc-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "clang/bin/crosstool_wrapper_driver_is_not_gcc" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
- cxx_builtin_include_directory: "/usr/include/c++/4.8"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu/c++/4.8"
- cxx_builtin_include_directory: "/usr/include/c++/4.8/backward"
- cxx_builtin_include_directory: "/usr/lib/gcc/x86_64-linux-gnu/4.8/include"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/lib/gcc/x86_64-linux-gnu/4.8/include-fixed"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu"
- cxx_builtin_include_directory: "/usr/include"
- cxx_builtin_include_directory: "/usr/local/cuda-9.0/targets/x86_64-linux/include"
- cxx_builtin_include_directory: "/usr/local/cuda-9.0/include"
- cxx_builtin_include_directory: "/usr/local/cuda-9.0/extras/CUPTI/include"
- cxx_builtin_include_directory: "/usr/include"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "macosx"
- target_cpu: "darwin"
- target_system_name: "local"
- toolchain_identifier: "local_darwin"
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
-
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag:"-no-canonical-prefixes"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-B/usr/bin"
- }
- }
- }
-
- feature {
- name: "undefined-dynamic"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-undefined"
- flag: "dynamic_lookup"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- implies: "undefined-dynamic"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "clang/bin/crosstool_wrapper_driver_is_not_gcc" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/libtool" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
- cxx_builtin_include_directory: "/usr/include/c++/4.8"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu/c++/4.8"
- cxx_builtin_include_directory: "/usr/include/c++/4.8/backward"
- cxx_builtin_include_directory: "/usr/lib/gcc/x86_64-linux-gnu/4.8/include"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/lib/gcc/x86_64-linux-gnu/4.8/include-fixed"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu"
- cxx_builtin_include_directory: "/usr/include"
- cxx_builtin_include_directory: "/usr/local/cuda-9.0/targets/x86_64-linux/include"
- cxx_builtin_include_directory: "/usr/local/cuda-9.0/include"
- cxx_builtin_include_directory: "/usr/local/cuda-9.0/extras/CUPTI/include"
- cxx_builtin_include_directory: "/usr/include"
-}
-
-toolchain {
- toolchain_identifier: "local_windows"
- host_system_name: "local"
- target_system_name: "local"
-
- abi_version: "local"
- abi_libc_version: "local"
- target_cpu: "x64_windows"
- compiler: "msvc-cl"
- target_libc: "msvcrt"
-
-
-
- tool_path {
- name: "ar"
- path: ""
- }
- tool_path {
- name: "ml"
- path: ""
- }
- tool_path {
- name: "cpp"
- path: ""
- }
- tool_path {
- name: "gcc"
- path: ""
- }
- tool_path {
- name: "gcov"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "ld"
- path: ""
- }
- tool_path {
- name: "nm"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objcopy"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objdump"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "strip"
- path: "wrapper/bin/msvc_nop.bat"
- }
- supports_interface_shared_objects: true
-
- # TODO(pcloudy): Review those flags below, they should be defined by cl.exe
- compiler_flag: "/DCOMPILER_MSVC"
-
- # Don't define min/max macros in windows.h.
- compiler_flag: "/DNOMINMAX"
-
- # Platform defines.
- compiler_flag: "/D_WIN32_WINNT=0x0600"
- # Turn off warning messages.
- compiler_flag: "/D_CRT_SECURE_NO_DEPRECATE"
- compiler_flag: "/D_CRT_SECURE_NO_WARNINGS"
- compiler_flag: "/D_SILENCE_STDEXT_HASH_DEPRECATION_WARNINGS"
-
- # Useful options to have on for compilation.
- # Increase the capacity of object files to 2^32 sections.
- compiler_flag: "/bigobj"
- # Allocate 500MB for precomputed headers.
- compiler_flag: "/Zm500"
- # Use unsigned char by default.
- compiler_flag: "/J"
- # Use function level linking.
- compiler_flag: "/Gy"
- # Use string pooling.
- compiler_flag: "/GF"
- # Catch C++ exceptions only and tell the compiler to assume that functions declared
- # as extern "C" never throw a C++ exception.
- compiler_flag: "/EHsc"
-
- # Globally disabled warnings.
- # Don't warn about elements of array being be default initialized.
- compiler_flag: "/wd4351"
- # Don't warn about no matching delete found.
- compiler_flag: "/wd4291"
- # Don't warn about diamond inheritance patterns.
- compiler_flag: "/wd4250"
- # Don't warn about insecure functions (e.g. non _s functions).
- compiler_flag: "/wd4996"
-
- linker_flag: "/MACHINE:X64"
-
- feature {
- name: "no_legacy_features"
- }
-
- # Suppress startup banner.
- feature {
- name: "nologo"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- flag_group {
- flag: "/nologo"
- }
- }
- }
-
- feature {
- name: 'has_configured_linker_path'
- }
-
- # This feature indicates strip is not supported, building stripped binary will just result a copy of orignial binary
- feature {
- name: 'no_stripping'
- }
-
- # This feature indicates this is a toolchain targeting Windows.
- feature {
- name: 'targets_windows'
- implies: 'copy_dynamic_libraries_to_binary'
- enabled: true
- }
-
- feature {
- name: 'copy_dynamic_libraries_to_binary'
- }
-
- action_config {
- config_name: 'assemble'
- action_name: 'assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'preprocess-assemble'
- action_name: 'preprocess-assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'c-compile'
- action_name: 'c-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-compile'
- action_name: 'c++-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-link-executable'
- action_name: 'c++-link-executable'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- }
-
- action_config {
- config_name: 'c++-link-dynamic-library'
- action_name: 'c++-link-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-nodeps-dynamic-library'
- action_name: 'c++-link-nodeps-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-static-library'
- action_name: 'c++-link-static-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'archiver_flags'
- implies: 'input_param_flags'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- }
-
- # TODO(b/65151735): Remove legacy_compile_flags feature when legacy fields are
- # not used in this crosstool
- feature {
- name: 'legacy_compile_flags'
- flag_set {
- expand_if_all_available: 'legacy_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'legacy_compile_flags'
- flag: '%{legacy_compile_flags}'
- }
- }
- }
-
- feature {
- name: "msvc_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "PATH"
- value: ""
- }
- env_entry {
- key: "INCLUDE"
- value: ""
- }
- env_entry {
- key: "LIB"
- value: ""
- }
- env_entry {
- key: "TMP"
- value: ""
- }
- env_entry {
- key: "TEMP"
- value: ""
- }
- }
- }
-
- feature {
- name: 'include_paths'
- flag_set {
- action: "assemble"
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- flag_group {
- iterate_over: 'quote_include_paths'
- flag: '/I%{quote_include_paths}'
- }
- flag_group {
- iterate_over: 'include_paths'
- flag: '/I%{include_paths}'
- }
- flag_group {
- iterate_over: 'system_include_paths'
- flag: '/I%{system_include_paths}'
- }
- }
- }
-
- feature {
- name: "preprocessor_defines"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-module-compile"
- flag_group {
- flag: "/D%{preprocessor_defines}"
- iterate_over: "preprocessor_defines"
- }
- }
- }
-
- # Tell Bazel to parse the output of /showIncludes
- feature {
- name: 'parse_showincludes'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-module-compile'
- action: 'c++-header-parsing'
- flag_group {
- flag: "/showIncludes"
- }
- }
- }
-
-
- feature {
- name: 'generate_pdb_file'
- requires: {
- feature: 'dbg'
- }
- requires: {
- feature: 'fastbuild'
- }
- }
-
- feature {
- name: 'shared_flag'
- flag_set {
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/DLL'
- }
- }
- }
-
- feature {
- name: 'linkstamps'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- expand_if_all_available: 'linkstamp_paths'
- flag_group {
- iterate_over: 'linkstamp_paths'
- flag: '%{linkstamp_paths}'
- }
- }
- }
-
- feature {
- name: 'output_execpath_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'archiver_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-static-library'
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'input_param_flags'
- flag_set {
- expand_if_all_available: 'interface_library_output_path'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/IMPLIB:%{interface_library_output_path}"
- }
- }
- flag_set {
- expand_if_all_available: 'libopts'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'libopts'
- flag: '%{libopts}'
- }
- }
- flag_set {
- expand_if_all_available: 'libraries_to_link'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- iterate_over: 'libraries_to_link'
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file_group'
- }
- iterate_over: 'libraries_to_link.object_files'
- flag_group {
- flag: '%{libraries_to_link.object_files}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'interface_library'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'static_library'
- }
- flag_group {
- expand_if_false: 'libraries_to_link.is_whole_archive'
- flag: '%{libraries_to_link.name}'
- }
- flag_group {
- expand_if_true: 'libraries_to_link.is_whole_archive'
- flag: '/WHOLEARCHIVE:%{libraries_to_link.name}'
- }
- }
- }
- }
- }
-
- # Since this feature is declared earlier in the CROSSTOOL than
- # "user_link_flags", this feature will be applied prior to it anwyhere they
- # are both implied. And since "user_link_flags" contains the linkopts from
- # the build rule, this allows the user to override the /SUBSYSTEM in the BUILD
- # file.
- feature {
- name: 'linker_subsystem_flag'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/SUBSYSTEM:CONSOLE'
- }
- }
- }
-
- # The "user_link_flags" contains user-defined linkopts (from build rules)
- # so it should be defined after features that declare user-overridable flags.
- # For example the "linker_subsystem_flag" defines a default "/SUBSYSTEM" flag
- # but we want to let the user override it, therefore "link_flag_subsystem" is
- # defined earlier in the CROSSTOOL file than "user_link_flags".
- feature {
- name: 'user_link_flags'
- flag_set {
- expand_if_all_available: 'user_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'user_link_flags'
- flag: '%{user_link_flags}'
- }
- }
- }
- feature {
- name: 'legacy_link_flags'
- flag_set {
- expand_if_all_available: 'legacy_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'legacy_link_flags'
- flag: '%{legacy_link_flags}'
- }
- }
- }
-
- feature {
- name: 'linker_param_file'
- flag_set {
- expand_if_all_available: 'linker_param_file'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- flag: '@%{linker_param_file}'
- }
- }
- }
-
- feature {
- name: 'static_link_msvcrt'
- }
-
- feature {
- name: 'static_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MT"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MD"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'static_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MTd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MDd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dbg'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FULL"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'fastbuild'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FASTLINK"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'opt'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/O2"
- flag: "/DNDEBUG"
- }
- }
- }
-
- feature {
- name: 'user_compile_flags'
- flag_set {
- expand_if_all_available: 'user_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'user_compile_flags'
- flag: '%{user_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'sysroot'
- flag_set {
- expand_if_all_available: 'sysroot'
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'sysroot'
- flag: '--sysroot=%{sysroot}'
- }
- }
- }
-
- feature {
- name: 'unfiltered_compile_flags'
- flag_set {
- expand_if_all_available: 'unfiltered_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'unfiltered_compile_flags'
- flag: '%{unfiltered_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'compiler_output_flags'
- flag_set {
- action: 'assemble'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- flag: '/Zi'
- }
- }
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_assembly_file'
- flag: '/Fa%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_preprocess_file'
- flag: '/P'
- flag: '/Fi%{output_file}'
- }
- }
- }
-
- feature {
- name: 'compiler_input_flags'
- flag_set {
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'source_file'
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- }
-
- feature {
- name : 'def_file',
- flag_set {
- expand_if_all_available: 'def_file_path'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEF:%{def_file_path}"
- # We can specify a different DLL name in DEF file, /ignore:4070 suppresses
- # the warning message about DLL name doesn't match the default one.
- # See https://msdn.microsoft.com/en-us/library/sfkk2fz7.aspx
- flag: "/ignore:4070"
- }
- }
- }
-
- feature {
- name: 'windows_export_all_symbols'
- }
-
- feature {
- name: 'no_windows_export_all_symbols'
- }
-
- linking_mode_flags { mode: DYNAMIC }
-}
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/clang/bin/crosstool_wrapper_driver_is_not_gcc b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/clang/bin/crosstool_wrapper_driver_is_not_gcc
deleted file mode 100755
index 63893d3..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/clang/bin/crosstool_wrapper_driver_is_not_gcc
+++ /dev/null
@@ -1,264 +0,0 @@
-#!/usr/bin/env python
-# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Crosstool wrapper for compiling CUDA programs.
-
-SYNOPSIS:
- crosstool_wrapper_is_not_gcc [options passed in by cc_library()
- or cc_binary() rule]
-
-DESCRIPTION:
- This script is expected to be called by the cc_library() or cc_binary() bazel
- rules. When the option "-x cuda" is present in the list of arguments passed
- to this script, it invokes the nvcc CUDA compiler. Most arguments are passed
- as is as a string to --compiler-options of nvcc. When "-x cuda" is not
- present, this wrapper invokes hybrid_driver_is_not_gcc with the input
- arguments as is.
-
-NOTES:
- Changes to the contents of this file must be propagated from
- //third_party/gpus/crosstool/crosstool_wrapper_is_not_gcc to
- //third_party/gpus/crosstool/v*/*/clang/bin/crosstool_wrapper_is_not_gcc
-"""
-
-from __future__ import print_function
-
-__author__ = 'keveman@google.com (Manjunath Kudlur)'
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by cuda_autoconf.
-CPU_COMPILER = ('/usr/bin/gcc')
-GCC_HOST_COMPILER_PATH = ('/usr/bin/gcc')
-
-NVCC_PATH = '/usr/local/cuda-9.0/bin/nvcc'
-PREFIX_DIR = os.path.dirname(GCC_HOST_COMPILER_PATH)
-NVCC_VERSION = '9.0'
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from the argv list.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- option: The option whose value to extract, without the leading '-'.
-
- Returns:
- A list of values, either directly following the option,
- (eg., -opt val1 val2) or values collected from multiple occurrences of
- the option (eg., -opt val1 -opt val2).
- """
-
- parser = ArgumentParser()
- parser.add_argument('-' + option, nargs='*', action='append')
- args, _ = parser.parse_known_args(argv)
- if not args or not vars(args)[option]:
- return []
- else:
- return sum(vars(args)[option], [])
-
-
-def GetHostCompilerOptions(argv):
- """Collect the -isystem, -iquote, and --sysroot option values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be used as the --compiler-options to nvcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-isystem', nargs='*', action='append')
- parser.add_argument('-iquote', nargs='*', action='append')
- parser.add_argument('--sysroot', nargs=1)
- parser.add_argument('-g', nargs='*', action='append')
- parser.add_argument('-fno-canonical-system-headers', action='store_true')
-
- args, _ = parser.parse_known_args(argv)
-
- opts = ''
-
- if args.isystem:
- opts += ' -isystem ' + ' -isystem '.join(sum(args.isystem, []))
- if args.iquote:
- opts += ' -iquote ' + ' -iquote '.join(sum(args.iquote, []))
- if args.g:
- opts += ' -g' + ' -g'.join(sum(args.g, []))
- if args.fno_canonical_system_headers:
- opts += ' -fno-canonical-system-headers'
- if args.sysroot:
- opts += ' --sysroot ' + args.sysroot[0]
-
- return opts
-
-def _update_options(nvcc_options):
- if NVCC_VERSION in ("7.0",):
- return nvcc_options
-
- update_options = { "relaxed-constexpr" : "expt-relaxed-constexpr" }
- return [ update_options[opt] if opt in update_options else opt
- for opt in nvcc_options ]
-
-def GetNvccOptions(argv):
- """Collect the -nvcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be passed directly to nvcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-nvcc_options', nargs='*', action='append')
-
- args, _ = parser.parse_known_args(argv)
-
- if args.nvcc_options:
- options = _update_options(sum(args.nvcc_options, []))
- return ' '.join(['--'+a for a in options])
- return ''
-
-
-def InvokeNvcc(argv, log=False):
- """Call nvcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('nvcc ' + args)
- """
-
- host_compiler_options = GetHostCompilerOptions(argv)
- nvcc_compiler_options = GetNvccOptions(argv)
- opt_option = GetOptionValue(argv, 'O')
- m_options = GetOptionValue(argv, 'm')
- m_options = ''.join([' -m' + m for m in m_options if m in ['32', '64']])
- include_options = GetOptionValue(argv, 'I')
- out_file = GetOptionValue(argv, 'o')
- depfiles = GetOptionValue(argv, 'MF')
- defines = GetOptionValue(argv, 'D')
- defines = ''.join([' -D' + define for define in defines])
- undefines = GetOptionValue(argv, 'U')
- undefines = ''.join([' -U' + define for define in undefines])
- std_options = GetOptionValue(argv, 'std')
- # currently only c++11 is supported by Cuda 7.0 std argument
- nvcc_allowed_std_options = ["c++11"]
- std_options = ''.join([' -std=' + define
- for define in std_options if define in nvcc_allowed_std_options])
-
- # The list of source files get passed after the -c option. I don't know of
- # any other reliable way to just get the list of source files to be compiled.
- src_files = GetOptionValue(argv, 'c')
-
- # Pass -w through from host to nvcc, but don't do anything fancier with
- # warnings-related flags, since they're not necessarily the same across
- # compilers.
- warning_options = ' -w' if '-w' in argv else ''
-
- if len(src_files) == 0:
- return 1
- if len(out_file) != 1:
- return 1
-
- opt = (' -O2' if (len(opt_option) > 0 and int(opt_option[0]) > 0)
- else ' -g -G')
-
- includes = (' -I ' + ' -I '.join(include_options)
- if len(include_options) > 0
- else '')
-
- # Unfortunately, there are other options that have -c prefix too.
- # So allowing only those look like C/C++ files.
- src_files = [f for f in src_files if
- re.search('\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)]
- srcs = ' '.join(src_files)
- out = ' -o ' + out_file[0]
-
- supported_cuda_compute_capabilities = [ "3.0" ]
- nvccopts = '-D_FORCE_INLINES '
- for capability in supported_cuda_compute_capabilities:
- capability = capability.replace('.', '')
- nvccopts += r'-gencode=arch=compute_%s,\"code=sm_%s,compute_%s\" ' % (
- capability, capability, capability)
- nvccopts += ' ' + nvcc_compiler_options
- nvccopts += undefines
- nvccopts += defines
- nvccopts += std_options
- nvccopts += m_options
- nvccopts += warning_options
-
- if depfiles:
- # Generate the dependency file
- depfile = depfiles[0]
- cmd = (NVCC_PATH + ' ' + nvccopts +
- ' --compiler-options "' + host_compiler_options + '"' +
- ' --compiler-bindir=' + GCC_HOST_COMPILER_PATH +
- ' -I .' +
- ' -x cu ' + opt + includes + ' ' + srcs + ' -M -o ' + depfile)
- if log: Log(cmd)
- exit_status = os.system(cmd)
- if exit_status != 0:
- return exit_status
-
- cmd = (NVCC_PATH + ' ' + nvccopts +
- ' --compiler-options "' + host_compiler_options + ' -fPIC"' +
- ' --compiler-bindir=' + GCC_HOST_COMPILER_PATH +
- ' -I .' +
- ' -x cu ' + opt + includes + ' -c ' + srcs + out)
-
- # TODO(zhengxq): for some reason, 'gcc' needs this help to find 'as'.
- # Need to investigate and fix.
- cmd = 'PATH=' + PREFIX_DIR + ':$PATH ' + cmd
- if log: Log(cmd)
- return os.system(cmd)
-
-
-def main():
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--cuda_log', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'cuda':
- if args.cuda_log: Log('-x cuda')
- leftover = [pipes.quote(s) for s in leftover]
- if args.cuda_log: Log('using nvcc')
- return InvokeNvcc(leftover, log=args.cuda_log)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x cuda. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--cuda_log'))]
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/windows/msvc_wrapper_for_nvcc.bat b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/windows/msvc_wrapper_for_nvcc.bat
deleted file mode 100755
index e896e65..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/windows/msvc_wrapper_for_nvcc.bat
+++ /dev/null
@@ -1,20 +0,0 @@
-:: Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-::
-:: Licensed under the Apache License, Version 2.0 (the "License");
-:: you may not use this file except in compliance with the License.
-:: You may obtain a copy of the License at
-::
-:: http://www.apache.org/licenses/LICENSE-2.0
-::
-:: Unless required by applicable law or agreed to in writing, software
-:: distributed under the License is distributed on an "AS IS" BASIS,
-:: WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-:: See the License for the specific language governing permissions and
-:: limitations under the License.
-:: =============================================================================
-
-:: Invoke msvc_wrapper_for_nvcc.py, which is located in the same directory.
-@echo OFF
-set arg0=%~0
-for %%F in ("%arg0%") do set DRIVER_BIN=%%~dpF
-"/usr/bin/python3" -B "%DRIVER_BIN%\msvc_wrapper_for_nvcc.py" %*
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/windows/msvc_wrapper_for_nvcc.py b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/windows/msvc_wrapper_for_nvcc.py
deleted file mode 100755
index b0b4a53..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc-cuda9.0/windows/msvc_wrapper_for_nvcc.py
+++ /dev/null
@@ -1,193 +0,0 @@
-#!/usr/bin/env python
-# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Crosstool wrapper for compiling CUDA programs with nvcc on Windows.
-
-DESCRIPTION:
- This script is the Windows version of //third_party/gpus/crosstool/crosstool_wrapper_is_not_gcc
-"""
-
-from __future__ import print_function
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by cuda_autoconf.
-CPU_COMPILER = ('/usr/bin/gcc')
-GCC_HOST_COMPILER_PATH = ('/usr/bin/gcc')
-
-NVCC_PATH = '/usr/local/cuda-9.0/bin/nvcc'
-NVCC_VERSION = '9.0'
-NVCC_TEMP_DIR = "C:\\Windows\\Temp\\nvcc_inter_files_tmp_dir"
-supported_cuda_compute_capabilities = [ "3.0" ]
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from options.
-
- Args:
- option: The option whose value to extract, without the leading '/'.
-
- Returns:
- 1. A list of values, either directly following the option,
- (eg., /opt val1 val2) or values collected from multiple occurrences of
- the option (eg., /opt val1 /opt val2).
- 2. The leftover options.
- """
-
- parser = ArgumentParser(prefix_chars='/')
- parser.add_argument('/' + option, nargs='*', action='append')
- args, leftover = parser.parse_known_args(argv)
- if args and vars(args)[option]:
- return (sum(vars(args)[option], []), leftover)
- return ([], leftover)
-
-def _update_options(nvcc_options):
- if NVCC_VERSION in ("7.0",):
- return nvcc_options
-
- update_options = { "relaxed-constexpr" : "expt-relaxed-constexpr" }
- return [ update_options[opt] if opt in update_options else opt
- for opt in nvcc_options ]
-
-def GetNvccOptions(argv):
- """Collect the -nvcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- 1. The string that can be passed directly to nvcc.
- 2. The leftover options.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-nvcc_options', nargs='*', action='append')
-
- args, leftover = parser.parse_known_args(argv)
-
- if args.nvcc_options:
- options = _update_options(sum(args.nvcc_options, []))
- return (['--' + a for a in options], leftover)
- return ([], leftover)
-
-
-def InvokeNvcc(argv, log=False):
- """Call nvcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('nvcc ' + args)
- """
-
- src_files = [
- f for f in argv if re.search(r'\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)
- ]
- if len(src_files) == 0:
- raise Error('No source files found for cuda compilation.')
-
- out_file = [ f for f in argv if f.startswith('/Fo') ]
- if len(out_file) != 1:
- raise Error('Please sepecify exactly one output file for cuda compilation.')
- out = ['-o', out_file[0][len('/Fo'):]]
-
- nvcc_compiler_options, argv = GetNvccOptions(argv)
-
- opt_option, argv = GetOptionValue(argv, 'O')
- opt = ['-g', '-G']
- if (len(opt_option) > 0 and opt_option[0] != 'd'):
- opt = ['-O2']
-
- include_options, argv = GetOptionValue(argv, 'I')
- includes = ["-I " + include for include in include_options]
-
- defines, argv = GetOptionValue(argv, 'D')
- defines = ['-D' + define for define in defines]
-
- undefines, argv = GetOptionValue(argv, 'U')
- undefines = ['-U' + define for define in undefines]
-
- # The rest of the unrecongized options should be passed to host compiler
- host_compiler_options = [option for option in argv if option not in (src_files + out_file)]
-
- m_options = ["-m64"]
-
- nvccopts = ['-D_FORCE_INLINES']
- for capability in supported_cuda_compute_capabilities:
- capability = capability.replace('.', '')
- nvccopts += [r'-gencode=arch=compute_%s,"code=sm_%s,compute_%s"' % (
- capability, capability, capability)]
- nvccopts += nvcc_compiler_options
- nvccopts += undefines
- nvccopts += defines
- nvccopts += m_options
- nvccopts += ['--compiler-options="' + " ".join(host_compiler_options) + '"']
- nvccopts += ['-x', 'cu'] + opt + includes + out + ['-c'] + src_files
- # If we don't specify --keep-dir, nvcc will generate intermediate files under TEMP
- # Put them under NVCC_TEMP_DIR instead, then Bazel can ignore files under NVCC_TEMP_DIR during dependency check
- # http://docs.nvidia.com/cuda/cuda-compiler-driver-nvcc/index.html#options-for-guiding-compiler-driver
- # Different actions are sharing NVCC_TEMP_DIR, so we cannot remove it if the directory already exists.
- if os.path.isfile(NVCC_TEMP_DIR):
- os.remove(NVCC_TEMP_DIR)
- if not os.path.exists(NVCC_TEMP_DIR):
- os.makedirs(NVCC_TEMP_DIR)
- nvccopts += ['--keep', '--keep-dir', NVCC_TEMP_DIR]
- cmd = [NVCC_PATH] + nvccopts
- if log:
- Log(cmd)
- proc = subprocess.Popen(cmd,
- stdout=sys.stdout,
- stderr=sys.stderr,
- env=os.environ.copy(),
- shell=True)
- proc.wait()
- return proc.returncode
-
-def main():
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--cuda_log', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'cuda':
- if args.cuda_log: Log('-x cuda')
- leftover = [pipes.quote(s) for s in leftover]
- if args.cuda_log: Log('using nvcc')
- return InvokeNvcc(leftover, log=args.cuda_log)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x cuda. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--cuda_log'))
- and not flag.startswith(('-nvcc_options'))]
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/BUILD b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/BUILD
deleted file mode 100755
index 6442e76..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/BUILD
+++ /dev/null
@@ -1,87 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-toolchain(
- name = "toolchain-linux-x86_64",
- exec_compatible_with = [
- "@bazel_tools//platforms:linux",
- "@bazel_tools//platforms:x86_64",
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:linux",
- "@bazel_tools//platforms:x86_64",
- ],
- toolchain = ":cc-compiler-local",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
-
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "local|compiler": ":cc-compiler-local",
- "darwin|compiler": ":cc-compiler-darwin",
- "x64_windows|msvc-cl": ":cc-compiler-windows",
- },
-)
-
-cc_toolchain(
- name = "cc-compiler-local",
- all_files = ":crosstool_wrapper_driver_is_not_gcc",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":crosstool_wrapper_driver_is_not_gcc",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- # To support linker flags that need to go to the start of command line
- # we need the toolchain to support parameter files. Parameter files are
- # last on the command line and contain all shared libraries to link, so all
- # regular options will be left of them.
- supports_param_files = 1,
-)
-
-cc_toolchain(
- name = "cc-compiler-darwin",
- all_files = ":crosstool_wrapper_driver_is_not_gcc",
- compiler_files = ":empty",
- cpu = "darwin",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":crosstool_wrapper_driver_is_not_gcc",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 0,
-)
-
-cc_toolchain(
- name = "cc-compiler-windows",
- all_files = ":windows_msvc_wrapper_files",
- compiler_files = ":empty",
- cpu = "x64_windows",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":windows_msvc_wrapper_files",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
-
-filegroup(
- name = "crosstool_wrapper_driver_is_not_gcc",
- srcs = ["clang/bin/crosstool_wrapper_driver_is_not_gcc"],
-)
-
-filegroup(
- name = "windows_msvc_wrapper_files",
- srcs = glob(["windows/msvc_*"]),
-)
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/CROSSTOOL b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/CROSSTOOL
deleted file mode 100755
index a14ecea..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/CROSSTOOL
+++ /dev/null
@@ -1,1410 +0,0 @@
-major_version: "local"
-minor_version: ""
-default_target_cpu: "same_as_host"
-
-default_toolchain {
- cpu: "k8"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "piii"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "arm"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "darwin"
- toolchain_identifier: "local_darwin"
-}
-default_toolchain {
- cpu: "ppc"
- toolchain_identifier: "local_linux"
-}
-default_toolchain {
- cpu: "x64_windows"
- toolchain_identifier: "local_windows"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "local"
- target_cpu: "local"
- target_system_name: "local"
- toolchain_identifier: "local_linux"
-
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lstdc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- feature {
- name: "alwayslink"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,-no-as-needed"
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- flag: "-Wl,-z,relro,-z,now"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
-
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "build-id"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- # Stamp the binary with a unique identifier.
- flag: "-Wl,--build-id=md5"
- flag: "-Wl,--hash-style=gnu"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag:"-no-canonical-prefixes"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-B/usr/bin"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "alwayslink"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "build-id"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-Wl,--gc-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "clang/bin/crosstool_wrapper_driver_is_not_gcc" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
-
- cxx_builtin_include_directory: "/"
-}
-
-toolchain {
- abi_version: "local"
- abi_libc_version: "local"
- compiler: "compiler"
- host_system_name: "local"
- needsPic: true
- target_libc: "macosx"
- target_cpu: "darwin"
- target_system_name: "local"
- toolchain_identifier: "local_darwin"
- feature {
- name: "c++11"
- flag_set {
- action: "c++-compile"
- flag_group {
- flag: "-std=c++11"
- }
- }
- }
-
- feature {
- name: "stdlib"
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-lc++"
- }
- }
- }
-
- feature {
- name: "determinism"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- flag: "-Wno-builtin-macro-redefined"
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- # This feature will be enabled for builds that support pic by bazel.
- feature {
- name: "pic"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- expand_if_all_available: "pic"
- flag: "-fPIC"
- }
- flag_group {
- expand_if_none_available: "pic"
- flag: "-fPIE"
- }
- }
- }
-
- # Security hardening on by default.
- feature {
- name: "hardening"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Conservative choice; -D_FORTIFY_SOURCE=2 may be unsafe in some cases.
- # We need to undef it before redefining it as some distributions now
- # have it enabled by default.
- flag: "-U_FORTIFY_SOURCE"
- flag: "-D_FORTIFY_SOURCE=1"
- flag: "-fstack-protector"
- }
- }
- flag_set {
- action: "c++-link-executable"
- flag_group {
- flag: "-pie"
- }
- }
- }
-
- feature {
- name: "warnings"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # All warnings are enabled. Maybe enable -Werror as well?
- flag: "-Wall"
-
- }
- }
- }
-
- # Keep stack frames for debugging, even in opt mode.
- feature {
- name: "frame-pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-fno-omit-frame-pointer"
- }
- }
- }
-
- feature {
- name: "no-canonical-prefixes"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag:"-no-canonical-prefixes"
- }
- }
- }
-
- feature {
- name: "disable-assertions"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-DNDEBUG"
- }
- }
- }
-
- feature {
- name: "linker-bin-path"
-
- flag_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "-B/usr/bin"
- }
- }
- }
-
- feature {
- name: "undefined-dynamic"
- flag_set {
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-executable"
- flag_group {
- flag: "-undefined"
- flag: "dynamic_lookup"
- }
- }
- }
-
- feature {
- name: "common"
- implies: "stdlib"
- implies: "c++11"
- implies: "determinism"
- implies: "hardening"
- implies: "warnings"
- implies: "frame-pointer"
- implies: "no-canonical-prefixes"
- implies: "linker-bin-path"
- implies: "undefined-dynamic"
- }
-
- feature {
- name: "opt"
- implies: "common"
- implies: "disable-assertions"
-
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # No debug symbols.
- # Maybe we should enable https://gcc.gnu.org/wiki/DebugFission for opt
- # or even generally? However, that can't happen here, as it requires
- # special handling in Bazel.
- flag: "-g0"
-
- # Conservative choice for -O
- # -O3 can increase binary size and even slow down the resulting binaries.
- # Profile first and / or use FDO if you need better performance than this.
- flag: "-O2"
-
- # Removal of unused code and data at link time (can this increase binary size in some cases?).
- flag: "-ffunction-sections"
- flag: "-fdata-sections"
- }
- }
- }
-
- feature {
- name: "fastbuild"
- implies: "common"
- }
-
- feature {
- name: "dbg"
- implies: "common"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "-g"
- }
- }
- }
-
- # Set clang as a C/C++ compiler.
- tool_path { name: "gcc" path: "clang/bin/crosstool_wrapper_driver_is_not_gcc" }
-
- # Use the default system toolchain for everything else.
- tool_path { name: "ar" path: "/usr/bin/libtool" }
- tool_path { name: "compat-ld" path: "/usr/bin/ld" }
- tool_path { name: "cpp" path: "/usr/bin/cpp" }
- tool_path { name: "dwp" path: "/usr/bin/dwp" }
- tool_path { name: "gcov" path: "/usr/bin/gcov" }
- tool_path { name: "ld" path: "/usr/bin/ld" }
- tool_path { name: "nm" path: "/usr/bin/nm" }
- tool_path { name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path { name: "objdump" path: "/usr/bin/objdump" }
- tool_path { name: "strip" path: "/usr/bin/strip" }
-
- # Enabled dynamic linking.
- linking_mode_flags { mode: DYNAMIC }
-
-
- cxx_builtin_include_directory: "/"
-}
-
-toolchain {
- toolchain_identifier: "local_windows"
- host_system_name: "local"
- target_system_name: "local"
-
- abi_version: "local"
- abi_libc_version: "local"
- target_cpu: "x64_windows"
- compiler: "msvc-cl"
- target_libc: "msvcrt"
-
-
-
- tool_path {
- name: "ar"
- path: ""
- }
- tool_path {
- name: "ml"
- path: ""
- }
- tool_path {
- name: "cpp"
- path: ""
- }
- tool_path {
- name: "gcc"
- path: ""
- }
- tool_path {
- name: "gcov"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "ld"
- path: ""
- }
- tool_path {
- name: "nm"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objcopy"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objdump"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "strip"
- path: "wrapper/bin/msvc_nop.bat"
- }
- supports_interface_shared_objects: true
-
- # TODO(pcloudy): Review those flags below, they should be defined by cl.exe
- compiler_flag: "/DCOMPILER_MSVC"
-
- # Don't define min/max macros in windows.h.
- compiler_flag: "/DNOMINMAX"
-
- # Platform defines.
- compiler_flag: "/D_WIN32_WINNT=0x0600"
- # Turn off warning messages.
- compiler_flag: "/D_CRT_SECURE_NO_DEPRECATE"
- compiler_flag: "/D_CRT_SECURE_NO_WARNINGS"
- compiler_flag: "/D_SILENCE_STDEXT_HASH_DEPRECATION_WARNINGS"
-
- # Useful options to have on for compilation.
- # Increase the capacity of object files to 2^32 sections.
- compiler_flag: "/bigobj"
- # Allocate 500MB for precomputed headers.
- compiler_flag: "/Zm500"
- # Use unsigned char by default.
- compiler_flag: "/J"
- # Use function level linking.
- compiler_flag: "/Gy"
- # Use string pooling.
- compiler_flag: "/GF"
- # Catch C++ exceptions only and tell the compiler to assume that functions declared
- # as extern "C" never throw a C++ exception.
- compiler_flag: "/EHsc"
-
- # Globally disabled warnings.
- # Don't warn about elements of array being be default initialized.
- compiler_flag: "/wd4351"
- # Don't warn about no matching delete found.
- compiler_flag: "/wd4291"
- # Don't warn about diamond inheritance patterns.
- compiler_flag: "/wd4250"
- # Don't warn about insecure functions (e.g. non _s functions).
- compiler_flag: "/wd4996"
-
- linker_flag: "/MACHINE:X64"
-
- feature {
- name: "no_legacy_features"
- }
-
- # Suppress startup banner.
- feature {
- name: "nologo"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- flag_group {
- flag: "/nologo"
- }
- }
- }
-
- feature {
- name: 'has_configured_linker_path'
- }
-
- # This feature indicates strip is not supported, building stripped binary will just result a copy of orignial binary
- feature {
- name: 'no_stripping'
- }
-
- # This feature indicates this is a toolchain targeting Windows.
- feature {
- name: 'targets_windows'
- implies: 'copy_dynamic_libraries_to_binary'
- enabled: true
- }
-
- feature {
- name: 'copy_dynamic_libraries_to_binary'
- }
-
- action_config {
- config_name: 'assemble'
- action_name: 'assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'preprocess-assemble'
- action_name: 'preprocess-assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'c-compile'
- action_name: 'c-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-compile'
- action_name: 'c++-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-link-executable'
- action_name: 'c++-link-executable'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- }
-
- action_config {
- config_name: 'c++-link-dynamic-library'
- action_name: 'c++-link-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-nodeps-dynamic-library'
- action_name: 'c++-link-nodeps-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-static-library'
- action_name: 'c++-link-static-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'archiver_flags'
- implies: 'input_param_flags'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- }
-
- # TODO(b/65151735): Remove legacy_compile_flags feature when legacy fields are
- # not used in this crosstool
- feature {
- name: 'legacy_compile_flags'
- flag_set {
- expand_if_all_available: 'legacy_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'legacy_compile_flags'
- flag: '%{legacy_compile_flags}'
- }
- }
- }
-
- feature {
- name: "msvc_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "PATH"
- value: ""
- }
- env_entry {
- key: "INCLUDE"
- value: ""
- }
- env_entry {
- key: "LIB"
- value: ""
- }
- env_entry {
- key: "TMP"
- value: ""
- }
- env_entry {
- key: "TEMP"
- value: ""
- }
- }
- }
-
- feature {
- name: 'include_paths'
- flag_set {
- action: "assemble"
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- flag_group {
- iterate_over: 'quote_include_paths'
- flag: '/I%{quote_include_paths}'
- }
- flag_group {
- iterate_over: 'include_paths'
- flag: '/I%{include_paths}'
- }
- flag_group {
- iterate_over: 'system_include_paths'
- flag: '/I%{system_include_paths}'
- }
- }
- }
-
- feature {
- name: "preprocessor_defines"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-module-compile"
- flag_group {
- flag: "/D%{preprocessor_defines}"
- iterate_over: "preprocessor_defines"
- }
- }
- }
-
- # Tell Bazel to parse the output of /showIncludes
- feature {
- name: 'parse_showincludes'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-module-compile'
- action: 'c++-header-parsing'
- flag_group {
- flag: "/showIncludes"
- }
- }
- }
-
-
- feature {
- name: 'generate_pdb_file'
- requires: {
- feature: 'dbg'
- }
- requires: {
- feature: 'fastbuild'
- }
- }
-
- feature {
- name: 'shared_flag'
- flag_set {
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/DLL'
- }
- }
- }
-
- feature {
- name: 'linkstamps'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- expand_if_all_available: 'linkstamp_paths'
- flag_group {
- iterate_over: 'linkstamp_paths'
- flag: '%{linkstamp_paths}'
- }
- }
- }
-
- feature {
- name: 'output_execpath_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'archiver_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-static-library'
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'input_param_flags'
- flag_set {
- expand_if_all_available: 'interface_library_output_path'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/IMPLIB:%{interface_library_output_path}"
- }
- }
- flag_set {
- expand_if_all_available: 'libopts'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'libopts'
- flag: '%{libopts}'
- }
- }
- flag_set {
- expand_if_all_available: 'libraries_to_link'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- iterate_over: 'libraries_to_link'
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file_group'
- }
- iterate_over: 'libraries_to_link.object_files'
- flag_group {
- flag: '%{libraries_to_link.object_files}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'interface_library'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'static_library'
- }
- flag_group {
- expand_if_false: 'libraries_to_link.is_whole_archive'
- flag: '%{libraries_to_link.name}'
- }
- flag_group {
- expand_if_true: 'libraries_to_link.is_whole_archive'
- flag: '/WHOLEARCHIVE:%{libraries_to_link.name}'
- }
- }
- }
- }
- }
-
- # Since this feature is declared earlier in the CROSSTOOL than
- # "user_link_flags", this feature will be applied prior to it anwyhere they
- # are both implied. And since "user_link_flags" contains the linkopts from
- # the build rule, this allows the user to override the /SUBSYSTEM in the BUILD
- # file.
- feature {
- name: 'linker_subsystem_flag'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/SUBSYSTEM:CONSOLE'
- }
- }
- }
-
- # The "user_link_flags" contains user-defined linkopts (from build rules)
- # so it should be defined after features that declare user-overridable flags.
- # For example the "linker_subsystem_flag" defines a default "/SUBSYSTEM" flag
- # but we want to let the user override it, therefore "link_flag_subsystem" is
- # defined earlier in the CROSSTOOL file than "user_link_flags".
- feature {
- name: 'user_link_flags'
- flag_set {
- expand_if_all_available: 'user_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'user_link_flags'
- flag: '%{user_link_flags}'
- }
- }
- }
- feature {
- name: 'legacy_link_flags'
- flag_set {
- expand_if_all_available: 'legacy_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'legacy_link_flags'
- flag: '%{legacy_link_flags}'
- }
- }
- }
-
- feature {
- name: 'linker_param_file'
- flag_set {
- expand_if_all_available: 'linker_param_file'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- flag: '@%{linker_param_file}'
- }
- }
- }
-
- feature {
- name: 'static_link_msvcrt'
- }
-
- feature {
- name: 'static_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MT"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MD"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'static_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MTd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MDd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dbg'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FULL"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'fastbuild'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- flag: "/DDEBUG"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FASTLINK"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'opt'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/O2"
- flag: "/DNDEBUG"
- }
- }
- }
-
- feature {
- name: 'user_compile_flags'
- flag_set {
- expand_if_all_available: 'user_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'user_compile_flags'
- flag: '%{user_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'sysroot'
- flag_set {
- expand_if_all_available: 'sysroot'
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'sysroot'
- flag: '--sysroot=%{sysroot}'
- }
- }
- }
-
- feature {
- name: 'unfiltered_compile_flags'
- flag_set {
- expand_if_all_available: 'unfiltered_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'unfiltered_compile_flags'
- flag: '%{unfiltered_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'compiler_output_flags'
- flag_set {
- action: 'assemble'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- flag: '/Zi'
- }
- }
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_assembly_file'
- flag: '/Fa%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_preprocess_file'
- flag: '/P'
- flag: '/Fi%{output_file}'
- }
- }
- }
-
- feature {
- name: 'compiler_input_flags'
- flag_set {
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'source_file'
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- }
-
- feature {
- name : 'def_file',
- flag_set {
- expand_if_all_available: 'def_file_path'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEF:%{def_file_path}"
- # We can specify a different DLL name in DEF file, /ignore:4070 suppresses
- # the warning message about DLL name doesn't match the default one.
- # See https://msdn.microsoft.com/en-us/library/sfkk2fz7.aspx
- flag: "/ignore:4070"
- }
- }
- }
-
- feature {
- name: 'windows_export_all_symbols'
- }
-
- feature {
- name: 'no_windows_export_all_symbols'
- }
-
- linking_mode_flags { mode: DYNAMIC }
-}
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/clang/bin/crosstool_wrapper_driver_is_not_gcc b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/clang/bin/crosstool_wrapper_driver_is_not_gcc
deleted file mode 100755
index 1923141..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/clang/bin/crosstool_wrapper_driver_is_not_gcc
+++ /dev/null
@@ -1,264 +0,0 @@
-#!/usr/bin/env python
-# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Crosstool wrapper for compiling CUDA programs.
-
-SYNOPSIS:
- crosstool_wrapper_is_not_gcc [options passed in by cc_library()
- or cc_binary() rule]
-
-DESCRIPTION:
- This script is expected to be called by the cc_library() or cc_binary() bazel
- rules. When the option "-x cuda" is present in the list of arguments passed
- to this script, it invokes the nvcc CUDA compiler. Most arguments are passed
- as is as a string to --compiler-options of nvcc. When "-x cuda" is not
- present, this wrapper invokes hybrid_driver_is_not_gcc with the input
- arguments as is.
-
-NOTES:
- Changes to the contents of this file must be propagated from
- //third_party/gpus/crosstool/crosstool_wrapper_is_not_gcc to
- //third_party/gpus/crosstool/v*/*/clang/bin/crosstool_wrapper_is_not_gcc
-"""
-
-from __future__ import print_function
-
-__author__ = 'keveman@google.com (Manjunath Kudlur)'
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by cuda_autoconf.
-CPU_COMPILER = ('/usr/bin/gcc')
-GCC_HOST_COMPILER_PATH = ('/usr/bin/gcc')
-
-NVCC_PATH = '/usr/local/cuda/bin/nvcc'
-PREFIX_DIR = os.path.dirname(GCC_HOST_COMPILER_PATH)
-NVCC_VERSION = '10.0'
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from the argv list.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- option: The option whose value to extract, without the leading '-'.
-
- Returns:
- A list of values, either directly following the option,
- (eg., -opt val1 val2) or values collected from multiple occurrences of
- the option (eg., -opt val1 -opt val2).
- """
-
- parser = ArgumentParser()
- parser.add_argument('-' + option, nargs='*', action='append')
- args, _ = parser.parse_known_args(argv)
- if not args or not vars(args)[option]:
- return []
- else:
- return sum(vars(args)[option], [])
-
-
-def GetHostCompilerOptions(argv):
- """Collect the -isystem, -iquote, and --sysroot option values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be used as the --compiler-options to nvcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-isystem', nargs='*', action='append')
- parser.add_argument('-iquote', nargs='*', action='append')
- parser.add_argument('--sysroot', nargs=1)
- parser.add_argument('-g', nargs='*', action='append')
- parser.add_argument('-fno-canonical-system-headers', action='store_true')
-
- args, _ = parser.parse_known_args(argv)
-
- opts = ''
-
- if args.isystem:
- opts += ' -isystem ' + ' -isystem '.join(sum(args.isystem, []))
- if args.iquote:
- opts += ' -iquote ' + ' -iquote '.join(sum(args.iquote, []))
- if args.g:
- opts += ' -g' + ' -g'.join(sum(args.g, []))
- if args.fno_canonical_system_headers:
- opts += ' -fno-canonical-system-headers'
- if args.sysroot:
- opts += ' --sysroot ' + args.sysroot[0]
-
- return opts
-
-def _update_options(nvcc_options):
- if NVCC_VERSION in ("7.0",):
- return nvcc_options
-
- update_options = { "relaxed-constexpr" : "expt-relaxed-constexpr" }
- return [ update_options[opt] if opt in update_options else opt
- for opt in nvcc_options ]
-
-def GetNvccOptions(argv):
- """Collect the -nvcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- The string that can be passed directly to nvcc.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-nvcc_options', nargs='*', action='append')
-
- args, _ = parser.parse_known_args(argv)
-
- if args.nvcc_options:
- options = _update_options(sum(args.nvcc_options, []))
- return ' '.join(['--'+a for a in options])
- return ''
-
-
-def InvokeNvcc(argv, log=False):
- """Call nvcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('nvcc ' + args)
- """
-
- host_compiler_options = GetHostCompilerOptions(argv)
- nvcc_compiler_options = GetNvccOptions(argv)
- opt_option = GetOptionValue(argv, 'O')
- m_options = GetOptionValue(argv, 'm')
- m_options = ''.join([' -m' + m for m in m_options if m in ['32', '64']])
- include_options = GetOptionValue(argv, 'I')
- out_file = GetOptionValue(argv, 'o')
- depfiles = GetOptionValue(argv, 'MF')
- defines = GetOptionValue(argv, 'D')
- defines = ''.join([' -D' + define for define in defines])
- undefines = GetOptionValue(argv, 'U')
- undefines = ''.join([' -U' + define for define in undefines])
- std_options = GetOptionValue(argv, 'std')
- # currently only c++11 is supported by Cuda 7.0 std argument
- nvcc_allowed_std_options = ["c++11"]
- std_options = ''.join([' -std=' + define
- for define in std_options if define in nvcc_allowed_std_options])
-
- # The list of source files get passed after the -c option. I don't know of
- # any other reliable way to just get the list of source files to be compiled.
- src_files = GetOptionValue(argv, 'c')
-
- # Pass -w through from host to nvcc, but don't do anything fancier with
- # warnings-related flags, since they're not necessarily the same across
- # compilers.
- warning_options = ' -w' if '-w' in argv else ''
-
- if len(src_files) == 0:
- return 1
- if len(out_file) != 1:
- return 1
-
- opt = (' -O2' if (len(opt_option) > 0 and int(opt_option[0]) > 0)
- else ' -g -G')
-
- includes = (' -I ' + ' -I '.join(include_options)
- if len(include_options) > 0
- else '')
-
- # Unfortunately, there are other options that have -c prefix too.
- # So allowing only those look like C/C++ files.
- src_files = [f for f in src_files if
- re.search('\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)]
- srcs = ' '.join(src_files)
- out = ' -o ' + out_file[0]
-
- supported_cuda_compute_capabilities = [ "3.0" ]
- nvccopts = '-D_FORCE_INLINES '
- for capability in supported_cuda_compute_capabilities:
- capability = capability.replace('.', '')
- nvccopts += r'-gencode=arch=compute_%s,\"code=sm_%s,compute_%s\" ' % (
- capability, capability, capability)
- nvccopts += ' ' + nvcc_compiler_options
- nvccopts += undefines
- nvccopts += defines
- nvccopts += std_options
- nvccopts += m_options
- nvccopts += warning_options
-
- if depfiles:
- # Generate the dependency file
- depfile = depfiles[0]
- cmd = (NVCC_PATH + ' ' + nvccopts +
- ' --compiler-options "' + host_compiler_options + '"' +
- ' --compiler-bindir=' + GCC_HOST_COMPILER_PATH +
- ' -I .' +
- ' -x cu ' + opt + includes + ' ' + srcs + ' -M -o ' + depfile)
- if log: Log(cmd)
- exit_status = os.system(cmd)
- if exit_status != 0:
- return exit_status
-
- cmd = (NVCC_PATH + ' ' + nvccopts +
- ' --compiler-options "' + host_compiler_options + ' -fPIC"' +
- ' --compiler-bindir=' + GCC_HOST_COMPILER_PATH +
- ' -I .' +
- ' -x cu ' + opt + includes + ' -c ' + srcs + out)
-
- # TODO(zhengxq): for some reason, 'gcc' needs this help to find 'as'.
- # Need to investigate and fix.
- cmd = 'PATH=' + PREFIX_DIR + ':$PATH ' + cmd
- if log: Log(cmd)
- return os.system(cmd)
-
-
-def main():
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--cuda_log', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'cuda':
- if args.cuda_log: Log('-x cuda')
- leftover = [pipes.quote(s) for s in leftover]
- if args.cuda_log: Log('using nvcc')
- return InvokeNvcc(leftover, log=args.cuda_log)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x cuda. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--cuda_log'))]
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/windows/msvc_wrapper_for_nvcc.bat b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/windows/msvc_wrapper_for_nvcc.bat
deleted file mode 100755
index e896e65..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/windows/msvc_wrapper_for_nvcc.bat
+++ /dev/null
@@ -1,20 +0,0 @@
-:: Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-::
-:: Licensed under the Apache License, Version 2.0 (the "License");
-:: you may not use this file except in compliance with the License.
-:: You may obtain a copy of the License at
-::
-:: http://www.apache.org/licenses/LICENSE-2.0
-::
-:: Unless required by applicable law or agreed to in writing, software
-:: distributed under the License is distributed on an "AS IS" BASIS,
-:: WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-:: See the License for the specific language governing permissions and
-:: limitations under the License.
-:: =============================================================================
-
-:: Invoke msvc_wrapper_for_nvcc.py, which is located in the same directory.
-@echo OFF
-set arg0=%~0
-for %%F in ("%arg0%") do set DRIVER_BIN=%%~dpF
-"/usr/bin/python3" -B "%DRIVER_BIN%\msvc_wrapper_for_nvcc.py" %*
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/windows/msvc_wrapper_for_nvcc.py b/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/windows/msvc_wrapper_for_nvcc.py
deleted file mode 100755
index b0b4a53..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/gcc-nvcc/windows/msvc_wrapper_for_nvcc.py
+++ /dev/null
@@ -1,193 +0,0 @@
-#!/usr/bin/env python
-# Copyright 2015 The TensorFlow Authors. All Rights Reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-# ==============================================================================
-
-"""Crosstool wrapper for compiling CUDA programs with nvcc on Windows.
-
-DESCRIPTION:
- This script is the Windows version of //third_party/gpus/crosstool/crosstool_wrapper_is_not_gcc
-"""
-
-from __future__ import print_function
-
-from argparse import ArgumentParser
-import os
-import subprocess
-import re
-import sys
-import pipes
-
-# Template values set by cuda_autoconf.
-CPU_COMPILER = ('/usr/bin/gcc')
-GCC_HOST_COMPILER_PATH = ('/usr/bin/gcc')
-
-NVCC_PATH = '/usr/local/cuda-9.0/bin/nvcc'
-NVCC_VERSION = '9.0'
-NVCC_TEMP_DIR = "C:\\Windows\\Temp\\nvcc_inter_files_tmp_dir"
-supported_cuda_compute_capabilities = [ "3.0" ]
-
-def Log(s):
- print('gpus/crosstool: {0}'.format(s))
-
-
-def GetOptionValue(argv, option):
- """Extract the list of values for option from options.
-
- Args:
- option: The option whose value to extract, without the leading '/'.
-
- Returns:
- 1. A list of values, either directly following the option,
- (eg., /opt val1 val2) or values collected from multiple occurrences of
- the option (eg., /opt val1 /opt val2).
- 2. The leftover options.
- """
-
- parser = ArgumentParser(prefix_chars='/')
- parser.add_argument('/' + option, nargs='*', action='append')
- args, leftover = parser.parse_known_args(argv)
- if args and vars(args)[option]:
- return (sum(vars(args)[option], []), leftover)
- return ([], leftover)
-
-def _update_options(nvcc_options):
- if NVCC_VERSION in ("7.0",):
- return nvcc_options
-
- update_options = { "relaxed-constexpr" : "expt-relaxed-constexpr" }
- return [ update_options[opt] if opt in update_options else opt
- for opt in nvcc_options ]
-
-def GetNvccOptions(argv):
- """Collect the -nvcc_options values from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
-
- Returns:
- 1. The string that can be passed directly to nvcc.
- 2. The leftover options.
- """
-
- parser = ArgumentParser()
- parser.add_argument('-nvcc_options', nargs='*', action='append')
-
- args, leftover = parser.parse_known_args(argv)
-
- if args.nvcc_options:
- options = _update_options(sum(args.nvcc_options, []))
- return (['--' + a for a in options], leftover)
- return ([], leftover)
-
-
-def InvokeNvcc(argv, log=False):
- """Call nvcc with arguments assembled from argv.
-
- Args:
- argv: A list of strings, possibly the argv passed to main().
- log: True if logging is requested.
-
- Returns:
- The return value of calling os.system('nvcc ' + args)
- """
-
- src_files = [
- f for f in argv if re.search(r'\.cpp$|\.cc$|\.c$|\.cxx$|\.C$', f)
- ]
- if len(src_files) == 0:
- raise Error('No source files found for cuda compilation.')
-
- out_file = [ f for f in argv if f.startswith('/Fo') ]
- if len(out_file) != 1:
- raise Error('Please sepecify exactly one output file for cuda compilation.')
- out = ['-o', out_file[0][len('/Fo'):]]
-
- nvcc_compiler_options, argv = GetNvccOptions(argv)
-
- opt_option, argv = GetOptionValue(argv, 'O')
- opt = ['-g', '-G']
- if (len(opt_option) > 0 and opt_option[0] != 'd'):
- opt = ['-O2']
-
- include_options, argv = GetOptionValue(argv, 'I')
- includes = ["-I " + include for include in include_options]
-
- defines, argv = GetOptionValue(argv, 'D')
- defines = ['-D' + define for define in defines]
-
- undefines, argv = GetOptionValue(argv, 'U')
- undefines = ['-U' + define for define in undefines]
-
- # The rest of the unrecongized options should be passed to host compiler
- host_compiler_options = [option for option in argv if option not in (src_files + out_file)]
-
- m_options = ["-m64"]
-
- nvccopts = ['-D_FORCE_INLINES']
- for capability in supported_cuda_compute_capabilities:
- capability = capability.replace('.', '')
- nvccopts += [r'-gencode=arch=compute_%s,"code=sm_%s,compute_%s"' % (
- capability, capability, capability)]
- nvccopts += nvcc_compiler_options
- nvccopts += undefines
- nvccopts += defines
- nvccopts += m_options
- nvccopts += ['--compiler-options="' + " ".join(host_compiler_options) + '"']
- nvccopts += ['-x', 'cu'] + opt + includes + out + ['-c'] + src_files
- # If we don't specify --keep-dir, nvcc will generate intermediate files under TEMP
- # Put them under NVCC_TEMP_DIR instead, then Bazel can ignore files under NVCC_TEMP_DIR during dependency check
- # http://docs.nvidia.com/cuda/cuda-compiler-driver-nvcc/index.html#options-for-guiding-compiler-driver
- # Different actions are sharing NVCC_TEMP_DIR, so we cannot remove it if the directory already exists.
- if os.path.isfile(NVCC_TEMP_DIR):
- os.remove(NVCC_TEMP_DIR)
- if not os.path.exists(NVCC_TEMP_DIR):
- os.makedirs(NVCC_TEMP_DIR)
- nvccopts += ['--keep', '--keep-dir', NVCC_TEMP_DIR]
- cmd = [NVCC_PATH] + nvccopts
- if log:
- Log(cmd)
- proc = subprocess.Popen(cmd,
- stdout=sys.stdout,
- stderr=sys.stderr,
- env=os.environ.copy(),
- shell=True)
- proc.wait()
- return proc.returncode
-
-def main():
- parser = ArgumentParser()
- parser.add_argument('-x', nargs=1)
- parser.add_argument('--cuda_log', action='store_true')
- args, leftover = parser.parse_known_args(sys.argv[1:])
-
- if args.x and args.x[0] == 'cuda':
- if args.cuda_log: Log('-x cuda')
- leftover = [pipes.quote(s) for s in leftover]
- if args.cuda_log: Log('using nvcc')
- return InvokeNvcc(leftover, log=args.cuda_log)
-
- # Strip our flags before passing through to the CPU compiler for files which
- # are not -x cuda. We can't just pass 'leftover' because it also strips -x.
- # We not only want to pass -x to the CPU compiler, but also keep it in its
- # relative location in the argv list (the compiler is actually sensitive to
- # this).
- cpu_compiler_flags = [flag for flag in sys.argv[1:]
- if not flag.startswith(('--cuda_log'))
- and not flag.startswith(('-nvcc_options'))]
-
- return subprocess.call([CPU_COMPILER] + cpu_compiler_flags)
-
-if __name__ == '__main__':
- sys.exit(main())
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/nccl2/BUILD b/third_party/toolchains/preconfig/ubuntu14.04/nccl2/BUILD
deleted file mode 100755
index 96ed60d..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/nccl2/BUILD
+++ /dev/null
@@ -1,25 +0,0 @@
-filegroup(
- name = "LICENSE",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "nccl",
- srcs = ["libnccl.so.2"],
- hdrs = ["nccl.h"],
- include_prefix = "third_party/nccl",
- visibility = ["//visibility:public"],
- deps = [
- "@local_config_cuda//cuda:cuda_headers",
- ],
-)
-
-genrule(
- name = "nccl-files",
- outs = [
- "libnccl.so.2",
- "nccl.h",
- ],
- cmd = """cp "/usr/include/nccl.h" "$(@D)/nccl.h" &&
- cp "/usr/lib/libnccl.so.2" "$(@D)/libnccl.so.2" """,
-)
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/nccl2/WORKSPACE b/third_party/toolchains/preconfig/ubuntu14.04/nccl2/WORKSPACE
deleted file mode 100644
index 1e6662a..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/nccl2/WORKSPACE
+++ /dev/null
@@ -1,2 +0,0 @@
-# DO NOT EDIT: automatically generated WORKSPACE file for nccl_configure rule
-workspace(name = "local_config_nccl")
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/py3/BUILD b/third_party/toolchains/preconfig/ubuntu14.04/py3/BUILD
deleted file mode 100755
index 460c879..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/py3/BUILD
+++ /dev/null
@@ -1,176 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-# To build Python C/C++ extension on Windows, we need to link to python import library pythonXY.lib
-# See https://docs.python.org/3/extending/windows.html
-cc_import(
- name = "python_lib",
- interface_library = select({
- ":windows": ":python_import_lib",
- # A placeholder for Unix platforms which makes --no_build happy.
- "//conditions:default": "not-existing.lib",
- }),
- system_provided = 1,
-)
-
-cc_library(
- name = "python_headers",
- hdrs = [":python_include"],
- includes = ["python_include"],
- deps = select({
- ":windows": [":python_lib"],
- "//conditions:default": [],
- }),
-)
-
-cc_library(
- name = "numpy_headers",
- hdrs = [":numpy_include"],
- includes = ["numpy_include"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "python_include",
- outs = [
- "python_include/Python-ast.h",
- "python_include/Python.h",
- "python_include/abstract.h",
- "python_include/accu.h",
- "python_include/asdl.h",
- "python_include/ast.h",
- "python_include/bitset.h",
- "python_include/bltinmodule.h",
- "python_include/boolobject.h",
- "python_include/bytearrayobject.h",
- "python_include/bytes_methods.h",
- "python_include/bytesobject.h",
- "python_include/cellobject.h",
- "python_include/ceval.h",
- "python_include/classobject.h",
- "python_include/code.h",
- "python_include/codecs.h",
- "python_include/compile.h",
- "python_include/complexobject.h",
- "python_include/datetime.h",
- "python_include/descrobject.h",
- "python_include/dictobject.h",
- "python_include/dtoa.h",
- "python_include/dynamic_annotations.h",
- "python_include/enumobject.h",
- "python_include/errcode.h",
- "python_include/eval.h",
- "python_include/fileobject.h",
- "python_include/fileutils.h",
- "python_include/floatobject.h",
- "python_include/frameobject.h",
- "python_include/funcobject.h",
- "python_include/genobject.h",
- "python_include/graminit.h",
- "python_include/grammar.h",
- "python_include/import.h",
- "python_include/intrcheck.h",
- "python_include/iterobject.h",
- "python_include/listobject.h",
- "python_include/longintrepr.h",
- "python_include/longobject.h",
- "python_include/marshal.h",
- "python_include/memoryobject.h",
- "python_include/metagrammar.h",
- "python_include/methodobject.h",
- "python_include/modsupport.h",
- "python_include/moduleobject.h",
- "python_include/namespaceobject.h",
- "python_include/node.h",
- "python_include/object.h",
- "python_include/objimpl.h",
- "python_include/opcode.h",
- "python_include/osdefs.h",
- "python_include/parsetok.h",
- "python_include/patchlevel.h",
- "python_include/pgen.h",
- "python_include/pgenheaders.h",
- "python_include/py_curses.h",
- "python_include/pyarena.h",
- "python_include/pyatomic.h",
- "python_include/pycapsule.h",
- "python_include/pyconfig.h",
- "python_include/pyctype.h",
- "python_include/pydebug.h",
- "python_include/pyerrors.h",
- "python_include/pyexpat.h",
- "python_include/pyfpe.h",
- "python_include/pygetopt.h",
- "python_include/pyhash.h",
- "python_include/pymacconfig.h",
- "python_include/pymacro.h",
- "python_include/pymath.h",
- "python_include/pymem.h",
- "python_include/pyport.h",
- "python_include/pystate.h",
- "python_include/pystrcmp.h",
- "python_include/pystrtod.h",
- "python_include/pythonrun.h",
- "python_include/pythread.h",
- "python_include/pytime.h",
- "python_include/rangeobject.h",
- "python_include/setobject.h",
- "python_include/sliceobject.h",
- "python_include/structmember.h",
- "python_include/structseq.h",
- "python_include/symtable.h",
- "python_include/sysmodule.h",
- "python_include/token.h",
- "python_include/traceback.h",
- "python_include/tupleobject.h",
- "python_include/typeslots.h",
- "python_include/ucnhash.h",
- "python_include/unicodeobject.h",
- "python_include/warnings.h",
- "python_include/weakrefobject.h",
- ],
- cmd = """
-cp -f "/usr/include/python3.4m/Python-ast.h" "$(@D)/python_include/Python-ast.h" && cp -f "/usr/include/python3.4m/Python.h" "$(@D)/python_include/Python.h" && cp -f "/usr/include/python3.4m/abstract.h" "$(@D)/python_include/abstract.h" && cp -f "/usr/include/python3.4m/accu.h" "$(@D)/python_include/accu.h" && cp -f "/usr/include/python3.4m/asdl.h" "$(@D)/python_include/asdl.h" && cp -f "/usr/include/python3.4m/ast.h" "$(@D)/python_include/ast.h" && cp -f "/usr/include/python3.4m/bitset.h" "$(@D)/python_include/bitset.h" && cp -f "/usr/include/python3.4m/bltinmodule.h" "$(@D)/python_include/bltinmodule.h" && cp -f "/usr/include/python3.4m/boolobject.h" "$(@D)/python_include/boolobject.h" && cp -f "/usr/include/python3.4m/bytearrayobject.h" "$(@D)/python_include/bytearrayobject.h" && cp -f "/usr/include/python3.4m/bytes_methods.h" "$(@D)/python_include/bytes_methods.h" && cp -f "/usr/include/python3.4m/bytesobject.h" "$(@D)/python_include/bytesobject.h" && cp -f "/usr/include/python3.4m/cellobject.h" "$(@D)/python_include/cellobject.h" && cp -f "/usr/include/python3.4m/ceval.h" "$(@D)/python_include/ceval.h" && cp -f "/usr/include/python3.4m/classobject.h" "$(@D)/python_include/classobject.h" && cp -f "/usr/include/python3.4m/code.h" "$(@D)/python_include/code.h" && cp -f "/usr/include/python3.4m/codecs.h" "$(@D)/python_include/codecs.h" && cp -f "/usr/include/python3.4m/compile.h" "$(@D)/python_include/compile.h" && cp -f "/usr/include/python3.4m/complexobject.h" "$(@D)/python_include/complexobject.h" && cp -f "/usr/include/python3.4m/datetime.h" "$(@D)/python_include/datetime.h" && cp -f "/usr/include/python3.4m/descrobject.h" "$(@D)/python_include/descrobject.h" && cp -f "/usr/include/python3.4m/dictobject.h" "$(@D)/python_include/dictobject.h" && cp -f "/usr/include/python3.4m/dtoa.h" "$(@D)/python_include/dtoa.h" && cp -f "/usr/include/python3.4m/dynamic_annotations.h" "$(@D)/python_include/dynamic_annotations.h" && cp -f "/usr/include/python3.4m/enumobject.h" "$(@D)/python_include/enumobject.h" && cp -f "/usr/include/python3.4m/errcode.h" "$(@D)/python_include/errcode.h" && cp -f "/usr/include/python3.4m/eval.h" "$(@D)/python_include/eval.h" && cp -f "/usr/include/python3.4m/fileobject.h" "$(@D)/python_include/fileobject.h" && cp -f "/usr/include/python3.4m/fileutils.h" "$(@D)/python_include/fileutils.h" && cp -f "/usr/include/python3.4m/floatobject.h" "$(@D)/python_include/floatobject.h" && cp -f "/usr/include/python3.4m/frameobject.h" "$(@D)/python_include/frameobject.h" && cp -f "/usr/include/python3.4m/funcobject.h" "$(@D)/python_include/funcobject.h" && cp -f "/usr/include/python3.4m/genobject.h" "$(@D)/python_include/genobject.h" && cp -f "/usr/include/python3.4m/graminit.h" "$(@D)/python_include/graminit.h" && cp -f "/usr/include/python3.4m/grammar.h" "$(@D)/python_include/grammar.h" && cp -f "/usr/include/python3.4m/import.h" "$(@D)/python_include/import.h" && cp -f "/usr/include/python3.4m/intrcheck.h" "$(@D)/python_include/intrcheck.h" && cp -f "/usr/include/python3.4m/iterobject.h" "$(@D)/python_include/iterobject.h" && cp -f "/usr/include/python3.4m/listobject.h" "$(@D)/python_include/listobject.h" && cp -f "/usr/include/python3.4m/longintrepr.h" "$(@D)/python_include/longintrepr.h" && cp -f "/usr/include/python3.4m/longobject.h" "$(@D)/python_include/longobject.h" && cp -f "/usr/include/python3.4m/marshal.h" "$(@D)/python_include/marshal.h" && cp -f "/usr/include/python3.4m/memoryobject.h" "$(@D)/python_include/memoryobject.h" && cp -f "/usr/include/python3.4m/metagrammar.h" "$(@D)/python_include/metagrammar.h" && cp -f "/usr/include/python3.4m/methodobject.h" "$(@D)/python_include/methodobject.h" && cp -f "/usr/include/python3.4m/modsupport.h" "$(@D)/python_include/modsupport.h" && cp -f "/usr/include/python3.4m/moduleobject.h" "$(@D)/python_include/moduleobject.h" && cp -f "/usr/include/python3.4m/namespaceobject.h" "$(@D)/python_include/namespaceobject.h" && cp -f "/usr/include/python3.4m/node.h" "$(@D)/python_include/node.h" && cp -f "/usr/include/python3.4m/object.h" "$(@D)/python_include/object.h" && cp -f "/usr/include/python3.4m/objimpl.h" "$(@D)/python_include/objimpl.h" && cp -f "/usr/include/python3.4m/opcode.h" "$(@D)/python_include/opcode.h" && cp -f "/usr/include/python3.4m/osdefs.h" "$(@D)/python_include/osdefs.h" && cp -f "/usr/include/python3.4m/parsetok.h" "$(@D)/python_include/parsetok.h" && cp -f "/usr/include/python3.4m/patchlevel.h" "$(@D)/python_include/patchlevel.h" && cp -f "/usr/include/python3.4m/pgen.h" "$(@D)/python_include/pgen.h" && cp -f "/usr/include/python3.4m/pgenheaders.h" "$(@D)/python_include/pgenheaders.h" && cp -f "/usr/include/python3.4m/py_curses.h" "$(@D)/python_include/py_curses.h" && cp -f "/usr/include/python3.4m/pyarena.h" "$(@D)/python_include/pyarena.h" && cp -f "/usr/include/python3.4m/pyatomic.h" "$(@D)/python_include/pyatomic.h" && cp -f "/usr/include/python3.4m/pycapsule.h" "$(@D)/python_include/pycapsule.h" && cp -f "/usr/include/python3.4m/pyconfig.h" "$(@D)/python_include/pyconfig.h" && cp -f "/usr/include/python3.4m/pyctype.h" "$(@D)/python_include/pyctype.h" && cp -f "/usr/include/python3.4m/pydebug.h" "$(@D)/python_include/pydebug.h" && cp -f "/usr/include/python3.4m/pyerrors.h" "$(@D)/python_include/pyerrors.h" && cp -f "/usr/include/python3.4m/pyexpat.h" "$(@D)/python_include/pyexpat.h" && cp -f "/usr/include/python3.4m/pyfpe.h" "$(@D)/python_include/pyfpe.h" && cp -f "/usr/include/python3.4m/pygetopt.h" "$(@D)/python_include/pygetopt.h" && cp -f "/usr/include/python3.4m/pyhash.h" "$(@D)/python_include/pyhash.h" && cp -f "/usr/include/python3.4m/pymacconfig.h" "$(@D)/python_include/pymacconfig.h" && cp -f "/usr/include/python3.4m/pymacro.h" "$(@D)/python_include/pymacro.h" && cp -f "/usr/include/python3.4m/pymath.h" "$(@D)/python_include/pymath.h" && cp -f "/usr/include/python3.4m/pymem.h" "$(@D)/python_include/pymem.h" && cp -f "/usr/include/python3.4m/pyport.h" "$(@D)/python_include/pyport.h" && cp -f "/usr/include/python3.4m/pystate.h" "$(@D)/python_include/pystate.h" && cp -f "/usr/include/python3.4m/pystrcmp.h" "$(@D)/python_include/pystrcmp.h" && cp -f "/usr/include/python3.4m/pystrtod.h" "$(@D)/python_include/pystrtod.h" && cp -f "/usr/include/python3.4m/pythonrun.h" "$(@D)/python_include/pythonrun.h" && cp -f "/usr/include/python3.4m/pythread.h" "$(@D)/python_include/pythread.h" && cp -f "/usr/include/python3.4m/pytime.h" "$(@D)/python_include/pytime.h" && cp -f "/usr/include/python3.4m/rangeobject.h" "$(@D)/python_include/rangeobject.h" && cp -f "/usr/include/python3.4m/setobject.h" "$(@D)/python_include/setobject.h" && cp -f "/usr/include/python3.4m/sliceobject.h" "$(@D)/python_include/sliceobject.h" && cp -f "/usr/include/python3.4m/structmember.h" "$(@D)/python_include/structmember.h" && cp -f "/usr/include/python3.4m/structseq.h" "$(@D)/python_include/structseq.h" && cp -f "/usr/include/python3.4m/symtable.h" "$(@D)/python_include/symtable.h" && cp -f "/usr/include/python3.4m/sysmodule.h" "$(@D)/python_include/sysmodule.h" && cp -f "/usr/include/python3.4m/token.h" "$(@D)/python_include/token.h" && cp -f "/usr/include/python3.4m/traceback.h" "$(@D)/python_include/traceback.h" && cp -f "/usr/include/python3.4m/tupleobject.h" "$(@D)/python_include/tupleobject.h" && cp -f "/usr/include/python3.4m/typeslots.h" "$(@D)/python_include/typeslots.h" && cp -f "/usr/include/python3.4m/ucnhash.h" "$(@D)/python_include/ucnhash.h" && cp -f "/usr/include/python3.4m/unicodeobject.h" "$(@D)/python_include/unicodeobject.h" && cp -f "/usr/include/python3.4m/warnings.h" "$(@D)/python_include/warnings.h" && cp -f "/usr/include/python3.4m/weakrefobject.h" "$(@D)/python_include/weakrefobject.h"
- """,
-)
-
-genrule(
- name = "numpy_include",
- outs = [
- "numpy_include/numpy/__multiarray_api.h",
- "numpy_include/numpy/__ufunc_api.h",
- "numpy_include/numpy/_neighborhood_iterator_imp.h",
- "numpy_include/numpy/_numpyconfig.h",
- "numpy_include/numpy/arrayobject.h",
- "numpy_include/numpy/arrayscalars.h",
- "numpy_include/numpy/halffloat.h",
- "numpy_include/numpy/multiarray_api.txt",
- "numpy_include/numpy/ndarrayobject.h",
- "numpy_include/numpy/ndarraytypes.h",
- "numpy_include/numpy/noprefix.h",
- "numpy_include/numpy/npy_1_7_deprecated_api.h",
- "numpy_include/numpy/npy_3kcompat.h",
- "numpy_include/numpy/npy_common.h",
- "numpy_include/numpy/npy_cpu.h",
- "numpy_include/numpy/npy_endian.h",
- "numpy_include/numpy/npy_interrupt.h",
- "numpy_include/numpy/npy_math.h",
- "numpy_include/numpy/npy_no_deprecated_api.h",
- "numpy_include/numpy/npy_os.h",
- "numpy_include/numpy/numpyconfig.h",
- "numpy_include/numpy/old_defines.h",
- "numpy_include/numpy/oldnumeric.h",
- "numpy_include/numpy/ufunc_api.txt",
- "numpy_include/numpy/ufuncobject.h",
- "numpy_include/numpy/utils.h",
- ],
- cmd = """
-cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/__multiarray_api.h" "$(@D)/numpy_include/numpy/__multiarray_api.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/__ufunc_api.h" "$(@D)/numpy_include/numpy/__ufunc_api.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/_neighborhood_iterator_imp.h" "$(@D)/numpy_include/numpy/_neighborhood_iterator_imp.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/_numpyconfig.h" "$(@D)/numpy_include/numpy/_numpyconfig.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/arrayobject.h" "$(@D)/numpy_include/numpy/arrayobject.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/arrayscalars.h" "$(@D)/numpy_include/numpy/arrayscalars.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/halffloat.h" "$(@D)/numpy_include/numpy/halffloat.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/multiarray_api.txt" "$(@D)/numpy_include/numpy/multiarray_api.txt" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/ndarrayobject.h" "$(@D)/numpy_include/numpy/ndarrayobject.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/ndarraytypes.h" "$(@D)/numpy_include/numpy/ndarraytypes.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/noprefix.h" "$(@D)/numpy_include/numpy/noprefix.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_1_7_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_1_7_deprecated_api.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_3kcompat.h" "$(@D)/numpy_include/numpy/npy_3kcompat.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_common.h" "$(@D)/numpy_include/numpy/npy_common.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_cpu.h" "$(@D)/numpy_include/numpy/npy_cpu.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_endian.h" "$(@D)/numpy_include/numpy/npy_endian.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_interrupt.h" "$(@D)/numpy_include/numpy/npy_interrupt.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_math.h" "$(@D)/numpy_include/numpy/npy_math.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_no_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_no_deprecated_api.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/npy_os.h" "$(@D)/numpy_include/numpy/npy_os.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/numpyconfig.h" "$(@D)/numpy_include/numpy/numpyconfig.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/old_defines.h" "$(@D)/numpy_include/numpy/old_defines.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/oldnumeric.h" "$(@D)/numpy_include/numpy/oldnumeric.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/ufunc_api.txt" "$(@D)/numpy_include/numpy/ufunc_api.txt" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/ufuncobject.h" "$(@D)/numpy_include/numpy/ufuncobject.h" && cp -f "/usr/local/lib/python3.4/dist-packages/numpy/core/include/numpy/utils.h" "$(@D)/numpy_include/numpy/utils.h"
- """,
-)
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/py3/WORKSPACE b/third_party/toolchains/preconfig/ubuntu14.04/py3/WORKSPACE
deleted file mode 100644
index 1d298fe..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/py3/WORKSPACE
+++ /dev/null
@@ -1,2 +0,0 @@
-# DO NOT EDIT: automatically generated WORKSPACE file for python_configure rule
-workspace(name = "local_config_python")
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/BUILD b/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/BUILD
deleted file mode 100755
index 04442d9..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/BUILD
+++ /dev/null
@@ -1,52 +0,0 @@
-# NVIDIA TensorRT
-# A high-performance deep learning inference optimizer and runtime.
-
-licenses(["notice"])
-
-exports_files(["LICENSE"])
-
-load("@local_config_cuda//cuda:build_defs.bzl", "cuda_default_copts")
-
-package(default_visibility = ["//visibility:public"])
-
-cc_library(
- name = "tensorrt_headers",
- hdrs = [":tensorrt_include"],
- include_prefix = "",
- visibility = ["//visibility:public"],
-)
-
-cc_library(
- name = "tensorrt",
- srcs = ["tensorrt/lib/libnvinfer.so.5"],
- copts = cuda_default_copts(),
- data = ["tensorrt/lib/libnvinfer.so.5"],
- include_prefix = "",
- linkstatic = 1,
- visibility = ["//visibility:public"],
- deps = [
- ":tensorrt_headers",
- "@local_config_cuda//cuda",
- ],
-)
-
-genrule(
- name = "tensorrt_lib",
- outs = [
- "tensorrt/lib/libnvinfer.so.5",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/lib/x86_64-linux-gnu/libnvinfer.so.5.0.2" "$(@D)/libnvinfer.so.5"
- """,
-)
-
-genrule(
- name = "tensorrt_include",
- outs = [
- "tensorrt/include/NvInfer.h",
- "tensorrt/include/NvUtils.h",
- ],
- cmd = """
-if [ -d "$(@D)/extras" ]; then rm $(@D)/extras -drf; fi && if [ -d "$(@D)/include" ]; then rm $(@D)/include -drf; fi && if [ -d "$(@D)/lib" ]; then rm $(@D)/lib -drf; fi && if [ -d "$(@D)/nvvm" ]; then rm $(@D)/nvvm -drf; fi && cp -f "/usr/include/x86_64-linux-gnu/NvInfer.h" "$(@D)/tensorrt/include/NvInfer.h" && cp -f "/usr/include/x86_64-linux-gnu/NvUtils.h" "$(@D)/tensorrt/include/NvUtils.h"
- """,
-)
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/WORKSPACE b/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/WORKSPACE
deleted file mode 100644
index ce47f14..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/WORKSPACE
+++ /dev/null
@@ -1,2 +0,0 @@
-# DO NOT EDIT: automatically generated WORKSPACE file for tensorrt_configure rule
-workspace(name = "local_config_tensorrt")
diff --git a/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/build_defs.bzl b/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/build_defs.bzl
deleted file mode 100755
index 5c1c403..0000000
--- a/third_party/toolchains/preconfig/ubuntu14.04/tensorrt5/build_defs.bzl
+++ /dev/null
@@ -1,7 +0,0 @@
-# Build configurations for TensorRT.
-
-def if_tensorrt(if_true, if_false = []):
- """Tests whether TensorRT was enabled during the configure process."""
- if True:
- return if_true
- return if_false
diff --git a/third_party/toolchains/preconfig/ubuntu16.04/clang/BUILD b/third_party/toolchains/preconfig/ubuntu16.04/clang/BUILD
deleted file mode 100755
index 5a0c52f..0000000
--- a/third_party/toolchains/preconfig/ubuntu16.04/clang/BUILD
+++ /dev/null
@@ -1,111 +0,0 @@
-# Copyright 2016 The Bazel Authors. All rights reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-
-# This becomes the BUILD file for @local_config_cc// under non-FreeBSD unixes.
-
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # Apache 2.0
-
-cc_library(
- name = "malloc",
-)
-
-cc_library(
- name = "stl",
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
-
-filegroup(
- name = "cc_wrapper",
- srcs = ["cc_wrapper.sh"],
-)
-
-filegroup(
- name = "compiler_deps",
- srcs = glob(["extra_tools/**"]) + [":empty"],
-)
-
-# This is the entry point for --crosstool_top. Toolchains are found
-# by lopping off the name of --crosstool_top and searching for
-# the "${CPU}" entry in the toolchains attribute.
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "k8|clang": ":cc-compiler-k8",
- "k8": ":cc-compiler-k8",
- "armeabi-v7a|compiler": ":cc-compiler-armeabi-v7a",
- "armeabi-v7a": ":cc-compiler-armeabi-v7a",
- },
-)
-
-cc_toolchain(
- name = "cc-compiler-k8",
- all_files = ":compiler_deps",
- compiler_files = ":compiler_deps",
- cpu = "k8",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":compiler_deps",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
- toolchain_identifier = "linux_gnu_x86",
-)
-
-toolchain(
- name = "cc-toolchain-k8",
- exec_compatible_with = [
- # TODO(katre): add autodiscovered constraints for host CPU and OS.
- ],
- target_compatible_with = [
- # TODO(katre): add autodiscovered constraints for host CPU and OS.
- ],
- toolchain = ":cc-compiler-k8",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
-
-# Android tooling requires a default toolchain for the armeabi-v7a cpu.
-cc_toolchain(
- name = "cc-compiler-armeabi-v7a",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
- toolchain_identifier = "stub_armeabi-v7a",
-)
-
-toolchain(
- name = "cc-toolchain-armeabi-v7a",
- exec_compatible_with = [
- # TODO(katre): add autodiscovered constraints for host CPU and OS.
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:arm",
- "@bazel_tools//platforms:android",
- ],
- toolchain = ":cc-compiler-armabi-v7a",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
diff --git a/third_party/toolchains/preconfig/ubuntu16.04/clang/CROSSTOOL b/third_party/toolchains/preconfig/ubuntu16.04/clang/CROSSTOOL
deleted file mode 100755
index 48f82eb..0000000
--- a/third_party/toolchains/preconfig/ubuntu16.04/clang/CROSSTOOL
+++ /dev/null
@@ -1,1209 +0,0 @@
-# Copyright 2016 The Bazel Authors. All rights reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-
-major_version: "local"
-minor_version: ""
-
-# Android tooling requires a default toolchain for the armeabi-v7a cpu.
-toolchain {
- abi_version: "armeabi-v7a"
- abi_libc_version: "armeabi-v7a"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "armeabi-v7a"
- needsPic: true
- supports_gold_linker: false
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: false
- target_libc: "armeabi-v7a"
- target_cpu: "armeabi-v7a"
- target_system_name: "armeabi-v7a"
- toolchain_identifier: "stub_armeabi-v7a"
-
- tool_path { name: "ar" path: "/bin/false" }
- tool_path { name: "compat-ld" path: "/bin/false" }
- tool_path { name: "cpp" path: "/bin/false" }
- tool_path { name: "dwp" path: "/bin/false" }
- tool_path { name: "gcc" path: "/bin/false" }
- tool_path { name: "gcov" path: "/bin/false" }
- tool_path { name: "ld" path: "/bin/false" }
-
- tool_path { name: "nm" path: "/bin/false" }
- tool_path { name: "objcopy" path: "/bin/false" }
- tool_path { name: "objdump" path: "/bin/false" }
- tool_path { name: "strip" path: "/bin/false" }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- toolchain_identifier: "linux_gnu_x86"
- abi_version: "gcc"
- abi_libc_version: "glibc_2.19"
- builtin_sysroot: ""
- compiler: "clang"
- host_system_name: "i686-unknown-linux-gnu"
- needsPic: true
- supports_gold_linker: true
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: true
- target_libc: "glibc_2.19"
- target_cpu: "k8"
- target_system_name: "x86_64-unknown-linux-gnu"
- cxx_flag: "-std=c++0x"
- linker_flag: "-fuse-ld=gold"
- linker_flag: "-Wl,-no-as-needed"
- linker_flag: "-Wl,-z,relro,-z,now"
- linker_flag: "-B/usr/local/bin"
- linker_flag: "-lstdc++"
- linker_flag: "-lm"
- cxx_builtin_include_directory: "/usr/local/include"
- cxx_builtin_include_directory: "/usr/local/lib/clang/7.0.0/include"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu"
- cxx_builtin_include_directory: "/usr/include"
- cxx_builtin_include_directory: "/usr/include/c++/4.9"
- cxx_builtin_include_directory: "/usr/include/x86_64-linux-gnu/c++/4.9"
- cxx_builtin_include_directory: "/usr/include/c++/4.9/backward"
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- unfiltered_cxx_flag: "-no-canonical-prefixes"
- unfiltered_cxx_flag: "-Wno-builtin-macro-redefined"
- unfiltered_cxx_flag: "-D__DATE__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIMESTAMP__=\"redacted\""
- unfiltered_cxx_flag: "-D__TIME__=\"redacted\""
- compiler_flag: "-U_FORTIFY_SOURCE"
- compiler_flag: "-fstack-protector"
- compiler_flag: "-Wall"
- compiler_flag: "-Wthread-safety"
- compiler_flag: "-Wself-assign"
- compiler_flag: "-fcolor-diagnostics"
- compiler_flag: "-fno-omit-frame-pointer"
- tool_path {name: "ar" path: "/usr/bin/ar" }
- tool_path {name: "ld" path: "/usr/bin/ld" }
- tool_path {name: "cpp" path: "/usr/bin/cpp" }
- tool_path {name: "gcc" path: "/usr/local/bin/clang" }
- tool_path {name: "dwp" path: "/usr/bin/dwp" }
- tool_path {name: "gcov" path: "None" }
- tool_path {name: "nm" path: "/usr/bin/nm" }
- tool_path {name: "objcopy" path: "/usr/bin/objcopy" }
- tool_path {name: "objdump" path: "/usr/bin/objdump" }
- tool_path {name: "strip" path: "/usr/bin/strip" }
-
- compilation_mode_flags {
- mode: DBG
- compiler_flag: "-g"
- }
- compilation_mode_flags {
- mode: OPT
- compiler_flag: "-g0"
- compiler_flag: "-O2"
- compiler_flag: "-D_FORTIFY_SOURCE=1"
- compiler_flag: "-DNDEBUG"
- compiler_flag: "-ffunction-sections"
- compiler_flag: "-fdata-sections"
- linker_flag: "-Wl,--gc-sections"
- }
- linking_mode_flags { mode: DYNAMIC }
-
-
- feature {
- name: 'coverage'
- provides: 'profile'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- flag_group {
- flag: '--coverage'
- }
- }
- flag_set {
- action: 'c++-link-dynamic-library'
- action: 'c++-link-nodeps-dynamic-library'
- action: 'c++-link-executable'
- flag_group {
- flag: '--coverage'
- }
- }
- }
-
-
- feature {
- name: 'fdo_optimize'
- provides: 'profile'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- expand_if_all_available: 'fdo_profile_path'
- flag_group {
- flag: '-fprofile-use=%{fdo_profile_path}'
- flag: '-fprofile-correction',
- }
- }
- }
-}
-
-toolchain {
- toolchain_identifier: "msys_x64_mingw"
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "mingw-gcc"
- host_system_name: "local"
- needsPic: false
- target_libc: "mingw"
- target_cpu: "x64_windows"
- target_system_name: "local"
-
- artifact_name_pattern {
- category_name: 'executable'
- prefix: ''
- extension: '.exe'
- }
-
-
-
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- toolchain_identifier: "msvc_x64"
- host_system_name: "local"
- target_system_name: "local"
-
- abi_version: "local"
- abi_libc_version: "local"
- target_cpu: "x64_windows"
- compiler: "msvc-cl"
- target_libc: "msvcrt"
- default_python_version: "python2.7"
-
-
-
- tool_path {
- name: "ar"
- path: ""
- }
- tool_path {
- name: "ml"
- path: ""
- }
- tool_path {
- name: "cpp"
- path: ""
- }
- tool_path {
- name: "gcc"
- path: ""
- }
- tool_path {
- name: "gcov"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "ld"
- path: ""
- }
- tool_path {
- name: "nm"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objcopy"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objdump"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "strip"
- path: "wrapper/bin/msvc_nop.bat"
- }
- supports_gold_linker: false
- supports_start_end_lib: false
- supports_interface_shared_objects: true
- supports_incremental_linker: false
- supports_normalizing_ar: true
- needsPic: false
-
- # TODO(pcloudy): Review those flags below, they should be defined by cl.exe
- compiler_flag: "/DCOMPILER_MSVC"
-
- # Don't define min/max macros in windows.h.
- compiler_flag: "/DNOMINMAX"
-
- # Platform defines.
- compiler_flag: "/D_WIN32_WINNT=0x0601"
- # Turn off warning messages.
- compiler_flag: "/D_CRT_SECURE_NO_DEPRECATE"
- compiler_flag: "/D_CRT_SECURE_NO_WARNINGS"
-
- # Useful options to have on for compilation.
- # Increase the capacity of object files to 2^32 sections.
- compiler_flag: "/bigobj"
- # Allocate 500MB for precomputed headers.
- compiler_flag: "/Zm500"
- # Catch C++ exceptions only and tell the compiler to assume that functions declared
- # as extern "C" never throw a C++ exception.
- compiler_flag: "/EHsc"
-
- # Globally disabled warnings.
- # Don't warn about elements of array being be default initialized.
- compiler_flag: "/wd4351"
- # Don't warn about no matching delete found.
- compiler_flag: "/wd4291"
- # Don't warn about diamond inheritance patterns.
- compiler_flag: "/wd4250"
- # Don't warn about insecure functions (e.g. non _s functions).
- compiler_flag: "/wd4996"
-
- linker_flag: "/MACHINE:X64"
-
- feature {
- name: "no_legacy_features"
- }
-
- artifact_name_pattern {
- category_name: 'object_file'
- prefix: ''
- extension: '.obj'
- }
-
- artifact_name_pattern {
- category_name: 'static_library'
- prefix: ''
- extension: '.lib'
- }
-
- artifact_name_pattern {
- category_name: 'alwayslink_static_library'
- prefix: ''
- extension: '.lo.lib'
- }
-
- artifact_name_pattern {
- category_name: 'executable'
- prefix: ''
- extension: '.exe'
- }
-
- artifact_name_pattern {
- category_name: 'dynamic_library'
- prefix: ''
- extension: '.dll'
- }
-
- artifact_name_pattern {
- category_name: 'interface_library'
- prefix: ''
- extension: '.if.lib'
- }
-
- # Suppress startup banner.
- feature {
- name: "nologo"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- flag_group {
- flag: "/nologo"
- }
- }
- }
-
- feature {
- name: 'has_configured_linker_path'
- }
-
- # This feature indicates strip is not supported, building stripped binary will just result a copy of orignial binary
- feature {
- name: 'no_stripping'
- }
-
- # This feature indicates this is a toolchain targeting Windows.
- feature {
- name: 'targets_windows'
- implies: 'copy_dynamic_libraries_to_binary'
- enabled: true
- }
-
- feature {
- name: 'copy_dynamic_libraries_to_binary'
- }
-
- action_config {
- config_name: 'assemble'
- action_name: 'assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'preprocess-assemble'
- action_name: 'preprocess-assemble'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'c-compile'
- action_name: 'c-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-compile'
- action_name: 'c++-compile'
- tool {
- tool_path: ''
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-link-executable'
- action_name: 'c++-link-executable'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- }
-
- action_config {
- config_name: 'c++-link-dynamic-library'
- action_name: 'c++-link-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-nodeps-dynamic-library'
- action_name: 'c++-link-nodeps-dynamic-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-static-library'
- action_name: 'c++-link-static-library'
- tool {
- tool_path: ''
- }
- implies: 'nologo'
- implies: 'archiver_flags'
- implies: 'input_param_flags'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- }
-
- # TODO(b/65151735): Remove legacy_compile_flags feature when legacy fields are
- # not used in this crosstool
- feature {
- name: 'legacy_compile_flags'
- flag_set {
- expand_if_all_available: 'legacy_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'legacy_compile_flags'
- flag: '%{legacy_compile_flags}'
- }
- }
- }
-
- feature {
- name: "msvc_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "PATH"
- value: ""
- }
- env_entry {
- key: "TMP"
- value: ""
- }
- env_entry {
- key: "TEMP"
- value: ""
- }
- }
- implies: 'msvc_compile_env'
- implies: 'msvc_link_env'
- }
-
- feature {
- name: "msvc_compile_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- env_entry {
- key: "INCLUDE"
- value: ""
- }
- }
- }
-
- feature {
- name: "msvc_link_env"
- env_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "LIB"
- value: ""
- }
- }
- }
-
- feature {
- name: 'include_paths'
- flag_set {
- action: "assemble"
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- flag_group {
- iterate_over: 'quote_include_paths'
- flag: '/I%{quote_include_paths}'
- }
- flag_group {
- iterate_over: 'include_paths'
- flag: '/I%{include_paths}'
- }
- flag_group {
- iterate_over: 'system_include_paths'
- flag: '/I%{system_include_paths}'
- }
- }
- }
-
- feature {
- name: "preprocessor_defines"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-module-compile"
- flag_group {
- flag: "/D%{preprocessor_defines}"
- iterate_over: "preprocessor_defines"
- }
- }
- }
-
- # Tell Bazel to parse the output of /showIncludes
- feature {
- name: 'parse_showincludes'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-module-compile'
- action: 'c++-header-parsing'
- flag_group {
- flag: "/showIncludes"
- }
- }
- }
-
-
- feature {
- name: 'generate_pdb_file'
- requires: {
- feature: 'dbg'
- }
- requires: {
- feature: 'fastbuild'
- }
- }
-
- feature {
- name: 'shared_flag'
- flag_set {
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/DLL'
- }
- }
- }
-
- feature {
- name: 'linkstamps'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- expand_if_all_available: 'linkstamp_paths'
- flag_group {
- iterate_over: 'linkstamp_paths'
- flag: '%{linkstamp_paths}'
- }
- }
- }
-
- feature {
- name: 'output_execpath_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'archiver_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-static-library'
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'input_param_flags'
- flag_set {
- expand_if_all_available: 'interface_library_output_path'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/IMPLIB:%{interface_library_output_path}"
- }
- }
- flag_set {
- expand_if_all_available: 'libopts'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'libopts'
- flag: '%{libopts}'
- }
- }
- flag_set {
- expand_if_all_available: 'libraries_to_link'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- iterate_over: 'libraries_to_link'
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file_group'
- }
- iterate_over: 'libraries_to_link.object_files'
- flag_group {
- flag: '%{libraries_to_link.object_files}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'interface_library'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'static_library'
- }
- flag_group {
- expand_if_false: 'libraries_to_link.is_whole_archive'
- flag: '%{libraries_to_link.name}'
- }
- flag_group {
- expand_if_true: 'libraries_to_link.is_whole_archive'
- flag: '/WHOLEARCHIVE:%{libraries_to_link.name}'
- }
- }
- }
- }
- }
-
- # Since this feature is declared earlier in the CROSSTOOL than
- # "user_link_flags", this feature will be applied prior to it anwyhere they
- # are both implied. And since "user_link_flags" contains the linkopts from
- # the build rule, this allows the user to override the /SUBSYSTEM in the BUILD
- # file.
- feature {
- name: 'linker_subsystem_flag'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/SUBSYSTEM:CONSOLE'
- }
- }
- }
-
- # The "user_link_flags" contains user-defined linkopts (from build rules)
- # so it should be defined after features that declare user-overridable flags.
- # For example the "linker_subsystem_flag" defines a default "/SUBSYSTEM" flag
- # but we want to let the user override it, therefore "link_flag_subsystem" is
- # defined earlier in the CROSSTOOL file than "user_link_flags".
- feature {
- name: 'user_link_flags'
- flag_set {
- expand_if_all_available: 'user_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'user_link_flags'
- flag: '%{user_link_flags}'
- }
- }
- }
- feature {
- name: 'legacy_link_flags'
- flag_set {
- expand_if_all_available: 'legacy_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'legacy_link_flags'
- flag: '%{legacy_link_flags}'
- }
- }
- }
-
- feature {
- name: 'linker_param_file'
- flag_set {
- expand_if_all_available: 'linker_param_file'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- flag: '@%{linker_param_file}'
- }
- }
- }
-
- feature {
- name: 'static_link_msvcrt'
- }
-
- feature {
- name: 'static_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MT"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MD"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'static_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MTd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MDd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dbg'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: ""
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'fastbuild'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: ""
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'opt'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/O2" # Implies /Og /Oi /Ot /Oy /Ob2 /Gs /GF /Gy
- }
- }
- implies: 'frame_pointer'
- }
-
- # Keep stack frames for debugging, even in opt mode.
- # Must come after /O1, /O2 and /Ox.
- feature {
- name: "frame_pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "/Oy-"
- }
- }
- }
-
- # Remove assert/DCHECKs in opt mode.
- # You can have them back with --features=-disable_assertions.
- feature {
- name: 'disable_assertions'
- enabled: true
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- with_feature: {
- feature: 'opt'
- }
- flag_group {
- flag: "/DNDEBUG"
- }
- }
- }
-
- feature {
- name: "determinism"
- enabled: true
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- # TODO: detect clang on Windows and use "-Wno-builtin-macro-redefined"
- flag: "/wd4117" # Trying to define or undefine a predefined macro
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- feature {
- name: 'treat_warnings_as_errors'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/WX"
- }
- }
- }
-
- # Trade slower build time for smaller binary
- feature {
- name: 'smaller_binary'
- enabled: true
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- with_feature: {
- feature: 'opt'
- }
- flag_group {
- flag: "/Gy" # Enable function-level linking (-ffunction-sections)
- flag: "/Gw" # Optimize global data (-fdata-sections)
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library',
- action: 'c++-link-nodeps-dynamic-library'
- with_feature: {
- feature: 'opt'
- }
- flag_group {
- flag: '/OPT:ICF' # Fold identical functions
- flag: '/OPT:REF' # Eliminate unreferenced functions and data
- }
- }
- }
-
- # Suppress warnings that most users do not care
- feature {
- name: 'ignore_noisy_warnings'
- enabled: true
- flag_set {
- action: 'c++-link-static-library'
- flag_group {
- # Suppress 'object file does not define any public symbols' warning
- flag: '/ignore:4221'
- }
- }
- }
-
- feature {
- name: 'user_compile_flags'
- flag_set {
- expand_if_all_available: 'user_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'user_compile_flags'
- flag: '%{user_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'sysroot'
- flag_set {
- expand_if_all_available: 'sysroot'
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'sysroot'
- flag: '--sysroot=%{sysroot}'
- }
- }
- }
-
- feature {
- name: 'unfiltered_compile_flags'
- flag_set {
- expand_if_all_available: 'unfiltered_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'unfiltered_compile_flags'
- flag: '%{unfiltered_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'compiler_output_flags'
- flag_set {
- action: 'assemble'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- flag: '/Zi'
- }
- }
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_assembly_file'
- flag: '/Fa%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_preprocess_file'
- flag: '/P'
- flag: '/Fi%{output_file}'
- }
- }
- }
-
- feature {
- name: 'compiler_input_flags'
- flag_set {
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'source_file'
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- }
-
- feature {
- name : 'def_file',
- flag_set {
- expand_if_all_available: 'def_file_path'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEF:%{def_file_path}"
- # We can specify a different DLL name in DEF file, /ignore:4070 suppresses
- # the warning message about DLL name doesn't match the default one.
- # See https://msdn.microsoft.com/en-us/library/sfkk2fz7.aspx
- flag: "/ignore:4070"
- }
- }
- }
-
- feature {
- name: 'windows_export_all_symbols'
- }
-
- feature {
- name: 'no_windows_export_all_symbols'
- }
-
- linking_mode_flags { mode: DYNAMIC }
-}
diff --git a/third_party/toolchains/preconfig/ubuntu16.04/clang/WORKSPACE b/third_party/toolchains/preconfig/ubuntu16.04/clang/WORKSPACE
deleted file mode 100644
index bc05b4c..0000000
--- a/third_party/toolchains/preconfig/ubuntu16.04/clang/WORKSPACE
+++ /dev/null
@@ -1,2 +0,0 @@
-# DO NOT EDIT: automatically generated WORKSPACE file for cc_autoconf rule
-workspace(name = "local_config_cc")
diff --git a/third_party/toolchains/preconfig/ubuntu16.04/clang/cc_wrapper.sh b/third_party/toolchains/preconfig/ubuntu16.04/clang/cc_wrapper.sh
deleted file mode 100755
index 42a751d..0000000
--- a/third_party/toolchains/preconfig/ubuntu16.04/clang/cc_wrapper.sh
+++ /dev/null
@@ -1,25 +0,0 @@
-#!/bin/bash
-#
-# Copyright 2015 The Bazel Authors. All rights reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-#
-# Ship the environment to the C++ action
-#
-set -eu
-
-# Set-up the environment
-
-
-# Call the C++ compiler
-/usr/local/bin/clang "$@"
diff --git a/third_party/toolchains/preconfig/ubuntu16.04/clang/dummy_toolchain.bzl b/third_party/toolchains/preconfig/ubuntu16.04/clang/dummy_toolchain.bzl
deleted file mode 100755
index 45c0285..0000000
--- a/third_party/toolchains/preconfig/ubuntu16.04/clang/dummy_toolchain.bzl
+++ /dev/null
@@ -1,23 +0,0 @@
-# pylint: disable=g-bad-file-header
-# Copyright 2017 The Bazel Authors. All rights reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-
-"""Skylark rule that stubs a toolchain."""
-
-def _dummy_toolchain_impl(ctx):
- ctx = ctx # unused argument
- toolchain = platform_common.ToolchainInfo()
- return [toolchain]
-
-dummy_toolchain = rule(_dummy_toolchain_impl, attrs = {})
diff --git a/third_party/toolchains/preconfig/ubuntu16.04/clang/tools/cpp/empty.cc b/third_party/toolchains/preconfig/ubuntu16.04/clang/tools/cpp/empty.cc
deleted file mode 100755
index c272dab..0000000
--- a/third_party/toolchains/preconfig/ubuntu16.04/clang/tools/cpp/empty.cc
+++ /dev/null
@@ -1 +0,0 @@
-int main() {}
\ No newline at end of file
diff --git a/third_party/toolchains/preconfig/ubuntu16.04/py3/BUILD b/third_party/toolchains/preconfig/ubuntu16.04/py3/BUILD
deleted file mode 100755
index 77eaa4d..0000000
--- a/third_party/toolchains/preconfig/ubuntu16.04/py3/BUILD
+++ /dev/null
@@ -1,205 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-# To build Python C/C++ extension on Windows, we need to link to python import library pythonXY.lib
-# See https://docs.python.org/3/extending/windows.html
-cc_import(
- name = "python_lib",
- interface_library = select({
- ":windows": ":python_import_lib",
- # A placeholder for Unix platforms which makes --no_build happy.
- "//conditions:default": "not-existing.lib",
- }),
- system_provided = 1,
-)
-
-cc_library(
- name = "python_headers",
- hdrs = [":python_include"],
- includes = ["python_include"],
- deps = select({
- ":windows": [":python_lib"],
- "//conditions:default": [],
- }),
-)
-
-cc_library(
- name = "numpy_headers",
- hdrs = [":numpy_include"],
- includes = ["numpy_include"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "python_include",
- outs = [
- "python_include/Python-ast.h",
- "python_include/Python.h",
- "python_include/abstract.h",
- "python_include/accu.h",
- "python_include/asdl.h",
- "python_include/ast.h",
- "python_include/bitset.h",
- "python_include/bltinmodule.h",
- "python_include/boolobject.h",
- "python_include/bytearrayobject.h",
- "python_include/bytes_methods.h",
- "python_include/bytesobject.h",
- "python_include/cellobject.h",
- "python_include/ceval.h",
- "python_include/classobject.h",
- "python_include/code.h",
- "python_include/codecs.h",
- "python_include/compile.h",
- "python_include/complexobject.h",
- "python_include/datetime.h",
- "python_include/descrobject.h",
- "python_include/dictobject.h",
- "python_include/dtoa.h",
- "python_include/dynamic_annotations.h",
- "python_include/enumobject.h",
- "python_include/errcode.h",
- "python_include/eval.h",
- "python_include/fileobject.h",
- "python_include/fileutils.h",
- "python_include/floatobject.h",
- "python_include/frameobject.h",
- "python_include/funcobject.h",
- "python_include/genobject.h",
- "python_include/graminit.h",
- "python_include/grammar.h",
- "python_include/import.h",
- "python_include/intrcheck.h",
- "python_include/iterobject.h",
- "python_include/listobject.h",
- "python_include/longintrepr.h",
- "python_include/longobject.h",
- "python_include/marshal.h",
- "python_include/memoryobject.h",
- "python_include/metagrammar.h",
- "python_include/methodobject.h",
- "python_include/modsupport.h",
- "python_include/moduleobject.h",
- "python_include/namespaceobject.h",
- "python_include/node.h",
- "python_include/numpy/__multiarray_api.h",
- "python_include/numpy/__ufunc_api.h",
- "python_include/numpy/_neighborhood_iterator_imp.h",
- "python_include/numpy/_numpyconfig.h",
- "python_include/numpy/arrayobject.h",
- "python_include/numpy/arrayscalars.h",
- "python_include/numpy/halffloat.h",
- "python_include/numpy/multiarray_api.txt",
- "python_include/numpy/ndarrayobject.h",
- "python_include/numpy/ndarraytypes.h",
- "python_include/numpy/noprefix.h",
- "python_include/numpy/npy_1_7_deprecated_api.h",
- "python_include/numpy/npy_3kcompat.h",
- "python_include/numpy/npy_common.h",
- "python_include/numpy/npy_cpu.h",
- "python_include/numpy/npy_endian.h",
- "python_include/numpy/npy_interrupt.h",
- "python_include/numpy/npy_math.h",
- "python_include/numpy/npy_no_deprecated_api.h",
- "python_include/numpy/npy_os.h",
- "python_include/numpy/numpyconfig.h",
- "python_include/numpy/old_defines.h",
- "python_include/numpy/oldnumeric.h",
- "python_include/numpy/ufunc_api.txt",
- "python_include/numpy/ufuncobject.h",
- "python_include/numpy/utils.h",
- "python_include/object.h",
- "python_include/objimpl.h",
- "python_include/odictobject.h",
- "python_include/opcode.h",
- "python_include/osdefs.h",
- "python_include/parsetok.h",
- "python_include/patchlevel.h",
- "python_include/pgen.h",
- "python_include/pgenheaders.h",
- "python_include/py_curses.h",
- "python_include/pyarena.h",
- "python_include/pyatomic.h",
- "python_include/pycapsule.h",
- "python_include/pyconfig.h",
- "python_include/pyctype.h",
- "python_include/pydebug.h",
- "python_include/pyerrors.h",
- "python_include/pyexpat.h",
- "python_include/pyfpe.h",
- "python_include/pygetopt.h",
- "python_include/pyhash.h",
- "python_include/pylifecycle.h",
- "python_include/pymacconfig.h",
- "python_include/pymacro.h",
- "python_include/pymath.h",
- "python_include/pymem.h",
- "python_include/pyport.h",
- "python_include/pystate.h",
- "python_include/pystrcmp.h",
- "python_include/pystrhex.h",
- "python_include/pystrtod.h",
- "python_include/pythonrun.h",
- "python_include/pythread.h",
- "python_include/pytime.h",
- "python_include/rangeobject.h",
- "python_include/setobject.h",
- "python_include/sliceobject.h",
- "python_include/structmember.h",
- "python_include/structseq.h",
- "python_include/symtable.h",
- "python_include/sysmodule.h",
- "python_include/token.h",
- "python_include/traceback.h",
- "python_include/tupleobject.h",
- "python_include/typeslots.h",
- "python_include/ucnhash.h",
- "python_include/unicodeobject.h",
- "python_include/warnings.h",
- "python_include/weakrefobject.h",
- ],
- cmd = """
-cp -f "/usr/include/python3.5m/Python-ast.h" "$(@D)/python_include/Python-ast.h" && cp -f "/usr/include/python3.5m/Python.h" "$(@D)/python_include/Python.h" && cp -f "/usr/include/python3.5m/abstract.h" "$(@D)/python_include/abstract.h" && cp -f "/usr/include/python3.5m/accu.h" "$(@D)/python_include/accu.h" && cp -f "/usr/include/python3.5m/asdl.h" "$(@D)/python_include/asdl.h" && cp -f "/usr/include/python3.5m/ast.h" "$(@D)/python_include/ast.h" && cp -f "/usr/include/python3.5m/bitset.h" "$(@D)/python_include/bitset.h" && cp -f "/usr/include/python3.5m/bltinmodule.h" "$(@D)/python_include/bltinmodule.h" && cp -f "/usr/include/python3.5m/boolobject.h" "$(@D)/python_include/boolobject.h" && cp -f "/usr/include/python3.5m/bytearrayobject.h" "$(@D)/python_include/bytearrayobject.h" && cp -f "/usr/include/python3.5m/bytes_methods.h" "$(@D)/python_include/bytes_methods.h" && cp -f "/usr/include/python3.5m/bytesobject.h" "$(@D)/python_include/bytesobject.h" && cp -f "/usr/include/python3.5m/cellobject.h" "$(@D)/python_include/cellobject.h" && cp -f "/usr/include/python3.5m/ceval.h" "$(@D)/python_include/ceval.h" && cp -f "/usr/include/python3.5m/classobject.h" "$(@D)/python_include/classobject.h" && cp -f "/usr/include/python3.5m/code.h" "$(@D)/python_include/code.h" && cp -f "/usr/include/python3.5m/codecs.h" "$(@D)/python_include/codecs.h" && cp -f "/usr/include/python3.5m/compile.h" "$(@D)/python_include/compile.h" && cp -f "/usr/include/python3.5m/complexobject.h" "$(@D)/python_include/complexobject.h" && cp -f "/usr/include/python3.5m/datetime.h" "$(@D)/python_include/datetime.h" && cp -f "/usr/include/python3.5m/descrobject.h" "$(@D)/python_include/descrobject.h" && cp -f "/usr/include/python3.5m/dictobject.h" "$(@D)/python_include/dictobject.h" && cp -f "/usr/include/python3.5m/dtoa.h" "$(@D)/python_include/dtoa.h" && cp -f "/usr/include/python3.5m/dynamic_annotations.h" "$(@D)/python_include/dynamic_annotations.h" && cp -f "/usr/include/python3.5m/enumobject.h" "$(@D)/python_include/enumobject.h" && cp -f "/usr/include/python3.5m/errcode.h" "$(@D)/python_include/errcode.h" && cp -f "/usr/include/python3.5m/eval.h" "$(@D)/python_include/eval.h" && cp -f "/usr/include/python3.5m/fileobject.h" "$(@D)/python_include/fileobject.h" && cp -f "/usr/include/python3.5m/fileutils.h" "$(@D)/python_include/fileutils.h" && cp -f "/usr/include/python3.5m/floatobject.h" "$(@D)/python_include/floatobject.h" && cp -f "/usr/include/python3.5m/frameobject.h" "$(@D)/python_include/frameobject.h" && cp -f "/usr/include/python3.5m/funcobject.h" "$(@D)/python_include/funcobject.h" && cp -f "/usr/include/python3.5m/genobject.h" "$(@D)/python_include/genobject.h" && cp -f "/usr/include/python3.5m/graminit.h" "$(@D)/python_include/graminit.h" && cp -f "/usr/include/python3.5m/grammar.h" "$(@D)/python_include/grammar.h" && cp -f "/usr/include/python3.5m/import.h" "$(@D)/python_include/import.h" && cp -f "/usr/include/python3.5m/intrcheck.h" "$(@D)/python_include/intrcheck.h" && cp -f "/usr/include/python3.5m/iterobject.h" "$(@D)/python_include/iterobject.h" && cp -f "/usr/include/python3.5m/listobject.h" "$(@D)/python_include/listobject.h" && cp -f "/usr/include/python3.5m/longintrepr.h" "$(@D)/python_include/longintrepr.h" && cp -f "/usr/include/python3.5m/longobject.h" "$(@D)/python_include/longobject.h" && cp -f "/usr/include/python3.5m/marshal.h" "$(@D)/python_include/marshal.h" && cp -f "/usr/include/python3.5m/memoryobject.h" "$(@D)/python_include/memoryobject.h" && cp -f "/usr/include/python3.5m/metagrammar.h" "$(@D)/python_include/metagrammar.h" && cp -f "/usr/include/python3.5m/methodobject.h" "$(@D)/python_include/methodobject.h" && cp -f "/usr/include/python3.5m/modsupport.h" "$(@D)/python_include/modsupport.h" && cp -f "/usr/include/python3.5m/moduleobject.h" "$(@D)/python_include/moduleobject.h" && cp -f "/usr/include/python3.5m/namespaceobject.h" "$(@D)/python_include/namespaceobject.h" && cp -f "/usr/include/python3.5m/node.h" "$(@D)/python_include/node.h" && cp -f "/usr/include/python3.5m/numpy/__multiarray_api.h" "$(@D)/python_include/numpy/__multiarray_api.h" && cp -f "/usr/include/python3.5m/numpy/__ufunc_api.h" "$(@D)/python_include/numpy/__ufunc_api.h" && cp -f "/usr/include/python3.5m/numpy/_neighborhood_iterator_imp.h" "$(@D)/python_include/numpy/_neighborhood_iterator_imp.h" && cp -f "/usr/include/python3.5m/numpy/_numpyconfig.h" "$(@D)/python_include/numpy/_numpyconfig.h" && cp -f "/usr/include/python3.5m/numpy/arrayobject.h" "$(@D)/python_include/numpy/arrayobject.h" && cp -f "/usr/include/python3.5m/numpy/arrayscalars.h" "$(@D)/python_include/numpy/arrayscalars.h" && cp -f "/usr/include/python3.5m/numpy/halffloat.h" "$(@D)/python_include/numpy/halffloat.h" && cp -f "/usr/include/python3.5m/numpy/multiarray_api.txt" "$(@D)/python_include/numpy/multiarray_api.txt" && cp -f "/usr/include/python3.5m/numpy/ndarrayobject.h" "$(@D)/python_include/numpy/ndarrayobject.h" && cp -f "/usr/include/python3.5m/numpy/ndarraytypes.h" "$(@D)/python_include/numpy/ndarraytypes.h" && cp -f "/usr/include/python3.5m/numpy/noprefix.h" "$(@D)/python_include/numpy/noprefix.h" && cp -f "/usr/include/python3.5m/numpy/npy_1_7_deprecated_api.h" "$(@D)/python_include/numpy/npy_1_7_deprecated_api.h" && cp -f "/usr/include/python3.5m/numpy/npy_3kcompat.h" "$(@D)/python_include/numpy/npy_3kcompat.h" && cp -f "/usr/include/python3.5m/numpy/npy_common.h" "$(@D)/python_include/numpy/npy_common.h" && cp -f "/usr/include/python3.5m/numpy/npy_cpu.h" "$(@D)/python_include/numpy/npy_cpu.h" && cp -f "/usr/include/python3.5m/numpy/npy_endian.h" "$(@D)/python_include/numpy/npy_endian.h" && cp -f "/usr/include/python3.5m/numpy/npy_interrupt.h" "$(@D)/python_include/numpy/npy_interrupt.h" && cp -f "/usr/include/python3.5m/numpy/npy_math.h" "$(@D)/python_include/numpy/npy_math.h" && cp -f "/usr/include/python3.5m/numpy/npy_no_deprecated_api.h" "$(@D)/python_include/numpy/npy_no_deprecated_api.h" && cp -f "/usr/include/python3.5m/numpy/npy_os.h" "$(@D)/python_include/numpy/npy_os.h" && cp -f "/usr/include/python3.5m/numpy/numpyconfig.h" "$(@D)/python_include/numpy/numpyconfig.h" && cp -f "/usr/include/python3.5m/numpy/old_defines.h" "$(@D)/python_include/numpy/old_defines.h" && cp -f "/usr/include/python3.5m/numpy/oldnumeric.h" "$(@D)/python_include/numpy/oldnumeric.h" && cp -f "/usr/include/python3.5m/numpy/ufunc_api.txt" "$(@D)/python_include/numpy/ufunc_api.txt" && cp -f "/usr/include/python3.5m/numpy/ufuncobject.h" "$(@D)/python_include/numpy/ufuncobject.h" && cp -f "/usr/include/python3.5m/numpy/utils.h" "$(@D)/python_include/numpy/utils.h" && cp -f "/usr/include/python3.5m/object.h" "$(@D)/python_include/object.h" && cp -f "/usr/include/python3.5m/objimpl.h" "$(@D)/python_include/objimpl.h" && cp -f "/usr/include/python3.5m/odictobject.h" "$(@D)/python_include/odictobject.h" && cp -f "/usr/include/python3.5m/opcode.h" "$(@D)/python_include/opcode.h" && cp -f "/usr/include/python3.5m/osdefs.h" "$(@D)/python_include/osdefs.h" && cp -f "/usr/include/python3.5m/parsetok.h" "$(@D)/python_include/parsetok.h" && cp -f "/usr/include/python3.5m/patchlevel.h" "$(@D)/python_include/patchlevel.h" && cp -f "/usr/include/python3.5m/pgen.h" "$(@D)/python_include/pgen.h" && cp -f "/usr/include/python3.5m/pgenheaders.h" "$(@D)/python_include/pgenheaders.h" && cp -f "/usr/include/python3.5m/py_curses.h" "$(@D)/python_include/py_curses.h" && cp -f "/usr/include/python3.5m/pyarena.h" "$(@D)/python_include/pyarena.h" && cp -f "/usr/include/python3.5m/pyatomic.h" "$(@D)/python_include/pyatomic.h" && cp -f "/usr/include/python3.5m/pycapsule.h" "$(@D)/python_include/pycapsule.h" && cp -f "/usr/include/python3.5m/pyconfig.h" "$(@D)/python_include/pyconfig.h" && cp -f "/usr/include/python3.5m/pyctype.h" "$(@D)/python_include/pyctype.h" && cp -f "/usr/include/python3.5m/pydebug.h" "$(@D)/python_include/pydebug.h" && cp -f "/usr/include/python3.5m/pyerrors.h" "$(@D)/python_include/pyerrors.h" && cp -f "/usr/include/python3.5m/pyexpat.h" "$(@D)/python_include/pyexpat.h" && cp -f "/usr/include/python3.5m/pyfpe.h" "$(@D)/python_include/pyfpe.h" && cp -f "/usr/include/python3.5m/pygetopt.h" "$(@D)/python_include/pygetopt.h" && cp -f "/usr/include/python3.5m/pyhash.h" "$(@D)/python_include/pyhash.h" && cp -f "/usr/include/python3.5m/pylifecycle.h" "$(@D)/python_include/pylifecycle.h" && cp -f "/usr/include/python3.5m/pymacconfig.h" "$(@D)/python_include/pymacconfig.h" && cp -f "/usr/include/python3.5m/pymacro.h" "$(@D)/python_include/pymacro.h" && cp -f "/usr/include/python3.5m/pymath.h" "$(@D)/python_include/pymath.h" && cp -f "/usr/include/python3.5m/pymem.h" "$(@D)/python_include/pymem.h" && cp -f "/usr/include/python3.5m/pyport.h" "$(@D)/python_include/pyport.h" && cp -f "/usr/include/python3.5m/pystate.h" "$(@D)/python_include/pystate.h" && cp -f "/usr/include/python3.5m/pystrcmp.h" "$(@D)/python_include/pystrcmp.h" && cp -f "/usr/include/python3.5m/pystrhex.h" "$(@D)/python_include/pystrhex.h" && cp -f "/usr/include/python3.5m/pystrtod.h" "$(@D)/python_include/pystrtod.h" && cp -f "/usr/include/python3.5m/pythonrun.h" "$(@D)/python_include/pythonrun.h" && cp -f "/usr/include/python3.5m/pythread.h" "$(@D)/python_include/pythread.h" && cp -f "/usr/include/python3.5m/pytime.h" "$(@D)/python_include/pytime.h" && cp -f "/usr/include/python3.5m/rangeobject.h" "$(@D)/python_include/rangeobject.h" && cp -f "/usr/include/python3.5m/setobject.h" "$(@D)/python_include/setobject.h" && cp -f "/usr/include/python3.5m/sliceobject.h" "$(@D)/python_include/sliceobject.h" && cp -f "/usr/include/python3.5m/structmember.h" "$(@D)/python_include/structmember.h" && cp -f "/usr/include/python3.5m/structseq.h" "$(@D)/python_include/structseq.h" && cp -f "/usr/include/python3.5m/symtable.h" "$(@D)/python_include/symtable.h" && cp -f "/usr/include/python3.5m/sysmodule.h" "$(@D)/python_include/sysmodule.h" && cp -f "/usr/include/python3.5m/token.h" "$(@D)/python_include/token.h" && cp -f "/usr/include/python3.5m/traceback.h" "$(@D)/python_include/traceback.h" && cp -f "/usr/include/python3.5m/tupleobject.h" "$(@D)/python_include/tupleobject.h" && cp -f "/usr/include/python3.5m/typeslots.h" "$(@D)/python_include/typeslots.h" && cp -f "/usr/include/python3.5m/ucnhash.h" "$(@D)/python_include/ucnhash.h" && cp -f "/usr/include/python3.5m/unicodeobject.h" "$(@D)/python_include/unicodeobject.h" && cp -f "/usr/include/python3.5m/warnings.h" "$(@D)/python_include/warnings.h" && cp -f "/usr/include/python3.5m/weakrefobject.h" "$(@D)/python_include/weakrefobject.h"
- """,
-)
-
-genrule(
- name = "numpy_include",
- outs = [
- "numpy_include/numpy/__multiarray_api.h",
- "numpy_include/numpy/__ufunc_api.h",
- "numpy_include/numpy/_neighborhood_iterator_imp.h",
- "numpy_include/numpy/_numpyconfig.h",
- "numpy_include/numpy/arrayobject.h",
- "numpy_include/numpy/arrayscalars.h",
- "numpy_include/numpy/halffloat.h",
- "numpy_include/numpy/multiarray_api.txt",
- "numpy_include/numpy/ndarrayobject.h",
- "numpy_include/numpy/ndarraytypes.h",
- "numpy_include/numpy/noprefix.h",
- "numpy_include/numpy/npy_1_7_deprecated_api.h",
- "numpy_include/numpy/npy_3kcompat.h",
- "numpy_include/numpy/npy_common.h",
- "numpy_include/numpy/npy_cpu.h",
- "numpy_include/numpy/npy_endian.h",
- "numpy_include/numpy/npy_interrupt.h",
- "numpy_include/numpy/npy_math.h",
- "numpy_include/numpy/npy_no_deprecated_api.h",
- "numpy_include/numpy/npy_os.h",
- "numpy_include/numpy/numpyconfig.h",
- "numpy_include/numpy/old_defines.h",
- "numpy_include/numpy/oldnumeric.h",
- "numpy_include/numpy/ufunc_api.txt",
- "numpy_include/numpy/ufuncobject.h",
- "numpy_include/numpy/utils.h",
- ],
- cmd = """
-cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/__multiarray_api.h" "$(@D)/numpy_include/numpy/__multiarray_api.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/__ufunc_api.h" "$(@D)/numpy_include/numpy/__ufunc_api.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/_neighborhood_iterator_imp.h" "$(@D)/numpy_include/numpy/_neighborhood_iterator_imp.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/_numpyconfig.h" "$(@D)/numpy_include/numpy/_numpyconfig.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/arrayobject.h" "$(@D)/numpy_include/numpy/arrayobject.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/arrayscalars.h" "$(@D)/numpy_include/numpy/arrayscalars.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/halffloat.h" "$(@D)/numpy_include/numpy/halffloat.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/multiarray_api.txt" "$(@D)/numpy_include/numpy/multiarray_api.txt" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/ndarrayobject.h" "$(@D)/numpy_include/numpy/ndarrayobject.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/ndarraytypes.h" "$(@D)/numpy_include/numpy/ndarraytypes.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/noprefix.h" "$(@D)/numpy_include/numpy/noprefix.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_1_7_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_1_7_deprecated_api.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_3kcompat.h" "$(@D)/numpy_include/numpy/npy_3kcompat.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_common.h" "$(@D)/numpy_include/numpy/npy_common.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_cpu.h" "$(@D)/numpy_include/numpy/npy_cpu.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_endian.h" "$(@D)/numpy_include/numpy/npy_endian.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_interrupt.h" "$(@D)/numpy_include/numpy/npy_interrupt.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_math.h" "$(@D)/numpy_include/numpy/npy_math.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_no_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_no_deprecated_api.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/npy_os.h" "$(@D)/numpy_include/numpy/npy_os.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/numpyconfig.h" "$(@D)/numpy_include/numpy/numpyconfig.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/old_defines.h" "$(@D)/numpy_include/numpy/old_defines.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/oldnumeric.h" "$(@D)/numpy_include/numpy/oldnumeric.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/ufunc_api.txt" "$(@D)/numpy_include/numpy/ufunc_api.txt" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/ufuncobject.h" "$(@D)/numpy_include/numpy/ufuncobject.h" && cp -f "/usr/lib/python3/dist-packages/numpy/core/include/numpy/utils.h" "$(@D)/numpy_include/numpy/utils.h"
- """,
-)
diff --git a/third_party/toolchains/preconfig/ubuntu16.04/py3/WORKSPACE b/third_party/toolchains/preconfig/ubuntu16.04/py3/WORKSPACE
deleted file mode 100644
index 1d298fe..0000000
--- a/third_party/toolchains/preconfig/ubuntu16.04/py3/WORKSPACE
+++ /dev/null
@@ -1,2 +0,0 @@
-# DO NOT EDIT: automatically generated WORKSPACE file for python_configure rule
-workspace(name = "local_config_python")
diff --git a/third_party/toolchains/preconfig/win_1803/BUILD b/third_party/toolchains/preconfig/win_1803/BUILD
deleted file mode 100644
index ac599bc..0000000
--- a/third_party/toolchains/preconfig/win_1803/BUILD
+++ /dev/null
@@ -1,26 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-java_runtime(
- name = "windows_jdk8",
- srcs = [],
- java_home = "C:/openjdk",
-)
-
-platform(
- name = "rbe_windows_1803",
- constraint_values = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:windows",
- ],
- remote_execution_properties = """
- properties:{
- name:"container-image"
- value:"docker://gcr.io/tensorflow-testing/tf-rbe-win@sha256:fbc5713566011cc27fc3651183a6e7c2fd56fc6f006618c53f8fc71e742feebd"
- }
- properties:{
- name: "OSFamily" value: "Windows"
- }
- """,
-)
diff --git a/third_party/toolchains/preconfig/win_1803/bazel_018/BUILD b/third_party/toolchains/preconfig/win_1803/bazel_018/BUILD
deleted file mode 100644
index edd9583..0000000
--- a/third_party/toolchains/preconfig/win_1803/bazel_018/BUILD
+++ /dev/null
@@ -1,162 +0,0 @@
-# Copyright 2018 The Bazel Authors. All rights reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-
-# This becomes the BUILD file for @local_config_cc// under Windows.
-
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-cc_library(
- name = "malloc",
-)
-
-cc_library(
- name = "stl",
-)
-
-filegroup(
- name = "empty",
- srcs = [],
-)
-
-# Hardcoded toolchain, legacy behaviour.
-cc_toolchain_suite(
- name = "toolchain",
- toolchains = {
- "armeabi-v7a|compiler": ":cc-compiler-armeabi-v7a",
- "x64_windows|msvc-cl": ":cc-compiler-x64_windows",
- "x64_windows|msys-gcc": ":cc-compiler-x64_windows_msys",
- "x64_windows|mingw-gcc": ":cc-compiler-x64_windows_mingw",
- "x64_windows_msys": ":cc-compiler-x64_windows_msys",
- "x64_windows": ":cc-compiler-x64_windows",
- "armeabi-v7a": ":cc-compiler-armeabi-v7a",
- },
-)
-
-cc_toolchain(
- name = "cc-compiler-x64_windows_msys",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
- toolchain_identifier = "msys_x64",
-)
-
-toolchain(
- name = "cc-toolchain-x64_windows_msys",
- exec_compatible_with = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:windows",
- "@bazel_tools//tools/cpp:msys",
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:windows",
- ],
- toolchain = ":cc-compiler-x64_windows_msys",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
-
-cc_toolchain(
- name = "cc-compiler-x64_windows_mingw",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "x64_windows",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 0,
- toolchain_identifier = "msys_x64_mingw",
-)
-
-toolchain(
- name = "cc-toolchain-x64_windows_mingw",
- exec_compatible_with = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:windows",
- "@bazel_tools//tools/cpp:mingw",
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:windows",
- ],
- toolchain = ":cc-compiler-x64_windows_mingw",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
-
-cc_toolchain(
- name = "cc-compiler-x64_windows",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "x64_windows",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
- toolchain_identifier = "msvc_x64",
-)
-
-toolchain(
- name = "cc-toolchain-x64_windows",
- exec_compatible_with = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:windows",
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:x86_64",
- "@bazel_tools//platforms:windows",
- ],
- toolchain = ":cc-compiler-x64_windows",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
-
-cc_toolchain(
- name = "cc-compiler-armeabi-v7a",
- all_files = ":empty",
- compiler_files = ":empty",
- cpu = "local",
- dwp_files = ":empty",
- dynamic_runtime_libs = [":empty"],
- linker_files = ":empty",
- objcopy_files = ":empty",
- static_runtime_libs = [":empty"],
- strip_files = ":empty",
- supports_param_files = 1,
- toolchain_identifier = "stub_armeabi-v7a",
-)
-
-toolchain(
- name = "cc-toolchain-armeabi-v7a",
- exec_compatible_with = [
- ],
- target_compatible_with = [
- "@bazel_tools//platforms:arm",
- "@bazel_tools//platforms:android",
- ],
- toolchain = ":cc-compiler-armeabi-v7a",
- toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
-)
diff --git a/third_party/toolchains/preconfig/win_1803/bazel_018/CROSSTOOL b/third_party/toolchains/preconfig/win_1803/bazel_018/CROSSTOOL
deleted file mode 100644
index 38a80c2..0000000
--- a/third_party/toolchains/preconfig/win_1803/bazel_018/CROSSTOOL
+++ /dev/null
@@ -1,1176 +0,0 @@
-# Copyright 2016 The Bazel Authors. All rights reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-
-major_version: "local"
-minor_version: ""
-
-# Android tooling requires a default toolchain for the armeabi-v7a cpu.
-toolchain {
- abi_version: "armeabi-v7a"
- abi_libc_version: "armeabi-v7a"
- builtin_sysroot: ""
- compiler: "compiler"
- host_system_name: "armeabi-v7a"
- needsPic: true
- supports_gold_linker: false
- supports_incremental_linker: false
- supports_fission: false
- supports_interface_shared_objects: false
- supports_normalizing_ar: false
- supports_start_end_lib: false
- target_libc: "armeabi-v7a"
- target_cpu: "armeabi-v7a"
- target_system_name: "armeabi-v7a"
- toolchain_identifier: "stub_armeabi-v7a"
-
- tool_path { name: "ar" path: "/bin/false" }
- tool_path { name: "compat-ld" path: "/bin/false" }
- tool_path { name: "cpp" path: "/bin/false" }
- tool_path { name: "dwp" path: "/bin/false" }
- tool_path { name: "gcc" path: "/bin/false" }
- tool_path { name: "gcov" path: "/bin/false" }
- tool_path { name: "ld" path: "/bin/false" }
-
- tool_path { name: "nm" path: "/bin/false" }
- tool_path { name: "objcopy" path: "/bin/false" }
- tool_path { name: "objdump" path: "/bin/false" }
- tool_path { name: "strip" path: "/bin/false" }
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- toolchain_identifier: "msys_x64"
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "msys-gcc"
- host_system_name: "local"
- needsPic: false
- target_libc: "msys"
- target_cpu: "x64_windows"
- target_system_name: "local"
- tool_path { name: "ar" path: "c:/tools/msys64/usr/bin/ar" }
- tool_path { name: "compat-ld" path: "c:/tools/msys64/usr/bin/ld" }
- tool_path { name: "cpp" path: "c:/tools/msys64/usr/bin/cpp" }
- tool_path { name: "dwp" path: "c:/tools/msys64/usr/bin/dwp" }
- tool_path { name: "gcc" path: "c:/tools/msys64/usr/bin/gcc" }
- artifact_name_pattern { category_name: "executable" prefix: "" extension: ".exe"}
- cxx_flag: "-std=gnu++0x"
- linker_flag: "-lstdc++"
- cxx_builtin_include_directory: "c:/tools/msys64/usr/"
- tool_path { name: "gcov" path: "c:/tools/msys64/usr/bin/gcov" }
- tool_path { name: "ld" path: "c:/tools/msys64/usr/bin/ld" }
- tool_path { name: "nm" path: "c:/tools/msys64/usr/bin/nm" }
- tool_path { name: "objcopy" path: "c:/tools/msys64/usr/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "c:/tools/msys64/usr/bin/objdump" }
- tool_path { name: "strip" path: "c:/tools/msys64/usr/bin/strip" } feature { name: "targets_windows" implies: "copy_dynamic_libraries_to_binary" enabled: true } feature { name: "copy_dynamic_libraries_to_binary" }
-
- compilation_mode_flags {
- mode: DBG
-
- }
- compilation_mode_flags {
- mode: OPT
-
- }
- linking_mode_flags { mode: DYNAMIC }
-
-
-
- feature {
- name: 'fdo_optimize'
- provides: 'profile'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- expand_if_all_available: 'fdo_profile_path'
- flag_group {
- flag: '-fprofile-use=%{fdo_profile_path}'
- flag: '-fprofile-correction',
- }
- }
- }
-}
-
-toolchain {
- toolchain_identifier: "msys_x64_mingw"
- abi_version: "local"
- abi_libc_version: "local"
- builtin_sysroot: ""
- compiler: "mingw-gcc"
- host_system_name: "local"
- needsPic: false
- target_libc: "mingw"
- target_cpu: "x64_windows"
- target_system_name: "local"
-
- artifact_name_pattern {
- category_name: 'executable'
- prefix: ''
- extension: '.exe'
- }
-
- tool_path { name: "ar" path: "c:/tools/msys64/mingw64/bin/ar" }
- tool_path { name: "compat-ld" path: "c:/tools/msys64/mingw64/bin/ld" }
- tool_path { name: "cpp" path: "c:/tools/msys64/mingw64/bin/cpp" }
- tool_path { name: "dwp" path: "c:/tools/msys64/mingw64/bin/dwp" }
- tool_path { name: "gcc" path: "c:/tools/msys64/mingw64/bin/gcc" }
- artifact_name_pattern { category_name: "executable" prefix: "" extension: ".exe"}
- cxx_flag: "-std=gnu++0x"
- linker_flag: "-lstdc++"
- cxx_builtin_include_directory: "c:/tools/msys64/mingw64/"
- tool_path { name: "gcov" path: "c:/tools/msys64/mingw64/bin/gcov" }
- tool_path { name: "ld" path: "c:/tools/msys64/mingw64/bin/ld" }
- tool_path { name: "nm" path: "c:/tools/msys64/mingw64/bin/nm" }
- tool_path { name: "objcopy" path: "c:/tools/msys64/mingw64/bin/objcopy" }
- objcopy_embed_flag: "-I"
- objcopy_embed_flag: "binary"
- tool_path { name: "objdump" path: "c:/tools/msys64/mingw64/bin/objdump" }
- tool_path { name: "strip" path: "c:/tools/msys64/mingw64/bin/strip" } feature { name: "targets_windows" implies: "copy_dynamic_libraries_to_binary" enabled: true } feature { name: "copy_dynamic_libraries_to_binary" }
-
- linking_mode_flags { mode: DYNAMIC }
-}
-
-toolchain {
- toolchain_identifier: "msvc_x64"
- # This is a workaround for https://github.com/bazelbuild/bazel/issues/5087.
- cxx_builtin_include_directory: "C:\\botcode\\w"
- host_system_name: "local"
- target_system_name: "local"
-
- abi_version: "local"
- abi_libc_version: "local"
- target_cpu: "x64_windows"
- compiler: "msvc-cl"
- target_libc: "msvcrt"
- default_python_version: "python2.7"
-
-cxx_builtin_include_directory: "C:\\Program Files (x86)\\Microsoft Visual Studio 14.0\\VC\\INCLUDE"
-cxx_builtin_include_directory: "C:\\Program Files (x86)\\Windows Kits\\10\\include\\10.0.10240.0\\ucrt"
-cxx_builtin_include_directory: "C:\\Program Files (x86)\\Windows Kits\\8.1\\include\\shared"
-cxx_builtin_include_directory: "C:\\Program Files (x86)\\Windows Kits\\8.1\\include\\um"
-cxx_builtin_include_directory: "C:\\Program Files (x86)\\Windows Kits\\8.1\\include\\winrt"
-
- tool_path {
- name: "ar"
- path: "C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/lib.exe"
- }
- tool_path {
- name: "ml"
- path: "C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/ml64.exe"
- }
- tool_path {
- name: "cpp"
- path: "C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/cl.exe"
- }
- tool_path {
- name: "gcc"
- path: "C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/cl.exe"
- }
- tool_path {
- name: "gcov"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "ld"
- path: "C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/link.exe"
- }
- tool_path {
- name: "nm"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objcopy"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "objdump"
- path: "wrapper/bin/msvc_nop.bat"
- }
- tool_path {
- name: "strip"
- path: "wrapper/bin/msvc_nop.bat"
- }
- supports_gold_linker: false
- supports_start_end_lib: false
- supports_interface_shared_objects: true
- supports_incremental_linker: false
- supports_normalizing_ar: true
- needsPic: false
-
- # TODO(pcloudy): Review those flags below, they should be defined by cl.exe
- compiler_flag: "/DCOMPILER_MSVC"
-
- # Don't define min/max macros in windows.h.
- compiler_flag: "/DNOMINMAX"
-
- # Platform defines.
- compiler_flag: "/D_WIN32_WINNT=0x0600"
- # Turn off warning messages.
- compiler_flag: "/D_CRT_SECURE_NO_DEPRECATE"
- compiler_flag: "/D_CRT_SECURE_NO_WARNINGS"
-
- # Useful options to have on for compilation.
- # Increase the capacity of object files to 2^32 sections.
- compiler_flag: "/bigobj"
- # Allocate 500MB for precomputed headers.
- compiler_flag: "/Zm500"
- # Catch C++ exceptions only and tell the compiler to assume that functions declared
- # as extern "C" never throw a C++ exception.
- compiler_flag: "/EHsc"
-
- # Globally disabled warnings.
- # Don't warn about elements of array being be default initialized.
- compiler_flag: "/wd4351"
- # Don't warn about no matching delete found.
- compiler_flag: "/wd4291"
- # Don't warn about diamond inheritance patterns.
- compiler_flag: "/wd4250"
- # Don't warn about insecure functions (e.g. non _s functions).
- compiler_flag: "/wd4996"
-
- linker_flag: "/MACHINE:X64"
-
- feature {
- name: "no_legacy_features"
- }
-
- artifact_name_pattern {
- category_name: 'object_file'
- prefix: ''
- extension: '.obj'
- }
-
- artifact_name_pattern {
- category_name: 'static_library'
- prefix: ''
- extension: '.lib'
- }
-
- artifact_name_pattern {
- category_name: 'alwayslink_static_library'
- prefix: ''
- extension: '.lo.lib'
- }
-
- artifact_name_pattern {
- category_name: 'executable'
- prefix: ''
- extension: '.exe'
- }
-
- artifact_name_pattern {
- category_name: 'dynamic_library'
- prefix: ''
- extension: '.dll'
- }
-
- artifact_name_pattern {
- category_name: 'interface_library'
- prefix: ''
- extension: '.if.lib'
- }
-
- # Suppress startup banner.
- feature {
- name: "nologo"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- flag_group {
- flag: "/nologo"
- }
- }
- }
-
- feature {
- name: 'has_configured_linker_path'
- }
-
- # This feature indicates strip is not supported, building stripped binary will just result a copy of orignial binary
- feature {
- name: 'no_stripping'
- }
-
- # This feature indicates this is a toolchain targeting Windows.
- feature {
- name: 'targets_windows'
- implies: 'copy_dynamic_libraries_to_binary'
- enabled: true
- }
-
- feature {
- name: 'copy_dynamic_libraries_to_binary'
- }
-
- action_config {
- config_name: 'assemble'
- action_name: 'assemble'
- tool {
- tool_path: 'C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/ml64.exe'
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'preprocess-assemble'
- action_name: 'preprocess-assemble'
- tool {
- tool_path: 'C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/ml64.exe'
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'sysroot'
- }
-
- action_config {
- config_name: 'c-compile'
- action_name: 'c-compile'
- tool {
- tool_path: 'C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/cl.exe'
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-compile'
- action_name: 'c++-compile'
- tool {
- tool_path: 'C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/cl.exe'
- }
- implies: 'compiler_input_flags'
- implies: 'compiler_output_flags'
- implies: 'legacy_compile_flags'
- implies: 'nologo'
- implies: 'msvc_env'
- implies: 'parse_showincludes'
- implies: 'user_compile_flags'
- implies: 'sysroot'
- implies: 'unfiltered_compile_flags'
- }
-
- action_config {
- config_name: 'c++-link-executable'
- action_name: 'c++-link-executable'
- tool {
- tool_path: 'C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/link.exe'
- }
- implies: 'nologo'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- }
-
- action_config {
- config_name: 'c++-link-dynamic-library'
- action_name: 'c++-link-dynamic-library'
- tool {
- tool_path: 'C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/link.exe'
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-nodeps-dynamic-library'
- action_name: 'c++-link-nodeps-dynamic-library'
- tool {
- tool_path: 'C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/link.exe'
- }
- implies: 'nologo'
- implies: 'shared_flag'
- implies: 'linkstamps'
- implies: 'output_execpath_flags'
- implies: 'input_param_flags'
- implies: 'user_link_flags'
- implies: 'legacy_link_flags'
- implies: 'linker_subsystem_flag'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- implies: 'no_stripping'
- implies: 'has_configured_linker_path'
- implies: 'def_file'
- }
-
- action_config {
- config_name: 'c++-link-static-library'
- action_name: 'c++-link-static-library'
- tool {
- tool_path: 'C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/lib.exe'
- }
- implies: 'nologo'
- implies: 'archiver_flags'
- implies: 'input_param_flags'
- implies: 'linker_param_file'
- implies: 'msvc_env'
- }
-
- # TODO(b/65151735): Remove legacy_compile_flags feature when legacy fields are
- # not used in this crosstool
- feature {
- name: 'legacy_compile_flags'
- flag_set {
- expand_if_all_available: 'legacy_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'legacy_compile_flags'
- flag: '%{legacy_compile_flags}'
- }
- }
- }
-
- feature {
- name: "msvc_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "PATH"
- value: "C:\\Program Files (x86)\\Microsoft Visual Studio 14.0\\VC\\BIN\\amd64;C:\\Windows\\Microsoft.NET\\Framework64\\v4.0.30319;C:\\Windows\\Microsoft.NET\\Framework64\\;C:\\Program Files (x86)\\Windows Kits\\8.1\\bin\\x64;C:\\Program Files (x86)\\Windows Kits\\8.1\\bin\\x86;;C:\\Windows\\system32"
- }
- env_entry {
- key: "TMP"
- value: "C:\\Users\\ContainerAdministrator\\AppData\\Local\\Temp"
- }
- env_entry {
- key: "TEMP"
- value: "C:\\Users\\ContainerAdministrator\\AppData\\Local\\Temp"
- }
- }
- implies: 'msvc_compile_env'
- implies: 'msvc_link_env'
- }
-
- feature {
- name: "msvc_compile_env"
- env_set {
- action: "c-compile"
- action: "c++-compile"
- action: "c++-module-compile"
- action: "c++-module-codegen"
- action: "c++-header-parsing"
- action: "assemble"
- action: "preprocess-assemble"
- env_entry {
- key: "INCLUDE"
- value: "C:\\Program Files (x86)\\Microsoft Visual Studio 14.0\\VC\\INCLUDE;C:\\Program Files (x86)\\Windows Kits\\10\\include\\10.0.10240.0\\ucrt;C:\\Program Files (x86)\\Windows Kits\\8.1\\include\\shared;C:\\Program Files (x86)\\Windows Kits\\8.1\\include\\um;C:\\Program Files (x86)\\Windows Kits\\8.1\\include\\winrt;"
- }
- }
- }
-
- feature {
- name: "msvc_link_env"
- env_set {
- action: "c++-link-executable"
- action: "c++-link-dynamic-library"
- action: "c++-link-nodeps-dynamic-library"
- action: "c++-link-static-library"
- env_entry {
- key: "LIB"
- value: "C:\\Program Files (x86)\\Microsoft Visual Studio 14.0\\VC\\LIB\\amd64;C:\\Program Files (x86)\\Windows Kits\\10\\lib\\10.0.10240.0\\ucrt\\x64;C:\\Program Files (x86)\\Windows Kits\\8.1\\lib\\winv6.3\\um\\x64;"
- }
- }
- }
-
- feature {
- name: 'include_paths'
- flag_set {
- action: "assemble"
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- flag_group {
- iterate_over: 'quote_include_paths'
- flag: '/I%{quote_include_paths}'
- }
- flag_group {
- iterate_over: 'include_paths'
- flag: '/I%{include_paths}'
- }
- flag_group {
- iterate_over: 'system_include_paths'
- flag: '/I%{system_include_paths}'
- }
- }
- }
-
- feature {
- name: "preprocessor_defines"
- flag_set {
- action: "assemble"
- action: "preprocess-assemble"
- action: "c-compile"
- action: "c++-compile"
- action: "c++-header-parsing"
- action: "c++-module-compile"
- flag_group {
- flag: "/D%{preprocessor_defines}"
- iterate_over: "preprocessor_defines"
- }
- }
- }
-
- # Tell Bazel to parse the output of /showIncludes
- feature {
- name: 'parse_showincludes'
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-module-compile'
- action: 'c++-header-parsing'
- flag_group {
- flag: "/showIncludes"
- }
- }
- }
-
-
- feature {
- name: 'generate_pdb_file'
- requires: {
- feature: 'dbg'
- }
- requires: {
- feature: 'fastbuild'
- }
- }
-
- feature {
- name: 'shared_flag'
- flag_set {
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/DLL'
- }
- }
- }
-
- feature {
- name: 'linkstamps'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- expand_if_all_available: 'linkstamp_paths'
- flag_group {
- iterate_over: 'linkstamp_paths'
- flag: '%{linkstamp_paths}'
- }
- }
- }
-
- feature {
- name: 'output_execpath_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'archiver_flags'
- flag_set {
- expand_if_all_available: 'output_execpath'
- action: 'c++-link-static-library'
- flag_group {
- flag: '/OUT:%{output_execpath}'
- }
- }
- }
-
- feature {
- name: 'input_param_flags'
- flag_set {
- expand_if_all_available: 'interface_library_output_path'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/IMPLIB:%{interface_library_output_path}"
- }
- }
- flag_set {
- expand_if_all_available: 'libopts'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'libopts'
- flag: '%{libopts}'
- }
- }
- flag_set {
- expand_if_all_available: 'libraries_to_link'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- iterate_over: 'libraries_to_link'
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file_group'
- }
- iterate_over: 'libraries_to_link.object_files'
- flag_group {
- flag: '%{libraries_to_link.object_files}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'object_file'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'interface_library'
- }
- flag_group {
- flag: '%{libraries_to_link.name}'
- }
- }
- flag_group {
- expand_if_equal: {
- variable: 'libraries_to_link.type'
- value: 'static_library'
- }
- flag_group {
- expand_if_false: 'libraries_to_link.is_whole_archive'
- flag: '%{libraries_to_link.name}'
- }
- flag_group {
- expand_if_true: 'libraries_to_link.is_whole_archive'
- flag: '/WHOLEARCHIVE:%{libraries_to_link.name}'
- }
- }
- }
- }
- }
-
- # Since this feature is declared earlier in the CROSSTOOL than
- # "user_link_flags", this feature will be applied prior to it anwyhere they
- # are both implied. And since "user_link_flags" contains the linkopts from
- # the build rule, this allows the user to override the /SUBSYSTEM in the BUILD
- # file.
- feature {
- name: 'linker_subsystem_flag'
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: '/SUBSYSTEM:CONSOLE'
- }
- }
- }
-
- # The "user_link_flags" contains user-defined linkopts (from build rules)
- # so it should be defined after features that declare user-overridable flags.
- # For example the "linker_subsystem_flag" defines a default "/SUBSYSTEM" flag
- # but we want to let the user override it, therefore "link_flag_subsystem" is
- # defined earlier in the CROSSTOOL file than "user_link_flags".
- feature {
- name: 'user_link_flags'
- flag_set {
- expand_if_all_available: 'user_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'user_link_flags'
- flag: '%{user_link_flags}'
- }
- }
- }
- feature {
- name: 'legacy_link_flags'
- flag_set {
- expand_if_all_available: 'legacy_link_flags'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'legacy_link_flags'
- flag: '%{legacy_link_flags}'
- }
- }
- }
-
- feature {
- name: 'linker_param_file'
- flag_set {
- expand_if_all_available: 'linker_param_file'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- action: 'c++-link-static-library'
- flag_group {
- flag: '@%{linker_param_file}'
- }
- }
- }
-
- feature {
- name: 'static_link_msvcrt'
- }
-
- feature {
- name: 'static_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MT"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_no_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MD"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrt.lib"
- }
- }
- requires: { feature: 'fastbuild'}
- requires: { feature: 'opt'}
- }
-
- feature {
- name: 'static_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MTd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:libcmtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dynamic_link_msvcrt_debug'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/MDd"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEFAULTLIB:msvcrtd.lib"
- }
- }
- requires: { feature: 'dbg'}
- }
-
- feature {
- name: 'dbg'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FULL"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'fastbuild'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/Od"
- flag: "/Z7"
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEBUG:FASTLINK"
- flag: "/INCREMENTAL:NO"
- }
- }
- implies: 'generate_pdb_file'
- }
-
- feature {
- name: 'opt'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/O2" # Implies /Og /Oi /Ot /Oy /Ob2 /Gs /GF /Gy
- }
- }
- implies: 'frame_pointer'
- }
-
- # Keep stack frames for debugging, even in opt mode.
- # Must come after /O1, /O2 and /Ox.
- feature {
- name: "frame_pointer"
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- flag: "/Oy-"
- }
- }
- }
-
- # Remove assert/DCHECKs in opt mode.
- # You can have them back with --features=-disable_assertions.
- feature {
- name: 'disable_assertions'
- enabled: true
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- with_feature: {
- feature: 'opt'
- }
- flag_group {
- flag: "/DNDEBUG"
- }
- }
- }
-
- feature {
- name: "determinism"
- enabled: true
- flag_set {
- action: "c-compile"
- action: "c++-compile"
- flag_group {
- # Make C++ compilation deterministic. Use linkstamping instead of these
- # compiler symbols.
- # TODO: detect clang on Windows and use "-Wno-builtin-macro-redefined"
- flag: "/wd4117" # Trying to define or undefine a predefined macro
- flag: "-D__DATE__=\"redacted\""
- flag: "-D__TIMESTAMP__=\"redacted\""
- flag: "-D__TIME__=\"redacted\""
- }
- }
- }
-
- feature {
- name: 'treat_warnings_as_errors'
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- flag_group {
- flag: "/WX"
- }
- }
- }
-
- # Trade slower build time for smaller binary
- feature {
- name: 'smaller_binary'
- enabled: true
- flag_set {
- action: 'c-compile'
- action: 'c++-compile'
- with_feature: {
- feature: 'opt'
- }
- flag_group {
- flag: "/Gy" # Enable function-level linking (-ffunction-sections)
- flag: "/Gw" # Optimize global data (-fdata-sections)
- }
- }
- flag_set {
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library',
- action: 'c++-link-nodeps-dynamic-library'
- with_feature: {
- feature: 'opt'
- }
- flag_group {
- flag: '/OPT:ICF' # Fold identical functions
- flag: '/OPT:REF' # Eliminate unreferenced functions and data
- }
- }
- }
-
- # Suppress warnings that most users do not care
- feature {
- name: 'ignore_noisy_warnings'
- enabled: true
- flag_set {
- action: 'c++-link-static-library'
- flag_group {
- # Suppress 'object file does not define any public symbols' warning
- flag: '/ignore:4221'
- }
- }
- }
-
- feature {
- name: 'user_compile_flags'
- flag_set {
- expand_if_all_available: 'user_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'user_compile_flags'
- flag: '%{user_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'sysroot'
- flag_set {
- expand_if_all_available: 'sysroot'
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- iterate_over: 'sysroot'
- flag: '--sysroot=%{sysroot}'
- }
- }
- }
-
- feature {
- name: 'unfiltered_compile_flags'
- flag_set {
- expand_if_all_available: 'unfiltered_compile_flags'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- iterate_over: 'unfiltered_compile_flags'
- flag: '%{unfiltered_compile_flags}'
- }
- }
- }
-
- feature {
- name: 'compiler_output_flags'
- flag_set {
- action: 'assemble'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- flag: '/Zi'
- }
- }
- flag_set {
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_none_available: 'output_assembly_file'
- expand_if_none_available: 'output_preprocess_file'
- flag: '/Fo%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_assembly_file'
- flag: '/Fa%{output_file}'
- }
- flag_group {
- expand_if_all_available: 'output_file'
- expand_if_all_available: 'output_preprocess_file'
- flag: '/P'
- flag: '/Fi%{output_file}'
- }
- }
- }
-
- feature {
- name: 'compiler_input_flags'
- flag_set {
- action: 'assemble'
- action: 'preprocess-assemble'
- action: 'c-compile'
- action: 'c++-compile'
- action: 'c++-header-parsing'
- action: 'c++-module-compile'
- action: 'c++-module-codegen'
- flag_group {
- expand_if_all_available: 'source_file'
- flag: '/c'
- flag: '%{source_file}'
- }
- }
- }
-
- feature {
- name : 'def_file',
- flag_set {
- expand_if_all_available: 'def_file_path'
- action: 'c++-link-executable'
- action: 'c++-link-dynamic-library'
- action: "c++-link-nodeps-dynamic-library"
- flag_group {
- flag: "/DEF:%{def_file_path}"
- # We can specify a different DLL name in DEF file, /ignore:4070 suppresses
- # the warning message about DLL name doesn't match the default one.
- # See https://msdn.microsoft.com/en-us/library/sfkk2fz7.aspx
- flag: "/ignore:4070"
- }
- }
- }
-
- feature {
- name: 'windows_export_all_symbols'
- }
-
- feature {
- name: 'no_windows_export_all_symbols'
- }
-
- linking_mode_flags { mode: DYNAMIC }
-}
-
diff --git a/third_party/toolchains/preconfig/win_1803/bazel_018/dummy_toolchain.bzl b/third_party/toolchains/preconfig/win_1803/bazel_018/dummy_toolchain.bzl
deleted file mode 100644
index 45c0285..0000000
--- a/third_party/toolchains/preconfig/win_1803/bazel_018/dummy_toolchain.bzl
+++ /dev/null
@@ -1,23 +0,0 @@
-# pylint: disable=g-bad-file-header
-# Copyright 2017 The Bazel Authors. All rights reserved.
-#
-# Licensed under the Apache License, Version 2.0 (the "License");
-# you may not use this file except in compliance with the License.
-# You may obtain a copy of the License at
-#
-# http://www.apache.org/licenses/LICENSE-2.0
-#
-# Unless required by applicable law or agreed to in writing, software
-# distributed under the License is distributed on an "AS IS" BASIS,
-# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-# See the License for the specific language governing permissions and
-# limitations under the License.
-
-"""Skylark rule that stubs a toolchain."""
-
-def _dummy_toolchain_impl(ctx):
- ctx = ctx # unused argument
- toolchain = platform_common.ToolchainInfo()
- return [toolchain]
-
-dummy_toolchain = rule(_dummy_toolchain_impl, attrs = {})
diff --git a/third_party/toolchains/preconfig/win_1803/py36/BUILD b/third_party/toolchains/preconfig/win_1803/py36/BUILD
deleted file mode 100644
index 7b2e84b..0000000
--- a/third_party/toolchains/preconfig/win_1803/py36/BUILD
+++ /dev/null
@@ -1,191 +0,0 @@
-licenses(["restricted"])
-
-package(default_visibility = ["//visibility:public"])
-
-# To build Python C/C++ extension on Windows, we need to link to python import library pythonXY.lib
-# See https://docs.python.org/3/extending/windows.html
-cc_import(
- name = "python_lib",
- interface_library = select({
- ":windows": ":python_import_lib",
- # A placeholder for Unix platforms which makes --no_build happy.
- "//conditions:default": "not-existing.lib",
- }),
- system_provided = 1,
-)
-
-cc_library(
- name = "python_headers",
- hdrs = [":python_include"],
- includes = ["python_include"],
- deps = select({
- ":windows": [":python_lib"],
- "//conditions:default": [],
- }),
-)
-
-cc_library(
- name = "numpy_headers",
- hdrs = [":numpy_include"],
- includes = ["numpy_include"],
-)
-
-config_setting(
- name = "windows",
- values = {"cpu": "x64_windows"},
- visibility = ["//visibility:public"],
-)
-
-genrule(
- name = "python_include",
- outs = [
- "python_include/Python-ast.h",
- "python_include/Python.h",
- "python_include/abstract.h",
- "python_include/accu.h",
- "python_include/asdl.h",
- "python_include/ast.h",
- "python_include/bitset.h",
- "python_include/bltinmodule.h",
- "python_include/boolobject.h",
- "python_include/bytearrayobject.h",
- "python_include/bytes_methods.h",
- "python_include/bytesobject.h",
- "python_include/cellobject.h",
- "python_include/ceval.h",
- "python_include/classobject.h",
- "python_include/code.h",
- "python_include/codecs.h",
- "python_include/compile.h",
- "python_include/complexobject.h",
- "python_include/datetime.h",
- "python_include/descrobject.h",
- "python_include/dictobject.h",
- "python_include/dtoa.h",
- "python_include/dynamic_annotations.h",
- "python_include/enumobject.h",
- "python_include/errcode.h",
- "python_include/eval.h",
- "python_include/fileobject.h",
- "python_include/fileutils.h",
- "python_include/floatobject.h",
- "python_include/frameobject.h",
- "python_include/funcobject.h",
- "python_include/genobject.h",
- "python_include/graminit.h",
- "python_include/grammar.h",
- "python_include/import.h",
- "python_include/intrcheck.h",
- "python_include/iterobject.h",
- "python_include/listobject.h",
- "python_include/longintrepr.h",
- "python_include/longobject.h",
- "python_include/marshal.h",
- "python_include/memoryobject.h",
- "python_include/metagrammar.h",
- "python_include/methodobject.h",
- "python_include/modsupport.h",
- "python_include/moduleobject.h",
- "python_include/namespaceobject.h",
- "python_include/node.h",
- "python_include/object.h",
- "python_include/objimpl.h",
- "python_include/odictobject.h",
- "python_include/opcode.h",
- "python_include/osdefs.h",
- "python_include/osmodule.h",
- "python_include/parsetok.h",
- "python_include/patchlevel.h",
- "python_include/pgen.h",
- "python_include/pgenheaders.h",
- "python_include/py_curses.h",
- "python_include/pyarena.h",
- "python_include/pyatomic.h",
- "python_include/pycapsule.h",
- "python_include/pyconfig.h",
- "python_include/pyctype.h",
- "python_include/pydebug.h",
- "python_include/pydtrace.h",
- "python_include/pyerrors.h",
- "python_include/pyexpat.h",
- "python_include/pyfpe.h",
- "python_include/pygetopt.h",
- "python_include/pyhash.h",
- "python_include/pylifecycle.h",
- "python_include/pymacconfig.h",
- "python_include/pymacro.h",
- "python_include/pymath.h",
- "python_include/pymem.h",
- "python_include/pyport.h",
- "python_include/pystate.h",
- "python_include/pystrcmp.h",
- "python_include/pystrhex.h",
- "python_include/pystrtod.h",
- "python_include/pythonrun.h",
- "python_include/pythread.h",
- "python_include/pytime.h",
- "python_include/rangeobject.h",
- "python_include/setobject.h",
- "python_include/sliceobject.h",
- "python_include/structmember.h",
- "python_include/structseq.h",
- "python_include/symtable.h",
- "python_include/sysmodule.h",
- "python_include/token.h",
- "python_include/traceback.h",
- "python_include/tupleobject.h",
- "python_include/typeslots.h",
- "python_include/ucnhash.h",
- "python_include/unicodeobject.h",
- "python_include/warnings.h",
- "python_include/weakrefobject.h",
- ],
- cmd = """
-cp -f "C:/Python36/include/Python-ast.h" "$(@D)/python_include/Python-ast.h" && cp -f "C:/Python36/include/Python.h" "$(@D)/python_include/Python.h" && cp -f "C:/Python36/include/abstract.h" "$(@D)/python_include/abstract.h" && cp -f "C:/Python36/include/accu.h" "$(@D)/python_include/accu.h" && cp -f "C:/Python36/include/asdl.h" "$(@D)/python_include/asdl.h" && cp -f "C:/Python36/include/ast.h" "$(@D)/python_include/ast.h" && cp -f "C:/Python36/include/bitset.h" "$(@D)/python_include/bitset.h" && cp -f "C:/Python36/include/bltinmodule.h" "$(@D)/python_include/bltinmodule.h" && cp -f "C:/Python36/include/boolobject.h" "$(@D)/python_include/boolobject.h" && cp -f "C:/Python36/include/bytearrayobject.h" "$(@D)/python_include/bytearrayobject.h" && cp -f "C:/Python36/include/bytes_methods.h" "$(@D)/python_include/bytes_methods.h" && cp -f "C:/Python36/include/bytesobject.h" "$(@D)/python_include/bytesobject.h" && cp -f "C:/Python36/include/cellobject.h" "$(@D)/python_include/cellobject.h" && cp -f "C:/Python36/include/ceval.h" "$(@D)/python_include/ceval.h" && cp -f "C:/Python36/include/classobject.h" "$(@D)/python_include/classobject.h" && cp -f "C:/Python36/include/code.h" "$(@D)/python_include/code.h" && cp -f "C:/Python36/include/codecs.h" "$(@D)/python_include/codecs.h" && cp -f "C:/Python36/include/compile.h" "$(@D)/python_include/compile.h" && cp -f "C:/Python36/include/complexobject.h" "$(@D)/python_include/complexobject.h" && cp -f "C:/Python36/include/datetime.h" "$(@D)/python_include/datetime.h" && cp -f "C:/Python36/include/descrobject.h" "$(@D)/python_include/descrobject.h" && cp -f "C:/Python36/include/dictobject.h" "$(@D)/python_include/dictobject.h" && cp -f "C:/Python36/include/dtoa.h" "$(@D)/python_include/dtoa.h" && cp -f "C:/Python36/include/dynamic_annotations.h" "$(@D)/python_include/dynamic_annotations.h" && cp -f "C:/Python36/include/enumobject.h" "$(@D)/python_include/enumobject.h" && cp -f "C:/Python36/include/errcode.h" "$(@D)/python_include/errcode.h" && cp -f "C:/Python36/include/eval.h" "$(@D)/python_include/eval.h" && cp -f "C:/Python36/include/fileobject.h" "$(@D)/python_include/fileobject.h" && cp -f "C:/Python36/include/fileutils.h" "$(@D)/python_include/fileutils.h" && cp -f "C:/Python36/include/floatobject.h" "$(@D)/python_include/floatobject.h" && cp -f "C:/Python36/include/frameobject.h" "$(@D)/python_include/frameobject.h" && cp -f "C:/Python36/include/funcobject.h" "$(@D)/python_include/funcobject.h" && cp -f "C:/Python36/include/genobject.h" "$(@D)/python_include/genobject.h" && cp -f "C:/Python36/include/graminit.h" "$(@D)/python_include/graminit.h" && cp -f "C:/Python36/include/grammar.h" "$(@D)/python_include/grammar.h" && cp -f "C:/Python36/include/import.h" "$(@D)/python_include/import.h" && cp -f "C:/Python36/include/intrcheck.h" "$(@D)/python_include/intrcheck.h" && cp -f "C:/Python36/include/iterobject.h" "$(@D)/python_include/iterobject.h" && cp -f "C:/Python36/include/listobject.h" "$(@D)/python_include/listobject.h" && cp -f "C:/Python36/include/longintrepr.h" "$(@D)/python_include/longintrepr.h" && cp -f "C:/Python36/include/longobject.h" "$(@D)/python_include/longobject.h" && cp -f "C:/Python36/include/marshal.h" "$(@D)/python_include/marshal.h" && cp -f "C:/Python36/include/memoryobject.h" "$(@D)/python_include/memoryobject.h" && cp -f "C:/Python36/include/metagrammar.h" "$(@D)/python_include/metagrammar.h" && cp -f "C:/Python36/include/methodobject.h" "$(@D)/python_include/methodobject.h" && cp -f "C:/Python36/include/modsupport.h" "$(@D)/python_include/modsupport.h" && cp -f "C:/Python36/include/moduleobject.h" "$(@D)/python_include/moduleobject.h" && cp -f "C:/Python36/include/namespaceobject.h" "$(@D)/python_include/namespaceobject.h" && cp -f "C:/Python36/include/node.h" "$(@D)/python_include/node.h" && cp -f "C:/Python36/include/object.h" "$(@D)/python_include/object.h" && cp -f "C:/Python36/include/objimpl.h" "$(@D)/python_include/objimpl.h" && cp -f "C:/Python36/include/odictobject.h" "$(@D)/python_include/odictobject.h" && cp -f "C:/Python36/include/opcode.h" "$(@D)/python_include/opcode.h" && cp -f "C:/Python36/include/osdefs.h" "$(@D)/python_include/osdefs.h" && cp -f "C:/Python36/include/osmodule.h" "$(@D)/python_include/osmodule.h" && cp -f "C:/Python36/include/parsetok.h" "$(@D)/python_include/parsetok.h" && cp -f "C:/Python36/include/patchlevel.h" "$(@D)/python_include/patchlevel.h" && cp -f "C:/Python36/include/pgen.h" "$(@D)/python_include/pgen.h" && cp -f "C:/Python36/include/pgenheaders.h" "$(@D)/python_include/pgenheaders.h" && cp -f "C:/Python36/include/py_curses.h" "$(@D)/python_include/py_curses.h" && cp -f "C:/Python36/include/pyarena.h" "$(@D)/python_include/pyarena.h" && cp -f "C:/Python36/include/pyatomic.h" "$(@D)/python_include/pyatomic.h" && cp -f "C:/Python36/include/pycapsule.h" "$(@D)/python_include/pycapsule.h" && cp -f "C:/Python36/include/pyconfig.h" "$(@D)/python_include/pyconfig.h" && cp -f "C:/Python36/include/pyctype.h" "$(@D)/python_include/pyctype.h" && cp -f "C:/Python36/include/pydebug.h" "$(@D)/python_include/pydebug.h" && cp -f "C:/Python36/include/pydtrace.h" "$(@D)/python_include/pydtrace.h" && cp -f "C:/Python36/include/pyerrors.h" "$(@D)/python_include/pyerrors.h" && cp -f "C:/Python36/include/pyexpat.h" "$(@D)/python_include/pyexpat.h" && cp -f "C:/Python36/include/pyfpe.h" "$(@D)/python_include/pyfpe.h" && cp -f "C:/Python36/include/pygetopt.h" "$(@D)/python_include/pygetopt.h" && cp -f "C:/Python36/include/pyhash.h" "$(@D)/python_include/pyhash.h" && cp -f "C:/Python36/include/pylifecycle.h" "$(@D)/python_include/pylifecycle.h" && cp -f "C:/Python36/include/pymacconfig.h" "$(@D)/python_include/pymacconfig.h" && cp -f "C:/Python36/include/pymacro.h" "$(@D)/python_include/pymacro.h" && cp -f "C:/Python36/include/pymath.h" "$(@D)/python_include/pymath.h" && cp -f "C:/Python36/include/pymem.h" "$(@D)/python_include/pymem.h" && cp -f "C:/Python36/include/pyport.h" "$(@D)/python_include/pyport.h" && cp -f "C:/Python36/include/pystate.h" "$(@D)/python_include/pystate.h" && cp -f "C:/Python36/include/pystrcmp.h" "$(@D)/python_include/pystrcmp.h" && cp -f "C:/Python36/include/pystrhex.h" "$(@D)/python_include/pystrhex.h" && cp -f "C:/Python36/include/pystrtod.h" "$(@D)/python_include/pystrtod.h" && cp -f "C:/Python36/include/pythonrun.h" "$(@D)/python_include/pythonrun.h" && cp -f "C:/Python36/include/pythread.h" "$(@D)/python_include/pythread.h" && cp -f "C:/Python36/include/pytime.h" "$(@D)/python_include/pytime.h" && cp -f "C:/Python36/include/rangeobject.h" "$(@D)/python_include/rangeobject.h" && cp -f "C:/Python36/include/setobject.h" "$(@D)/python_include/setobject.h" && cp -f "C:/Python36/include/sliceobject.h" "$(@D)/python_include/sliceobject.h" && cp -f "C:/Python36/include/structmember.h" "$(@D)/python_include/structmember.h" && cp -f "C:/Python36/include/structseq.h" "$(@D)/python_include/structseq.h" && cp -f "C:/Python36/include/symtable.h" "$(@D)/python_include/symtable.h" && cp -f "C:/Python36/include/sysmodule.h" "$(@D)/python_include/sysmodule.h" && cp -f "C:/Python36/include/token.h" "$(@D)/python_include/token.h" && cp -f "C:/Python36/include/traceback.h" "$(@D)/python_include/traceback.h" && cp -f "C:/Python36/include/tupleobject.h" "$(@D)/python_include/tupleobject.h" && cp -f "C:/Python36/include/typeslots.h" "$(@D)/python_include/typeslots.h" && cp -f "C:/Python36/include/ucnhash.h" "$(@D)/python_include/ucnhash.h" && cp -f "C:/Python36/include/unicodeobject.h" "$(@D)/python_include/unicodeobject.h" && cp -f "C:/Python36/include/warnings.h" "$(@D)/python_include/warnings.h" && cp -f "C:/Python36/include/weakrefobject.h" "$(@D)/python_include/weakrefobject.h"
- """,
-)
-
-genrule(
- name = "numpy_include",
- outs = [
- "numpy_include/numpy/__multiarray_api.h",
- "numpy_include/numpy/__ufunc_api.h",
- "numpy_include/numpy/_neighborhood_iterator_imp.h",
- "numpy_include/numpy/_numpyconfig.h",
- "numpy_include/numpy/arrayobject.h",
- "numpy_include/numpy/arrayscalars.h",
- "numpy_include/numpy/halffloat.h",
- "numpy_include/numpy/multiarray_api.txt",
- "numpy_include/numpy/ndarrayobject.h",
- "numpy_include/numpy/ndarraytypes.h",
- "numpy_include/numpy/noprefix.h",
- "numpy_include/numpy/npy_1_7_deprecated_api.h",
- "numpy_include/numpy/npy_3kcompat.h",
- "numpy_include/numpy/npy_common.h",
- "numpy_include/numpy/npy_cpu.h",
- "numpy_include/numpy/npy_endian.h",
- "numpy_include/numpy/npy_interrupt.h",
- "numpy_include/numpy/npy_math.h",
- "numpy_include/numpy/npy_no_deprecated_api.h",
- "numpy_include/numpy/npy_os.h",
- "numpy_include/numpy/numpyconfig.h",
- "numpy_include/numpy/old_defines.h",
- "numpy_include/numpy/oldnumeric.h",
- "numpy_include/numpy/ufunc_api.txt",
- "numpy_include/numpy/ufuncobject.h",
- "numpy_include/numpy/utils.h",
- ],
- cmd = """
-cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/__multiarray_api.h" "$(@D)/numpy_include/numpy/__multiarray_api.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/__ufunc_api.h" "$(@D)/numpy_include/numpy/__ufunc_api.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/_neighborhood_iterator_imp.h" "$(@D)/numpy_include/numpy/_neighborhood_iterator_imp.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/_numpyconfig.h" "$(@D)/numpy_include/numpy/_numpyconfig.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/arrayobject.h" "$(@D)/numpy_include/numpy/arrayobject.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/arrayscalars.h" "$(@D)/numpy_include/numpy/arrayscalars.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/halffloat.h" "$(@D)/numpy_include/numpy/halffloat.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/multiarray_api.txt" "$(@D)/numpy_include/numpy/multiarray_api.txt" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/ndarrayobject.h" "$(@D)/numpy_include/numpy/ndarrayobject.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/ndarraytypes.h" "$(@D)/numpy_include/numpy/ndarraytypes.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/noprefix.h" "$(@D)/numpy_include/numpy/noprefix.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_1_7_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_1_7_deprecated_api.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_3kcompat.h" "$(@D)/numpy_include/numpy/npy_3kcompat.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_common.h" "$(@D)/numpy_include/numpy/npy_common.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_cpu.h" "$(@D)/numpy_include/numpy/npy_cpu.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_endian.h" "$(@D)/numpy_include/numpy/npy_endian.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_interrupt.h" "$(@D)/numpy_include/numpy/npy_interrupt.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_math.h" "$(@D)/numpy_include/numpy/npy_math.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_no_deprecated_api.h" "$(@D)/numpy_include/numpy/npy_no_deprecated_api.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/npy_os.h" "$(@D)/numpy_include/numpy/npy_os.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/numpyconfig.h" "$(@D)/numpy_include/numpy/numpyconfig.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/old_defines.h" "$(@D)/numpy_include/numpy/old_defines.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/oldnumeric.h" "$(@D)/numpy_include/numpy/oldnumeric.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/ufunc_api.txt" "$(@D)/numpy_include/numpy/ufunc_api.txt" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/ufuncobject.h" "$(@D)/numpy_include/numpy/ufuncobject.h" && cp -f "C:/Python36/lib/site-packages/numpy/core/include/numpy/utils.h" "$(@D)/numpy_include/numpy/utils.h"
- """,
-)
-
-genrule(
- name = "python_import_lib",
- outs = [
- "python36.lib",
- ],
- cmd = """
-cp -f "C:/Python36/libs/python36.lib" "$(@D)/python36.lib"
- """,
-)
diff --git a/third_party/toolchains/remote/BUILD b/third_party/toolchains/remote/BUILD
deleted file mode 100644
index e69de29..0000000
--- a/third_party/toolchains/remote/BUILD
+++ /dev/null
diff --git a/third_party/toolchains/remote/BUILD.tpl b/third_party/toolchains/remote/BUILD.tpl
deleted file mode 100644
index e69de29..0000000
--- a/third_party/toolchains/remote/BUILD.tpl
+++ /dev/null
diff --git a/third_party/toolchains/remote/configure.bzl b/third_party/toolchains/remote/configure.bzl
deleted file mode 100644
index cc5b984..0000000
--- a/third_party/toolchains/remote/configure.bzl
+++ /dev/null
@@ -1,43 +0,0 @@
-"""Repository rule for remote GPU autoconfiguration.
-
-This rule creates the starlark file
-//third_party/toolchains/remote:execution.bzl
-providing the function `gpu_test_tags`.
-
-`gpu_test_tags` will return:
-
- * `local`: if `REMOTE_GPU_TESTING` is false, allowing CPU tests to run
- remotely and GPU tests to run locally in the same bazel invocation.
- * `remote-gpu`: if `REMOTE_GPU_TESTING` is true; this allows rules to
- set an execution requirement that enables a GPU-enabled remote platform.
-"""
-
-_REMOTE_GPU_TESTING = "REMOTE_GPU_TESTING"
-
-def _flag_enabled(repository_ctx, flag_name):
- if flag_name not in repository_ctx.os.environ:
- return False
- return repository_ctx.os.environ[flag_name].strip() == "1"
-
-def _remote_execution_configure(repository_ctx):
- # If we do not support remote gpu test execution, mark them as local, so we
- # can combine remote builds with local gpu tests.
- gpu_test_tags = "\"local\""
- if _flag_enabled(repository_ctx, _REMOTE_GPU_TESTING):
- gpu_test_tags = "\"remote-gpu\""
- repository_ctx.template(
- "remote_execution.bzl",
- Label("//third_party/toolchains/remote:execution.bzl.tpl"),
- {
- "%{gpu_test_tags}": gpu_test_tags,
- },
- )
- repository_ctx.template(
- "BUILD",
- Label("//third_party/toolchains/remote:BUILD.tpl"),
- )
-
-remote_execution_configure = repository_rule(
- implementation = _remote_execution_configure,
- environ = [_REMOTE_GPU_TESTING],
-)
diff --git a/third_party/toolchains/remote/execution.bzl.tpl b/third_party/toolchains/remote/execution.bzl.tpl
deleted file mode 100644
index 18858cc..0000000
--- a/third_party/toolchains/remote/execution.bzl.tpl
+++ /dev/null
@@ -1,2 +0,0 @@
-def gpu_test_tags():
- return [%{gpu_test_tags}]
diff --git a/third_party/zlib.BUILD b/third_party/zlib.BUILD
deleted file mode 100644
index 33694ea..0000000
--- a/third_party/zlib.BUILD
+++ /dev/null
@@ -1,43 +0,0 @@
-package(default_visibility = ["//visibility:public"])
-
-licenses(["notice"]) # BSD/MIT-like license (for zlib)
-
-cc_library(
- name = "zlib",
- srcs = [
- "adler32.c",
- "compress.c",
- "crc32.c",
- "crc32.h",
- "deflate.c",
- "deflate.h",
- "gzclose.c",
- "gzguts.h",
- "gzlib.c",
- "gzread.c",
- "gzwrite.c",
- "infback.c",
- "inffast.c",
- "inffast.h",
- "inffixed.h",
- "inflate.c",
- "inflate.h",
- "inftrees.c",
- "inftrees.h",
- "trees.c",
- "trees.h",
- "uncompr.c",
- "zconf.h",
- "zutil.c",
- "zutil.h",
- ],
- hdrs = ["zlib.h"],
- copts = select({
- "@org_tensorflow//tensorflow:windows": [],
- "//conditions:default": [
- "-Wno-shift-negative-value",
- "-DZ_HAVE_UNISTD_H",
- ],
- }),
- includes = ["."],
-)