Halide 22.0.0
Halide compiler and libraries
simd_op_check.h
Go to the documentation of this file.
1#ifndef SIMD_OP_CHECK_H
2#define SIMD_OP_CHECK_H
3
4#include "Halide.h"
5#include "halide_test_dirs.h"
6#include "halide_thread_pool.h"
7#include "test_sharding.h"
8
9#include <fstream>
10#include <iostream>
11
12namespace {
13
14using namespace Halide;
15
16// Some exprs of each type to use in checked expressions. These will turn
17// into loads to thread-local image params.
18Expr input(const Type &t, const Expr &arg) {
19 return Internal::Call::make(t, "input", {arg}, Internal::Call::Extern);
20}
21Expr in_f16(const Expr &arg) {
22 return input(Float(16), arg);
23}
24Expr in_bf16(const Expr &arg) {
25 return input(BFloat(16), arg);
26}
27Expr in_f32(const Expr &arg) {
28 return input(Float(32), arg);
29}
30Expr in_f64(const Expr &arg) {
31 return input(Float(64), arg);
32}
33Expr in_i8(const Expr &arg) {
34 return input(Int(8), arg);
35}
36Expr in_i16(const Expr &arg) {
37 return input(Int(16), arg);
38}
39Expr in_i32(const Expr &arg) {
40 return input(Int(32), arg);
41}
42Expr in_i64(const Expr &arg) {
43 return input(Int(64), arg);
44}
45Expr in_u8(const Expr &arg) {
46 return input(UInt(8), arg);
47}
48Expr in_u16(const Expr &arg) {
49 return input(UInt(16), arg);
50}
51Expr in_u32(const Expr &arg) {
52 return input(UInt(32), arg);
53}
54Expr in_u64(const Expr &arg) {
55 return input(UInt(64), arg);
56}
57} // namespace
58
59namespace Halide {
60struct TestResult {
61 std::string op;
62 std::string error_msg;
63};
64
65struct Task {
66 std::string op;
67 std::string name;
70};
71
73public:
74 static constexpr int max_i8 = 127;
75 static constexpr int max_i16 = 32767;
76 static constexpr int max_i32 = 0x7fffffff;
77 static constexpr int max_u8 = 255;
78 static constexpr int max_u16 = 65535;
79 const Expr max_u32 = UInt(32).max();
80
81 std::string filter{"*"};
83 std::vector<Task> tasks;
84
86
87 int W;
88 int H;
89
91
93
94 SimdOpCheckTest(const Target t, int w, int h)
95 : target(t), W(w), H(h), rng_seed(0) {
100 }
101 virtual ~SimdOpCheckTest() = default;
102
103 void set_seed(int seed) {
104 rng_seed = seed;
105 }
106
107 virtual bool can_run_code() const {
110 }
111 // If we can (target matches host), run the error checking Halide::Func.
112 Target host_target = get_host_target();
113 bool can_run_the_code =
114 (target.arch == host_target.arch &&
115 target.bits == host_target.bits &&
116 target.os == host_target.os);
117 // A bunch of feature flags also need to match between the
118 // compiled code and the host in order to run the code.
119 for (Target::Feature f : {
153 }) {
154 if (target.has_feature(f) != host_target.has_feature(f)) {
155 can_run_the_code = false;
156 }
157 }
158 return can_run_the_code;
159 }
160
161 virtual void compile_and_check(Func error,
162 const std::string &op,
163 const std::string &name,
164 int vector_width,
165 const std::vector<Argument> &arg_types,
166 std::ostringstream &error_msg) {
167 std::string fn_name = "test_" + name + "_vecwidth" + std::to_string(vector_width);
168 std::string file_name = output_directory + fn_name;
169
171 std::map<OutputFileType, std::string> outputs = {
172 {OutputFileType::c_header, file_name + ext.at(OutputFileType::c_header).extension},
173 {OutputFileType::object, file_name + ext.at(OutputFileType::object).extension},
174 {OutputFileType::assembly, file_name + ".s"},
175 {OutputFileType::llvm_assembly, file_name + ".ll"},
176 };
177 error.compile_to(outputs, arg_types, fn_name, target);
178
179 std::ifstream asm_file;
180 asm_file.open(file_name + ".s");
181
182 bool found_it = false;
183
184 std::ostringstream msg;
185 msg << op << " did not generate for target=" << get_run_target().to_string() << " vector_width=" << vector_width << ". Instead we got:\n";
186
187 std::string line;
188 while (getline(asm_file, line)) {
189 msg << line << "\n";
190
191 // Check for the op in question
192 found_it |= wildcard_search(op, line) && !wildcard_search("_" + op, line);
193 }
194
195 if (!found_it) {
196 error_msg << "Failed: " << msg.str() << "\n";
197 }
198
199 asm_file.close();
200 }
201
202 // Check if pattern p matches str, allowing for wildcards (*).
203 bool wildcard_match(const char *p, const char *str) const {
204 // Match all non-wildcard characters.
205 while (*p && *str && *p == *str && *p != '*') {
206 str++;
207 p++;
208 }
209
210 if (!*p) {
211 return *str == 0;
212 } else if (*p == '*') {
213 p++;
214 do {
215 if (wildcard_match(p, str)) {
216 return true;
217 }
218 } while (*str++);
219 } else if (*p == ' ') { // ignore whitespace in pattern
220 p++;
221 if (wildcard_match(p, str)) {
222 return true;
223 }
224 } else if (*str == ' ') { // ignore whitespace in string
225 str++;
226 if (wildcard_match(p, str)) {
227 return true;
228 }
229 }
230 return !*p;
231 }
232
233 bool wildcard_match(const std::string &p, const std::string &str) const {
234 return wildcard_match(p.c_str(), str.c_str());
235 }
236
237 // Check if a substring of str matches a pattern p.
238 bool wildcard_search(const std::string &p, const std::string &str) const {
239 return wildcard_match("*" + p + "*", str);
240 }
241
243 return target
247 }
248
249 TestResult check_one(const std::string &op, const std::string &name, int vector_width, Expr e) {
250 std::ostringstream error_msg;
251
252 // Map the input calls in the Expr to loads to local
253 // imageparams, so that we're not sharing state across threads.
254 std::vector<ImageParam> image_params{
255 ImageParam{Float(32), 1, "in_f32"},
256 ImageParam{Float(64), 1, "in_f64"},
257 ImageParam{Float(16), 1, "in_f16"},
258 ImageParam{BFloat(16), 1, "in_bf16"},
259 ImageParam{Int(8), 1, "in_i8"},
260 ImageParam{UInt(8), 1, "in_u8"},
261 ImageParam{Int(16), 1, "in_i16"},
262 ImageParam{UInt(16), 1, "in_u16"},
263 ImageParam{Int(32), 1, "in_i32"},
264 ImageParam{UInt(32), 1, "in_u32"},
265 ImageParam{Int(64), 1, "in_i64"},
266 ImageParam{UInt(64), 1, "in_u64"}};
267
268 for (auto &p : image_params) {
269 const int alignment_bytes = image_param_alignment();
270 p.set_host_alignment(alignment_bytes);
271 const int alignment = alignment_bytes / p.type().bytes();
272 p.dim(0).set_min((p.dim(0).min() / alignment) * alignment);
273 }
274
275 std::vector<Argument> arg_types(image_params.begin(), image_params.end());
276
277 class HookUpImageParams : public Internal::IRMutator {
279
280 Expr visit(const Internal::Call *op) override {
281 if (op->name == "input") {
282 for (auto &p : image_params) {
283 if (p.type() == op->type) {
284 return p(mutate(op->args[0]));
285 }
286 }
287 } else if (op->call_type == Internal::Call::Halide && !op->func.weak) {
289 f.mutate(this);
290 }
292 }
293 const std::vector<ImageParam> &image_params;
294
295 public:
296 HookUpImageParams(const std::vector<ImageParam> &image_params)
297 : image_params(image_params) {
298 }
299 } hook_up_image_params(image_params);
300 e = hook_up_image_params.mutate(e);
301
302 class HasInlineReduction : public Internal::IRVisitor {
304 void visit(const Internal::Call *op) override {
307 if (f.has_update_definition() &&
308 f.update(0).schedule().rvars().size() > 0) {
309 inline_reduction = f;
310 result = true;
311 }
312 }
313 IRVisitor::visit(op);
314 }
315
316 public:
317 Internal::Function inline_reduction;
318 bool result = false;
319 } has_inline_reduction;
320 e.accept(&has_inline_reduction);
321
322 // Define a vectorized Halide::Func that uses the pattern.
323 Halide::Func f(name + "_vecwidth" + std::to_string(vector_width));
324 f(x, y) = e;
325 f.bound(x, 0, W).vectorize(x, vector_width);
326 f.compute_root();
327
328 // Include a scalar version
329 Halide::Func f_scalar("scalar_" + name);
330 f_scalar(x, y) = e;
331 // Make sure scalar result is computed independently to prevent it
332 // from being fused into error() by optimization which complicates floating point errors.
333 f_scalar.compute_root();
334
335 if (has_inline_reduction.result) {
336 // If there's an inline reduction, we want to vectorize it
337 // over the RVar.
338 Var xo, xi;
339 RVar rxi;
340 Func g{has_inline_reduction.inline_reduction};
341
342 // Do the reduction separately in f_scalar
343 g.clone_in(f_scalar);
344
345 g.compute_at(f, x)
346 .update()
347 .split(x, xo, xi, vector_width)
348 .atomic(true)
349 .vectorize(g.rvars()[0])
350 .vectorize(xi);
351 }
352
353 // We'll check over H rows, but we won't let the pipeline know H
354 // statically, as that can trigger some simplifications that change
355 // instruction selection.
356 Param<int> rows;
357 rows.set(H);
358 arg_types.push_back(rows);
359
360 // The output to the pipeline is the maximum absolute difference as a double.
361 RDom r_check(0, W, 0, rows);
362 Halide::Func error("error_" + name);
363 error() = Halide::cast<double>(maximum(absd(f(r_check.x, r_check.y), f_scalar(r_check.x, r_check.y))));
364
365 compile_and_check(error, op, name, vector_width, arg_types, error_msg);
366
367 bool can_run_the_code = can_run_code();
368 if (can_run_the_code) {
369 Target run_target = get_run_target();
370
371 // Make some unallocated input buffers
372 std::vector<Runtime::Buffer<>> inputs(image_params.size());
373
374 std::vector<Argument> args(image_params.size() + 1);
375 for (size_t i = 0; i < image_params.size(); i++) {
376 args[i] = image_params[i];
377 inputs[i] = Runtime::Buffer<>(args[i].type, nullptr, 0);
378 }
379 args.back() = rows;
380
381 auto callable = error.compile_to_callable(args, run_target);
382
384 output(0) = 1; // To ensure we'll fail if it's never written to
385
386 // Do the bounds query call
387 assert(inputs.size() == 12);
388 (void)callable(inputs[0], inputs[1], inputs[2], inputs[3],
389 inputs[4], inputs[5], inputs[6], inputs[7],
390 inputs[8], inputs[9], inputs[10], inputs[11],
391 H, output);
392
393 std::mt19937 rng;
394 rng.seed(rng_seed);
395
396 // Allocate the input buffers and fill them with noise
397 for (size_t i = 0; i < inputs.size(); i++) {
398 if (inputs[i].size_in_bytes()) {
399 inputs[i].allocate();
400
401 Type t = inputs[i].type();
402 // For floats/doubles, we only use values that aren't
403 // subject to rounding error that may differ between
404 // vectorized and non-vectorized versions
405 if (t == Float(32)) {
406 inputs[i].as<float>().for_each_value([&](float &f) { f = (rng() & 0xfff) / 8.0f - 0xff; });
407 } else if (t == Float(64)) {
408 inputs[i].as<double>().for_each_value([&](double &f) { f = (rng() & 0xfff) / 8.0 - 0xff; });
409 } else if (t == Float(16)) {
410 inputs[i].as<float16_t>().for_each_value([&](float16_t &f) { f = float16_t((rng() & 0xff) / 8.0f - 0xf); });
411 } else if (t == BFloat(16)) {
412 inputs[i].as<bfloat16_t>().for_each_value([&](bfloat16_t &f) { f = bfloat16_t((rng() & 0xff) / 8.0f - 0xf); });
413 } else {
414 assert(t.is_int_or_uint());
415 // Random bits is fine, but in the 32-bit int case we
416 // never use the top four bits, to avoid signed integer
417 // overflow.
418 const uint32_t mask = (t == Int(32)) ? 0x0fffffffU : 0xffffffffU;
419 for (uint32_t *ptr = (uint32_t *)inputs[i].data();
420 ptr != (uint32_t *)inputs[i].data() + inputs[i].size_in_bytes() / 4;
421 ptr++) {
422 *ptr = ((uint32_t)rng()) & mask;
423 }
424 }
425 }
426 }
427
428 // Do the real call
429 (void)callable(inputs[0], inputs[1], inputs[2], inputs[3],
430 inputs[4], inputs[5], inputs[6], inputs[7],
431 inputs[8], inputs[9], inputs[10], inputs[11],
432 H, output);
433
434 double e = output(0);
435 // Use a very loose tolerance for floating point tests. The
436 // kinds of bugs we're looking for are codegen bugs that
437 // return the wrong value entirely, not floating point
438 // accuracy differences between vectors and scalars.
439 if (e > 0.001) {
440 error_msg << "The vector and scalar versions of " << name << " disagree. Maximum error: " << e << "\n";
441
442 std::string error_filename = output_directory + "error_" + name + ".s";
443 error.compile_to_assembly(error_filename, arg_types, target);
444
445 std::ifstream error_file;
446 error_file.open(error_filename);
447
448 error_msg << "Error assembly: \n";
449 std::string line;
450 while (getline(error_file, line)) {
451 error_msg << line << "\n";
452 }
453
454 error_file.close();
455 }
456 }
457
458 return {op, error_msg.str()};
459 }
460
461 void check(std::string op, int vector_width, Expr e) {
462 // Make a name for the test by uniquing then sanitizing the op name
463 std::string name = "op_" + op;
464 for (size_t i = 0; i < name.size(); i++) {
465 if (!isalnum(name[i])) name[i] = '_';
466 }
467
468 name += "_" + std::to_string(tasks.size());
469
470 // Bail out after generating the unique_name, so that names are
471 // unique across different processes and don't depend on filter
472 // settings.
473 if (!wildcard_match(filter, op)) return;
474
475 tasks.emplace_back(Task{op, name, vector_width, std::move(e)});
476 }
477 virtual void add_tests() = 0;
478 virtual int image_param_alignment() {
479 return 16;
480 }
481
482 int num_worker_threads() const {
483 if (std::string t = Halide::Internal::get_env_variable("HL_OP_CHECK_THREADS"); !t.empty()) {
484 return std::atoi(t.c_str());
485 }
486 return Halide::Tools::ThreadPool<void>::num_processors_online();
487 }
488
489 virtual bool test_all() {
490 /* First add some tests based on the target */
491 add_tests();
492
493 // Remove irrelevant noise from output
494 const Target run_target = get_run_target();
495 const std::string run_target_str = run_target.to_string();
496
497 Sharder sharder;
498
499 Halide::Tools::ThreadPool<TestResult> pool(num_worker_threads());
500 std::vector<std::future<TestResult>> futures;
501
502 for (size_t t = 0; t < tasks.size(); t++) {
503 if (!sharder.should_run(t)) continue;
504 const auto &task = tasks.at(t);
505 futures.push_back(pool.async([&]() {
506 return check_one(task.op, task.name, task.vector_width, task.expr);
507 }));
508 }
509
510 for (auto &f : futures) {
511 auto result = f.get();
512 constexpr int tabstop = 32;
513 const int spaces = std::max(1, tabstop - (int)result.op.size());
514 std::cout << result.op << std::string(spaces, ' ') << "(" << run_target_str << ")\n";
515 if (!result.error_msg.empty()) {
516 std::cerr << result.error_msg;
517 // The thread-pool destructor will block until in-progress tasks
518 // are done, and then will discard any tasks that haven't been
519 // launched yet.
520 return false;
521 }
522 }
523
524 return true;
525 }
526
527 template<typename SIMDOpCheckT>
528 static int main(int argc, char **argv, const std::vector<Target> &targets_to_test) {
529 Target host = get_host_target();
530 std::cout << "host is: " << host << "\n";
531
532 const int seed = argc > 2 ? atoi(argv[2]) : time(nullptr);
533 std::cout << "simd_op_check test seed: " << seed << "\n";
534
535 for (const auto &t : targets_to_test) {
536 if (!t.supported()) {
537 std::cout << "[SKIP] Unsupported target: " << t << "\n";
538 return 0;
539 }
540 SIMDOpCheckT test(t);
541
542 if (!t.supported()) {
543 std::cout << "Halide was compiled without support for " << t.to_string() << ". Skipping.\n";
544 continue;
545 }
546
547 if (argc > 1) {
548 test.filter = argv[1];
549 }
550
551 if (getenv("HL_SIMD_OP_CHECK_FILTER")) {
552 test.filter = getenv("HL_SIMD_OP_CHECK_FILTER");
553 }
554
555 test.set_seed(seed);
556
557 if (argc > 2) {
558 // Don't forget: if you want to run the standard tests to a specific output
559 // directory, you'll need to invoke with the first arg enclosed
560 // in quotes (to avoid it being wildcard-expanded by the shell):
561 //
562 // correctness_simd_op_check "*" /path/to/output
563 //
564 test.output_directory = argv[2];
565 }
566
567 bool success = test.test_all();
568
569 // Compile a runtime for this target, for use in the static test.
570 compile_standalone_runtime(test.output_directory + "simd_op_check_runtime.o", test.target);
571
572 if (!success) {
573 return 1;
574 }
575 }
576
577 std::cout << "Success!\n";
578 return 0;
579 }
580
581private:
582 const Halide::Var x{"x"}, y{"y"};
583};
584
585} // namespace Halide
586
587#endif // SIMD_OP_CHECK_H
A halide function.
Definition: Func.h:728
void compile_to_assembly(const std::string &filename, const std::vector< Argument > &, const std::string &fn_name, const Target &target=get_target_from_environment())
Statically compile this function to text assembly equivalent to the object file generated by compile_...
Stage update(int idx=0)
Get a handle on an update step for the purposes of scheduling it.
Func & compute_root()
Compute all of this function once ahead of time.
Callable compile_to_callable(const std::vector< Argument > &args, const Target &target=get_jit_target_from_environment())
Eagerly jit compile the function to machine code and return a callable struct that behaves like a fun...
void compile_to(const std::map< OutputFileType, std::string > &output_files, const std::vector< Argument > &args, const std::string &fn_name, const Target &target=get_target_from_environment())
Compile and generate multiple target files with single call.
Func clone_in(const Func &f)
Similar to Func::in; however, instead of replacing the call to this Func with an identity Func that r...
Func & vectorize(const VarOrRVar &var)
Mark a dimension to be computed all-at-once as a single vector.
Func & bound(const Var &var, Expr min, Expr extent)
Statically declare that the range over which a function should be evaluated is given by the second an...
Func & compute_at(const Func &f, const Var &var)
Compute this function as needed for each unique value of the given var for the given calling function...
An Image parameter to a halide pipeline.
Definition: ImageParam.h:23
const StageSchedule & schedule() const
Get the default (no-specialization) stage-specific schedule associated with this definition.
A reference-counted handle to Halide's internal representation of a function.
Definition: Function.h:39
bool has_update_definition() const
Does this function have an update definition?
void mutate(IRMutator *mutator)
Accept a mutator to mutator all of the definitions and arguments of this function.
Definition & update(int idx=0)
Get a mutable handle to this function's update definition at index 'idx'.
A base class for passes over the IR which modify it (e.g.
Definition: IRMutator.h:28
virtual Expr visit(const IntImm *)
A base class for algorithms that need to recursively walk over the IR.
Definition: IRVisitor.h:19
virtual void visit(const IntImm *)
const std::vector< ReductionVariable > & rvars() const
RVars of reduction domain associated with this schedule if there is any.
bool should_run(size_t task_index) const
Definition: test_sharding.h:72
A scalar parameter to a halide pipeline.
Definition: Param.h:22
HALIDE_NO_USER_CODE_INLINE void set(const SOME_TYPE &val)
Set the current value of this parameter.
Definition: Param.h:174
A multi-dimensional domain over which to iterate.
Definition: RDom.h:193
RVar x
Direct access to the first four dimensions of the reduction domain.
Definition: RDom.h:339
RVar y
Definition: RDom.h:339
A reduction variable represents a single dimension of a reduction domain (RDom).
Definition: RDom.h:29
A templated Buffer class that wraps halide_buffer_t and adds functionality.
Definition: HalideBuffer.h:222
static Buffer< T, Dims, InClassDimStorage > make_scalar()
Make a zero-dimensional Buffer.
static constexpr int max_u8
Definition: simd_op_check.h:77
std::string output_directory
Definition: simd_op_check.h:82
static constexpr int max_i32
Definition: simd_op_check.h:76
void set_seed(int seed)
virtual void add_tests()=0
virtual int image_param_alignment()
bool wildcard_match(const std::string &p, const std::string &str) const
virtual bool test_all()
static constexpr int max_i8
Definition: simd_op_check.h:74
static constexpr int max_u16
Definition: simd_op_check.h:78
bool wildcard_search(const std::string &p, const std::string &str) const
bool wildcard_match(const char *p, const char *str) const
virtual ~SimdOpCheckTest()=default
SimdOpCheckTest(const Target t, int w, int h)
Definition: simd_op_check.h:94
void check(std::string op, int vector_width, Expr e)
Target get_run_target() const
static int main(int argc, char **argv, const std::vector< Target > &targets_to_test)
static constexpr int max_i16
Definition: simd_op_check.h:75
int num_worker_threads() const
TestResult check_one(const std::string &op, const std::string &name, int vector_width, Expr e)
virtual bool can_run_code() const
std::vector< Task > tasks
Definition: simd_op_check.h:83
virtual void compile_and_check(Func error, const std::string &op, const std::string &name, int vector_width, const std::vector< Argument > &arg_types, std::ostringstream &error_msg)
A Halide variable, to be used when defining functions.
Definition: Var.h:19
ConstantInterval max(const ConstantInterval &a, const ConstantInterval &b)
std::string get_env_variable(char const *env_var_name)
Get value of an environment variable.
std::map< OutputFileType, const OutputInfo > get_output_info(const Target &target)
std::string get_test_tmp_dir()
Return the path to a directory that can be safely written to when running tests; the contents directo...
This file defines the class FunctionDAG, which is our representation of a Halide pipeline,...
Target get_host_target()
Return the target corresponding to the host machine.
Type BFloat(int bits, int lanes=1)
Construct a floating-point type in the bfloat format.
Definition: Type.h:554
Type UInt(int bits, int lanes=1)
Constructing an unsigned integer type.
Definition: Type.h:544
Type Float(int bits, int lanes=1)
Construct a floating-point type.
Definition: Type.h:549
Expr maximum(Expr, const std::string &s="maximum")
Type Int(int bits, int lanes=1)
Constructing a signed integer type.
Definition: Type.h:539
Expr absd(Expr a, Expr b)
Return the absolute difference between two values.
void compile_standalone_runtime(const std::string &object_filename, const Target &t)
Create an object file containing the Halide runtime for a given target.
int atoi(const char *)
unsigned __INT32_TYPE__ uint32_t
char * getenv(const char *)
A fragment of Halide syntax.
Definition: Expr.h:258
A function call.
Definition: IR.h:500
@ Halide
A call to a Func.
Definition: IR.h:507
std::string name
Definition: IR.h:501
FunctionPtr func
Definition: IR.h:701
CallType call_type
Definition: IR.h:511
std::vector< Expr > args
Definition: IR.h:502
void accept(IRVisitor *v) const
Dispatch to the correct visitor method for this node.
Definition: Expr.h:192
static bool can_jit_target(const Target &target)
If the given target can be executed via the wasm executor, return true.
A struct representing a target machine and os to generate code for.
Definition: Target.h:19
enum Halide::Target::Arch arch
bool has_feature(Feature f) const
int bits
The bit-width of the target machine.
Definition: Target.h:50
enum Halide::Target::OS os
std::string to_string() const
Convert the Target into a string form that can be reconstituted by merge_string(),...
Target without_feature(Feature f) const
Return a copy of the target with the given feature cleared.
Feature
Optional features a target can have.
Definition: Target.h:84
@ AVX512_Cannonlake
Definition: Target.h:135
@ AVX512_SapphireRapids
Definition: Target.h:136
@ NoBoundsQuery
Definition: Target.h:89
@ AVX512_Skylake
Definition: Target.h:134
@ POWER_ARCH_2_07
Definition: Target.h:100
Target with_feature(Feature f) const
Return a copy of the target with the given feature set.
std::string op
Definition: simd_op_check.h:66
std::string name
Definition: simd_op_check.h:67
std::string error_msg
Definition: simd_op_check.h:62
Types in the halide type system.
Definition: Type.h:281
HALIDE_ALWAYS_INLINE bool is_int_or_uint() const
Is this type an integer type of any sort?
Definition: Type.h:445
Expr max() const
Return an expression which is the maximum value of this type.
Class that provides a type that implements half precision floating point using the bfloat16 format.
Definition: Float16.h:160
Class that provides a type that implements half precision floating point (IEEE754 2008 binary16) in s...
Definition: Float16.h:17