code
stringlengths
3
10M
language
stringclasses
31 values
//Written in the D programming language module backtrace.backtrace; version(Windows) { pragma(msg, "backtrace only works in Linux, FreeBSD, OS X, Solaris environment"); } else { // allow only Linux, FreeBSD, OS X, Solaris platform } version(Windows) {} else : import std.stdio; version(linux) { import core.sys.linux.execinfo; } else version(OSX) { import core.sys.darwin.execinfo; } else version(FreeBSD) { import core.sys.freebsd.execinfo; } else version(Solaris) { import core.sys.solaris.execinfo; } private enum maxBacktraceSize = 32; private alias TraceHandler = Throwable.TraceInfo function(void* ptr); extern (C) void* thread_stackBottom(); struct Trace { string file; uint line; } struct Symbol { string line; string demangled() const { import std.demangle; import std.algorithm, std.range; import std.conv : to; dchar[] symbolWith0x = line.retro().find(")").dropOne().until("(").array().retro().array(); if (symbolWith0x.length == 0) return ""; else return demangle(symbolWith0x.until("+").to!string()); } } struct PrintOptions { uint detailedForN = 2; bool colored = false; uint numberOfLinesBefore = 3; uint numberOfLinesAfter = 3; bool stopAtDMain = true; } version(DigitalMars) { void*[] getBacktrace() { enum CALL_INST_LENGTH = 1; // I don't know the size of the call instruction // and whether it is always 5. I picked 1 instead // because it is enough to get the backtrace // to point at the call instruction void*[maxBacktraceSize] buffer; static void** getBasePtr() { version(D_InlineAsm_X86) { asm { naked; mov EAX, EBP; ret; } } else version(D_InlineAsm_X86_64) { asm { naked; mov RAX, RBP; ret; } } else return null; } auto stackTop = getBasePtr(); auto stackBottom = cast(void**) thread_stackBottom(); void* dummy; uint traceSize = 0; if (stackTop && &dummy < stackTop && stackTop < stackBottom) { auto stackPtr = stackTop; for (traceSize = 0; stackTop <= stackPtr && stackPtr < stackBottom && traceSize < buffer.length; ) { buffer[traceSize++] = (*(stackPtr + 1)) - CALL_INST_LENGTH; stackPtr = cast(void**) *stackPtr; } } return buffer[0 .. traceSize].dup; } } else { void*[] getBacktrace() { void*[maxBacktraceSize] buffer; auto size = backtrace(buffer.ptr, buffer.length); return buffer[0 .. size].dup; } } Symbol[] getBacktraceSymbols(const(void*[]) backtrace) { import core.stdc.stdlib : free; import std.conv : to; Symbol[] symbols = new Symbol[backtrace.length]; char** c_symbols = backtrace_symbols(backtrace.ptr, cast(int) backtrace.length); foreach (i; 0 .. backtrace.length) { symbols[i] = Symbol(c_symbols[i].to!string()); } free(c_symbols); return symbols; } Trace[] getLineTrace(const(void*[]) backtrace) { import std.conv : to; import std.string : chomp; import std.algorithm, std.range; import std.process; version(linux) { auto addr2line = pipeProcess(["addr2line", "-e" ~ exePath()], Redirect.stdin | Redirect.stdout); } else version(OSX) { auto addr2line = pipeProcess(["gaddr2line", "-e" ~ exePath()], Redirect.stdin | Redirect.stdout); } scope(exit) addr2line.pid.wait(); Trace[] trace = new Trace[backtrace.length]; foreach (i, bt; backtrace) { addr2line.stdin.writefln("0x%X", bt); addr2line.stdin.flush(); dstring reply = addr2line.stdout.readln!dstring().chomp(); with (trace[i]) { auto split = reply.retro().findSplit(":"); if (split[0].equal("?")) line = 0; else line = split[0].retro().to!uint; file = split[2].retro().to!string; } } executeShell("kill -INT " ~ addr2line.pid.processID.to!string); return trace; } private string exePath() { import std.file : thisExePath; import std.path : absolutePath; string link = thisExePath(); string path = absolutePath(link, "/proc/self/"); return path; } void printPrettyTrace(PrintOptions options = PrintOptions.init, uint framesToSkip = 2) { printPrettyTrace(stdout, options, framesToSkip); } void printPrettyTrace(File output, PrintOptions options = PrintOptions.init, uint framesToSkip = 1) { void*[] bt = getBacktrace(); output.write(getPrettyTrace(bt, options, framesToSkip)); } string prettyTrace(PrintOptions options = PrintOptions.init, uint framesToSkip = 1) { void*[] bt = getBacktrace(); return getPrettyTrace(bt, options, framesToSkip); } private string getPrettyTrace(const(void*[]) bt, PrintOptions options = PrintOptions.init, uint framesToSkip = 1) { import std.algorithm : max; import std.range; import std.format; Symbol[] symbols = getBacktraceSymbols(bt); Trace[] trace = getLineTrace(bt); enum Color : char { black = '0', red, green, yellow, blue, magenta, cyan, white } string forecolor(Color color) { if (!options.colored) return ""; else return "\u001B[3" ~ color ~ "m"; } string backcolor(Color color) { if (!options.colored) return ""; else return "\u001B[4" ~ color ~ "m"; } string reset() { if (!options.colored) return ""; else return "\u001B[0m"; } auto output = appender!string(); output.put("Stack trace:\n"); foreach(i, t; trace.drop(framesToSkip)) { auto symbol = symbols[framesToSkip + i].demangled; formattedWrite( output, "#%d: %s%s%s line %s(%s)%s%s%s%s%s @ %s0x%s%s\n", i + 1, forecolor(Color.red), t.file, reset(), forecolor(Color.yellow), t.line, reset(), symbol.length == 0 ? "" : " in ", forecolor(Color.green), symbol, reset(), forecolor(Color.green), bt[i + 1], reset() ); if (i < options.detailedForN) { uint startingLine = max(t.line - options.numberOfLinesBefore - 1, 0); uint endingLine = t.line + options.numberOfLinesAfter; if (t.file == "??") continue; File code; try { code = File(t.file, "r"); } catch (Exception ex) { continue; } auto lines = code.byLine(); lines.drop(startingLine); auto lineNumber = startingLine + 1; output.put("\n"); foreach (line; lines.take(endingLine - startingLine)) { formattedWrite( output, "%s%s(%d)%s%s%s\n", forecolor(t.line == lineNumber ? Color.yellow : Color.cyan), t.line == lineNumber ? ">" : " ", lineNumber, forecolor(t.line == lineNumber ? Color.yellow : Color.blue), line, reset(), ); lineNumber++; } output.put("\n"); } if (options.stopAtDMain && symbol == "_Dmain") break; } return output.data; } private class BTTraceHandler : Throwable.TraceInfo { import std.algorithm; void*[] backtrace; PrintOptions options; uint framesToSkip; this(PrintOptions options, uint framesToSkip) { this.options = options; this.framesToSkip = framesToSkip; backtrace = getBacktrace(); } override int opApply(scope int delegate(ref const(char[])) dg) const { return opApply((ref size_t i, ref const(char[]) s) { return dg(s); }); } override int opApply(scope int delegate(ref size_t, ref const(char[])) dg) const { int result = 0; auto prettyTrace = getPrettyTrace(backtrace, options, framesToSkip); auto bylines = prettyTrace.splitter("\n"); size_t i = 0; foreach (l; bylines) { result = dg(i, l); if (result) break; ++i; } return result; } override string toString() const { return getPrettyTrace(backtrace, options, framesToSkip); } } private static PrintOptions runtimePrintOptions; private static uint runtimeFramesToSkip; private Throwable.TraceInfo btTraceHandler(void* ptr) { return new BTTraceHandler(runtimePrintOptions, runtimeFramesToSkip); } // This is kept for backwards compatibility, however, file was never used // so it is redundant. void install(File file, PrintOptions options = PrintOptions.init, uint framesToSkip = 5) { install(options, framesToSkip); } void install(PrintOptions options = PrintOptions.init, uint framesToSkip = 5) { import core.runtime; runtimePrintOptions = options; runtimeFramesToSkip = framesToSkip; Runtime.traceHandler = &btTraceHandler; }
D
escape, either physically or mentally be incomprehensible to avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues
D
// PERMUTE_ARGS: extern(C) int printf(const char*, ...); /***********************************/ enum : float { E1a, E1b, E1c } void test1() { assert(E1a == 0.0f); assert(E1b == 1.0f); assert(E1c == 2.0f); } /***********************************/ enum : string { E2a = "foo", E2b = "bar", E2c = "abc" } void test2() { assert(E2a == "foo"); assert(E2b == "bar"); assert(E2c == "abc"); } /***********************************/ enum E3 : string { E3a = "foo", E3b = "bar", E3c = "abc" } void test3() { printf("%.*s\n", E3.E3a.length, E3.E3a.ptr); assert(E3.E3a == "foo"); assert(E3.E3b == "bar"); assert(E3.E3c == "abc"); } /***********************************/ enum E4 : char { Tvoid = 'v', Tbool = 'b', } void test4() { E4 m; } /***********************************/ enum E5 : byte { e1, e2 } void test5() { E5 m; } /***********************************/ enum : ubyte { REend, REchar, REichar, REdchar, REidchar, REanychar, } void foo6(ubyte) { } void foo6(int) { assert(0); } void test6() { foo6(REchar); } /***********************************/ enum { foo7 = 1, long bar7 = 2, abc7, } enum x7 = 3; void test7() { assert(x7 == 3); assert(is(typeof(foo7) == int)); assert(is(typeof(bar7) == long)); assert(is(typeof(abc7) == long)); assert(abc7 == 3L); } /***********************************/ enum E8 : real { a, b } /***********************************/ struct S7379 { enum ENUM { M1, M2, M3 } alias ENUM this; } class C7379 { this(S7379 test) { } this(string test) { this(S7379()); } } /***********************************/ int main() { test1(); test2(); test3(); test4(); test5(); test6(); test7(); printf("Success\n"); return 0; }
D
// Written in the D programming language. /** This is a submodule of $(LINK2 std_algorithm.html, std.algorithm). It contains generic _iteration algorithms. $(BOOKTABLE Cheat Sheet, $(TR $(TH Function Name) $(TH Description)) $(T2 cache, Eagerly evaluates and caches another range's $(D front).) $(T2 cacheBidirectional, As above, but also provides $(D back) and $(D popBack).) $(T2 chunkyBy, $(D chunkyBy!((a,b) => a[1] == b[1])([[1, 1], [1, 2], [2, 2], [2, 1]])) returns a range containing 3 subranges: the first with just $(D [1, 1]); the second with the elements $(D [1, 2]) and $(D [2, 2]); and the third with just $(D [2, 1]).) $(T2 each, $(D each!writeln([1, 2, 3])) eagerly prints the numbers $(D 1), $(D 2) and $(D 3) on their own lines.) $(T2 filter, $(D filter!"a > 0"([1, -1, 2, 0, -3])) iterates over elements $(D 1) and $(D 2).) $(T2 filterBidirectional, Similar to $(D filter), but also provides $(D back) and $(D popBack) at a small increase in cost.) $(T2 group, $(D group([5, 2, 2, 3, 3])) returns a range containing the tuples $(D tuple(5, 1)), $(D tuple(2, 2)), and $(D tuple(3, 2)).) $(T2 joiner, $(D joiner(["hello", "world!"], "; ")) returns a range that iterates over the characters $(D "hello; world!"). No new string is created - the existing inputs are iterated.) $(T2 map, $(D map!"2 * a"([1, 2, 3])) lazily returns a range with the numbers $(D 2), $(D 4), $(D 6).) $(T2 reduce, $(D reduce!"a + b"([1, 2, 3, 4])) returns $(D 10).) $(T2 splitter, Lazily splits a range by a separator.) $(T2 sum, Same as $(D reduce), but specialized for accurate summation.) $(T2 uniq, Iterates over the unique elements in a range, which is assumed sorted.) ) Copyright: Andrei Alexandrescu 2008-. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(WEB erdani.com, Andrei Alexandrescu) Source: $(PHOBOSSRC std/algorithm/_iteration.d) Macros: T2=$(TR $(TDNW $(LREF $1)) $(TD $+)) */ module std.algorithm.iteration; // FIXME import std.functional; // : unaryFun, binaryFun; import std.range.primitives; import std.traits; template aggregate(fun...) if (fun.length >= 1) { /* --Intentionally not ddoc-- * Aggregates elements in each subrange of the given range of ranges using * the given aggregating function(s). * Params: * fun = One or more aggregating functions (binary functions that return a * single _aggregate value of their arguments). * ror = A range of ranges to be aggregated. * * Returns: * A range representing the aggregated value(s) of each subrange * of the original range. If only one aggregating function is specified, * each element will be the aggregated value itself; if multiple functions * are specified, each element will be a tuple of the aggregated values of * each respective function. */ auto aggregate(RoR)(RoR ror) if (isInputRange!RoR && isIterable!(ElementType!RoR)) { return ror.map!(reduce!fun); } unittest { import std.algorithm.comparison : equal, max, min; auto data = [[4, 2, 1, 3], [4, 9, -1, 3, 2], [3]]; // Single aggregating function auto agg1 = data.aggregate!max; assert(agg1.equal([4, 9, 3])); // Multiple aggregating functions import std.typecons : tuple; auto agg2 = data.aggregate!(max, min); assert(agg2.equal([ tuple(4, 1), tuple(9, -1), tuple(3, 3) ])); } } /++ $(D cache) eagerly evaluates $(D front) of $(D range) on each construction or call to $(D popFront), to store the result in a cache. The result is then directly returned when $(D front) is called, rather than re-evaluated. This can be a useful function to place in a chain, after functions that have expensive evaluation, as a lazy alternative to $(XREF array,array). In particular, it can be placed after a call to $(D map), or before a call to $(D filter). $(D cache) may provide bidirectional iteration if needed, but since this comes at an increased cost, it must be explicitly requested via the call to $(D cacheBidirectional). Furthermore, a bidirectional cache will evaluate the "center" element twice, when there is only one element left in the range. $(D cache) does not provide random access primitives, as $(D cache) would be unable to cache the random accesses. If $(D Range) provides slicing primitives, then $(D cache) will provide the same slicing primitives, but $(D hasSlicing!Cache) will not yield true (as the $(XREF range,hasSlicing) trait also checks for random access). +/ auto cache(Range)(Range range) if (isInputRange!Range) { return _Cache!(Range, false)(range); } /// ditto auto cacheBidirectional(Range)(Range range) if (isBidirectionalRange!Range) { return _Cache!(Range, true)(range); } /// @safe unittest { import std.algorithm.comparison : equal; import std.stdio, std.range; import std.typecons : tuple; ulong counter = 0; double fun(int x) { ++counter; // http://en.wikipedia.org/wiki/Quartic_function return ( (x + 4.0) * (x + 1.0) * (x - 1.0) * (x - 3.0) ) / 14.0 + 0.5; } // Without cache, with array (greedy) auto result1 = iota(-4, 5).map!(a =>tuple(a, fun(a)))() .filter!"a[1]<0"() .map!"a[0]"() .array(); // the values of x that have a negative y are: assert(equal(result1, [-3, -2, 2])); // Check how many times fun was evaluated. // As many times as the number of items in both source and result. assert(counter == iota(-4, 5).length + result1.length); counter = 0; // Without array, with cache (lazy) auto result2 = iota(-4, 5).map!(a =>tuple(a, fun(a)))() .cache() .filter!"a[1]<0"() .map!"a[0]"(); // the values of x that have a negative y are: assert(equal(result2, [-3, -2, 2])); // Check how many times fun was evaluated. // Only as many times as the number of items in source. assert(counter == iota(-4, 5).length); } /++ Tip: $(D cache) is eager when evaluating elements. If calling front on the underlying range has a side effect, it will be observeable before calling front on the actual cached range. Furtermore, care should be taken composing $(D cache) with $(XREF range,take). By placing $(D take) before $(D cache), then $(D cache) will be "aware" of when the range ends, and correctly stop caching elements when needed. If calling front has no side effect though, placing $(D take) after $(D cache) may yield a faster range. Either way, the resulting ranges will be equivalent, but maybe not at the same cost or side effects. +/ @safe unittest { import std.algorithm.comparison : equal; import std.range; int i = 0; auto r = iota(0, 4).tee!((a){i = a;}, No.pipeOnPop); auto r1 = r.take(3).cache(); auto r2 = r.cache().take(3); assert(equal(r1, [0, 1, 2])); assert(i == 2); //The last "seen" element was 2. The data in cache has been cleared. assert(equal(r2, [0, 1, 2])); assert(i == 3); //cache has accessed 3. It is still stored internally by cache. } @safe unittest { import std.algorithm.comparison : equal; import std.range; auto a = [1, 2, 3, 4]; assert(equal(a.map!"(a - 1)*a"().cache(), [ 0, 2, 6, 12])); assert(equal(a.map!"(a - 1)*a"().cacheBidirectional().retro(), [12, 6, 2, 0])); auto r1 = [1, 2, 3, 4].cache() [1 .. $]; auto r2 = [1, 2, 3, 4].cacheBidirectional()[1 .. $]; assert(equal(r1, [2, 3, 4])); assert(equal(r2, [2, 3, 4])); } @safe unittest { import std.algorithm.comparison : equal; //immutable test static struct S { int i; this(int i) { //this.i = i; } } immutable(S)[] s = [S(1), S(2), S(3)]; assert(equal(s.cache(), s)); assert(equal(s.cacheBidirectional(), s)); } @safe pure nothrow unittest { import std.algorithm.comparison : equal; //safety etc auto a = [1, 2, 3, 4]; assert(equal(a.cache(), a)); assert(equal(a.cacheBidirectional(), a)); } @safe unittest { char[][] stringbufs = ["hello".dup, "world".dup]; auto strings = stringbufs.map!((a)=>a.idup)().cache(); assert(strings.front is strings.front); } @safe unittest { import std.range; auto c = [1, 2, 3].cycle().cache(); c = c[1 .. $]; auto d = c[0 .. 1]; } @safe unittest { static struct Range { bool initialized = false; bool front() @property {return initialized = true;} void popFront() {initialized = false;} enum empty = false; } auto r = Range().cache(); assert(r.source.initialized == true); } private struct _Cache(R, bool bidir) { import core.exception : RangeError; private { import std.algorithm.internal : algoFormat; import std.typetuple : TypeTuple; alias E = ElementType!R; alias UE = Unqual!E; R source; static if (bidir) alias CacheTypes = TypeTuple!(UE, UE); else alias CacheTypes = TypeTuple!UE; CacheTypes caches; static assert(isAssignable!(UE, E) && is(UE : E), algoFormat("Cannot instantiate range with %s because %s elements are not assignable to %s.", R.stringof, E.stringof, UE.stringof)); } this(R range) { source = range; if (!range.empty) { caches[0] = source.front; static if (bidir) caches[1] = source.back; } } static if (isInfinite!R) enum empty = false; else bool empty() @property { return source.empty; } static if (hasLength!R) auto length() @property { return source.length; } E front() @property { version(assert) if (empty) throw new RangeError(); return caches[0]; } static if (bidir) E back() @property { version(assert) if (empty) throw new RangeError(); return caches[1]; } void popFront() { version(assert) if (empty) throw new RangeError(); source.popFront(); if (!source.empty) caches[0] = source.front; else caches = CacheTypes.init; } static if (bidir) void popBack() { version(assert) if (empty) throw new RangeError(); source.popBack(); if (!source.empty) caches[1] = source.back; else caches = CacheTypes.init; } static if (isForwardRange!R) { private this(R source, ref CacheTypes caches) { this.source = source; this.caches = caches; } typeof(this) save() @property { return typeof(this)(source.save, caches); } } static if (hasSlicing!R) { enum hasEndSlicing = is(typeof(source[size_t.max .. $])); static if (hasEndSlicing) { private static struct DollarToken{} enum opDollar = DollarToken.init; auto opSlice(size_t low, DollarToken) { return typeof(this)(source[low .. $]); } } static if (!isInfinite!R) { typeof(this) opSlice(size_t low, size_t high) { return typeof(this)(source[low .. high]); } } else static if (hasEndSlicing) { auto opSlice(size_t low, size_t high) in { assert(low <= high); } body { import std.range : take; return this[low .. $].take(high - low); } } } } /** $(D auto map(Range)(Range r) if (isInputRange!(Unqual!Range));) Implements the homonym function (also known as $(D transform)) present in many languages of functional flavor. The call $(D map!(fun)(range)) returns a range of which elements are obtained by applying $(D fun(a)) left to right for all elements $(D a) in $(D range). The original ranges are not changed. Evaluation is done lazily. See_Also: $(WEB en.wikipedia.org/wiki/Map_(higher-order_function), Map (higher-order function)) */ template map(fun...) if (fun.length >= 1) { auto map(Range)(Range r) if (isInputRange!(Unqual!Range)) { import std.typetuple : staticMap; alias AppliedReturnType(alias f) = typeof(f(r.front)); static if (fun.length > 1) { import std.functional : adjoin; import std.typetuple : staticIndexOf; alias _funs = staticMap!(unaryFun, fun); alias _fun = adjoin!_funs; alias ReturnTypes = staticMap!(AppliedReturnType, _funs); static assert(staticIndexOf!(void, ReturnTypes) == -1, "All mapping functions must not return void."); } else { alias _fun = unaryFun!fun; static assert(!is(AppliedReturnType!_fun == void), "Mapping function must not return void."); } return MapResult!(_fun, Range)(r); } } /// @safe unittest { import std.algorithm.comparison : equal; import std.range : chain; int[] arr1 = [ 1, 2, 3, 4 ]; int[] arr2 = [ 5, 6 ]; auto squares = map!(a => a * a)(chain(arr1, arr2)); assert(equal(squares, [ 1, 4, 9, 16, 25, 36 ])); } /** Multiple functions can be passed to $(D map). In that case, the element type of $(D map) is a tuple containing one element for each function. */ @safe unittest { auto sums = [2, 4, 6, 8]; auto products = [1, 4, 9, 16]; size_t i = 0; foreach (result; [ 1, 2, 3, 4 ].map!("a + a", "a * a")) { assert(result[0] == sums[i]); assert(result[1] == products[i]); ++i; } } /** You may alias $(D map) with some function(s) to a symbol and use it separately: */ @safe unittest { import std.algorithm.comparison : equal; import std.conv : to; alias stringize = map!(to!string); assert(equal(stringize([ 1, 2, 3, 4 ]), [ "1", "2", "3", "4" ])); } private struct MapResult(alias fun, Range) { alias R = Unqual!Range; R _input; static if (isBidirectionalRange!R) { @property auto ref back()() { return fun(_input.back); } void popBack()() { _input.popBack(); } } this(R input) { _input = input; } static if (isInfinite!R) { // Propagate infinite-ness. enum bool empty = false; } else { @property bool empty() { return _input.empty; } } void popFront() { _input.popFront(); } @property auto ref front() { return fun(_input.front); } static if (isRandomAccessRange!R) { static if (is(typeof(_input[ulong.max]))) private alias opIndex_t = ulong; else private alias opIndex_t = uint; auto ref opIndex(opIndex_t index) { return fun(_input[index]); } } static if (hasLength!R) { @property auto length() { return _input.length; } alias opDollar = length; } static if (hasSlicing!R) { static if (is(typeof(_input[ulong.max .. ulong.max]))) private alias opSlice_t = ulong; else private alias opSlice_t = uint; static if (hasLength!R) { auto opSlice(opSlice_t low, opSlice_t high) { return typeof(this)(_input[low .. high]); } } else static if (is(typeof(_input[opSlice_t.max .. $]))) { struct DollarToken{} enum opDollar = DollarToken.init; auto opSlice(opSlice_t low, DollarToken) { return typeof(this)(_input[low .. $]); } auto opSlice(opSlice_t low, opSlice_t high) { import std.range : take; return this[low .. $].take(high - low); } } } static if (isForwardRange!R) { @property auto save() { return typeof(this)(_input.save); } } } @safe unittest { import std.algorithm.comparison : equal; import std.conv : to; import std.functional : adjoin; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); alias stringize = map!(to!string); assert(equal(stringize([ 1, 2, 3, 4 ]), [ "1", "2", "3", "4" ])); uint counter; alias count = map!((a) { return counter++; }); assert(equal(count([ 10, 2, 30, 4 ]), [ 0, 1, 2, 3 ])); counter = 0; adjoin!((a) { return counter++; }, (a) { return counter++; })(1); alias countAndSquare = map!((a) { return counter++; }, (a) { return counter++; }); //assert(equal(countAndSquare([ 10, 2 ]), [ tuple(0u, 100), tuple(1u, 4) ])); } unittest { import std.algorithm.comparison : equal; import std.internal.test.dummyrange; import std.ascii : toUpper; import std.range; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); int[] arr1 = [ 1, 2, 3, 4 ]; const int[] arr1Const = arr1; int[] arr2 = [ 5, 6 ]; auto squares = map!("a * a")(arr1Const); assert(squares[$ - 1] == 16); assert(equal(squares, [ 1, 4, 9, 16 ][])); assert(equal(map!("a * a")(chain(arr1, arr2)), [ 1, 4, 9, 16, 25, 36 ][])); // Test the caching stuff. assert(squares.back == 16); auto squares2 = squares.save; assert(squares2.back == 16); assert(squares2.front == 1); squares2.popFront(); assert(squares2.front == 4); squares2.popBack(); assert(squares2.front == 4); assert(squares2.back == 9); assert(equal(map!("a * a")(chain(arr1, arr2)), [ 1, 4, 9, 16, 25, 36 ][])); uint i; foreach (e; map!("a", "a * a")(arr1)) { assert(e[0] == ++i); assert(e[1] == i * i); } // Test length. assert(squares.length == 4); assert(map!"a * a"(chain(arr1, arr2)).length == 6); // Test indexing. assert(squares[0] == 1); assert(squares[1] == 4); assert(squares[2] == 9); assert(squares[3] == 16); // Test slicing. auto squareSlice = squares[1..squares.length - 1]; assert(equal(squareSlice, [4, 9][])); assert(squareSlice.back == 9); assert(squareSlice[1] == 9); // Test on a forward range to make sure it compiles when all the fancy // stuff is disabled. auto fibsSquares = map!"a * a"(recurrence!("a[n-1] + a[n-2]")(1, 1)); assert(fibsSquares.front == 1); fibsSquares.popFront(); fibsSquares.popFront(); assert(fibsSquares.front == 4); fibsSquares.popFront(); assert(fibsSquares.front == 9); auto repeatMap = map!"a"(repeat(1)); static assert(isInfinite!(typeof(repeatMap))); auto intRange = map!"a"([1,2,3]); static assert(isRandomAccessRange!(typeof(intRange))); foreach (DummyType; AllDummyRanges) { DummyType d; auto m = map!"a * a"(d); static assert(propagatesRangeType!(typeof(m), DummyType)); assert(equal(m, [1,4,9,16,25,36,49,64,81,100])); } //Test string access string s1 = "hello world!"; dstring s2 = "日本語"; dstring s3 = "hello world!"d; auto ms1 = map!(std.ascii.toUpper)(s1); auto ms2 = map!(std.ascii.toUpper)(s2); auto ms3 = map!(std.ascii.toUpper)(s3); static assert(!is(ms1[0])); //narrow strings can't be indexed assert(ms2[0] == '日'); assert(ms3[0] == 'H'); static assert(!is(ms1[0..1])); //narrow strings can't be sliced assert(equal(ms2[0..2], "日本"w)); assert(equal(ms3[0..2], "HE")); // Issue 5753 static void voidFun(int) {} static int nonvoidFun(int) { return 0; } static assert(!__traits(compiles, map!voidFun([1]))); static assert(!__traits(compiles, map!(voidFun, voidFun)([1]))); static assert(!__traits(compiles, map!(nonvoidFun, voidFun)([1]))); static assert(!__traits(compiles, map!(voidFun, nonvoidFun)([1]))); } @safe unittest { import std.algorithm.comparison : equal; import std.range; auto LL = iota(1L, 4L); auto m = map!"a*a"(LL); assert(equal(m, [1L, 4L, 9L])); } @safe unittest { import std.range : iota; // Issue #10130 - map of iota with const step. const step = 2; static assert(__traits(compiles, map!(i => i)(iota(0, 10, step)))); // Need these to all by const to repro the float case, due to the // CommonType template used in the float specialization of iota. const floatBegin = 0.0; const floatEnd = 1.0; const floatStep = 0.02; static assert(__traits(compiles, map!(i => i)(iota(floatBegin, floatEnd, floatStep)))); } @safe unittest { import std.algorithm.comparison : equal; import std.range; //slicing infinites auto rr = iota(0, 5).cycle().map!"a * a"(); alias RR = typeof(rr); static assert(hasSlicing!RR); rr = rr[6 .. $]; //Advances 1 cycle and 1 unit assert(equal(rr[0 .. 5], [1, 4, 9, 16, 0])); } @safe unittest { import std.range; struct S {int* p;} auto m = immutable(S).init.repeat().map!"a".save; } // each /** Eagerly iterates over $(D r) and calls $(D pred) over _each element. Params: pred = predicate to apply to each element of the range r = range or iterable over which each iterates Example: --- void deleteOldBackups() { import std.algorithm, std.datetime, std.file; auto cutoff = Clock.currTime() - 7.days; dirEntries("", "*~", SpanMode.depth) .filter!(de => de.timeLastModified < cutoff) .each!remove(); } --- If the range supports it, the value can be mutated in place. Examples: --- arr.each!((ref a) => a++); arr.each!"a++"; --- If no predicate is specified, $(D each) will default to doing nothing but consuming the entire range. $(D .front) will be evaluated, but this can be avoided by explicitly specifying a predicate lambda with a $(D lazy) parameter. $(D each) also supports $(D opApply)-based iterators, so it will work with e.g. $(XREF parallelism, parallel). See_Also: $(XREF range,tee) */ template each(alias pred = "a") { import std.typetuple : TypeTuple; alias BinaryArgs = TypeTuple!(pred, "i", "a"); enum isRangeUnaryIterable(R) = is(typeof(unaryFun!pred(R.init.front))); enum isRangeBinaryIterable(R) = is(typeof(binaryFun!BinaryArgs(0, R.init.front))); enum isRangeIterable(R) = isInputRange!R && (isRangeUnaryIterable!R || isRangeBinaryIterable!R); enum isForeachUnaryIterable(R) = is(typeof((R r) { foreach (ref a; r) cast(void)unaryFun!pred(a); })); enum isForeachBinaryIterable(R) = is(typeof((R r) { foreach (i, ref a; r) cast(void)binaryFun!BinaryArgs(i, a); })); enum isForeachIterable(R) = (!isForwardRange!R || isDynamicArray!R) && (isForeachUnaryIterable!R || isForeachBinaryIterable!R); void each(Range)(Range r) if (isRangeIterable!Range && !isForeachIterable!Range) { debug(each) pragma(msg, "Using while for ", Range.stringof); static if (isRangeUnaryIterable!Range) { while (!r.empty) { cast(void)unaryFun!pred(r.front); r.popFront(); } } else // if (isRangeBinaryIterable!Range) { size_t i = 0; while (!r.empty) { cast(void)binaryFun!BinaryArgs(i, r.front); r.popFront(); i++; } } } void each(Iterable)(Iterable r) if (isForeachIterable!Iterable) { debug(each) pragma(msg, "Using foreach for ", Iterable.stringof); static if (isForeachUnaryIterable!Iterable) { foreach (ref e; r) cast(void)unaryFun!pred(e); } else // if (isForeachBinaryIterable!Iterable) { foreach (i, ref e; r) cast(void)binaryFun!BinaryArgs(i, e); } } } unittest { import std.range : iota; long[] arr; // Note: each over arrays should resolve to the // foreach variant, but as this is a performance // improvement it is not unit-testable. iota(5).each!(n => arr ~= n); assert(arr == [0, 1, 2, 3, 4]); // in-place mutation arr.each!((ref n) => n++); assert(arr == [1, 2, 3, 4, 5]); // by-ref lambdas should not be allowed for non-ref ranges static assert(!is(typeof(arr.map!(n => n).each!((ref n) => n++)))); // default predicate (walk / consume) auto m = arr.map!(n => n); (&m).each(); assert(m.empty); // in-place mutation with index arr[] = 0; arr.each!"a=i"(); assert(arr == [0, 1, 2, 3, 4]); // opApply iterators static assert(is(typeof({ import std.parallelism; arr.parallel.each!"a++"; }))); } /** $(D auto filter(Range)(Range rs) if (isInputRange!(Unqual!Range));) Implements the higher order _filter function. Params: predicate = Function to apply to each element of range range = Input range of elements Returns: $(D filter!(predicate)(range)) returns a new range containing only elements $(D x) in $(D range) for which $(D predicate(x)) returns $(D true). See_Also: $(WEB en.wikipedia.org/wiki/Filter_(higher-order_function), Filter (higher-order function)) */ template filter(alias predicate) if (is(typeof(unaryFun!predicate))) { auto filter(Range)(Range range) if (isInputRange!(Unqual!Range)) { return FilterResult!(unaryFun!predicate, Range)(range); } } /// @safe unittest { import std.algorithm.comparison : equal; import std.math : approxEqual; import std.range; int[] arr = [ 1, 2, 3, 4, 5 ]; // Sum all elements auto small = filter!(a => a < 3)(arr); assert(equal(small, [ 1, 2 ])); // Sum again, but with Uniform Function Call Syntax (UFCS) auto sum = arr.filter!(a => a < 3); assert(equal(sum, [ 1, 2 ])); // In combination with chain() to span multiple ranges int[] a = [ 3, -2, 400 ]; int[] b = [ 100, -101, 102 ]; auto r = chain(a, b).filter!(a => a > 0); assert(equal(r, [ 3, 400, 100, 102 ])); // Mixing convertible types is fair game, too double[] c = [ 2.5, 3.0 ]; auto r1 = chain(c, a, b).filter!(a => cast(int) a != a); assert(approxEqual(r1, [ 2.5 ])); } private struct FilterResult(alias pred, Range) { alias R = Unqual!Range; R _input; this(R r) { _input = r; while (!_input.empty && !pred(_input.front)) { _input.popFront(); } } auto opSlice() { return this; } static if (isInfinite!Range) { enum bool empty = false; } else { @property bool empty() { return _input.empty; } } void popFront() { do { _input.popFront(); } while (!_input.empty && !pred(_input.front)); } @property auto ref front() { return _input.front; } static if (isForwardRange!R) { @property auto save() { return typeof(this)(_input.save); } } } @safe unittest { import std.algorithm.comparison : equal; import std.internal.test.dummyrange; import std.range; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); int[] a = [ 3, 4, 2 ]; auto r = filter!("a > 3")(a); static assert(isForwardRange!(typeof(r))); assert(equal(r, [ 4 ][])); a = [ 1, 22, 3, 42, 5 ]; auto under10 = filter!("a < 10")(a); assert(equal(under10, [1, 3, 5][])); static assert(isForwardRange!(typeof(under10))); under10.front = 4; assert(equal(under10, [4, 3, 5][])); under10.front = 40; assert(equal(under10, [40, 3, 5][])); under10.front = 1; auto infinite = filter!"a > 2"(repeat(3)); static assert(isInfinite!(typeof(infinite))); static assert(isForwardRange!(typeof(infinite))); foreach (DummyType; AllDummyRanges) { DummyType d; auto f = filter!"a & 1"(d); assert(equal(f, [1,3,5,7,9])); static if (isForwardRange!DummyType) { static assert(isForwardRange!(typeof(f))); } } // With delegates int x = 10; int overX(int a) { return a > x; } typeof(filter!overX(a)) getFilter() { return filter!overX(a); } auto r1 = getFilter(); assert(equal(r1, [22, 42])); // With chain auto nums = [0,1,2,3,4]; assert(equal(filter!overX(chain(a, nums)), [22, 42])); // With copying of inner struct Filter to Map auto arr = [1,2,3,4,5]; auto m = map!"a + 1"(filter!"a < 4"(arr)); } @safe unittest { import std.algorithm.comparison : equal; int[] a = [ 3, 4 ]; const aConst = a; auto r = filter!("a > 3")(aConst); assert(equal(r, [ 4 ][])); a = [ 1, 22, 3, 42, 5 ]; auto under10 = filter!("a < 10")(a); assert(equal(under10, [1, 3, 5][])); assert(equal(under10.save, [1, 3, 5][])); assert(equal(under10.save, under10)); // With copying of inner struct Filter to Map auto arr = [1,2,3,4,5]; auto m = map!"a + 1"(filter!"a < 4"(arr)); } @safe unittest { import std.algorithm.comparison : equal; import std.functional : compose, pipe; assert(equal(compose!(map!"2 * a", filter!"a & 1")([1,2,3,4,5]), [2,6,10])); assert(equal(pipe!(filter!"a & 1", map!"2 * a")([1,2,3,4,5]), [2,6,10])); } @safe unittest { import std.algorithm.comparison : equal; int x = 10; int underX(int a) { return a < x; } const(int)[] list = [ 1, 2, 10, 11, 3, 4 ]; assert(equal(filter!underX(list), [ 1, 2, 3, 4 ])); } /** * $(D auto filterBidirectional(Range)(Range r) if (isBidirectionalRange!(Unqual!Range));) * * Similar to $(D filter), except it defines a bidirectional * range. There is a speed disadvantage - the constructor spends time * finding the last element in the range that satisfies the filtering * condition (in addition to finding the first one). The advantage is * that the filtered range can be spanned from both directions. Also, * $(XREF range, retro) can be applied against the filtered range. * * Params: * pred = Function to apply to each element of range * r = Bidirectional range of elements */ template filterBidirectional(alias pred) { auto filterBidirectional(Range)(Range r) if (isBidirectionalRange!(Unqual!Range)) { return FilterBidiResult!(unaryFun!pred, Range)(r); } } /// @safe unittest { import std.algorithm.comparison : equal; import std.range; int[] arr = [ 1, 2, 3, 4, 5 ]; auto small = filterBidirectional!("a < 3")(arr); static assert(isBidirectionalRange!(typeof(small))); assert(small.back == 2); assert(equal(small, [ 1, 2 ])); assert(equal(retro(small), [ 2, 1 ])); // In combination with chain() to span multiple ranges int[] a = [ 3, -2, 400 ]; int[] b = [ 100, -101, 102 ]; auto r = filterBidirectional!("a > 0")(chain(a, b)); assert(r.back == 102); } private struct FilterBidiResult(alias pred, Range) { alias R = Unqual!Range; R _input; this(R r) { _input = r; while (!_input.empty && !pred(_input.front)) _input.popFront(); while (!_input.empty && !pred(_input.back)) _input.popBack(); } @property bool empty() { return _input.empty; } void popFront() { do { _input.popFront(); } while (!_input.empty && !pred(_input.front)); } @property auto ref front() { return _input.front; } void popBack() { do { _input.popBack(); } while (!_input.empty && !pred(_input.back)); } @property auto ref back() { return _input.back; } @property auto save() { return typeof(this)(_input.save); } } // group struct Group(alias pred, R) if (isInputRange!R) { import std.typecons : Rebindable, tuple, Tuple; private alias comp = binaryFun!pred; private alias E = ElementType!R; static if ((is(E == class) || is(E == interface)) && (is(E == const) || is(E == immutable))) { private alias MutableE = Rebindable!E; } else static if (is(E : Unqual!E)) { private alias MutableE = Unqual!E; } else { private alias MutableE = E; } private R _input; private Tuple!(MutableE, uint) _current; this(R input) { _input = input; if (!_input.empty) popFront(); } void popFront() { if (_input.empty) { _current[1] = 0; } else { _current = tuple(_input.front, 1u); _input.popFront(); while (!_input.empty && comp(_current[0], _input.front)) { ++_current[1]; _input.popFront(); } } } static if (isInfinite!R) { enum bool empty = false; // Propagate infiniteness. } else { @property bool empty() { return _current[1] == 0; } } @property auto ref front() { assert(!empty); return _current; } static if (isForwardRange!R) { @property typeof(this) save() { typeof(this) ret = this; ret._input = this._input.save; ret._current = this._current; return ret; } } } /** Groups consecutively equivalent elements into a single tuple of the element and the number of its repetitions. Similarly to $(D uniq), $(D group) produces a range that iterates over unique consecutive elements of the given range. Each element of this range is a tuple of the element and the number of times it is repeated in the original range. Equivalence of elements is assessed by using the predicate $(D pred), which defaults to $(D "a == b"). Params: pred = Binary predicate for determining equivalence of two elements. r = The $(XREF2 range, isInputRange, input range) to iterate over. Returns: A range of elements of type $(D Tuple!(ElementType!R, uint)), representing each consecutively unique element and its respective number of occurrences in that run. This will be an input range if $(D R) is an input range, and a forward range in all other cases. */ Group!(pred, Range) group(alias pred = "a == b", Range)(Range r) { return typeof(return)(r); } /// @safe unittest { import std.algorithm.comparison : equal; import std.typecons : tuple, Tuple; int[] arr = [ 1, 2, 2, 2, 2, 3, 4, 4, 4, 5 ]; assert(equal(group(arr), [ tuple(1, 1u), tuple(2, 4u), tuple(3, 1u), tuple(4, 3u), tuple(5, 1u) ][])); } @safe unittest { import std.algorithm.comparison : equal; import std.internal.test.dummyrange; import std.typecons : tuple, Tuple; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); int[] arr = [ 1, 2, 2, 2, 2, 3, 4, 4, 4, 5 ]; assert(equal(group(arr), [ tuple(1, 1u), tuple(2, 4u), tuple(3, 1u), tuple(4, 3u), tuple(5, 1u) ][])); static assert(isForwardRange!(typeof(group(arr)))); foreach (DummyType; AllDummyRanges) { DummyType d; auto g = group(d); static assert(d.rt == RangeType.Input || isForwardRange!(typeof(g))); assert(equal(g, [tuple(1, 1u), tuple(2, 1u), tuple(3, 1u), tuple(4, 1u), tuple(5, 1u), tuple(6, 1u), tuple(7, 1u), tuple(8, 1u), tuple(9, 1u), tuple(10, 1u)])); } } unittest { // Issue 13857 immutable(int)[] a1 = [1,1,2,2,2,3,4,4,5,6,6,7,8,9,9,9]; auto g1 = group(a1); // Issue 13162 immutable(ubyte)[] a2 = [1, 1, 1, 0, 0, 0]; auto g2 = a2.group; // Issue 10104 const a3 = [1, 1, 2, 2]; auto g3 = a3.group; interface I {} class C : I {} const C[] a4 = [new const C()]; auto g4 = a4.group!"a is b"; immutable I[] a5 = [new immutable C()]; auto g5 = a5.group!"a is b"; const(int[][]) a6 = [[1], [1]]; auto g6 = a6.group; } // Used by implementation of chunkBy for non-forward input ranges. private struct ChunkByChunkImpl(alias pred, Range) if (isInputRange!Range && !isForwardRange!Range) { alias fun = binaryFun!pred; private Range r; private ElementType!Range prev; this(Range range, ElementType!Range _prev) { r = range; prev = _prev; } @property bool empty() { return r.empty || !fun(prev, r.front); } @property ElementType!Range front() { return r.front; } void popFront() { r.popFront(); } } private template ChunkByImplIsUnary(alias pred, Range) { static if (is(typeof(binaryFun!pred(ElementType!Range.init, ElementType!Range.init)) : bool)) enum ChunkByImplIsUnary = false; else static if (is(typeof( unaryFun!pred(ElementType!Range.init) == unaryFun!pred(ElementType!Range.init)))) enum ChunkByImplIsUnary = true; else static assert(0, "chunkBy expects either a binary predicate or "~ "a unary predicate on range elements of type: "~ ElementType!Range.stringof); } // Implementation of chunkBy for non-forward input ranges. private struct ChunkByImpl(alias pred, Range) if (isInputRange!Range && !isForwardRange!Range) { enum bool isUnary = ChunkByImplIsUnary!(pred, Range); static if (isUnary) alias eq = binaryFun!((a, b) => unaryFun!pred(a) == unaryFun!pred(b)); else alias eq = binaryFun!pred; private Range r; private ElementType!Range _prev; this(Range _r) { r = _r; if (!empty) { // Check reflexivity if predicate is claimed to be an equivalence // relation. assert(eq(r.front, r.front), "predicate is not reflexive"); // _prev's type may be a nested struct, so must be initialized // directly in the constructor (cannot call savePred()). _prev = r.front; } else { // We won't use _prev, but must be initialized. _prev = typeof(_prev).init; } } @property bool empty() { return r.empty; } @property auto front() { static if (isUnary) { import std.typecons : tuple; return tuple(unaryFun!pred(_prev), ChunkByChunkImpl!(eq, Range)(r, _prev)); } else { return ChunkByChunkImpl!(eq, Range)(r, _prev); } } void popFront() { while (!r.empty) { if (!eq(_prev, r.front)) { _prev = r.front; break; } r.popFront(); } } } // Single-pass implementation of chunkBy for forward ranges. private struct ChunkByImpl(alias pred, Range) if (isForwardRange!Range) { import std.typecons : RefCounted; enum bool isUnary = ChunkByImplIsUnary!(pred, Range); static if (isUnary) alias eq = binaryFun!((a, b) => unaryFun!pred(a) == unaryFun!pred(b)); else alias eq = binaryFun!pred; // Outer range static struct Impl { size_t groupNum; Range current; Range next; } // Inner range static struct Group { private size_t groupNum; private Range start; private Range current; private RefCounted!Impl mothership; this(RefCounted!Impl origin) { groupNum = origin.groupNum; start = origin.current.save; current = origin.current.save; assert(!start.empty); mothership = origin; // Note: this requires reflexivity. assert(eq(start.front, current.front), "predicate is not reflexive"); } @property bool empty() { return groupNum == size_t.max; } @property auto ref front() { return current.front; } void popFront() { current.popFront(); // Note: this requires transitivity. if (current.empty || !eq(start.front, current.front)) { if (groupNum == mothership.groupNum) { // If parent range hasn't moved on yet, help it along by // saving location of start of next Group. mothership.next = current.save; } groupNum = size_t.max; } } @property auto save() { auto copy = this; copy.current = current.save; return copy; } } static assert(isForwardRange!Group); private RefCounted!Impl impl; this(Range r) { impl = RefCounted!Impl(0, r, r.save); } @property bool empty() { return impl.current.empty; } @property auto front() { static if (isUnary) { import std.typecons : tuple; return tuple(unaryFun!pred(impl.current.front), Group(impl)); } else { return Group(impl); } } void popFront() { // Scan for next group. If we're lucky, one of our Groups would have // already set .next to the start of the next group, in which case the // loop is skipped. while (!impl.next.empty && eq(impl.current.front, impl.next.front)) { impl.next.popFront(); } impl.current = impl.next.save; // Indicate to any remaining Groups that we have moved on. impl.groupNum++; } @property auto save() { // Note: the new copy of the range will be detached from any existing // satellite Groups, and will not benefit from the .next acceleration. return typeof(this)(impl.current.save); } static assert(isForwardRange!(typeof(this))); } unittest { import std.algorithm.comparison : equal; size_t popCount = 0; class RefFwdRange { int[] impl; this(int[] data) { impl = data; } @property bool empty() { return impl.empty; } @property auto ref front() { return impl.front; } void popFront() { impl.popFront(); popCount++; } @property auto save() { return new RefFwdRange(impl); } } static assert(isForwardRange!RefFwdRange); auto testdata = new RefFwdRange([1, 3, 5, 2, 4, 7, 6, 8, 9]); auto groups = testdata.chunkBy!((a,b) => (a % 2) == (b % 2)); auto outerSave1 = groups.save; // Sanity test assert(groups.equal!equal([[1, 3, 5], [2, 4], [7], [6, 8], [9]])); assert(groups.empty); // Performance test for single-traversal use case: popFront should not have // been called more times than there are elements if we traversed the // segmented range exactly once. assert(popCount == 9); // Outer range .save test groups = outerSave1.save; assert(!groups.empty); // Inner range .save test auto grp1 = groups.front.save; auto grp1b = grp1.save; assert(grp1b.equal([1, 3, 5])); assert(grp1.save.equal([1, 3, 5])); // Inner range should remain consistent after outer range has moved on. groups.popFront(); assert(grp1.save.equal([1, 3, 5])); // Inner range should not be affected by subsequent inner ranges. assert(groups.front.equal([2, 4])); assert(grp1.save.equal([1, 3, 5])); } /** * Chunks an input range into subranges of equivalent adjacent elements. * * Equivalence is defined by the predicate $(D pred), which can be either * binary or unary. In the binary form, two _range elements $(D a) and $(D b) * are considered equivalent if $(D pred(a,b)) is true. In unary form, two * elements are considered equivalent if $(D pred(a) == pred(b)) is true. * * This predicate must be an equivalence relation, that is, it must be * reflexive ($(D pred(x,x)) is always true), symmetric * ($(D pred(x,y) == pred(y,x))), and transitive ($(D pred(x,y) && pred(y,z)) * implies $(D pred(x,z))). If this is not the case, the range returned by * chunkBy may assert at runtime or behave erratically. * * Params: * pred = Predicate for determining equivalence. * r = The range to be chunked. * * Returns: With a binary predicate, a range of ranges is returned in which * all elements in a given subrange are equivalent under the given predicate. * With a unary predicate, a range of tuples is returned, with the tuple * consisting of the result of the unary predicate for each subrange, and the * subrange itself. * * Notes: * * Equivalent elements separated by an intervening non-equivalent element will * appear in separate subranges; this function only considers adjacent * equivalence. Elements in the subranges will always appear in the same order * they appear in the original range. * * See_also: * $(XREF algorithm,group), which collapses adjacent equivalent elements into a * single element. */ auto chunkBy(alias pred, Range)(Range r) if (isInputRange!Range) { return ChunkByImpl!(pred, Range)(r); } /// Showing usage with binary predicate: /*FIXME: @safe*/ unittest { import std.algorithm.comparison : equal; // Grouping by particular attribute of each element: auto data = [ [1, 1], [1, 2], [2, 2], [2, 3] ]; auto r1 = data.chunkBy!((a,b) => a[0] == b[0]); assert(r1.equal!equal([ [[1, 1], [1, 2]], [[2, 2], [2, 3]] ])); auto r2 = data.chunkBy!((a,b) => a[1] == b[1]); assert(r2.equal!equal([ [[1, 1]], [[1, 2], [2, 2]], [[2, 3]] ])); } version(none) // this example requires support for non-equivalence relations unittest { auto data = [ [1, 1], [1, 2], [2, 2], [2, 3] ]; version(none) { // Grouping by maximum adjacent difference: import std.math : abs; auto r3 = [1, 3, 2, 5, 4, 9, 10].chunkBy!((a, b) => abs(a-b) < 3); assert(r3.equal!equal([ [1, 3, 2], [5, 4], [9, 10] ])); } } /// Showing usage with unary predicate: /* FIXME: pure @safe nothrow*/ unittest { import std.algorithm.comparison : equal; import std.typecons : tuple; // Grouping by particular attribute of each element: auto range = [ [1, 1], [1, 1], [1, 2], [2, 2], [2, 3], [2, 3], [3, 3] ]; auto byX = chunkBy!(a => a[0])(range); auto expected1 = [ tuple(1, [[1, 1], [1, 1], [1, 2]]), tuple(2, [[2, 2], [2, 3], [2, 3]]), tuple(3, [[3, 3]]) ]; foreach (e; byX) { assert(!expected1.empty); assert(e[0] == expected1.front[0]); assert(e[1].equal(expected1.front[1])); expected1.popFront(); } auto byY = chunkBy!(a => a[1])(range); auto expected2 = [ tuple(1, [[1, 1], [1, 1]]), tuple(2, [[1, 2], [2, 2]]), tuple(3, [[2, 3], [2, 3], [3, 3]]) ]; foreach (e; byY) { assert(!expected2.empty); assert(e[0] == expected2.front[0]); assert(e[1].equal(expected2.front[1])); expected2.popFront(); } } /*FIXME: pure @safe nothrow*/ unittest { import std.algorithm.comparison : equal; import std.typecons : tuple; struct Item { int x, y; } // Force R to have only an input range API with reference semantics, so // that we're not unknowingly making use of array semantics outside of the // range API. class RefInputRange(R) { R data; this(R _data) pure @safe nothrow { data = _data; } @property bool empty() pure @safe nothrow { return data.empty; } @property auto front() pure @safe nothrow { return data.front; } void popFront() pure @safe nothrow { data.popFront(); } } auto refInputRange(R)(R range) { return new RefInputRange!R(range); } { auto arr = [ Item(1,2), Item(1,3), Item(2,3) ]; static assert(isForwardRange!(typeof(arr))); auto byX = chunkBy!(a => a.x)(arr); static assert(isForwardRange!(typeof(byX))); auto byX_subrange1 = byX.front[1].save; auto byX_subrange2 = byX.front[1].save; static assert(isForwardRange!(typeof(byX_subrange1))); static assert(isForwardRange!(typeof(byX_subrange2))); byX.popFront(); assert(byX_subrange1.equal([ Item(1,2), Item(1,3) ])); byX_subrange1.popFront(); assert(byX_subrange1.equal([ Item(1,3) ])); assert(byX_subrange2.equal([ Item(1,2), Item(1,3) ])); auto byY = chunkBy!(a => a.y)(arr); static assert(isForwardRange!(typeof(byY))); auto byY2 = byY.save; static assert(is(typeof(byY) == typeof(byY2))); byY.popFront(); assert(byY.front[0] == 3); assert(byY.front[1].equal([ Item(1,3), Item(2,3) ])); assert(byY2.front[0] == 2); assert(byY2.front[1].equal([ Item(1,2) ])); } // Test non-forward input ranges. { auto range = refInputRange([ Item(1,1), Item(1,2), Item(2,2) ]); auto byX = chunkBy!(a => a.x)(range); assert(byX.front[0] == 1); assert(byX.front[1].equal([ Item(1,1), Item(1,2) ])); byX.popFront(); assert(byX.front[0] == 2); assert(byX.front[1].equal([ Item(2,2) ])); byX.popFront(); assert(byX.empty); assert(range.empty); range = refInputRange([ Item(1,1), Item(1,2), Item(2,2) ]); auto byY = chunkBy!(a => a.y)(range); assert(byY.front[0] == 1); assert(byY.front[1].equal([ Item(1,1) ])); byY.popFront(); assert(byY.front[0] == 2); assert(byY.front[1].equal([ Item(1,2), Item(2,2) ])); byY.popFront(); assert(byY.empty); assert(range.empty); } } // Issue 13595 version(none) // This requires support for non-equivalence relations unittest { import std.algorithm.comparison : equal; auto r = [1, 2, 3, 4, 5, 6, 7, 8, 9].chunkBy!((x, y) => ((x*y) % 3) == 0); assert(r.equal!equal([ [1], [2, 3, 4], [5, 6, 7], [8, 9] ])); } // Issue 13805 unittest { [""].map!((s) => s).chunkBy!((x, y) => true); } // joiner /** Lazily joins a range of ranges with a separator. The separator itself is a range. If you do not provide a separator, then the ranges are joined directly without anything in between them. Params: r = An $(XREF2 range, isInputRange, input range) of input ranges to be joined. sep = A $(XREF2 range, isForwardRange, forward range) of element(s) to serve as separators in the joined range. Returns: An input range of elements in the joined range. This will be a forward range if both outer and inner ranges of $(D RoR) are forward ranges; otherwise it will be only an input range. See_also: $(XREF range,chain), which chains a sequence of ranges with compatible elements into a single range. */ auto joiner(RoR, Separator)(RoR r, Separator sep) if (isInputRange!RoR && isInputRange!(ElementType!RoR) && isForwardRange!Separator && is(ElementType!Separator : ElementType!(ElementType!RoR))) { static struct Result { private RoR _items; private ElementType!RoR _current; private Separator _sep, _currentSep; // This is a mixin instead of a function for the following reason (as // explained by Kenji Hara): "This is necessary from 2.061. If a // struct has a nested struct member, it must be directly initialized // in its constructor to avoid leaving undefined state. If you change // setItem to a function, the initialization of _current field is // wrapped into private member function, then compiler could not detect // that is correctly initialized while constructing. To avoid the // compiler error check, string mixin is used." private enum setItem = q{ if (!_items.empty) { // If we're exporting .save, we must not consume any of the // subranges, since RoR.save does not guarantee that the states // of the subranges are also saved. static if (isForwardRange!RoR && isForwardRange!(ElementType!RoR)) _current = _items.front.save; else _current = _items.front; } }; private void useSeparator() { // Separator must always come after an item. assert(_currentSep.empty && !_items.empty, "joiner: internal error"); _items.popFront(); // If there are no more items, we're done, since separators are not // terminators. if (_items.empty) return; if (_sep.empty) { // Advance to the next range in the // input while (_items.front.empty) { _items.popFront(); if (_items.empty) return; } mixin(setItem); } else { _currentSep = _sep.save; assert(!_currentSep.empty); } } private enum useItem = q{ // FIXME: this will crash if either _currentSep or _current are // class objects, because .init is null when the ctor invokes this // mixin. //assert(_currentSep.empty && _current.empty, // "joiner: internal error"); // Use the input if (_items.empty) return; mixin(setItem); if (_current.empty) { // No data in the current item - toggle to use the separator useSeparator(); } }; this(RoR items, Separator sep) { _items = items; _sep = sep; //mixin(useItem); // _current should be initialized in place if (_items.empty) _current = _current.init; // set invalid state else { // If we're exporting .save, we must not consume any of the // subranges, since RoR.save does not guarantee that the states // of the subranges are also saved. static if (isForwardRange!RoR && isForwardRange!(ElementType!RoR)) _current = _items.front.save; else _current = _items.front; if (_current.empty) { // No data in the current item - toggle to use the separator useSeparator(); } } } @property auto empty() { return _items.empty; } @property ElementType!(ElementType!RoR) front() { if (!_currentSep.empty) return _currentSep.front; assert(!_current.empty); return _current.front; } void popFront() { assert(!_items.empty); // Using separator? if (!_currentSep.empty) { _currentSep.popFront(); if (!_currentSep.empty) return; mixin(useItem); } else { // we're using the range _current.popFront(); if (!_current.empty) return; useSeparator(); } } static if (isForwardRange!RoR && isForwardRange!(ElementType!RoR)) { @property auto save() { Result copy = this; copy._items = _items.save; copy._current = _current.save; copy._sep = _sep.save; copy._currentSep = _currentSep.save; return copy; } } } return Result(r, sep); } /// @safe unittest { import std.algorithm.comparison : equal; import std.conv : text; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); static assert(isInputRange!(typeof(joiner([""], "")))); static assert(isForwardRange!(typeof(joiner([""], "")))); assert(equal(joiner([""], "xyz"), ""), text(joiner([""], "xyz"))); assert(equal(joiner(["", ""], "xyz"), "xyz"), text(joiner(["", ""], "xyz"))); assert(equal(joiner(["", "abc"], "xyz"), "xyzabc")); assert(equal(joiner(["abc", ""], "xyz"), "abcxyz")); assert(equal(joiner(["abc", "def"], "xyz"), "abcxyzdef")); assert(equal(joiner(["Mary", "has", "a", "little", "lamb"], "..."), "Mary...has...a...little...lamb")); assert(equal(joiner(["abc", "def"]), "abcdef")); } unittest { import std.algorithm.comparison : equal; import std.range.primitives; import std.range.interfaces; // joiner() should work for non-forward ranges too. auto r = inputRangeObject(["abc", "def"]); assert (equal(joiner(r, "xyz"), "abcxyzdef")); } unittest { import std.algorithm.comparison : equal; import std.range; // Related to issue 8061 auto r = joiner([ inputRangeObject("abc"), inputRangeObject("def"), ], "-*-"); assert(equal(r, "abc-*-def")); // Test case where separator is specified but is empty. auto s = joiner([ inputRangeObject("abc"), inputRangeObject("def"), ], ""); assert(equal(s, "abcdef")); // Test empty separator with some empty elements auto t = joiner([ inputRangeObject("abc"), inputRangeObject(""), inputRangeObject("def"), inputRangeObject(""), ], ""); assert(equal(t, "abcdef")); // Test empty elements with non-empty separator auto u = joiner([ inputRangeObject(""), inputRangeObject("abc"), inputRangeObject(""), inputRangeObject("def"), inputRangeObject(""), ], "+-"); assert(equal(u, "+-abc+-+-def+-")); // Issue 13441: only(x) as separator string[][] lines = [null]; lines .joiner(only("b")) .array(); } @safe unittest { import std.algorithm.comparison : equal; // Transience correctness test struct TransientRange { @safe: int[][] src; int[] buf; this(int[][] _src) { src = _src; buf.length = 100; } @property bool empty() { return src.empty; } @property int[] front() { assert(src.front.length <= buf.length); buf[0 .. src.front.length] = src.front[0..$]; return buf[0 .. src.front.length]; } void popFront() { src.popFront(); } } // Test embedded empty elements auto tr1 = TransientRange([[], [1,2,3], [], [4]]); assert(equal(joiner(tr1, [0]), [0,1,2,3,0,0,4])); // Test trailing empty elements auto tr2 = TransientRange([[], [1,2,3], []]); assert(equal(joiner(tr2, [0]), [0,1,2,3,0])); // Test no empty elements auto tr3 = TransientRange([[1,2], [3,4]]); assert(equal(joiner(tr3, [0,1]), [1,2,0,1,3,4])); // Test consecutive empty elements auto tr4 = TransientRange([[1,2], [], [], [], [3,4]]); assert(equal(joiner(tr4, [0,1]), [1,2,0,1,0,1,0,1,0,1,3,4])); // Test consecutive trailing empty elements auto tr5 = TransientRange([[1,2], [3,4], [], []]); assert(equal(joiner(tr5, [0,1]), [1,2,0,1,3,4,0,1,0,1])); } /// Ditto auto joiner(RoR)(RoR r) if (isInputRange!RoR && isInputRange!(ElementType!RoR)) { static struct Result { private: RoR _items; ElementType!RoR _current; enum prepare = q{ // Skip over empty subranges. if (_items.empty) return; while (_items.front.empty) { _items.popFront(); if (_items.empty) return; } // We cannot export .save method unless we ensure subranges are not // consumed when a .save'd copy of ourselves is iterated over. So // we need to .save each subrange we traverse. static if (isForwardRange!RoR && isForwardRange!(ElementType!RoR)) _current = _items.front.save; else _current = _items.front; }; public: this(RoR r) { _items = r; //mixin(prepare); // _current should be initialized in place // Skip over empty subranges. while (!_items.empty && _items.front.empty) _items.popFront(); if (_items.empty) _current = _current.init; // set invalid state else { // We cannot export .save method unless we ensure subranges are not // consumed when a .save'd copy of ourselves is iterated over. So // we need to .save each subrange we traverse. static if (isForwardRange!RoR && isForwardRange!(ElementType!RoR)) _current = _items.front.save; else _current = _items.front; } } static if (isInfinite!RoR) { enum bool empty = false; } else { @property auto empty() { return _items.empty; } } @property auto ref front() { assert(!empty); return _current.front; } void popFront() { assert(!_current.empty); _current.popFront(); if (_current.empty) { assert(!_items.empty); _items.popFront(); mixin(prepare); } } static if (isForwardRange!RoR && isForwardRange!(ElementType!RoR)) { @property auto save() { Result copy = this; copy._items = _items.save; copy._current = _current.save; return copy; } } } return Result(r); } unittest { import std.algorithm.comparison : equal; import std.range.interfaces; import std.range : repeat; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); static assert(isInputRange!(typeof(joiner([""])))); static assert(isForwardRange!(typeof(joiner([""])))); assert(equal(joiner([""]), "")); assert(equal(joiner(["", ""]), "")); assert(equal(joiner(["", "abc"]), "abc")); assert(equal(joiner(["abc", ""]), "abc")); assert(equal(joiner(["abc", "def"]), "abcdef")); assert(equal(joiner(["Mary", "has", "a", "little", "lamb"]), "Maryhasalittlelamb")); assert(equal(joiner(std.range.repeat("abc", 3)), "abcabcabc")); // joiner allows in-place mutation! auto a = [ [1, 2, 3], [42, 43] ]; auto j = joiner(a); j.front = 44; assert(a == [ [44, 2, 3], [42, 43] ]); // bugzilla 8240 assert(equal(joiner([inputRangeObject("")]), "")); // issue 8792 auto b = [[1], [2], [3]]; auto jb = joiner(b); auto js = jb.save; assert(equal(jb, js)); auto js2 = jb.save; jb.popFront(); assert(!equal(jb, js)); assert(equal(js2, js)); js.popFront(); assert(equal(jb, js)); assert(!equal(js2, js)); } @safe unittest { import std.algorithm.comparison : equal; struct TransientRange { @safe: int[] _buf; int[][] _values; this(int[][] values) { _values = values; _buf = new int[128]; } @property bool empty() { return _values.length == 0; } @property auto front() { foreach (i; 0 .. _values.front.length) { _buf[i] = _values[0][i]; } return _buf[0 .. _values.front.length]; } void popFront() { _values = _values[1 .. $]; } } auto rr = TransientRange([[1,2], [3,4,5], [], [6,7]]); // Can't use array() or equal() directly because they fail with transient // .front. int[] result; foreach (c; rr.joiner()) { result ~= c; } assert(equal(result, [1,2,3,4,5,6,7])); } @safe unittest { import std.algorithm.internal : algoFormat; import std.algorithm.comparison : equal; struct TransientRange { @safe: dchar[] _buf; dstring[] _values; this(dstring[] values) { _buf.length = 128; _values = values; } @property bool empty() { return _values.length == 0; } @property auto front() { foreach (i; 0 .. _values.front.length) { _buf[i] = _values[0][i]; } return _buf[0 .. _values.front.length]; } void popFront() { _values = _values[1 .. $]; } } auto rr = TransientRange(["abc"d, "12"d, "def"d, "34"d]); // Can't use array() or equal() directly because they fail with transient // .front. dchar[] result; foreach (c; rr.joiner()) { result ~= c; } assert(equal(result, "abc12def34"d), "Unexpected result: '%s'"d.algoFormat(result)); } // Issue 8061 unittest { import std.range.interfaces; import std.conv : to; auto r = joiner([inputRangeObject("ab"), inputRangeObject("cd")]); assert(isForwardRange!(typeof(r))); auto str = to!string(r); assert(str == "abcd"); } /++ Implements the homonym function (also known as $(D accumulate), $(D compress), $(D inject), or $(D foldl)) present in various programming languages of functional flavor. The call $(D reduce!(fun)(seed, range)) first assigns $(D seed) to an internal variable $(D result), also called the accumulator. Then, for each element $(D x) in $(D range), $(D result = fun(result, x)) gets evaluated. Finally, $(D result) is returned. The one-argument version $(D reduce!(fun)(range)) works similarly, but it uses the first element of the range as the seed (the range must be non-empty). Returns: the accumulated $(D result) See_Also: $(WEB en.wikipedia.org/wiki/Fold_(higher-order_function), Fold (higher-order function)) $(LREF sum) is similar to $(D reduce!((a, b) => a + b)) that offers precise summing of floating point numbers. +/ template reduce(fun...) if (fun.length >= 1) { import std.typetuple : staticMap; alias binfuns = staticMap!(binaryFun, fun); static if (fun.length > 1) import std.typecons : tuple, isTuple; /++ No-seed version. The first element of $(D r) is used as the seed's value. For each function $(D f) in $(D fun), the corresponding seed type $(D S) is $(D Unqual!(typeof(f(e, e)))), where $(D e) is an element of $(D r): $(D ElementType!R) for ranges, and $(D ForeachType!R) otherwise. Once S has been determined, then $(D S s = e;) and $(D s = f(s, e);) must both be legal. If $(D r) is empty, an $(D Exception) is thrown. +/ auto reduce(R)(R r) if (isIterable!R) { import std.exception : enforce; alias E = Select!(isInputRange!R, ElementType!R, ForeachType!R); alias Args = staticMap!(ReduceSeedType!E, binfuns); static if (isInputRange!R) { enforce(!r.empty); Args result = r.front; r.popFront(); return reduceImpl!false(r, result); } else { auto result = Args.init; return reduceImpl!true(r, result); } } /++ Seed version. The seed should be a single value if $(D fun) is a single function. If $(D fun) is multiple functions, then $(D seed) should be a $(XREF typecons,Tuple), with one field per function in $(D f). For convenience, if the seed is const, or has qualified fields, then $(D reduce) will operate on an unqualified copy. If this happens then the returned type will not perfectly match $(D S). +/ auto reduce(S, R)(S seed, R r) if (isIterable!R) { static if (fun.length == 1) return reducePreImpl(r, seed); else { import std.algorithm.internal : algoFormat; static assert(isTuple!S, algoFormat("Seed %s should be a Tuple", S.stringof)); return reducePreImpl(r, seed.expand); } } private auto reducePreImpl(R, Args...)(R r, ref Args args) { alias Result = staticMap!(Unqual, Args); static if (is(Result == Args)) alias result = args; else Result result = args; return reduceImpl!false(r, result); } private auto reduceImpl(bool mustInitialize, R, Args...)(R r, ref Args args) if (isIterable!R) { import std.algorithm.internal : algoFormat; static assert(Args.length == fun.length, algoFormat("Seed %s does not have the correct amount of fields (should be %s)", Args.stringof, fun.length)); alias E = Select!(isInputRange!R, ElementType!R, ForeachType!R); static if (mustInitialize) bool initialized = false; foreach (/+auto ref+/ E e; r) // @@@4707@@@ { foreach (i, f; binfuns) static assert(is(typeof(args[i] = f(args[i], e))), algoFormat("Incompatible function/seed/element: %s/%s/%s", fullyQualifiedName!f, Args[i].stringof, E.stringof)); static if (mustInitialize) if (initialized == false) { import std.conv : emplaceRef; foreach (i, f; binfuns) emplaceRef!(Args[i])(args[i], e); initialized = true; continue; } foreach (i, f; binfuns) args[i] = f(args[i], e); } static if (mustInitialize) if (!initialized) throw new Exception("Cannot reduce an empty iterable w/o an explicit seed value."); static if (Args.length == 1) return args[0]; else return tuple(args); } } //Helper for Reduce private template ReduceSeedType(E) { static template ReduceSeedType(alias fun) { import std.algorithm.internal : algoFormat; E e = E.init; static alias ReduceSeedType = Unqual!(typeof(fun(e, e))); //Check the Seed type is useable. ReduceSeedType s = ReduceSeedType.init; static assert(is(typeof({ReduceSeedType s = e;})) && is(typeof(s = fun(s, e))), algoFormat("Unable to deduce an acceptable seed type for %s with element type %s.", fullyQualifiedName!fun, E.stringof)); } } /** Many aggregate range operations turn out to be solved with $(D reduce) quickly and easily. The example below illustrates $(D reduce)'s remarkable power and flexibility. */ @safe unittest { import std.algorithm.comparison : max, min; import std.math : approxEqual; import std.range; int[] arr = [ 1, 2, 3, 4, 5 ]; // Sum all elements auto sum = reduce!((a,b) => a + b)(0, arr); assert(sum == 15); // Sum again, using a string predicate with "a" and "b" sum = reduce!"a + b"(0, arr); assert(sum == 15); // Compute the maximum of all elements auto largest = reduce!(max)(arr); assert(largest == 5); // Max again, but with Uniform Function Call Syntax (UFCS) largest = arr.reduce!(max); assert(largest == 5); // Compute the number of odd elements auto odds = reduce!((a,b) => a + (b & 1))(0, arr); assert(odds == 3); // Compute the sum of squares auto ssquares = reduce!((a,b) => a + b * b)(0, arr); assert(ssquares == 55); // Chain multiple ranges into seed int[] a = [ 3, 4 ]; int[] b = [ 100 ]; auto r = reduce!("a + b")(chain(a, b)); assert(r == 107); // Mixing convertible types is fair game, too double[] c = [ 2.5, 3.0 ]; auto r1 = reduce!("a + b")(chain(a, b, c)); assert(approxEqual(r1, 112.5)); // To minimize nesting of parentheses, Uniform Function Call Syntax can be used auto r2 = chain(a, b, c).reduce!("a + b"); assert(approxEqual(r2, 112.5)); } /** Sometimes it is very useful to compute multiple aggregates in one pass. One advantage is that the computation is faster because the looping overhead is shared. That's why $(D reduce) accepts multiple functions. If two or more functions are passed, $(D reduce) returns a $(XREF typecons, Tuple) object with one member per passed-in function. The number of seeds must be correspondingly increased. */ @safe unittest { import std.algorithm.comparison : max, min; import std.math : approxEqual, sqrt; import std.typecons : tuple, Tuple; double[] a = [ 3.0, 4, 7, 11, 3, 2, 5 ]; // Compute minimum and maximum in one pass auto r = reduce!(min, max)(a); // The type of r is Tuple!(int, int) assert(approxEqual(r[0], 2)); // minimum assert(approxEqual(r[1], 11)); // maximum // Compute sum and sum of squares in one pass r = reduce!("a + b", "a + b * b")(tuple(0.0, 0.0), a); assert(approxEqual(r[0], 35)); // sum assert(approxEqual(r[1], 233)); // sum of squares // Compute average and standard deviation from the above auto avg = r[0] / a.length; auto stdev = sqrt(r[1] / a.length - avg * avg); } unittest { import std.algorithm.comparison : max, min; import std.exception : assertThrown; import std.range; import std.typecons : tuple, Tuple; double[] a = [ 3, 4 ]; auto r = reduce!("a + b")(0.0, a); assert(r == 7); r = reduce!("a + b")(a); assert(r == 7); r = reduce!(min)(a); assert(r == 3); double[] b = [ 100 ]; auto r1 = reduce!("a + b")(chain(a, b)); assert(r1 == 107); // two funs auto r2 = reduce!("a + b", "a - b")(tuple(0.0, 0.0), a); assert(r2[0] == 7 && r2[1] == -7); auto r3 = reduce!("a + b", "a - b")(a); assert(r3[0] == 7 && r3[1] == -1); a = [ 1, 2, 3, 4, 5 ]; // Stringize with commas string rep = reduce!("a ~ `, ` ~ to!(string)(b)")("", a); assert(rep[2 .. $] == "1, 2, 3, 4, 5", "["~rep[2 .. $]~"]"); // Test the opApply case. static struct OpApply { bool actEmpty; int opApply(int delegate(ref int) dg) { int res; if (actEmpty) return res; foreach (i; 0..100) { res = dg(i); if (res) break; } return res; } } OpApply oa; auto hundredSum = reduce!"a + b"(iota(100)); assert(reduce!"a + b"(5, oa) == hundredSum + 5); assert(reduce!"a + b"(oa) == hundredSum); assert(reduce!("a + b", max)(oa) == tuple(hundredSum, 99)); assert(reduce!("a + b", max)(tuple(5, 0), oa) == tuple(hundredSum + 5, 99)); // Test for throwing on empty range plus no seed. assertThrown(reduce!"a + b"([1, 2][0..0])); oa.actEmpty = true; assertThrown(reduce!"a + b"(oa)); } @safe unittest { debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); const float a = 0.0; const float[] b = [ 1.2, 3, 3.3 ]; float[] c = [ 1.2, 3, 3.3 ]; auto r = reduce!"a + b"(a, b); r = reduce!"a + b"(a, c); } @safe unittest { // Issue #10408 - Two-function reduce of a const array. import std.algorithm.comparison : max, min; import std.typecons : tuple, Tuple; const numbers = [10, 30, 20]; immutable m = reduce!(min)(numbers); assert(m == 10); immutable minmax = reduce!(min, max)(numbers); assert(minmax == tuple(10, 30)); } @safe unittest { //10709 import std.typecons : tuple, Tuple; enum foo = "a + 0.5 * b"; auto r = [0, 1, 2, 3]; auto r1 = reduce!foo(r); auto r2 = reduce!(foo, foo)(r); assert(r1 == 3); assert(r2 == tuple(3, 3)); } unittest { int i = 0; static struct OpApply { int opApply(int delegate(ref int) dg) { int[] a = [1, 2, 3]; int res = 0; foreach (ref e; a) { res = dg(e); if (res) break; } return res; } } //test CTFE and functions with context int fun(int a, int b){return a + b + 1;} auto foo() { import std.algorithm.comparison : max; import std.typecons : tuple, Tuple; auto a = reduce!(fun)([1, 2, 3]); auto b = reduce!(fun, fun)([1, 2, 3]); auto c = reduce!(fun)(0, [1, 2, 3]); auto d = reduce!(fun, fun)(tuple(0, 0), [1, 2, 3]); auto e = reduce!(fun)(0, OpApply()); auto f = reduce!(fun, fun)(tuple(0, 0), OpApply()); return max(a, b.expand, c, d.expand); } auto a = foo(); enum b = foo(); } @safe unittest { import std.algorithm.comparison : max, min; import std.typecons : tuple, Tuple; //http://forum.dlang.org/thread/oghtttkopzjshsuflelk@forum.dlang.org //Seed is tuple of const. static auto minmaxElement(alias F = min, alias G = max, R)(in R range) @safe pure nothrow if (isInputRange!R) { return reduce!(F, G)(tuple(ElementType!R.max, ElementType!R.min), range); } assert(minmaxElement([1, 2, 3])== tuple(1, 3)); } @safe unittest //12569 { import std.algorithm.comparison : max, min; import std.typecons: tuple; dchar c = 'a'; reduce!(min, max)(tuple(c, c), "hello"); // OK static assert(!is(typeof(reduce!(min, max)(tuple(c), "hello")))); static assert(!is(typeof(reduce!(min, max)(tuple(c, c, c), "hello")))); //"Seed dchar should be a Tuple" static assert(!is(typeof(reduce!(min, max)(c, "hello")))); //"Seed (dchar) does not have the correct amount of fields (should be 2)" static assert(!is(typeof(reduce!(min, max)(tuple(c), "hello")))); //"Seed (dchar, dchar, dchar) does not have the correct amount of fields (should be 2)" static assert(!is(typeof(reduce!(min, max)(tuple(c, c, c), "hello")))); //"Incompatable function/seed/element: all(alias pred = "a")/int/dchar" static assert(!is(typeof(reduce!all(1, "hello")))); static assert(!is(typeof(reduce!(all, all)(tuple(1, 1), "hello")))); } @safe unittest //13304 { int[] data; static assert(is(typeof(reduce!((a, b)=>a+b)(data)))); } // splitter /** Lazily splits a range using an element as a separator. This can be used with any narrow string type or sliceable range type, but is most popular with string types. Two adjacent separators are considered to surround an empty element in the split range. Use $(D filter!(a => !a.empty)) on the result to compress empty elements. If the empty range is given, the result is a range with one empty element. If a range with one separator is given, the result is a range with two empty elements. If splitting a string on whitespace and token compression is desired, consider using $(D splitter) without specifying a separator (see fourth overload below). Params: pred = The predicate for comparing each element with the separator, defaulting to $(D "a == b"). r = The $(XREF2 range, isInputRange, input range) to be split. Must support slicing and $(D .length). s = The element to be treated as the separator between range segments to be split. Constraints: The predicate $(D pred) needs to accept an element of $(D r) and the separator $(D s). Returns: An input range of the subranges of elements between separators. If $(D r) is a forward range or bidirectional range, the returned range will be likewise. See_Also: $(XREF regex, _splitter) for a version that splits using a regular expression defined separator. */ auto splitter(alias pred = "a == b", Range, Separator)(Range r, Separator s) if (is(typeof(binaryFun!pred(r.front, s)) : bool) && ((hasSlicing!Range && hasLength!Range) || isNarrowString!Range)) { import std.algorithm.searching : find; import std.conv : unsigned; static struct Result { private: Range _input; Separator _separator; // Do we need hasLength!Range? popFront uses _input.length... alias IndexType = typeof(unsigned(_input.length)); enum IndexType _unComputed = IndexType.max - 1, _atEnd = IndexType.max; IndexType _frontLength = _unComputed; IndexType _backLength = _unComputed; static if (isNarrowString!Range) { size_t _separatorLength; } else { enum _separatorLength = 1; } static if (isBidirectionalRange!Range) { static IndexType lastIndexOf(Range haystack, Separator needle) { import std.range : retro; auto r = haystack.retro().find!pred(needle); return r.retro().length - 1; } } public: this(Range input, Separator separator) { _input = input; _separator = separator; static if (isNarrowString!Range) { import std.utf : codeLength; _separatorLength = codeLength!(ElementEncodingType!Range)(separator); } if (_input.empty) _frontLength = _atEnd; } static if (isInfinite!Range) { enum bool empty = false; } else { @property bool empty() { return _frontLength == _atEnd; } } @property Range front() { assert(!empty); if (_frontLength == _unComputed) { auto r = _input.find!pred(_separator); _frontLength = _input.length - r.length; } return _input[0 .. _frontLength]; } void popFront() { assert(!empty); if (_frontLength == _unComputed) { front; } assert(_frontLength <= _input.length); if (_frontLength == _input.length) { // no more input and need to fetch => done _frontLength = _atEnd; // Probably don't need this, but just for consistency: _backLength = _atEnd; } else { _input = _input[_frontLength + _separatorLength .. _input.length]; _frontLength = _unComputed; } } static if (isForwardRange!Range) { @property typeof(this) save() { auto ret = this; ret._input = _input.save; return ret; } } static if (isBidirectionalRange!Range) { @property Range back() { assert(!empty); if (_backLength == _unComputed) { immutable lastIndex = lastIndexOf(_input, _separator); if (lastIndex == -1) { _backLength = _input.length; } else { _backLength = _input.length - lastIndex - 1; } } return _input[_input.length - _backLength .. _input.length]; } void popBack() { assert(!empty); if (_backLength == _unComputed) { // evaluate back to make sure it's computed back; } assert(_backLength <= _input.length); if (_backLength == _input.length) { // no more input and need to fetch => done _frontLength = _atEnd; _backLength = _atEnd; } else { _input = _input[0 .. _input.length - _backLength - _separatorLength]; _backLength = _unComputed; } } } } return Result(r, s); } /// @safe unittest { import std.algorithm.comparison : equal; assert(equal(splitter("hello world", ' '), [ "hello", "", "world" ])); int[] a = [ 1, 2, 0, 0, 3, 0, 4, 5, 0 ]; int[][] w = [ [1, 2], [], [3], [4, 5], [] ]; assert(equal(splitter(a, 0), w)); a = [ 0 ]; assert(equal(splitter(a, 0), [ (int[]).init, (int[]).init ])); a = [ 0, 1 ]; assert(equal(splitter(a, 0), [ [], [1] ])); w = [ [0], [1], [2] ]; assert(equal(splitter!"a.front == b"(w, 1), [ [[0]], [[2]] ])); } @safe unittest { import std.internal.test.dummyrange; import std.algorithm; import std.array : array; import std.range : retro; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); assert(equal(splitter("hello world", ' '), [ "hello", "", "world" ])); assert(equal(splitter("žlutoučkýřkůň", 'ř'), [ "žlutoučký", "kůň" ])); int[] a = [ 1, 2, 0, 0, 3, 0, 4, 5, 0 ]; int[][] w = [ [1, 2], [], [3], [4, 5], [] ]; static assert(isForwardRange!(typeof(splitter(a, 0)))); // foreach (x; splitter(a, 0)) { // writeln("[", x, "]"); // } assert(equal(splitter(a, 0), w)); a = null; assert(equal(splitter(a, 0), (int[][]).init)); a = [ 0 ]; assert(equal(splitter(a, 0), [ (int[]).init, (int[]).init ][])); a = [ 0, 1 ]; assert(equal(splitter(a, 0), [ [], [1] ][])); // Thoroughly exercise the bidirectional stuff. auto str = "abc abcd abcde ab abcdefg abcdefghij ab ac ar an at ada"; assert(equal( retro(splitter(str, 'a')), retro(array(splitter(str, 'a'))) )); // Test interleaving front and back. auto split = splitter(str, 'a'); assert(split.front == ""); assert(split.back == ""); split.popBack(); assert(split.back == "d"); split.popFront(); assert(split.front == "bc "); assert(split.back == "d"); split.popFront(); split.popBack(); assert(split.back == "t "); split.popBack(); split.popBack(); split.popFront(); split.popFront(); assert(split.front == "b "); assert(split.back == "r "); foreach (DummyType; AllDummyRanges) { // Bug 4408 static if (isRandomAccessRange!DummyType) { static assert(isBidirectionalRange!DummyType); DummyType d; auto s = splitter(d, 5); assert(equal(s.front, [1,2,3,4])); assert(equal(s.back, [6,7,8,9,10])); auto s2 = splitter(d, [4, 5]); assert(equal(s2.front, [1,2,3])); } } } @safe unittest { import std.algorithm; import std.range; auto L = retro(iota(1L, 10L)); auto s = splitter(L, 5L); assert(equal(s.front, [9L, 8L, 7L, 6L])); s.popFront(); assert(equal(s.front, [4L, 3L, 2L, 1L])); s.popFront(); assert(s.empty); } /** Similar to the previous overload of $(D splitter), except this one uses another range as a separator. This can be used with any narrow string type or sliceable range type, but is most popular with string types. Two adjacent separators are considered to surround an empty element in the split range. Use $(D filter!(a => !a.empty)) on the result to compress empty elements. Params: pred = The predicate for comparing each element with the separator, defaulting to $(D "a == b"). r = The $(XREF2 range, isInputRange, input range) to be split. s = The $(XREF2 range, isForwardRange, forward range) to be treated as the separator between segments of $(D r) to be split. Constraints: The predicate $(D pred) needs to accept an element of $(D r) and an element of $(D s). Returns: An input range of the subranges of elements between separators. If $(D r) is a forward range or bidirectional range, the returned range will be likewise. See_Also: $(XREF regex, _splitter) for a version that splits using a regular expression defined separator. */ auto splitter(alias pred = "a == b", Range, Separator)(Range r, Separator s) if (is(typeof(binaryFun!pred(r.front, s.front)) : bool) && (hasSlicing!Range || isNarrowString!Range) && isForwardRange!Separator && (hasLength!Separator || isNarrowString!Separator)) { import std.algorithm.searching : find; import std.conv : unsigned; static struct Result { private: Range _input; Separator _separator; alias RIndexType = typeof(unsigned(_input.length)); // _frontLength == size_t.max means empty RIndexType _frontLength = RIndexType.max; static if (isBidirectionalRange!Range) RIndexType _backLength = RIndexType.max; @property auto separatorLength() { return _separator.length; } void ensureFrontLength() { if (_frontLength != _frontLength.max) return; assert(!_input.empty); // compute front length _frontLength = (_separator.empty) ? 1 : _input.length - find!pred(_input, _separator).length; static if (isBidirectionalRange!Range) if (_frontLength == _input.length) _backLength = _frontLength; } void ensureBackLength() { static if (isBidirectionalRange!Range) if (_backLength != _backLength.max) return; assert(!_input.empty); // compute back length static if (isBidirectionalRange!Range && isBidirectionalRange!Separator) { import std.range : retro; _backLength = _input.length - find!pred(retro(_input), retro(_separator)).source.length; } } public: this(Range input, Separator separator) { _input = input; _separator = separator; } @property Range front() { assert(!empty); ensureFrontLength(); return _input[0 .. _frontLength]; } static if (isInfinite!Range) { enum bool empty = false; // Propagate infiniteness } else { @property bool empty() { return _frontLength == RIndexType.max && _input.empty; } } void popFront() { assert(!empty); ensureFrontLength(); if (_frontLength == _input.length) { // done, there's no separator in sight _input = _input[_frontLength .. _frontLength]; _frontLength = _frontLength.max; static if (isBidirectionalRange!Range) _backLength = _backLength.max; return; } if (_frontLength + separatorLength == _input.length) { // Special case: popping the first-to-last item; there is // an empty item right after this. _input = _input[_input.length .. _input.length]; _frontLength = 0; static if (isBidirectionalRange!Range) _backLength = 0; return; } // Normal case, pop one item and the separator, get ready for // reading the next item _input = _input[_frontLength + separatorLength .. _input.length]; // mark _frontLength as uninitialized _frontLength = _frontLength.max; } static if (isForwardRange!Range) { @property typeof(this) save() { auto ret = this; ret._input = _input.save; return ret; } } // Bidirectional functionality as suggested by Brad Roberts. static if (isBidirectionalRange!Range && isBidirectionalRange!Separator) { //Deprecated. It will be removed in December 2015 deprecated("splitter!(Range, Range) cannot be iterated backwards (due to separator overlap).") @property Range back() { ensureBackLength(); return _input[_input.length - _backLength .. _input.length]; } //Deprecated. It will be removed in December 2015 deprecated("splitter!(Range, Range) cannot be iterated backwards (due to separator overlap).") void popBack() { ensureBackLength(); if (_backLength == _input.length) { // done _input = _input[0 .. 0]; _frontLength = _frontLength.max; _backLength = _backLength.max; return; } if (_backLength + separatorLength == _input.length) { // Special case: popping the first-to-first item; there is // an empty item right before this. Leave the separator in. _input = _input[0 .. 0]; _frontLength = 0; _backLength = 0; return; } // Normal case _input = _input[0 .. _input.length - _backLength - separatorLength]; _backLength = _backLength.max; } } } return Result(r, s); } /// @safe unittest { import std.algorithm.comparison : equal; assert(equal(splitter("hello world", " "), [ "hello", "world" ])); int[] a = [ 1, 2, 0, 0, 3, 0, 4, 5, 0 ]; int[][] w = [ [1, 2], [3, 0, 4, 5, 0] ]; assert(equal(splitter(a, [0, 0]), w)); a = [ 0, 0 ]; assert(equal(splitter(a, [0, 0]), [ (int[]).init, (int[]).init ])); a = [ 0, 0, 1 ]; assert(equal(splitter(a, [0, 0]), [ [], [1] ])); } @safe unittest { import std.algorithm.comparison : equal; import std.typecons : Tuple; alias C = Tuple!(int, "x", int, "y"); auto a = [C(1,0), C(2,0), C(3,1), C(4,0)]; assert(equal(splitter!"a.x == b"(a, [2, 3]), [ [C(1,0)], [C(4,0)] ])); } @safe unittest { import std.algorithm.comparison : equal; import std.conv : text; import std.array : split; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); auto s = ",abc, de, fg,hi,"; auto sp0 = splitter(s, ','); // //foreach (e; sp0) writeln("[", e, "]"); assert(equal(sp0, ["", "abc", " de", " fg", "hi", ""][])); auto s1 = ", abc, de, fg, hi, "; auto sp1 = splitter(s1, ", "); //foreach (e; sp1) writeln("[", e, "]"); assert(equal(sp1, ["", "abc", "de", " fg", "hi", ""][])); static assert(isForwardRange!(typeof(sp1))); int[] a = [ 1, 2, 0, 3, 0, 4, 5, 0 ]; int[][] w = [ [1, 2], [3], [4, 5], [] ]; uint i; foreach (e; splitter(a, 0)) { assert(i < w.length); assert(e == w[i++]); } assert(i == w.length); // // Now go back // auto s2 = splitter(a, 0); // foreach (e; retro(s2)) // { // assert(i > 0); // assert(equal(e, w[--i]), text(e)); // } // assert(i == 0); wstring names = ",peter,paul,jerry,"; auto words = split(names, ","); assert(walkLength(words) == 5, text(walkLength(words))); } @safe unittest { int[][] a = [ [1], [2], [0], [3], [0], [4], [5], [0] ]; int[][][] w = [ [[1], [2]], [[3]], [[4], [5]], [] ]; uint i; foreach (e; splitter!"a.front == 0"(a, 0)) { assert(i < w.length); assert(e == w[i++]); } assert(i == w.length); } @safe unittest { import std.algorithm.comparison : equal; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); auto s6 = ","; auto sp6 = splitter(s6, ','); foreach (e; sp6) { //writeln("{", e, "}"); } assert(equal(sp6, ["", ""][])); } @safe unittest { import std.algorithm.comparison : equal; // Issue 10773 auto s = splitter("abc", ""); assert(s.equal(["a", "b", "c"])); } @safe unittest { import std.algorithm.comparison : equal; // Test by-reference separator class RefSep { @safe: string _impl; this(string s) { _impl = s; } @property empty() { return _impl.empty; } @property auto front() { return _impl.front; } void popFront() { _impl = _impl[1..$]; } @property RefSep save() { return new RefSep(_impl); } @property auto length() { return _impl.length; } } auto sep = new RefSep("->"); auto data = "i->am->pointing"; auto words = splitter(data, sep); assert(words.equal([ "i", "am", "pointing" ])); } /** Similar to the previous overload of $(D splitter), except this one does not use a separator. Instead, the predicate is an unary function on the input range's element type. Two adjacent separators are considered to surround an empty element in the split range. Use $(D filter!(a => !a.empty)) on the result to compress empty elements. Params: isTerminator = The predicate for deciding where to split the range. input = The $(XREF2 range, isInputRange, input range) to be split. Constraints: The predicate $(D isTerminator) needs to accept an element of $(D input). Returns: An input range of the subranges of elements between separators. If $(D input) is a forward range or bidirectional range, the returned range will be likewise. See_Also: $(XREF regex, _splitter) for a version that splits using a regular expression defined separator. */ auto splitter(alias isTerminator, Range)(Range input) if (isForwardRange!Range && is(typeof(unaryFun!isTerminator(input.front)))) { return SplitterResult!(unaryFun!isTerminator, Range)(input); } /// @safe unittest { import std.algorithm.comparison : equal; assert(equal(splitter!"a == ' '"("hello world"), [ "hello", "", "world" ])); int[] a = [ 1, 2, 0, 0, 3, 0, 4, 5, 0 ]; int[][] w = [ [1, 2], [], [3], [4, 5], [] ]; assert(equal(splitter!"a == 0"(a), w)); a = [ 0 ]; assert(equal(splitter!"a == 0"(a), [ (int[]).init, (int[]).init ])); a = [ 0, 1 ]; assert(equal(splitter!"a == 0"(a), [ [], [1] ])); w = [ [0], [1], [2] ]; assert(equal(splitter!"a.front == 1"(w), [ [[0]], [[2]] ])); } private struct SplitterResult(alias isTerminator, Range) { import std.algorithm.searching : find; enum fullSlicing = (hasLength!Range && hasSlicing!Range) || isSomeString!Range; private Range _input; private size_t _end = 0; static if(!fullSlicing) private Range _next; private void findTerminator() { static if (fullSlicing) { auto r = find!isTerminator(_input.save); _end = _input.length - r.length; } else for ( _end = 0; !_next.empty ; _next.popFront) { if (isTerminator(_next.front)) break; ++_end; } } this(Range input) { _input = input; static if(!fullSlicing) _next = _input.save; if (!_input.empty) findTerminator(); else _end = size_t.max; } static if (isInfinite!Range) { enum bool empty = false; // Propagate infiniteness. } else { @property bool empty() { return _end == size_t.max; } } @property auto front() { version(assert) { import core.exception : RangeError; if (empty) throw new RangeError(); } static if (fullSlicing) return _input[0 .. _end]; else { import std.range : takeExactly; return _input.takeExactly(_end); } } void popFront() { version(assert) { import core.exception : RangeError; if (empty) throw new RangeError(); } static if (fullSlicing) { _input = _input[_end .. _input.length]; if (_input.empty) { _end = size_t.max; return; } _input.popFront(); } else { if (_next.empty) { _input = _next; _end = size_t.max; return; } _next.popFront(); _input = _next.save; } findTerminator(); } @property typeof(this) save() { auto ret = this; ret._input = _input.save; static if (!fullSlicing) ret._next = _next.save; return ret; } } @safe unittest { import std.algorithm.comparison : equal; import std.range : iota; auto L = iota(1L, 10L); auto s = splitter(L, [5L, 6L]); assert(equal(s.front, [1L, 2L, 3L, 4L])); s.popFront(); assert(equal(s.front, [7L, 8L, 9L])); s.popFront(); assert(s.empty); } @safe unittest { import std.algorithm.internal : algoFormat; import std.algorithm.comparison : equal; import std.internal.test.dummyrange; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); void compare(string sentence, string[] witness) { auto r = splitter!"a == ' '"(sentence); assert(equal(r.save, witness), algoFormat("got: %(%s, %) expected: %(%s, %)", r, witness)); } compare(" Mary has a little lamb. ", ["", "Mary", "", "has", "a", "little", "lamb.", "", "", ""]); compare("Mary has a little lamb. ", ["Mary", "", "has", "a", "little", "lamb.", "", "", ""]); compare("Mary has a little lamb.", ["Mary", "", "has", "a", "little", "lamb."]); compare("", (string[]).init); compare(" ", ["", ""]); static assert(isForwardRange!(typeof(splitter!"a == ' '"("ABC")))); foreach (DummyType; AllDummyRanges) { static if (isRandomAccessRange!DummyType) { auto rangeSplit = splitter!"a == 5"(DummyType.init); assert(equal(rangeSplit.front, [1,2,3,4])); rangeSplit.popFront(); assert(equal(rangeSplit.front, [6,7,8,9,10])); } } } @safe unittest { import std.algorithm.internal : algoFormat; import std.algorithm.comparison : equal; import std.range; struct Entry { int low; int high; int[][] result; } Entry[] entries = [ Entry(0, 0, []), Entry(0, 1, [[0]]), Entry(1, 2, [[], []]), Entry(2, 7, [[2], [4], [6]]), Entry(1, 8, [[], [2], [4], [6], []]), ]; foreach ( entry ; entries ) { auto a = iota(entry.low, entry.high).filter!"true"(); auto b = splitter!"a%2"(a); assert(equal!equal(b.save, entry.result), algoFormat("got: %(%s, %) expected: %(%s, %)", b, entry.result)); } } @safe unittest { import std.algorithm.comparison : equal; import std.uni : isWhite; //@@@6791@@@ assert(equal(splitter("là dove terminava quella valle"), ["là", "dove", "terminava", "quella", "valle"])); assert(equal(splitter!(std.uni.isWhite)("là dove terminava quella valle"), ["là", "dove", "terminava", "quella", "valle"])); assert(equal(splitter!"a=='本'"("日本語"), ["日", "語"])); } /++ Lazily splits the string $(D s) into words, using whitespace as the delimiter. This function is string specific and, contrary to $(D splitter!(std.uni.isWhite)), runs of whitespace will be merged together (no empty tokens will be produced). Params: s = The string to be split. Returns: An $(XREF2 range, isInputRange, input range) of slices of the original string split by whitespace. +/ auto splitter(C)(C[] s) if (isSomeChar!C) { import std.algorithm.searching : find; static struct Result { private: import core.exception; C[] _s; size_t _frontLength; void getFirst() pure @safe { import std.uni : isWhite; auto r = find!(isWhite)(_s); _frontLength = _s.length - r.length; } public: this(C[] s) pure @safe { import std.string : strip; _s = s.strip(); getFirst(); } @property C[] front() pure @safe { version(assert) if (empty) throw new RangeError(); return _s[0 .. _frontLength]; } void popFront() pure @safe { import std.string : stripLeft; version(assert) if (empty) throw new RangeError(); _s = _s[_frontLength .. $].stripLeft(); getFirst(); } @property bool empty() const @safe pure nothrow { return _s.empty; } @property inout(Result) save() inout @safe pure nothrow { return this; } } return Result(s); } /// @safe pure unittest { import std.algorithm.comparison : equal; auto a = " a bcd ef gh "; assert(equal(splitter(a), ["a", "bcd", "ef", "gh"][])); } @safe pure unittest { import std.algorithm.comparison : equal; import std.typetuple : TypeTuple; foreach(S; TypeTuple!(string, wstring, dstring)) { import std.conv : to; S a = " a bcd ef gh "; assert(equal(splitter(a), [to!S("a"), to!S("bcd"), to!S("ef"), to!S("gh")])); a = ""; assert(splitter(a).empty); } immutable string s = " a bcd ef gh "; assert(equal(splitter(s), ["a", "bcd", "ef", "gh"][])); } @safe unittest { import std.conv : to; import std.string : strip; // TDPL example, page 8 uint[string] dictionary; char[][3] lines; lines[0] = "line one".dup; lines[1] = "line \ttwo".dup; lines[2] = "yah last line\ryah".dup; foreach (line; lines) { foreach (word; splitter(strip(line))) { if (word in dictionary) continue; // Nothing to do auto newID = dictionary.length; dictionary[to!string(word)] = cast(uint)newID; } } assert(dictionary.length == 5); assert(dictionary["line"]== 0); assert(dictionary["one"]== 1); assert(dictionary["two"]== 2); assert(dictionary["yah"]== 3); assert(dictionary["last"]== 4); } @safe unittest { import std.algorithm.internal : algoFormat; import std.algorithm.comparison : equal; import std.conv : text; import std.array : split; // Check consistency: // All flavors of split should produce the same results foreach (input; [(int[]).init, [0], [0, 1, 0], [1, 1, 0, 0, 1, 1], ]) { foreach (s; [0, 1]) { auto result = split(input, s); assert(equal(result, split(input, [s])), algoFormat(`"[%(%s,%)]"`, split(input, [s]))); //assert(equal(result, split(input, [s].filter!"true"()))); //Not yet implemented assert(equal(result, split!((a) => a == s)(input)), text(split!((a) => a == s)(input))); //assert(equal!equal(result, split(input.filter!"true"(), s))); //Not yet implemented //assert(equal!equal(result, split(input.filter!"true"(), [s]))); //Not yet implemented //assert(equal!equal(result, split(input.filter!"true"(), [s].filter!"true"()))); //Not yet implemented assert(equal!equal(result, split!((a) => a == s)(input.filter!"true"()))); assert(equal(result, splitter(input, s))); assert(equal(result, splitter(input, [s]))); //assert(equal(result, splitter(input, [s].filter!"true"()))); //Not yet implemented assert(equal(result, splitter!((a) => a == s)(input))); //assert(equal!equal(result, splitter(input.filter!"true"(), s))); //Not yet implemented //assert(equal!equal(result, splitter(input.filter!"true"(), [s]))); //Not yet implemented //assert(equal!equal(result, splitter(input.filter!"true"(), [s].filter!"true"()))); //Not yet implemented assert(equal!equal(result, splitter!((a) => a == s)(input.filter!"true"()))); } } foreach (input; [string.init, " ", " hello ", "hello hello", " hello what heck this ? " ]) { foreach (s; [' ', 'h']) { auto result = split(input, s); assert(equal(result, split(input, [s]))); //assert(equal(result, split(input, [s].filter!"true"()))); //Not yet implemented assert(equal(result, split!((a) => a == s)(input))); //assert(equal!equal(result, split(input.filter!"true"(), s))); //Not yet implemented //assert(equal!equal(result, split(input.filter!"true"(), [s]))); //Not yet implemented //assert(equal!equal(result, split(input.filter!"true"(), [s].filter!"true"()))); //Not yet implemented assert(equal!equal(result, split!((a) => a == s)(input.filter!"true"()))); assert(equal(result, splitter(input, s))); assert(equal(result, splitter(input, [s]))); //assert(equal(result, splitter(input, [s].filter!"true"()))); //Not yet implemented assert(equal(result, splitter!((a) => a == s)(input))); //assert(equal!equal(result, splitter(input.filter!"true"(), s))); //Not yet implemented //assert(equal!equal(result, splitter(input.filter!"true"(), [s]))); //Not yet implemented //assert(equal!equal(result, splitter(input.filter!"true"(), [s].filter!"true"()))); //Not yet implemented assert(equal!equal(result, splitter!((a) => a == s)(input.filter!"true"()))); } } } // sum /** Sums elements of $(D r), which must be a finite $(XREF2 range, isInputRange, input range). Although conceptually $(D sum(r)) is equivalent to $(LREF reduce)!((a, b) => a + b)(0, r), $(D sum) uses specialized algorithms to maximize accuracy, as follows. $(UL $(LI If $(D $(XREF range, ElementType)!R) is a floating-point type and $(D R) is a $(XREF2 range, isRandomAccessRange, random-access range) with length and slicing, then $(D sum) uses the $(WEB en.wikipedia.org/wiki/Pairwise_summation, pairwise summation) algorithm.) $(LI If $(D ElementType!R) is a floating-point type and $(D R) is a finite input range (but not a random-access range with slicing), then $(D sum) uses the $(WEB en.wikipedia.org/wiki/Kahan_summation, Kahan summation) algorithm.) $(LI In all other cases, a simple element by element addition is done.) ) For floating point inputs, calculations are made in $(LINK2 ../type.html, $(D real)) precision for $(D real) inputs and in $(D double) precision otherwise (Note this is a special case that deviates from $(D reduce)'s behavior, which would have kept $(D float) precision for a $(D float) range). For all other types, the calculations are done in the same type obtained from from adding two elements of the range, which may be a different type from the elements themselves (for example, in case of $(LINK2 ../type.html#integer-promotions, integral promotion)). A seed may be passed to $(D sum). Not only will this seed be used as an initial value, but its type will override all the above, and determine the algorithm and precision used for sumation. Note that these specialized summing algorithms execute more primitive operations than vanilla summation. Therefore, if in certain cases maximum speed is required at expense of precision, one can use $(D reduce!((a, b) => a + b)(0, r)), which is not specialized for summation. Returns: The sum of all the elements in the range r. */ auto sum(R)(R r) if (isInputRange!R && !isInfinite!R && is(typeof(r.front + r.front))) { alias E = Unqual!(ElementType!R); static if (isFloatingPoint!E) alias Seed = typeof(E.init + 0.0); //biggest of double/real else alias Seed = typeof(r.front + r.front); return sum(r, Unqual!Seed(0)); } /// ditto auto sum(R, E)(R r, E seed) if (isInputRange!R && !isInfinite!R && is(typeof(seed = seed + r.front))) { static if (isFloatingPoint!E) { static if (hasLength!R && hasSlicing!R) return seed + sumPairwise!E(r); else return sumKahan!E(seed, r); } else { return reduce!"a + b"(seed, r); } } // Pairwise summation http://en.wikipedia.org/wiki/Pairwise_summation private auto sumPairwise(Result, R)(R r) { static assert (isFloatingPoint!Result); switch (r.length) { case 0: return cast(Result) 0; case 1: return cast(Result) r.front; case 2: return cast(Result) r[0] + cast(Result) r[1]; default: return sumPairwise!Result(r[0 .. $ / 2]) + sumPairwise!Result(r[$ / 2 .. $]); } } // Kahan algo http://en.wikipedia.org/wiki/Kahan_summation_algorithm private auto sumKahan(Result, R)(Result result, R r) { static assert (isFloatingPoint!Result && isMutable!Result); Result c = 0; for (; !r.empty; r.popFront()) { auto y = r.front - c; auto t = result + y; c = (t - result) - y; result = t; } return result; } /// Ditto @safe pure nothrow unittest { import std.range; //simple integral sumation assert(sum([ 1, 2, 3, 4]) == 10); //with integral promotion assert(sum([false, true, true, false, true]) == 3); assert(sum(ubyte.max.repeat(100)) == 25500); //The result may overflow assert(uint.max.repeat(3).sum() == 4294967293U ); //But a seed can be used to change the sumation primitive assert(uint.max.repeat(3).sum(ulong.init) == 12884901885UL); //Floating point sumation assert(sum([1.0, 2.0, 3.0, 4.0]) == 10); //Floating point operations have double precision minimum static assert(is(typeof(sum([1F, 2F, 3F, 4F])) == double)); assert(sum([1F, 2, 3, 4]) == 10); //Force pair-wise floating point sumation on large integers import std.math : approxEqual; assert(iota(ulong.max / 2, ulong.max / 2 + 4096).sum(0.0) .approxEqual((ulong.max / 2) * 4096.0 + 4096^^2 / 2)); } @safe pure nothrow unittest { static assert(is(typeof(sum([cast( byte)1])) == int)); static assert(is(typeof(sum([cast(ubyte)1])) == int)); static assert(is(typeof(sum([ 1, 2, 3, 4])) == int)); static assert(is(typeof(sum([ 1U, 2U, 3U, 4U])) == uint)); static assert(is(typeof(sum([ 1L, 2L, 3L, 4L])) == long)); static assert(is(typeof(sum([1UL, 2UL, 3UL, 4UL])) == ulong)); int[] empty; assert(sum(empty) == 0); assert(sum([42]) == 42); assert(sum([42, 43]) == 42 + 43); assert(sum([42, 43, 44]) == 42 + 43 + 44); assert(sum([42, 43, 44, 45]) == 42 + 43 + 44 + 45); } @safe pure nothrow unittest { static assert(is(typeof(sum([1.0, 2.0, 3.0, 4.0])) == double)); static assert(is(typeof(sum([ 1F, 2F, 3F, 4F])) == double)); const(float[]) a = [1F, 2F, 3F, 4F]; static assert(is(typeof(sum(a)) == double)); const(float)[] b = [1F, 2F, 3F, 4F]; static assert(is(typeof(sum(a)) == double)); double[] empty; assert(sum(empty) == 0); assert(sum([42.]) == 42); assert(sum([42., 43.]) == 42 + 43); assert(sum([42., 43., 44.]) == 42 + 43 + 44); assert(sum([42., 43., 44., 45.5]) == 42 + 43 + 44 + 45.5); } @safe pure nothrow unittest { import std.container; static assert(is(typeof(sum(SList!float()[])) == double)); static assert(is(typeof(sum(SList!double()[])) == double)); static assert(is(typeof(sum(SList!real()[])) == real)); assert(sum(SList!double()[]) == 0); assert(sum(SList!double(1)[]) == 1); assert(sum(SList!double(1, 2)[]) == 1 + 2); assert(sum(SList!double(1, 2, 3)[]) == 1 + 2 + 3); assert(sum(SList!double(1, 2, 3, 4)[]) == 10); } @safe pure nothrow unittest // 12434 { immutable a = [10, 20]; auto s1 = sum(a); // Error auto s2 = a.map!(x => x).sum; // Error } unittest { import std.bigint; import std.range; immutable BigInt[] a = BigInt("1_000_000_000_000_000_000").repeat(10).array(); immutable ulong[] b = (ulong.max/2).repeat(10).array(); auto sa = a.sum(); auto sb = b.sum(BigInt(0)); //reduce ulongs into bigint assert(sa == BigInt("10_000_000_000_000_000_000")); assert(sb == (BigInt(ulong.max/2) * 10)); } // uniq /** Lazily iterates unique consecutive elements of the given range (functionality akin to the $(WEB wikipedia.org/wiki/_Uniq, _uniq) system utility). Equivalence of elements is assessed by using the predicate $(D pred), by default $(D "a == b"). If the given range is bidirectional, $(D uniq) also yields a bidirectional range. Params: pred = Predicate for determining equivalence between range elements. r = An $(XREF2 range, isInputRange, input range) of elements to filter. Returns: An $(XREF2 range, isInputRange, input range) of consecutively unique elements in the original range. If $(D r) is also a forward range or bidirectional range, the returned range will be likewise. */ auto uniq(alias pred = "a == b", Range)(Range r) if (isInputRange!Range && is(typeof(binaryFun!pred(r.front, r.front)) == bool)) { return UniqResult!(binaryFun!pred, Range)(r); } /// @safe unittest { import std.algorithm.mutation : copy; import std.algorithm.comparison : equal; int[] arr = [ 1, 2, 2, 2, 2, 3, 4, 4, 4, 5 ]; assert(equal(uniq(arr), [ 1, 2, 3, 4, 5 ][])); // Filter duplicates in-place using copy arr.length -= arr.uniq().copy(arr).length; assert(arr == [ 1, 2, 3, 4, 5 ]); // Note that uniqueness is only determined consecutively; duplicated // elements separated by an intervening different element will not be // eliminated: assert(equal(uniq([ 1, 1, 2, 1, 1, 3, 1]), [1, 2, 1, 3, 1])); } private struct UniqResult(alias pred, Range) { Range _input; this(Range input) { _input = input; } auto opSlice() { return this; } void popFront() { auto last = _input.front; do { _input.popFront(); } while (!_input.empty && pred(last, _input.front)); } @property ElementType!Range front() { return _input.front; } static if (isBidirectionalRange!Range) { void popBack() { auto last = _input.back; do { _input.popBack(); } while (!_input.empty && pred(last, _input.back)); } @property ElementType!Range back() { return _input.back; } } static if (isInfinite!Range) { enum bool empty = false; // Propagate infiniteness. } else { @property bool empty() { return _input.empty; } } static if (isForwardRange!Range) { @property typeof(this) save() { return typeof(this)(_input.save); } } } @safe unittest { import std.algorithm.comparison : equal; import std.internal.test.dummyrange; import std.range; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); int[] arr = [ 1, 2, 2, 2, 2, 3, 4, 4, 4, 5 ]; auto r = uniq(arr); static assert(isForwardRange!(typeof(r))); assert(equal(r, [ 1, 2, 3, 4, 5 ][])); assert(equal(retro(r), retro([ 1, 2, 3, 4, 5 ][]))); foreach (DummyType; AllDummyRanges) { DummyType d; auto u = uniq(d); assert(equal(u, [1,2,3,4,5,6,7,8,9,10])); static assert(d.rt == RangeType.Input || isForwardRange!(typeof(u))); static if (d.rt >= RangeType.Bidirectional) { assert(equal(retro(u), [10,9,8,7,6,5,4,3,2,1])); } } }
D
/** Copyright: Copyright (c) 2020, Joakim Brännström. All rights reserved. License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0) Author: Joakim Brännström (joakim.brannstrom@gmx.com) */ module my.fsm; import std.format : format; version (unittest) { import unit_threaded.assertions; } /** A state machine derived from the types it is based on. * * Each state have its unique data that it works on. * * The state transitions are calculated by `next` and the actions are performed * by `act`. */ struct Fsm(StateTT...) { static import sumtype; alias StateT = sumtype.SumType!StateTT; /// The states and state specific data. StateT state; /// Log messages of the last state transition (next). string logNext; /// Helper function to convert the return type to `StateT`. static StateT opCall(T)(auto ref T a) { return StateT(a); } /// Returns: true if the fsm is in the specified state. bool isState(Ts...)() { import std.meta : AliasSeq; template Fns(Ts...) { static if (Ts.length == 0) { alias Fns = AliasSeq!(); } else static if (Ts.length == 1) { alias Fns = AliasSeq!((Ts[0] a) => true); } else { alias Fns = AliasSeq!(Fns!(Ts[0 .. $ / 2]), Fns!(Ts[$ / 2 .. $])); } } try { return sumtype.tryMatch!(Fns!Ts)(state); } catch (Exception e) { } return false; } } /// Transition to the next state. template next(handlers...) { void next(Self)(auto ref Self self) if (is(Self : Fsm!StateT, StateT...)) { static import sumtype; auto nextSt = sumtype.match!handlers(self.state); self.logNext = format!"%s -> %s"(self.state, nextSt); self.state = nextSt; } } /// Act on the current state. Use `(ref S)` to modify the states data. template act(handlers...) { void act(Self)(auto ref Self self) if (is(Self : Fsm!StateT, StateT...)) { static import sumtype; sumtype.match!handlers(self.state); } } @("shall transition the fsm from A to B|C") unittest { struct Global { int x; } struct A { } struct B { int x; } struct C { bool x; } Global global; Fsm!(A, B, C) fsm; while (!fsm.isState!(B, C)) { fsm.next!((A a) { global.x++; return fsm(B(0)); }, (B a) { if (a.x > 3) return fsm(C(true)); return fsm(a); }, (C a) { return fsm(a); }); fsm.act!((A a) {}, (ref B a) { a.x++; }, (C a) {}); } global.x.shouldEqual(1); } /** Hold a mapping between a Type and data. * * The get function is used to get the corresponding data. * * This is useful when e.g. combined with a state machine to retrieve the state * local data if a state is represented as a type. * * Params: * RawDataT = type holding the data, retrieved via opIndex * Ts = the types mapping to RawDataT by their position */ struct TypeDataMap(RawDataT, Ts...) if (is(RawDataT : DataT!Args, alias DataT, Args...)) { alias SrcT = Ts; RawDataT data; this(RawDataT a) { this.data = a; } void opAssign(RawDataT a) { this.data = a; } static if (is(RawDataT : DataT!Args, alias DataT, Args...)) static assert(Ts.length == Args.length, "Mismatch between Tuple and TypeMap template arguments"); } auto ref get(T, TMap)(auto ref TMap tmap) if (is(TMap : TypeDataMap!(W, SrcT), W, SrcT...)) { template Index(size_t Idx, T, Ts...) { static if (Ts.length == 0) { static assert(0, "Type " ~ T.stringof ~ " not found in the TypeMap"); } else static if (is(T == Ts[0])) { enum Index = Idx; } else { enum Index = Index!(Idx + 1, T, Ts[1 .. $]); } } return tmap.data[Index!(0, T, TMap.SrcT)]; } @("shall retrieve the data for the type") unittest { import std.typecons : Tuple; TypeDataMap!(Tuple!(int, bool), bool, int) a; static assert(is(typeof(a.get!bool) == int), "wrong type"); a.data[1] = true; assert(a.get!int == true); }
D
module dmagick.c.magickModule; import core.stdc.stdio; import core.stdc.time; import dmagick.c.exception; import dmagick.c.image; import dmagick.c.magickType; import dmagick.c.magickVersion; extern(C) { enum MagickModuleType { MagickImageCoderModule, MagickImageFilterModule } /* struct ModuleInfo { char* path, tag; void* handle; void function() unregister_module; size_t function() register_module; time_t timestamp; MagickBooleanType stealth; ModuleInfo* previous, next; size_t signature; } */ size_t ImageFilterHandler(Image**, const int, const(char)**, ExceptionInfo*); char** GetModuleList(const(char)*, const MagickModuleType, size_t*, ExceptionInfo*); //const(ModuleInfo)** GetModuleInfoList(const(char)*, size_t*, ExceptionInfo*); static if ( MagickLibVersion < 0x689 ) { MagickBooleanType InitializeModuleList(ExceptionInfo*); } MagickBooleanType InvokeDynamicImageFilter(const(char)*, Image**, const int, const(char)**, ExceptionInfo*); MagickBooleanType ListModuleInfo(FILE*, ExceptionInfo*); MagickBooleanType ModuleComponentGenesis(); MagickBooleanType OpenModule(const(char)*, ExceptionInfo*); MagickBooleanType OpenModules(ExceptionInfo*); //ModuleInfo* GetModuleInfo(const(char)*, ExceptionInfo*); void DestroyModuleList(); void ModuleComponentTerminus(); void RegisterStaticModules(); void UnregisterStaticModules(); }
D
/* * Copyright (C) 2019, HuntLabs * * 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. * */ module hunt.database.base.impl.PreparedQueryImpl; import hunt.database.base.impl.ArrayTuple; import hunt.database.base.impl.Connection; import hunt.database.base.impl.CursorImpl; import hunt.database.base.impl.PreparedStatement; import hunt.database.base.impl.QueryResultHandler; import hunt.database.base.impl.RowSetImpl; import hunt.database.base.impl.SqlResultBuilder; import hunt.database.base.impl.command.CloseCursorCommand; import hunt.database.base.impl.command.CloseStatementCommand; import hunt.database.base.impl.command.CommandResponse; import hunt.database.base.impl.command.ExtendedBatchQueryCommand; import hunt.database.base.impl.command.ExtendedQueryCommand; import hunt.database.base.AsyncResult; import hunt.database.base.Common; import hunt.database.base.Cursor; import hunt.database.base.Exceptions; import hunt.database.base.PreparedQuery; import hunt.database.base.SqlResult; import hunt.database.base.RowSet; import hunt.database.base.RowStream; import hunt.database.base.Row; import hunt.database.base.Tuple; import hunt.collection.List; import hunt.Exceptions; import hunt.Functions; import hunt.logging; import hunt.Object; import core.atomic; import std.array; import std.variant; /** * @author <a href="mailto:julien@julienviet.com">Julien Viet</a> */ class PreparedQueryImpl : PreparedQuery { private DbConnection conn; private PreparedStatement ps; private shared bool closed = false; this(DbConnection conn, PreparedStatement ps) { this.conn = conn; this.ps = ps; } PreparedStatement getPreparedStatement() { return ps; } PreparedQuery execute(RowSetHandler handler) { return execute(ArrayTuple.EMPTY, handler); } override PreparedQuery execute(Tuple args, RowSetHandler handler) { return execute!(RowSet, RowSetImpl, RowSet)(args, false, RowSetImpl.FACTORY, handler); } // <R1, R2 extends SqlResultBase!(R1, R2), R3 extends SqlResult!(R1)> private PreparedQuery execute(R1, R2, R3)( Tuple args, bool singleton, Function!(R1, R2) factory, AsyncResultHandler!(R3) handler) { SqlResultBuilder!(R1, R2, R3) b = new SqlResultBuilder!(R1, R2, R3)(factory, handler); return execute!(R1)(args, 0, "", false, singleton, b, (CommandResponse!bool r) { b.handle(r); } ); } PreparedQuery execute(R)(Tuple args, int fetch, string cursorId, bool suspended, bool singleton, QueryResultHandler!(R) resultHandler, ResponseHandler!(bool) handler) { string msg = ps.prepare(cast(List!(Variant)) args); if (!msg.empty()) { version(HUNT_DB_DEBUG) warning(msg); handler(failedResponse!(bool)(new DatabaseException(msg))); } else { ExtendedQueryCommand!R cmd = new ExtendedQueryCommand!R( ps, args, fetch, cursorId, suspended, singleton, resultHandler); cmd.handler = handler; conn.schedule(cmd); } return this; } Cursor cursor() { return cursor(ArrayTuple.EMPTY); } // override Cursor cursor(Tuple args) { string msg = ps.prepare(cast(List!(Variant)) args); if (msg !is null) { throw new IllegalArgumentException(msg); } return new CursorImpl(this, args); } // override void close() { warning("do nothing"); // close(ar -> { // }); } PreparedQuery batch(List!(Tuple) argsList, RowSetHandler handler) { // return batch(argsList, false, RowSetImpl.FACTORY, RowSetImpl.COLLECTOR, handler); implementationMissing(false); return null; } // override // <R> PreparedQuery batch(List!(Tuple) argsList, Collector<Row, ?, R> collector, Handler!(AsyncResult!(SqlResult!(R))) handler) { // return batch(argsList, true, SqlResultImpl::new, collector, handler); // } // private <R1, R2 extends SqlResultBase!(R1, R2), R3 extends SqlResult!(R1)> PreparedQuery batch( // List!(Tuple) argsList, // bool singleton, // Function!(R1, R2) factory, // Collector<Row, ?, R1> collector, // Handler!(AsyncResult!(R3)) handler) { // for (Tuple args : argsList) { // string msg = ps.prepare((List!(Object)) args); // if (msg !is null) { // handler.handle(Future.failedFuture(msg)); // return this; // } // } // SqlResultBuilder!(R1, R2, R3) b = new SqlResultBuilder<>(factory, handler); // ExtendedBatchQueryCommand cmd = new ExtendedBatchQueryCommand<>(ps, argsList, singleton, collector, b); // cmd.handler = b; // conn.schedule(cmd); // return this; // } // override // RowStream!(Row) createStream(int fetch, Tuple args) { // return new RowStreamImpl(this, fetch, args); // } override void close(AsyncVoidHandler handler) { version(HUNT_DB_DEBUG) infof("closed: %s", closed); if(cas(&closed, false, true)) { CloseStatementCommand cmd = new CloseStatementCommand(ps); cmd.handler = (h) { if(handler !is null) { handler(h); } }; conn.schedule(cmd); } else if(handler !is null) { handler(failedResult!(Void)(new DatabaseException("Already closed"))); } } void closeCursor(string cursorId, AsyncVoidHandler handler) { version(HUNT_DB_DEBUG) infof("cursorId: %s", cursorId); CloseCursorCommand cmd = new CloseCursorCommand(cursorId, ps); cmd.handler = (h) { if(handler !is null) handler(h); }; conn.schedule(cmd); } }
D
/* TEST_OUTPUT: --- fail_compilation/diag10862.d(28): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(29): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(30): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(31): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(32): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(34): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(35): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(36): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(37): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(39): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(40): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(41): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(42): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(44): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(45): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(46): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(47): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(49): Error: undefined identifier `semanticError` --- */ void test1() { int a, b; if (a = b) {} if ((a = b) = 0) {} if ((a = b) = (a = b)) {} if (a = 0, b = 0) {} // Bugzilla 15384 if (auto x = a = b) {} // this is error, today while (a = b) {} while ((a = b) = 0) {} while ((a = b) = (a = b)) {} while (a = 0, b = 0) {} // Bugzilla 15384 do {} while (a = b); do {} while ((a = b) = 0); do {} while ((a = b) = (a = b)); do {} while (a = 0, b = 0); // Bugzilla 15384 for (; a = b; ) {} for (; (a = b) = 0; ) {} for (; (a = b) = (a = b); ) {} for (; a = 0, b = 0; ) {} // Bugzilla 15384 semanticError; } /* TEST_OUTPUT: --- fail_compilation/diag10862.d(74): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d(77): Error: assignment cannot be used as a condition, perhaps `==` was meant? fail_compilation/diag10862.d-mixin-80(80): Error: assignment cannot be used as a condition, perhaps == was meant? fail_compilation/diag10862.d-mixin-81(81): Error: assignment cannot be used as a condition, perhaps == was meant? fail_compilation/diag10862.d-mixin-82(82): Error: assignment cannot be used as a condition, perhaps == was meant? fail_compilation/diag10862.d-mixin-83(83): Deprecation: Using the result of a comma expression is deprecated fail_compilation/diag10862.d-mixin-83(83): Error: assignment cannot be used as a condition, perhaps == was meant? fail_compilation/diag10862.d-mixin-86(86): Error: a + b is not an lvalue fail_compilation/diag10862.d-mixin-87(87): Error: undefined identifier `c` fail_compilation/diag10862.d(89): Error: undefined identifier `semanticError` --- */ void test2() { int a, b; // (a + b) cannot be an assignment target. // However checkAssignAsCondition specilatively rerites it to EqualExp, // then the pointless error "is not an lvalue" would not happen. if (a + b = a * b) {} // The suggestion error masks "undefined identifier" error if (a = undefinedIdentifier) {} // If the condition is a mixin expression if (mixin("a = b")) {} if (mixin("(a = b) = 0")) {} if (mixin("(a = b) = (a = b)")) {} if (mixin("a = 0, b = 0")) {} if (auto x = mixin("a = b")) {} // Note: no error if (mixin("a + b = a * b")) {} // Note: "a + b is not an lvalue" if (mixin("a = c")) {} semanticError; }
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_12_BeT-2211135913.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_12_BeT-2211135913.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/++ Settings parser and structures Copyright: © 2017 Szabo Bogdan License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Szabo Bogdan +/ module trial.settings; import std.conv; /// A structure representing the `trial.json` file struct Settings { /* bool colors; bool sort; bool bail;*/ /** The reporter list that will be added by the runner at startup * You can use here only the embeded reporters. * If you want to use a custom reporter you can use `static this` constructor * * Examples: * ------------------------ * static this * { * LifeCycleListeners.instance.add(myCustomReporter); * } * ------------------------ */ string[] reporters = ["spec", "result"]; /// The test discovery classes that you want to use string[] testDiscovery = ["trial.discovery.unit.UnitTestDiscovery"]; /// The default executor is `SingleRunner`. If you want to use the /// `ParallelExecutor` set this flag true. bool runInParallel = false; /// The number of threads tha you want to use /// `0` means the number of cores that your processor has uint maxThreads = 0; } /// Converts the settings object to DLang code. It's used by the generator string toCode(Settings settings) { return "Settings(" ~ settings.reporters.to!string ~ ", " ~ settings.testDiscovery.to!string ~ ", " ~ settings.runInParallel.to!string ~ ", " ~ settings.maxThreads.to!string ~ ")"; } version (unittest) { import fluent.asserts; } @("Should be able to transform the Settings to code.") unittest { Settings settings; settings.toCode.should.equal(`Settings(["spec", "result"], ["trial.discovery.unit.UnitTestDiscovery"], false, 0)`); }
D
import tango.io.Stdout; import tango.time.Clock; int identity (int x) { return x; } int sum (int num) { for (int i = 0; i < 1000000; i++) num += i; return num; } double timeIt(int function(int) func, int arg) { long before = Clock.now.ticks; func(arg); return (Clock.now.ticks - before) / cast(double)TimeSpan.TicksPerSecond; } void main () { Stdout.format("Identity(4) takes {:f6} seconds",timeIt(&identity,4)).newline; Stdout.format("Sum(4) takes {:f6} seconds",timeIt(&sum,4)).newline; }
D
/** Low level mongodb protocol. Copyright: © 2012-2014 RejectedSoftware e.K. License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module vibe.db.mongo.connection; public import vibe.data.bson; import vibe.core.log; import vibe.core.net; import vibe.inet.webform; import vibe.stream.ssl; import std.algorithm : map, splitter; import std.array; import std.conv; import std.exception; import std.string; import std.digest.md; private struct _MongoErrorDescription { string message; int code; int connectionId; int n; double ok; } /** * D POD representation of Mongo error object. * * For successful queries "code" is negative. * Can be used also to check how many documents where updated upon * a successful query via "n" field. */ alias immutable(_MongoErrorDescription) MongoErrorDescription; /** * Root class for vibe.d Mongo driver exception hierarchy. */ class MongoException : Exception { this(string message, string file = __FILE__, int line = __LINE__, Throwable next = null) { super(message, file, line, next); } } /** * Generic class for all exception related to unhandled driver problems. * * I.e.: protocol mismatch or unexpected mongo service behavior. */ class MongoDriverException : MongoException { this(string message, string file = __FILE__, int line = __LINE__, Throwable next = null) { super(message, file, line, next); } } /** * Wrapper class for all inner mongo collection manipulation errors. * * It does not indicate problem with vibe.d driver itself. Most frequently this * one is thrown when MongoConnection is in checked mode and getLastError() has something interesting. */ class MongoDBException : MongoException { MongoErrorDescription description; alias description this; this(MongoErrorDescription description, string file = __FILE__, int line = __LINE__, Throwable next = null) { super(description.message, file, line, next); this.description = description; } } /** * Generic class for all exceptions related to authentication problems. * * I.e.: unsupported mechanisms or wrong credentials. */ class MongoAuthException : MongoException { this(string message, string file = __FILE__, int line = __LINE__, Throwable next = null) { super(message, file, line, next); } } /** [internal] Provides low-level mongodb protocol access. It is not intended for direct usage. Please use vibe.db.mongo.db and vibe.db.mongo.collection modules for your code. Note that a MongoConnection may only be used from one fiber/thread at a time. */ class MongoConnection { private { MongoClientSettings m_settings; TCPConnection m_conn; Stream m_stream; ulong m_bytesRead; int m_msgid = 1; } enum defaultPort = 27017; /// Simplified constructor overload, with no m_settings this(string server, ushort port = defaultPort) { m_settings = new MongoClientSettings(); m_settings.hosts ~= MongoHost(server, port); } this(MongoClientSettings cfg) { m_settings = cfg; // Now let's check for features that are not yet supported. if(m_settings.hosts.length > 1) logWarn("Multiple mongodb hosts are not yet supported. Using first one: %s:%s", m_settings.hosts[0].name, m_settings.hosts[0].port); } void connect() { /* * TODO: Connect to one of the specified hosts taking into consideration * options such as connect timeouts and so on. */ try { m_conn = connectTCP(m_settings.hosts[0].name, m_settings.hosts[0].port); if (m_settings.ssl) { auto ctx = createSSLContext(SSLContextKind.client); if (!m_settings.sslverifycertificate) { ctx.peerValidationMode = SSLPeerValidationMode.none; } m_stream = createSSLStream(m_conn, ctx); } else { m_stream = m_conn; } } catch (Exception e) { throw new MongoDriverException(format("Failed to connect to MongoDB server at %s:%s.", m_settings.hosts[0].name, m_settings.hosts[0].port), __FILE__, __LINE__, e); } m_bytesRead = 0; if(m_settings.digest != string.init) { authenticate(); } } void disconnect() { if (m_stream) { m_stream.finalize(); m_stream = null; } if (m_conn) { m_conn.close(); m_conn = null; } } @property bool connected() const { return m_conn && m_conn.connected; } void update(string collection_name, UpdateFlags flags, Bson selector, Bson update) { scope(failure) disconnect(); send(OpCode.Update, -1, cast(int)0, collection_name, cast(int)flags, selector, update); if (m_settings.safe) checkForError(collection_name); } void insert(string collection_name, InsertFlags flags, Bson[] documents) { scope(failure) disconnect(); foreach (d; documents) if (d["_id"].isNull()) d["_id"] = Bson(BsonObjectID.generate()); send(OpCode.Insert, -1, cast(int)flags, collection_name, documents); if (m_settings.safe) checkForError(collection_name); } void query(T)(string collection_name, QueryFlags flags, int nskip, int nret, Bson query, Bson returnFieldSelector, scope ReplyDelegate on_msg, scope DocDelegate!T on_doc) { scope(failure) disconnect(); flags |= m_settings.defQueryFlags; int id; if (returnFieldSelector.isNull) id = send(OpCode.Query, -1, cast(int)flags, collection_name, nskip, nret, query); else id = send(OpCode.Query, -1, cast(int)flags, collection_name, nskip, nret, query, returnFieldSelector); recvReply!T(id, on_msg, on_doc); } void getMore(T)(string collection_name, int nret, long cursor_id, scope ReplyDelegate on_msg, scope DocDelegate!T on_doc) { scope(failure) disconnect(); auto id = send(OpCode.GetMore, -1, cast(int)0, collection_name, nret, cursor_id); recvReply!T(id, on_msg, on_doc); } void delete_(string collection_name, DeleteFlags flags, Bson selector) { scope(failure) disconnect(); send(OpCode.Delete, -1, cast(int)0, collection_name, cast(int)flags, selector); if (m_settings.safe) checkForError(collection_name); } void killCursors(long[] cursors) { scope(failure) disconnect(); send(OpCode.KillCursors, -1, cast(int)0, cast(int)cursors.length, cursors); } MongoErrorDescription getLastError(string db) { // Though higher level abstraction level by concept, this function // is implemented here to allow to check errors upon every request // on conncetion level. Bson[string] command_and_options = [ "getLastError": Bson(1.0) ]; if(m_settings.w != m_settings.w.init) command_and_options["w"] = m_settings.w; // Already a Bson struct if(m_settings.wTimeoutMS != m_settings.wTimeoutMS.init) command_and_options["wtimeout"] = Bson(m_settings.wTimeoutMS); if(m_settings.journal) command_and_options["j"] = Bson(true); if(m_settings.fsync) command_and_options["fsync"] = Bson(true); _MongoErrorDescription ret; query!Bson(db ~ ".$cmd", QueryFlags.NoCursorTimeout | m_settings.defQueryFlags, 0, -1, serializeToBson(command_and_options), Bson(null), (cursor, flags, first_doc, num_docs) { logTrace("getLastEror(%s) flags: %s, cursor: %s, documents: %s", db, flags, cursor, num_docs); enforce(!(flags & ReplyFlags.QueryFailure), new MongoDriverException(format("MongoDB error: getLastError(%s) call failed.", db)) ); enforce( num_docs == 1, new MongoDriverException(format("getLastError(%s) returned %s documents instead of one.", db, num_docs)) ); }, (idx, ref error) { try { ret = MongoErrorDescription( error.err.opt!string(""), error.code.opt!int(-1), error.connectionId.get!int(), error.n.get!int(), error.ok.get!double() ); } catch (Exception e) { throw new MongoDriverException(e.msg); } } ); return ret; } private void recvReply(T)(int reqid, scope ReplyDelegate on_msg, scope DocDelegate!T on_doc) { import std.traits; auto bytes_read = m_bytesRead; int msglen = recvInt(); int resid = recvInt(); int respto = recvInt(); int opcode = recvInt(); enforce(respto == reqid, "Reply is not for the expected message on a sequential connection!"); enforce(opcode == OpCode.Reply, "Got a non-'Reply' reply!"); auto flags = cast(ReplyFlags)recvInt(); long cursor = recvLong(); int start = recvInt(); int numret = recvInt(); scope (exit) { if (m_bytesRead - bytes_read < msglen) { logWarn("MongoDB reply was longer than expected, skipping the rest: %d vs. %d", msglen, m_bytesRead - bytes_read); ubyte[] dst = new ubyte[msglen - cast(size_t)(m_bytesRead - bytes_read)]; recv(dst); } else if (m_bytesRead - bytes_read > msglen) { logWarn("MongoDB reply was shorter than expected. Dropping connection."); disconnect(); throw new MongoDriverException("MongoDB reply was too short for data."); } } on_msg(cursor, flags, start, numret); foreach (i; 0 .. cast(size_t)numret) { // TODO: directly deserialize from the wire static if (!hasIndirections!T && !is(T == Bson)) { ubyte[256] buf = void; auto bson = recvBson(buf); } else { auto bson = recvBson(null); } static if (is(T == Bson)) on_doc(i, bson); else { T doc = deserializeBson!T(bson); on_doc(i, doc); } } } private int send(ARGS...)(OpCode code, int response_to, ARGS args) { if( !connected() ) connect(); int id = nextMessageId(); sendValue(16 + sendLength(args)); sendValue(id); sendValue(response_to); sendValue(cast(int)code); foreach (a; args) sendValue(a); m_stream.flush(); return id; } private void sendValue(T)(T value) { import std.traits; static if (is(T == int)) send(toBsonData(value)); else static if (is(T == long)) send(toBsonData(value)); else static if (is(T == Bson)) send(value.data); else static if (is(T == string)) { send(cast(ubyte[])value); send(cast(ubyte[])"\0"); } else static if (isArray!T) { foreach (v; value) sendValue(v); } else static assert(false, "Unexpected type: "~T.stringof); } private void send(in ubyte[] data){ m_stream.write(data); } private int recvInt() { ubyte[int.sizeof] ret; recv(ret); return fromBsonData!int(ret); } private long recvLong() { ubyte[long.sizeof] ret; recv(ret); return fromBsonData!long(ret); } private Bson recvBson(ubyte[] buf) { int len = recvInt(); if (len > buf.length) buf = new ubyte[len]; else buf = buf[0 .. len]; buf[0 .. 4] = toBsonData(len); recv(buf[4 .. $]); return Bson(Bson.Type.Object, cast(immutable)buf); } private void recv(ubyte[] dst) { enforce(m_stream); m_stream.read(dst); m_bytesRead += dst.length; } private int nextMessageId() { return m_msgid++; } private void checkForError(string collection_name) { auto coll = collection_name.split(".")[0]; auto err = getLastError(coll); enforce( err.code < 0, new MongoDBException(err) ); } private void authenticate() { string cn = (m_settings.database == string.init ? "admin" : m_settings.database) ~ ".$cmd"; string nonce, key; auto cmd = Bson(["getnonce":Bson(1)]); query!Bson(cn, QueryFlags.None, 0, -1, cmd, Bson(null), (cursor, flags, first_doc, num_docs) { if ((flags & ReplyFlags.QueryFailure) || num_docs != 1) throw new MongoDriverException("Calling getNonce failed."); }, (idx, ref doc) { if (doc["ok"].get!double != 1.0) throw new MongoDriverException("getNonce failed."); nonce = doc["nonce"].get!string; key = toLower(toHexString(md5Of(nonce ~ m_settings.username ~ m_settings.digest)).idup); } ); cmd = Bson.emptyObject; cmd["authenticate"] = Bson(1); cmd["nonce"] = Bson(nonce); cmd["user"] = Bson(m_settings.username); cmd["key"] = Bson(key); query!Bson(cn, QueryFlags.None, 0, -1, cmd, Bson(null), (cursor, flags, first_doc, num_docs) { if ((flags & ReplyFlags.QueryFailure) || num_docs != 1) throw new MongoDriverException("Calling authenticate failed."); }, (idx, ref doc) { if (doc["ok"].get!double != 1.0) throw new MongoAuthException("Authentication failed."); } ); } } /** * Parses the given string as a mongodb URL. The URL must be in the form documented at * $(LINK http://www.mongodb.org/display/DOCS/Connections) which is: * * mongodb://[username:password@]host1[:port1][,host2[:port2],...[,hostN[:portN]]][/[database][?options]] * * Returns: true if the URL was successfully parsed. False if the URL can not be parsed. * * If the URL is successfully parsed the MongoClientSettings instance will contain the parsed config. * If the URL is not successfully parsed the information in the MongoClientSettings instance may be * incomplete and should not be used. */ bool parseMongoDBUrl(out MongoClientSettings cfg, string url) { cfg = new MongoClientSettings(); string tmpUrl = url[0..$]; // Slice of the url (not a copy) if( !startsWith(tmpUrl, "mongodb://") ) { return false; } // Reslice to get rid of 'mongodb://' tmpUrl = tmpUrl[10..$]; auto slashIndex = tmpUrl.indexOf("/"); if( slashIndex == -1 ) slashIndex = tmpUrl.length; auto authIndex = tmpUrl[0 .. slashIndex].indexOf('@'); sizediff_t hostIndex = 0; // Start of the host portion of the URL. // Parse out the username and optional password. if( authIndex != -1 ) { // Set the host start to after the '@' hostIndex = authIndex + 1; string password; auto colonIndex = tmpUrl[0..authIndex].indexOf(':'); if(colonIndex != -1) { cfg.username = tmpUrl[0..colonIndex]; password = tmpUrl[colonIndex + 1 .. authIndex]; } else { cfg.username = tmpUrl[0..authIndex]; } // Make sure the username is not empty. If it is then the parse failed. if(cfg.username.length == 0) { return false; } cfg.digest = MongoClientSettings.makeDigest(cfg.username, password); } // Parse the hosts section. try { foreach(entry; splitter(tmpUrl[hostIndex..slashIndex], ",")) { auto hostPort = splitter(entry, ":"); string host = hostPort.front; hostPort.popFront(); ushort port = MongoConnection.defaultPort; if (!hostPort.empty) { port = to!ushort(hostPort.front); hostPort.popFront(); } enforce(hostPort.empty, "Host specifications are expected to be of the form \"HOST:PORT,HOST:PORT,...\"."); cfg.hosts ~= MongoHost(host, port); } } catch (Exception e) { return false; // Probably failed converting the port to ushort. } // If we couldn't parse a host we failed. if(cfg.hosts.length == 0) { return false; } if(slashIndex == tmpUrl.length) { // We're done parsing. return true; } auto queryIndex = tmpUrl[slashIndex..$].indexOf("?"); if(queryIndex == -1){ // No query string. Remaining string is the database queryIndex = tmpUrl.length; } else { queryIndex += slashIndex; } cfg.database = tmpUrl[slashIndex+1..queryIndex]; if(queryIndex != tmpUrl.length) { FormFields options; parseURLEncodedForm(tmpUrl[queryIndex+1 .. $], options); foreach (option, value; options) { bool setBool(ref bool dst) { try { dst = to!bool(value); return true; } catch( Exception e ){ logError("Value for '%s' must be 'true' or 'false' but was '%s'.", option, value); return false; } } bool setLong(ref long dst) { try { dst = to!long(value); return true; } catch( Exception e ){ logError("Value for '%s' must be an integer but was '%s'.", option, value); return false; } } void warnNotImplemented() { logWarn("MongoDB option %s not yet implemented.", option); } switch( option.toLower() ){ default: logWarn("Unknown MongoDB option %s", option); break; case "slaveok": bool v; if( setBool(v) && v ) cfg.defQueryFlags |= QueryFlags.SlaveOk; break; case "replicaset": cfg.replicaSet = value; warnNotImplemented(); break; case "safe": setBool(cfg.safe); break; case "fsync": setBool(cfg.fsync); break; case "journal": setBool(cfg.journal); break; case "connecttimeoutms": setLong(cfg.connectTimeoutMS); warnNotImplemented(); break; case "sockettimeoutms": setLong(cfg.socketTimeoutMS); warnNotImplemented(); break; case "ssl": setBool(cfg.ssl); break; case "sslverifycertificate": setBool(cfg.sslverifycertificate); break; case "wtimeoutms": setLong(cfg.wTimeoutMS); break; case "w": try { if(icmp(value, "majority") == 0){ cfg.w = Bson("majority"); } else { cfg.w = Bson(to!long(value)); } } catch (Exception e) { logError("Invalid w value: [%s] Should be an integer number or 'majority'", value); } break; } } /* Some m_settings imply safe. If they are set, set safe to true regardless * of what it was set to in the URL string */ if( (cfg.w != Bson.init) || (cfg.wTimeoutMS != long.init) || cfg.journal || cfg.fsync ) { cfg.safe = true; } } return true; } /* Test for parseMongoDBUrl */ unittest { MongoClientSettings cfg; assert(parseMongoDBUrl(cfg, "mongodb://localhost")); assert(cfg.hosts.length == 1); assert(cfg.database == ""); assert(cfg.hosts[0].name == "localhost"); assert(cfg.hosts[0].port == 27017); assert(cfg.defQueryFlags == QueryFlags.None); assert(cfg.replicaSet == ""); assert(cfg.safe == false); assert(cfg.w == Bson.init); assert(cfg.wTimeoutMS == long.init); assert(cfg.fsync == false); assert(cfg.journal == false); assert(cfg.connectTimeoutMS == long.init); assert(cfg.socketTimeoutMS == long.init); assert(cfg.ssl == bool.init); assert(cfg.sslverifycertificate == true); cfg = MongoClientSettings.init; assert(parseMongoDBUrl(cfg, "mongodb://fred:foobar@localhost")); assert(cfg.username == "fred"); //assert(cfg.password == "foobar"); assert(cfg.digest == MongoClientSettings.makeDigest("fred", "foobar")); assert(cfg.hosts.length == 1); assert(cfg.database == ""); assert(cfg.hosts[0].name == "localhost"); assert(cfg.hosts[0].port == 27017); cfg = MongoClientSettings.init; assert(parseMongoDBUrl(cfg, "mongodb://fred:@localhost/baz")); assert(cfg.username == "fred"); //assert(cfg.password == ""); assert(cfg.digest == MongoClientSettings.makeDigest("fred", "")); assert(cfg.database == "baz"); assert(cfg.hosts.length == 1); assert(cfg.hosts[0].name == "localhost"); assert(cfg.hosts[0].port == 27017); cfg = MongoClientSettings.init; assert(parseMongoDBUrl(cfg, "mongodb://host1,host2,host3/?safe=true&w=2&wtimeoutMS=2000&slaveOk=true&ssl=true&sslverifycertificate=false")); assert(cfg.username == ""); //assert(cfg.password == ""); assert(cfg.digest == ""); assert(cfg.database == ""); assert(cfg.hosts.length == 3); assert(cfg.hosts[0].name == "host1"); assert(cfg.hosts[0].port == 27017); assert(cfg.hosts[1].name == "host2"); assert(cfg.hosts[1].port == 27017); assert(cfg.hosts[2].name == "host3"); assert(cfg.hosts[2].port == 27017); assert(cfg.safe == true); assert(cfg.w == Bson(2L)); assert(cfg.wTimeoutMS == 2000); assert(cfg.defQueryFlags == QueryFlags.SlaveOk); assert(cfg.ssl == true); assert(cfg.sslverifycertificate == false); cfg = MongoClientSettings.init; assert(parseMongoDBUrl(cfg, "mongodb://fred:flinstone@host1.example.com,host2.other.example.com:27108,host3:" "27019/mydb?journal=true;fsync=true;connectTimeoutms=1500;sockettimeoutMs=1000;w=majority")); assert(cfg.username == "fred"); //assert(cfg.password == "flinstone"); assert(cfg.digest == MongoClientSettings.makeDigest("fred", "flinstone")); assert(cfg.database == "mydb"); assert(cfg.hosts.length == 3); assert(cfg.hosts[0].name == "host1.example.com"); assert(cfg.hosts[0].port == 27017); assert(cfg.hosts[1].name == "host2.other.example.com"); assert(cfg.hosts[1].port == 27108); assert(cfg.hosts[2].name == "host3"); assert(cfg.hosts[2].port == 27019); assert(cfg.fsync == true); assert(cfg.journal == true); assert(cfg.connectTimeoutMS == 1500); assert(cfg.socketTimeoutMS == 1000); assert(cfg.w == Bson("majority")); assert(cfg.safe == true); // Invalid URLs - these should fail to parse cfg = MongoClientSettings.init; assert(! (parseMongoDBUrl(cfg, "localhost:27018"))); assert(! (parseMongoDBUrl(cfg, "http://blah"))); assert(! (parseMongoDBUrl(cfg, "mongodb://@localhost"))); assert(! (parseMongoDBUrl(cfg, "mongodb://:thepass@localhost"))); assert(! (parseMongoDBUrl(cfg, "mongodb://:badport/"))); } private enum OpCode : int { Reply = 1, // sent only by DB Msg = 1000, Update = 2001, Insert = 2002, Reserved1 = 2003, Query = 2004, GetMore = 2005, Delete = 2006, KillCursors = 2007 } alias ReplyDelegate = void delegate(long cursor, ReplyFlags flags, int first_doc, int num_docs); template DocDelegate(T) { alias DocDelegate = void delegate(size_t idx, ref T doc); } enum UpdateFlags { None = 0, Upsert = 1<<0, MultiUpdate = 1<<1 } enum InsertFlags { None = 0, ContinueOnError = 1<<0 } enum QueryFlags { None = 0, TailableCursor = 1<<1, SlaveOk = 1<<2, OplogReplay = 1<<3, NoCursorTimeout = 1<<4, AwaitData = 1<<5, Exhaust = 1<<6, Partial = 1<<7 } enum DeleteFlags { None = 0, SingleRemove = 1<<0, } enum ReplyFlags { None = 0, CursorNotFound = 1<<0, QueryFailure = 1<<1, ShardConfigStale = 1<<2, AwaitCapable = 1<<3 } /// [internal] class MongoClientSettings { string username; string digest; MongoHost[] hosts; string database; QueryFlags defQueryFlags = QueryFlags.None; string replicaSet; bool safe; Bson w; // Either a number or the string 'majority' long wTimeoutMS; bool fsync; bool journal; long connectTimeoutMS; long socketTimeoutMS; bool ssl; bool sslverifycertificate = true; static string makeDigest(string username, string password) { return md5Of(username ~ ":mongo:" ~ password).toHexString().idup.toLower(); } } private struct MongoHost { string name; ushort port; } private int sendLength(ARGS...)(ARGS args) { import std.traits; static if (ARGS.length == 1) { alias T = ARGS[0]; static if (is(T == string)) return cast(int)args[0].length + 1; else static if (is(T == int)) return 4; else static if (is(T == long)) return 8; else static if (is(T == Bson)) return cast(int)args[0].data.length; else static if (isArray!T) { int ret = 0; foreach (el; args[0]) ret += sendLength(el); return ret; } else static assert(false, "Unexpected type: "~T.stringof); } else if (ARGS.length == 0) return 0; else return sendLength(args[0 .. $/2]) + sendLength(args[$/2 .. $]); }
D
import std.stdio, std.regex, std.string, std.conv, std.range, std.algorithm; int[] rangeExpand(in string txt) /*pure nothrow*/ { return txt.split(",").map!((r) { const m = r.match(r"^(-?\d+)(-?(-?\d+))?$").captures.array; return m[2].empty ? [m[1].to!int] : iota(m[1].to!int, m[3].to!int + 1).array; }).join.array; } void main() { "-6,-3--1,3-5,7-11,14,15,17-20".rangeExpand.writeln; }
D
/Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/KituraNet.build/HTTP/KeepAliveState.swift.o : /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGI.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTP.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ClientResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIRecordCreate.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerDelegate.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/KeepAliveState.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerState.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ListenerGroup.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ConnectionUpgrader.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketManager.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketHandler.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerLifecycleListener.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HeadersContainer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/URLParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/HTTPParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIRecordParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/Server.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Error.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/IncomingHTTPSocketProcessor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketProcessor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketProcessorCreator.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerMonitor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/SPIUtils.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/ParseResults.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/HTTPParserStatus.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ClientRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/BufferList.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ConnectionUpgradeFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/LoggerAPI.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/SSLService.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/Socket.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/CHTTPParser.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/http_parser.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/utils.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/agentcore.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/hcapiplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/memplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/mqttplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/cpuplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/envplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/paho.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/CHTTPParser.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CCurl/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/KituraNet.build/HTTP/KeepAliveState~partial.swiftmodule : /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGI.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTP.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ClientResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIRecordCreate.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerDelegate.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/KeepAliveState.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerState.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ListenerGroup.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ConnectionUpgrader.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketManager.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketHandler.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerLifecycleListener.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HeadersContainer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/URLParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/HTTPParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIRecordParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/Server.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Error.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/IncomingHTTPSocketProcessor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketProcessor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketProcessorCreator.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerMonitor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/SPIUtils.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/ParseResults.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/HTTPParserStatus.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ClientRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/BufferList.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ConnectionUpgradeFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/LoggerAPI.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/SSLService.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/Socket.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/CHTTPParser.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/http_parser.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/utils.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/agentcore.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/hcapiplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/memplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/mqttplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/cpuplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/envplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/paho.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/CHTTPParser.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CCurl/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/KituraNet.build/HTTP/KeepAliveState~partial.swiftdoc : /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGI.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTP.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServerResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ClientResponse.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIRecordCreate.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerDelegate.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/KeepAliveState.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerState.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ListenerGroup.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ConnectionUpgrader.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketManager.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketHandler.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerLifecycleListener.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HeadersContainer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/URLParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/HTTPParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIRecordParser.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/Server.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServer.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Error.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/IncomingHTTPSocketProcessor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketProcessor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/IncomingSocketProcessorCreator.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/Server/ServerMonitor.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/SPIUtils.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/ParseResults.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTPParser/HTTPParserStatus.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/FastCGI/FastCGIServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/HTTP/HTTPServerRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ClientRequest.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/BufferList.swift /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/KituraNet/ConnectionUpgradeFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/LoggerAPI.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/SSLService.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/Socket.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/CHTTPParser.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/http_parser.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CHTTPParser/include/utils.h /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/agentcore.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/hcapiplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/memplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/mqttplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/cpuplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/envplugin.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/paho.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/x86_64-apple-macosx/debug/CHTTPParser.build/module.modulemap /Users/patbutler/Developer/Server/Kitura/EmojiJournalServer/.build/checkouts/Kitura-net.git-4378304010554470451/Sources/CCurl/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
// Written in the D programming language. /** Standard I/O functions that extend $(B std.c.stdio). $(B std.c.stdio) is $(D_PARAM public)ally imported when importing $(B std.stdio). Source: $(PHOBOSSRC std/_stdio.d) Macros: WIKI=Phobos/StdStdio Copyright: Copyright Digital Mars 2007-. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(WEB digitalmars.com, Walter Bright), $(WEB erdani.org, Andrei Alexandrescu), Alex Rønne Petersen */ module std.stdio; public import core.stdc.stdio, std.string : KeepTerminator; static import std.c.stdio; import std.stdiobase; import core.stdc.errno, core.stdc.stddef, core.stdc.stdlib, core.memory, core.stdc.string, core.stdc.wchar_, core.exception; import std.algorithm, std.array, std.conv, std.exception, std.format, std.range, std.string, std.traits, std.typecons, std.typetuple, std.utf; version(unittest) import std.file; version (DigitalMars) { version (Win32) { // Specific to the way Digital Mars C does stdio version = DIGITAL_MARS_STDIO; import std.c.stdio : __fhnd_info, FHND_WCHAR, FHND_TEXT; } else version (Win64) { version = MICROSOFT_STDIO; } } version (Posix) { import core.sys.posix.stdio; alias core.sys.posix.stdio.fileno fileno; } version (linux) { // Specific to the way Gnu C does stdio version = GCC_IO; } version (OSX) { version = GENERIC_IO; } version (FreeBSD) { version = GENERIC_IO; } version(Windows) { // core.stdc.stdio.fopen expects file names to be // encoded in CP_ACP on Windows instead of UTF-8. /+ Waiting for druntime pull 299 +/ extern (C) nothrow FILE* _wfopen(in wchar* filename, in wchar* mode); } version (DIGITAL_MARS_STDIO) { extern (C) { /* ** * Digital Mars under-the-hood C I/O functions. * Use _iobuf* for the unshared version of FILE*, * usable when the FILE is locked. */ int _fputc_nlock(int, _iobuf*); int _fputwc_nlock(int, _iobuf*); int _fgetc_nlock(_iobuf*); int _fgetwc_nlock(_iobuf*); int __fp_lock(FILE*); void __fp_unlock(FILE*); int setmode(int, int); } alias _fputc_nlock FPUTC; alias _fputwc_nlock FPUTWC; alias _fgetc_nlock FGETC; alias _fgetwc_nlock FGETWC; alias __fp_lock FLOCK; alias __fp_unlock FUNLOCK; alias setmode _setmode; enum _O_BINARY = 0x8000; int _fileno(FILE* f) { return f._file; } alias _fileno fileno; } else version (MICROSOFT_STDIO) { extern (C) { /* ** * Microsoft under-the-hood C I/O functions */ int _fputc_nolock(int, _iobuf*); int _fputwc_nolock(int, _iobuf*); int _fgetc_nolock(_iobuf*); int _fgetwc_nolock(_iobuf*); void _lock_file(FILE*); void _unlock_file(FILE*); int _setmode(int, int); int _fileno(FILE*); } alias _fputc_nolock FPUTC; alias _fputwc_nolock FPUTWC; alias _fgetc_nolock FGETC; alias _fgetwc_nolock FGETWC; alias _lock_file FLOCK; alias _unlock_file FUNLOCK; enum _O_BINARY = 0x8000; } else version (GCC_IO) { /* ** * Gnu under-the-hood C I/O functions; see * http://gnu.org/software/libc/manual/html_node/I_002fO-on-Streams.html */ extern (C) { int fputc_unlocked(int, _iobuf*); int fputwc_unlocked(wchar_t, _iobuf*); int fgetc_unlocked(_iobuf*); int fgetwc_unlocked(_iobuf*); void flockfile(FILE*); void funlockfile(FILE*); ptrdiff_t getline(char**, size_t*, FILE*); ptrdiff_t getdelim (char**, size_t*, int, FILE*); private size_t fwrite_unlocked(const(void)* ptr, size_t size, size_t n, _iobuf *stream); } alias fputc_unlocked FPUTC; alias fputwc_unlocked FPUTWC; alias fgetc_unlocked FGETC; alias fgetwc_unlocked FGETWC; alias flockfile FLOCK; alias funlockfile FUNLOCK; } else version (GENERIC_IO) { extern (C) { void flockfile(FILE*); void funlockfile(FILE*); } int fputc_unlocked(int c, _iobuf* fp) { return fputc(c, cast(shared) fp); } int fputwc_unlocked(wchar_t c, _iobuf* fp) { return fputwc(c, cast(shared) fp); } int fgetc_unlocked(_iobuf* fp) { return fgetc(cast(shared) fp); } int fgetwc_unlocked(_iobuf* fp) { return fgetwc(cast(shared) fp); } alias fputc_unlocked FPUTC; alias fputwc_unlocked FPUTWC; alias fgetc_unlocked FGETC; alias fgetwc_unlocked FGETWC; alias flockfile FLOCK; alias funlockfile FUNLOCK; } else { static assert(0, "unsupported C I/O system"); } //------------------------------------------------------------------------------ struct ByRecord(Fields...) { private: File file; char[] line; Tuple!(Fields) current; string format; public: this(File f, string format) { assert(f.isOpen); file = f; this.format = format; popFront(); // prime the range } /// Range primitive implementations. @property bool empty() { return !file.isOpen; } /// Ditto @property ref Tuple!(Fields) front() { return current; } /// Ditto void popFront() { enforce(file.isOpen); file.readln(line); if (!line.length) { file.detach(); } else { line = chomp(line); formattedRead(line, format, &current); enforce(line.empty, text("Leftover characters in record: `", line, "'")); } } } template byRecord(Fields...) { ByRecord!(Fields) byRecord(File f, string format) { return typeof(return)(f, format); } } /** Encapsulates a $(D FILE*). Generally D does not attempt to provide thin wrappers over equivalent functions in the C standard library, but manipulating $(D FILE*) values directly is unsafe and error-prone in many ways. The $(D File) type ensures safe manipulation, automatic file closing, and a lot of convenience. The underlying $(D FILE*) handle is maintained in a reference-counted manner, such that as soon as the last $(D File) variable bound to a given $(D FILE*) goes out of scope, the underlying $(D FILE*) is automatically closed. Bugs: $(D File) expects file names to be encoded in $(B CP_ACP) on $(I Windows) instead of UTF-8 ($(BUGZILLA 7648)) thus must not be used in $(I Windows) or cross-platform applications other than with an immediate ASCII string as a file name to prevent accidental changes to result in incorrect behavior. One can use $(XREF file, read)/$(XREF file, write)/$(XREF stream, File) instead. Example: ---- // test.d void main(string args[]) { auto f = File("test.txt", "w"); // open for writing f.write("Hello"); if (args.length > 1) { auto g = f; // now g and f write to the same file // internal reference count is 2 g.write(", ", args[1]); // g exits scope, reference count decreases to 1 } f.writeln("!"); // f exits scope, reference count falls to zero, // underlying $(D FILE*) is closed. } ---- <pre class=console> % rdmd test.d Jimmy % cat test.txt Hello, Jimmy! % __ </pre> */ struct File { private struct Impl { FILE * handle = null; // Is null iff this Impl is closed by another File uint refs = uint.max / 2; bool isPopened; // true iff the stream has been created by popen() } private Impl* _p; private string _name; package this(FILE* handle, string name, uint refs = 1, bool isPopened = false) { assert(!_p); _p = cast(Impl*) enforce(malloc(Impl.sizeof), "Out of memory"); _p.handle = handle; _p.refs = refs; _p.isPopened = isPopened; _name = name; } /** Constructor taking the name of the file to open and the open mode (with the same semantics as in the C standard library $(WEB cplusplus.com/reference/clibrary/cstdio/fopen.html, fopen) function). Copying one $(D File) object to another results in the two $(D File) objects referring to the same underlying file. The destructor automatically closes the file as soon as no $(D File) object refers to it anymore. Throws: $(D ErrnoException) if the file could not be opened. */ this(string name, in char[] stdioOpenmode = "rb") { this(errnoEnforce(.fopen(name, stdioOpenmode), text("Cannot open file `", name, "' in mode `", stdioOpenmode, "'")), name); } ~this() { detach(); } this(this) { if (!_p) return; assert(_p.refs); ++_p.refs; } /** Assigns a file to another. The target of the assignment gets detached from whatever file it was attached to, and attaches itself to the new file. */ void opAssign(File rhs) { swap(this, rhs); } /** First calls $(D detach) (throwing on failure), and then attempts to _open file $(D name) with mode $(D stdioOpenmode). The mode has the same semantics as in the C standard library $(WEB cplusplus.com/reference/clibrary/cstdio/fopen.html, fopen) function. Throws: $(D ErrnoException) in case of error. */ void open(string name, in char[] stdioOpenmode = "rb") { detach(); this = File(name, stdioOpenmode); } /** First calls $(D detach) (throwing on failure), and then runs a command by calling the C standard library function $(WEB opengroup.org/onlinepubs/007908799/xsh/_popen.html, _popen). Throws: $(D ErrnoException) in case of error. */ version(Posix) void popen(string command, in char[] stdioOpenmode = "r") { detach(); this = File(errnoEnforce(.popen(command, stdioOpenmode), "Cannot run command `"~command~"'"), command, 1, true); } /** Returns $(D true) if the file is opened. */ @property bool isOpen() const pure nothrow { return _p !is null && _p.handle; } /** Returns $(D true) if the file is at end (see $(WEB cplusplus.com/reference/clibrary/cstdio/feof.html, feof)). Throws: $(D Exception) if the file is not opened. */ @property bool eof() const pure { enforce(_p && _p.handle, "Calling eof() against an unopened file."); return .feof(cast(FILE*) _p.handle) != 0; } /** Returns the name of the last opened file, if any. If a $(D File) was created with $(LREF tmpfile) and $(LREF wrapFile) it has no name.*/ @property string name() const pure nothrow { return _name; } /** If the file is not opened, returns $(D false). Otherwise, returns $(WEB cplusplus.com/reference/clibrary/cstdio/ferror.html, ferror) for the file handle. */ @property bool error() const pure nothrow { return !_p.handle || .ferror(cast(FILE*) _p.handle); } /** Detaches from the underlying file. If the sole owner, calls $(D close). Throws: $(D ErrnoException) on failure if closing the file. */ void detach() { if (!_p) return; if (_p.refs == 1) close(); else { assert(_p.refs); --_p.refs; _p = null; } } unittest { auto deleteme = testFilename(); scope(exit) std.file.remove(deleteme); auto f = File(deleteme, "w"); { auto f2 = f; f2.detach(); } assert(f._p.refs == 1); f.close(); } /** If the file was unopened, succeeds vacuously. Otherwise closes the file (by calling $(WEB cplusplus.com/reference/clibrary/cstdio/fclose.html, fclose)), throwing on error. Even if an exception is thrown, afterwards the $(D File) object is empty. This is different from $(D detach) in that it always closes the file; consequently, all other $(D File) objects referring to the same handle will see a closed file henceforth. Throws: $(D ErrnoException) on error. */ void close() { if (!_p) return; // succeed vacuously scope(exit) { assert(_p.refs); if(!--_p.refs) free(_p); _p = null; // start a new life } if (!_p.handle) return; // Impl is closed by another File scope(exit) _p.handle = null; // nullify the handle anyway version (Posix) { if (_p.isPopened) { auto res = .pclose(_p.handle); errnoEnforce(res != -1, "Could not close pipe `"~_name~"'"); errnoEnforce(res == 0, format("Command returned %d", res)); return; } } //fprintf(std.c.stdio.stderr, ("Closing file `"~name~"`.\n\0").ptr); errnoEnforce(.fclose(_p.handle) == 0, "Could not close file `"~_name~"'"); } /** If the file is not opened, succeeds vacuously. Otherwise, returns $(WEB cplusplus.com/reference/clibrary/cstdio/_clearerr.html, _clearerr) for the file handle. */ void clearerr() pure nothrow { _p is null || _p.handle is null || .clearerr(_p.handle); } /** Calls $(WEB cplusplus.com/reference/clibrary/cstdio/_fflush.html, _fflush) for the file handle. Throws: $(D Exception) if the file is not opened or if the call to $D(fflush) fails. */ void flush() { errnoEnforce (.fflush(enforce(_p.handle, "Calling fflush() on an unopened file")) == 0); } /** Calls $(WEB cplusplus.com/reference/clibrary/cstdio/fread.html, fread) for the file handle. The number of items to read and the size of each item is inferred from the size and type of the input array, respectively. Returns: The slice of $(D buffer) containing the data that was actually read. This will be shorter than $(D buffer) if EOF was reached before the buffer could be filled. Throws: $(D Exception) if $(D buffer) is empty. $(D ErrnoException) if the file is not opened or the call to $D(fread) fails. $(D rawRead) always reads in binary mode on Windows. */ T[] rawRead(T)(T[] buffer) { enforce(buffer.length, "rawRead must take a non-empty buffer"); version(Win32) { immutable fd = ._fileno(_p.handle); immutable mode = ._setmode(fd, _O_BINARY); scope(exit) ._setmode(fd, mode); version(DIGITAL_MARS_STDIO) { // @@@BUG@@@ 4243 immutable info = __fhnd_info[fd]; __fhnd_info[fd] &= ~FHND_TEXT; scope(exit) __fhnd_info[fd] = info; } } immutable result = .fread(buffer.ptr, T.sizeof, buffer.length, _p.handle); errnoEnforce(!error); return result ? buffer[0 .. result] : null; } unittest { auto deleteme = testFilename(); std.file.write(deleteme, "\r\n\n\r\n"); scope(exit) std.file.remove(deleteme); auto f = File(deleteme, "r"); auto buf = f.rawRead(new char[5]); f.close(); assert(buf == "\r\n\n\r\n"); /+ buf = stdin.rawRead(new char[5]); assert(buf == "\r\n\n\r\n"); +/ } /** Calls $(WEB cplusplus.com/reference/clibrary/cstdio/fwrite.html, fwrite) for the file handle. The number of items to write and the size of each item is inferred from the size and type of the input array, respectively. An error is thrown if the buffer could not be written in its entirety. $(D rawWrite) always writes in binary mode on Windows. Throws: $(D ErrnoException) if the file is not opened or if the call to $D(fread) fails. */ void rawWrite(T)(in T[] buffer) { version(Windows) { flush(); // before changing translation mode immutable fd = ._fileno(_p.handle); immutable mode = ._setmode(fd, _O_BINARY); scope(exit) ._setmode(fd, mode); version(DIGITAL_MARS_STDIO) { // @@@BUG@@@ 4243 immutable info = __fhnd_info[fd]; __fhnd_info[fd] &= ~FHND_TEXT; scope(exit) __fhnd_info[fd] = info; } scope(exit) flush(); // before restoring translation mode } auto result = .fwrite(buffer.ptr, T.sizeof, buffer.length, _p.handle); if (result == result.max) result = 0; errnoEnforce(result == buffer.length, text("Wrote ", result, " instead of ", buffer.length, " objects of type ", T.stringof, " to file `", _name, "'")); } version(Win64) {} else unittest { auto deleteme = testFilename(); auto f = File(deleteme, "w"); scope(exit) std.file.remove(deleteme); f.rawWrite("\r\n\n\r\n"); f.close(); assert(std.file.read(deleteme) == "\r\n\n\r\n"); } /** Calls $(WEB cplusplus.com/reference/clibrary/cstdio/fseek.html, fseek) for the file handle. Throws: $(D Exception) if the file is not opened. $(D ErrnoException) if the call to $D(fseek) fails. */ void seek(long offset, int origin = SEEK_SET) { enforce(isOpen, "Attempting to seek() in an unopened file"); version (Windows) { errnoEnforce(fseek(_p.handle, to!int(offset), origin) == 0, "Could not seek in file `"~_name~"'"); } else { //static assert(off_t.sizeof == 8); errnoEnforce(fseeko(_p.handle, offset, origin) == 0, "Could not seek in file `"~_name~"'"); } } version(Win64) {} else unittest { auto deleteme = testFilename(); auto f = File(deleteme, "w+"); scope(exit) { f.close(); std.file.remove(deleteme); } f.rawWrite("abcdefghijklmnopqrstuvwxyz"); f.seek(7); assert(f.readln() == "hijklmnopqrstuvwxyz"); version (Windows) { // No test for large files yet } else { auto bigOffset = cast(ulong) int.max + 100; f.seek(bigOffset); assert(f.tell == bigOffset, text(f.tell)); // Uncomment the tests below only if you want to wait for // a long time // f.rawWrite("abcdefghijklmnopqrstuvwxyz"); // f.seek(-3, SEEK_END); // assert(f.readln() == "xyz"); } } /** Calls $(WEB cplusplus.com/reference/clibrary/cstdio/ftell.html, ftell) for the managed file handle. Throws: $(D Exception) if the file is not opened. $(D ErrnoException) if the call to $D(ftell) fails. */ @property ulong tell() const { enforce(isOpen, "Attempting to tell() in an unopened file"); version (Windows) { immutable result = ftell(cast(FILE*) _p.handle); } else { immutable result = ftello(cast(FILE*) _p.handle); } errnoEnforce(result != -1, "Query ftell() failed for file `"~_name~"'"); return result; } unittest { auto deleteme = testFilename(); std.file.write(deleteme, "abcdefghijklmnopqrstuvwqxyz"); scope(exit) { std.file.remove(deleteme); } auto f = File(deleteme); auto a = new ubyte[4]; f.rawRead(a); assert(f.tell == 4, text(f.tell)); } /** Calls $(WEB cplusplus.com/reference/clibrary/cstdio/_rewind.html, _rewind) for the file handle. Throws: $(D Exception) if the file is not opened. */ void rewind() { enforce(isOpen, "Attempting to rewind() an unopened file"); .rewind(_p.handle); } /** Calls $(WEB cplusplus.com/reference/clibrary/cstdio/_setvbuf.html, _setvbuf) for the file handle. Throws: $(D Exception) if the file is not opened. $(D ErrnoException) if the call to $D(setvbuf) fails. */ void setvbuf(size_t size, int mode = _IOFBF) { enforce(isOpen, "Attempting to call setvbuf() on an unopened file"); errnoEnforce(.setvbuf(_p.handle, null, mode, size) == 0, "Could not set buffering for file `"~_name~"'"); } /** Calls $(WEB cplusplus.com/reference/clibrary/cstdio/_setvbuf.html, _setvbuf) for the file handle. Throws: $(D Exception) if the file is not opened. $(D ErrnoException) if the call to $D(setvbuf) fails. */ void setvbuf(void[] buf, int mode = _IOFBF) { enforce(isOpen, "Attempting to call setvbuf() on an unopened file"); errnoEnforce(.setvbuf(_p.handle, cast(char*) buf.ptr, mode, buf.length) == 0, "Could not set buffering for file `"~_name~"'"); } /** Writes its arguments in text format to the file. Throws: $(D Exception) if the file is not opened. $(D ErrnoException) on an error writing to the file. */ void write(S...)(S args) { auto w = lockingTextWriter(); foreach (arg; args) { alias typeof(arg) A; static if (isAggregateType!A || is(A == enum)) { std.format.formattedWrite(w, "%s", arg); } else static if (isSomeString!A) { put(w, arg); } else static if (isIntegral!A) { toTextRange(arg, w); } else static if (isBoolean!A) { put(w, arg ? "true" : "false"); } else static if (isSomeChar!A) { put(w, arg); } else { // Most general case std.format.formattedWrite(w, "%s", arg); } } } /** Writes its arguments in text format to the file, followed by a newline. Throws: $(D Exception) if the file is not opened. $(D ErrnoException) on an error writing to the file. */ void writeln(S...)(S args) { write(args, '\n'); } /** Writes its arguments in text format to the file, according to the format in the first argument. Throws: $(D Exception) if the file is not opened. $(D ErrnoException) on an error writing to the file. */ void writef(Char, A...)(in Char[] fmt, A args) { std.format.formattedWrite(lockingTextWriter(), fmt, args); } /** Writes its arguments in text format to the file, according to the format in the first argument, followed by a newline. Throws: $(D Exception) if the file is not opened. $(D ErrnoException) on an error writing to the file. */ void writefln(Char, A...)(in Char[] fmt, A args) { auto w = lockingTextWriter(); std.format.formattedWrite(w, fmt, args); w.put('\n'); } /** Read line from the file handle and return it as a specified type. This version manages its own read buffer, which means one memory allocation per call. If you are not retaining a reference to the read data, consider the $(D File.readln(buf)) version, which may offer better performance as it can reuse its read buffer. Params: S = Template parameter; the type of the allocated buffer, and the type returned. Defaults to $(D string). terminator = line terminator (by default, '\n') Returns: The line that was read, including the line terminator character. Throws: $(D StdioException) on I/O error, or $(D UnicodeException) on Unicode conversion error. Example: --- // Reads $(D stdin) and writes it to $(D stdout). import std.stdio; void main() { string line; while ((line = stdin.readln()) !is null) write(line); } --- */ S readln(S = string)(dchar terminator = '\n') if (isSomeString!S) { Unqual!(ElementEncodingType!S)[] buf; readln(buf, terminator); return cast(S)buf; } unittest { auto deleteme = testFilename(); std.file.write(deleteme, "hello\nworld\n"); scope(exit) std.file.remove(deleteme); foreach (String; TypeTuple!(string, char[], wstring, wchar[], dstring, dchar[])) { auto witness = [ "hello\n", "world\n" ]; auto f = File(deleteme); uint i = 0; String buf; while ((buf = f.readln!String()).length) { assert(i < witness.length); assert(equal(buf, witness[i++])); } assert(i == witness.length); } } unittest { auto deleteme = testFilename(); std.file.write(deleteme, "cześć \U0002000D"); scope(exit) std.file.remove(deleteme); uint[] lengths=[12,8,7]; foreach (uint i,C; Tuple!(char, wchar, dchar).Types) { immutable(C)[] witness = "cześć \U0002000D"; auto buf = File(deleteme).readln!(immutable(C)[])(); assert(buf.length==lengths[i]); assert(buf==witness); } } /** Read line from the file handle and write it to $(D buf[]), including terminating character. This can be faster than $(D line = File.readln()) because you can reuse the buffer for each call. Note that reusing the buffer means that you must copy the previous contents if you wish to retain them. Params: buf = buffer used to store the resulting line data. buf is resized as necessary. terminator = line terminator (by default, '\n') Returns: 0 for end of file, otherwise number of characters read Throws: $(D StdioException) on I/O error, or $(D UnicodeException) on Unicode conversion error. Example: --- // Read lines from $(D stdin) into a string // Ignore lines starting with '#' // Write the string to $(D stdout) void main() { string output; char[] buf; while (stdin.readln(buf)) { if (buf[0] == '#') continue; output ~= buf; } write(output); } --- This method can be more efficient than the one in the previous example because $(D stdin.readln(buf)) reuses (if possible) memory allocated for $(D buf), whereas $(D line = stdin.readln()) makes a new memory allocation for every line. */ size_t readln(C)(ref C[] buf, dchar terminator = '\n') if (isSomeChar!C && is(Unqual!C == C) && !is(C == enum)) { static if (is(C == char)) { enforce(_p && _p.handle, "Attempt to read from an unopened file."); return readlnImpl(_p.handle, buf, terminator); } else { // TODO: optimize this string s = readln(terminator); buf.length = 0; if (!s.length) return 0; foreach (C c; s) { buf ~= c; } return buf.length; } } /** ditto */ size_t readln(C, R)(ref C[] buf, R terminator) if (isSomeChar!C && is(Unqual!C == C) && !is(C == enum) && isBidirectionalRange!R && is(typeof(terminator.front == dchar.init))) { auto last = terminator.back; C[] buf2; swap(buf, buf2); for (;;) { if (!readln(buf2, last) || endsWith(buf2, terminator)) { if (buf.empty) { buf = buf2; } else { buf ~= buf2; } break; } buf ~= buf2; } return buf.length; } unittest { auto deleteme = testFilename(); std.file.write(deleteme, "hello\n\rworld\nhow\n\rare ya"); scope(exit) std.file.remove(deleteme); foreach (C; Tuple!(char, wchar, dchar).Types) { immutable(C)[][] witness = [ "hello\n\r", "world\nhow\n\r", "are ya" ]; auto f = File(deleteme); uint i = 0; C[] buf; while (f.readln(buf, "\n\r")) { assert(i < witness.length); assert(buf == witness[i++]); } assert(buf.length==0); } } /** * Read data from the file according to the specified * $(LINK2 std_format.html#format-string, format specifier) using * $(XREF format,formattedRead). */ uint readf(Data...)(in char[] format, Data data) { assert(isOpen); auto input = LockingTextReader(this); return formattedRead(input, format, data); } unittest { auto deleteme = testFilename(); std.file.write(deleteme, "hello\nworld\n"); scope(exit) std.file.remove(deleteme); string s; auto f = File(deleteme); f.readf("%s\n", &s); assert(s == "hello", "["~s~"]"); } /** Returns a temporary file by calling $(WEB cplusplus.com/reference/clibrary/cstdio/_tmpfile.html, _tmpfile). Note that the created file has no $(LREF name).*/ static File tmpfile() { return File(errnoEnforce(core.stdc.stdio.tmpfile(), "Could not create temporary file with tmpfile()"), null); } /** Unsafe function that wraps an existing $(D FILE*). The resulting $(D File) never takes the initiative in closing the file. Note that the created file has no $(LREF name)*/ /*private*/ static File wrapFile(FILE* f) { return File(enforce(f, "Could not wrap null FILE*"), null, /*uint.max / 2*/ 9999); } /** Returns the $(D FILE*) corresponding to this object. */ FILE* getFP() pure { enforce(_p && _p.handle, "Attempting to call getFP() on an unopened file"); return _p.handle; } unittest { assert(stdout.getFP() == std.c.stdio.stdout); } /** Returns the file number corresponding to this object. */ /*version(Posix) */int fileno() const { enforce(isOpen, "Attempting to call fileno() on an unopened file"); return .fileno(cast(FILE*) _p.handle); } // Note: This was documented until 2013/08 /* Range that reads one line at a time. Returned by $(LREF byLine). Allows to directly use range operations on lines of a file. */ struct ByLine(Char, Terminator) { private: /* Ref-counting stops the source range's ByLineImpl * from getting out of sync after the range is copied, e.g. * when accessing range.front, then using std.range.take, * then accessing range.front again. */ alias Impl = RefCounted!(ByLineImpl!(Char, Terminator), RefCountedAutoInitialize.no); Impl impl; static if (isScalarType!Terminator) enum defTerm = '\n'; else enum defTerm = cast(Terminator)"\n"; public: this(File f, KeepTerminator kt = KeepTerminator.no, Terminator terminator = defTerm) { impl = Impl(f, kt, terminator); } @property bool empty() { return impl.refCountedPayload.empty; } @property Char[] front() { return impl.refCountedPayload.front; } void popFront() { impl.refCountedPayload.popFront(); } } private struct ByLineImpl(Char, Terminator) { private: File file; Char[] line; Terminator terminator; KeepTerminator keepTerminator; bool first_call = true; public: this(File f, KeepTerminator kt, Terminator terminator) { file = f; this.terminator = terminator; keepTerminator = kt; } // Range primitive implementations. @property bool empty() { if (line !is null) return false; if (!file.isOpen) return true; // First read ever, must make sure stream is not empty. We // do so by reading a character and putting it back. Doing // so is guaranteed to work on all files opened in all // buffering modes. auto fp = file.getFP(); auto c = fgetc(fp); if (c == -1) { file.detach(); return true; } ungetc(c, fp) == c || assert(false, "Bug in cstdlib implementation"); return false; } @property Char[] front() { if (first_call) { popFront(); first_call = false; } return line; } void popFront() { assert(file.isOpen); assumeSafeAppend(line); file.readln(line, terminator); if (line.empty) { file.detach(); line = null; } else if (keepTerminator == KeepTerminator.no && std.algorithm.endsWith(line, terminator)) { static if (isScalarType!Terminator) enum tlen = 1; else static if (isArray!Terminator) { static assert( is(Unqual!(ElementEncodingType!Terminator) == Char)); const tlen = terminator.length; } else static assert(false); line = line.ptr[0 .. line.length - tlen]; } } } /** Returns an input range set up to read from the file handle one line at a time. The element type for the range will be $(D Char[]). Range primitives may throw $(D StdioException) on I/O error. Note: Each $(D front) will not persist after $(D popFront) is called, so the caller must copy its contents (e.g. by calling $(D to!string)) if retention is needed. Params: Char = Character type for each line, defaulting to $(D char). keepTerminator = Use $(D KeepTerminator.yes) to include the terminator at the end of each line. terminator = Line separator ($(D '\n') by default). Example: ---- import std.algorithm, std.stdio, std.string; // Count words in a file using ranges. void main() { auto file = File("file.txt"); // Open for reading const wordCount = file.byLine() // Read lines .map!split // Split into words .map!(a => a.length) // Count words per line .reduce!((a, b) => a + b); // Total word count writeln(wordCount); } ---- Example: ---- import std.range, std.stdio; // Read lines using foreach. void main() { auto file = File("file.txt"); // Open for reading auto range = file.byLine(); // Print first three lines foreach (line; range.take(3)) writeln(line); // Print remaining lines beginning with '#' foreach (line; range) { if (!line.empty && line[0] == '#') writeln(line); } } ---- Notice that neither example accesses the line data returned by $(D front) after the corresponding $(D popFront) call is made (because the contents may well have changed). */ auto byLine(Terminator = char, Char = char) (KeepTerminator keepTerminator = KeepTerminator.no, Terminator terminator = '\n') if (isScalarType!Terminator) { return ByLine!(Char, Terminator)(this, keepTerminator, terminator); } /// ditto auto byLine(Terminator, Char = char) (KeepTerminator keepTerminator, Terminator terminator) if (is(Unqual!(ElementEncodingType!Terminator) == Char)) { return ByLine!(Char, Terminator)(this, keepTerminator, terminator); } unittest { //printf("Entering test at line %d\n", __LINE__); scope(failure) printf("Failed test at line %d\n", __LINE__); auto deleteme = testFilename(); std.file.write(deleteme, ""); scope(success) std.file.remove(deleteme); // Test empty file auto f = File(deleteme); foreach (line; f.byLine()) { assert(false); } f.detach(); assert(!f.isOpen); void testTerm(Terminator)(string txt, string[] witness, KeepTerminator kt, Terminator term, bool popFirstLine) { uint i; std.file.write(deleteme, txt); auto f = File(deleteme); scope(exit) { f.close(); assert(!f.isOpen); } auto lines = f.byLine(kt, term); if (popFirstLine) { lines.popFront(); i = 1; } assert(lines.empty || lines.front is lines.front); foreach (line; lines) { assert(line == witness[i++]); } assert(i == witness.length, text(i, " != ", witness.length)); } /* Wrap with default args. * Note: Having a default argument for terminator = '\n' would prevent * instantiating Terminator=string (or "\n" would prevent Terminator=char) */ void test(string txt, string[] witness, KeepTerminator kt = KeepTerminator.no, bool popFirstLine = false) { testTerm(txt, witness, kt, '\n', popFirstLine); } test("", null); test("\n", [ "" ]); test("asd\ndef\nasdf", [ "asd", "def", "asdf" ]); test("asd\ndef\nasdf", [ "asd", "def", "asdf" ], KeepTerminator.no, true); test("asd\ndef\nasdf\n", [ "asd", "def", "asdf" ]); test("foo", [ "foo" ], KeepTerminator.no, true); testTerm("bob\r\nmarge\r\nsteve\r\n", ["bob", "marge", "steve"], KeepTerminator.no, "\r\n", false); testTerm("sue\r", ["sue"], KeepTerminator.no, '\r', false); test("", null, KeepTerminator.yes); test("\n", [ "\n" ], KeepTerminator.yes); test("asd\ndef\nasdf", [ "asd\n", "def\n", "asdf" ], KeepTerminator.yes); test("asd\ndef\nasdf\n", [ "asd\n", "def\n", "asdf\n" ], KeepTerminator.yes); test("asd\ndef\nasdf\n", [ "asd\n", "def\n", "asdf\n" ], KeepTerminator.yes, true); test("foo", [ "foo" ], KeepTerminator.yes, false); testTerm("bob\r\nmarge\r\nsteve\r\n", ["bob\r\n", "marge\r\n", "steve\r\n"], KeepTerminator.yes, "\r\n", false); testTerm("sue\r", ["sue\r"], KeepTerminator.yes, '\r', false); auto file = File.tmpfile(); file.write("1\n2\n3\n"); // bug 9599 file.rewind(); File.ByLine!(char, char) fbl = file.byLine(); auto fbl2 = fbl; assert(fbl.front == "1"); assert(fbl.front is fbl2.front); assert(fbl.take(1).equal(["1"])); assert(fbl.equal(["2", "3"])); assert(fbl.empty); assert(file.isOpen); // we still have a valid reference file.rewind(); fbl = file.byLine(); assert(!fbl.drop(2).empty); assert(fbl.equal(["3"])); assert(fbl.empty); assert(file.isOpen); file.detach(); assert(!file.isOpen); } template byRecord(Fields...) { ByRecord!(Fields) byRecord(string format) { return typeof(return)(this, format); } } unittest { // auto deleteme = testFilename(); // rndGen.popFront(); // scope(failure) printf("Failed test at line %d\n", __LINE__); // std.file.write(deleteme, "1 2\n4 1\n5 100"); // scope(exit) std.file.remove(deleteme); // File f = File(deleteme); // scope(exit) f.close(); // auto t = [ tuple(1, 2), tuple(4, 1), tuple(5, 100) ]; // uint i; // foreach (e; f.byRecord!(int, int)("%s %s")) // { // //.writeln(e); // assert(e == t[i++]); // } } // Note: This was documented until 2013/08 /* * Range that reads a chunk at a time. */ struct ByChunk { private: File file_; ubyte[] chunk_; public: this(File file, size_t size) in { assert(size, "size must be larger than 0"); } body { file_ = file; chunk_ = new ubyte[](size); popFront(); } /// Range primitive operations. @property nothrow bool empty() const { return !file_.isOpen; } /// Ditto @property nothrow ubyte[] front() { version(assert) if (empty) throw new RangeError(); return chunk_; } /// Ditto void popFront() { version(assert) if (empty) throw new RangeError(); chunk_ = file_.rawRead(chunk_); if (chunk_.length == 0) file_.detach(); } } /** Returns an input range set up to read from the file handle a chunk at a time. The element type for the range will be $(D ubyte[]). Range primitives may throw $(D StdioException) on I/O error. Note: Each $(D front) will not persist after $(D popFront) is called, so the caller must copy its contents (e.g. by calling $(D buffer.dup)) if retention is needed. Example: --------- void main() { foreach (ubyte[] buffer; stdin.byChunk(4096)) { ... use buffer ... } } --------- The content of $(D buffer) is reused across calls. In the example above, $(D buffer.length) is 4096 for all iterations, except for the last one, in which case $(D buffer.length) may be less than 4096 (but always greater than zero). Example: --- import std.algorithm, std.stdio; void main() { stdin.byChunk(1024).copy(stdout.lockingTextWriter()); } --- */ auto byChunk(size_t chunkSize) { return ByChunk(this, chunkSize); } unittest { scope(failure) printf("Failed test at line %d\n", __LINE__); auto deleteme = testFilename(); std.file.write(deleteme, "asd\ndef\nasdf"); auto witness = ["asd\n", "def\n", "asdf" ]; auto f = File(deleteme); scope(exit) { f.close(); assert(!f.isOpen); std.file.remove(deleteme); } uint i; foreach (chunk; f.byChunk(4)) assert(chunk == cast(ubyte[])witness[i++]); assert(i == witness.length); } // Note: This was documented until 2013/08 /* $(D Range) that locks the file and allows fast writing to it. */ struct LockingTextWriter { FILE* fps; // the shared file handle _iobuf* handle; // the unshared version of fps int orientation; this(ref File f) { enforce(f._p && f._p.handle); fps = f._p.handle; orientation = fwide(fps, 0); FLOCK(fps); handle = cast(_iobuf*)fps; } ~this() { if(fps) { FUNLOCK(fps); fps = null; handle = null; } } this(this) { if(fps) { FLOCK(fps); } } /// Range primitive implementations. void put(A)(A writeme) if (is(ElementType!A : const(dchar))) { alias ElementEncodingType!A C; static assert(!is(C == void)); if (writeme[0].sizeof == 1 && orientation <= 0) { //file.write(writeme); causes infinite recursion!!! //file.rawWrite(writeme); auto result = .fwrite(writeme.ptr, C.sizeof, writeme.length, fps); if (result != writeme.length) errnoEnforce(0); } else { // put each character in turn foreach (dchar c; writeme) { put(c); } } } // @@@BUG@@@ 2340 //void front(C)(C c) if (is(C : dchar)) { /// ditto void put(C)(C c) if (is(C : const(dchar))) { static if (c.sizeof == 1) { // simple char if (orientation <= 0) FPUTC(c, handle); else FPUTWC(c, handle); } else static if (c.sizeof == 2) { if (orientation <= 0) { if (c <= 0x7F) { FPUTC(c, handle); } else { char[4] buf; auto b = std.utf.toUTF8(buf, c); foreach (i ; 0 .. b.length) FPUTC(b[i], handle); } } else { FPUTWC(c, handle); } } else // 32-bit characters { if (orientation <= 0) { if (c <= 0x7F) { FPUTC(c, handle); } else { char[4] buf = void; auto b = std.utf.toUTF8(buf, c); foreach (i ; 0 .. b.length) FPUTC(b[i], handle); } } else { version (Windows) { assert(isValidDchar(c)); if (c <= 0xFFFF) { FPUTWC(c, handle); } else { FPUTWC(cast(wchar) ((((c - 0x10000) >> 10) & 0x3FF) + 0xD800), handle); FPUTWC(cast(wchar) (((c - 0x10000) & 0x3FF) + 0xDC00), handle); } } else version (Posix) { FPUTWC(c, handle); } else { static assert(0); } } } } } /** Returns an output range that locks the file and allows fast writing to it. See $(LREF byChunk) for an example. */ auto lockingTextWriter() { return LockingTextWriter(this); } /// Get the size of the file, ulong.max if file is not searchable, but still throws if an actual error occurs. @property ulong size() { ulong pos = void; if (collectException(pos = tell)) return ulong.max; scope(exit) seek(pos); seek(0, SEEK_END); return tell; } } unittest { auto deleteme = testFilename(); scope(exit) collectException(std.file.remove(deleteme)); std.file.write(deleteme, "1 2 3"); auto f = File(deleteme); assert(f.size == 5); assert(f.tell == 0); } struct LockingTextReader { private File _f; private dchar _crt; this(File f) { enforce(f.isOpen); _f = f; FLOCK(_f._p.handle); } this(this) { FLOCK(_f._p.handle); } ~this() { // File locking has its own reference count if (_f.isOpen) FUNLOCK(_f._p.handle); } void opAssign(LockingTextReader r) { swap(this, r); } @property bool empty() { if (!_f.isOpen || _f.eof) return true; if (_crt == _crt.init) { _crt = FGETC(cast(_iobuf*) _f._p.handle); if (_crt == -1) { .destroy(_f); return true; } else { enforce(ungetc(_crt, cast(FILE*) _f._p.handle) == _crt); } } return false; } @property dchar front() { version(assert) if (empty) throw new RangeError(); return _crt; } void popFront() { version(assert) if (empty) throw new RangeError(); if (FGETC(cast(_iobuf*) _f._p.handle) == -1) { enforce(_f.eof); } _crt = _crt.init; } // void unget(dchar c) // { // ungetc(c, cast(FILE*) _f._p.handle); // } } unittest { static assert(isInputRange!LockingTextReader); auto deleteme = testFilename(); std.file.write(deleteme, "1 2 3"); scope(exit) std.file.remove(deleteme); int x, y; auto f = File(deleteme); f.readf("%s ", &x); assert(x == 1); f.readf("%d ", &x); assert(x == 2); f.readf("%d ", &x); assert(x == 3); //pragma(msg, "--- todo: readf ---"); } private void writefx(FILE* fps, TypeInfo[] arguments, void* argptr, int newline=false) { int orientation = fwide(fps, 0); // move this inside the lock? /* Do the file stream locking at the outermost level * rather than character by character. */ FLOCK(fps); scope(exit) FUNLOCK(fps); auto fp = cast(_iobuf*)fps; // fp is locked version if (orientation <= 0) // byte orientation or no orientation { void putc(dchar c) { if (c <= 0x7F) { FPUTC(c, fp); } else { char[4] buf = void; foreach (i; 0 .. std.utf.toUTF8(buf, c).length) FPUTC(buf[i], fp); } } std.format.doFormat(&putc, arguments, argptr); if (newline) FPUTC('\n', fp); } else if (orientation > 0) // wide orientation { version (Windows) { void putcw(dchar c) { assert(isValidDchar(c)); if (c <= 0xFFFF) { FPUTWC(c, fp); } else { FPUTWC(cast(wchar) ((((c - 0x10000) >> 10) & 0x3FF) + 0xD800), fp); FPUTWC(cast(wchar) (((c - 0x10000) & 0x3FF) + 0xDC00), fp); } } } else version (Posix) { void putcw(dchar c) { FPUTWC(c, fp); } } else { static assert(0); } std.format.doFormat(&putcw, arguments, argptr); if (newline) FPUTWC('\n', fp); } } /** * Indicates whether $(D T) is a file handle of some kind. */ template isFileHandle(T) { enum isFileHandle = is(T : FILE*) || is(T : File); } unittest { static assert(isFileHandle!(FILE*)); static assert(isFileHandle!(File)); } /** * $(RED Scheduled for deprecation in January 2013. * Please use $(D isFileHandle) instead.) */ alias isFileHandle isStreamingDevice; /*********************************** For each argument $(D arg) in $(D args), format the argument (as per $(LINK2 std_conv.html, to!(string)(arg))) and write the resulting string to $(D args[0]). A call without any arguments will fail to compile. Throws: In case of an I/O error, throws an $(D StdioException). */ void write(T...)(T args) if (!is(T[0] : File)) { stdout.write(args); } unittest { //printf("Entering test at line %d\n", __LINE__); scope(failure) printf("Failed test at line %d\n", __LINE__); void[] buf; if (false) write(buf); // test write auto deleteme = testFilename(); auto f = File(deleteme, "w"); f.write("Hello, ", "world number ", 42, "!"); f.close(); scope(exit) { std.file.remove(deleteme); } assert(cast(char[]) std.file.read(deleteme) == "Hello, world number 42!"); // // test write on stdout //auto saveStdout = stdout; //scope(exit) stdout = saveStdout; //stdout.open(file, "w"); Object obj; //write("Hello, ", "world number ", 42, "! ", obj); //stdout.close(); // auto result = cast(char[]) std.file.read(file); // assert(result == "Hello, world number 42! null", result); } /*********************************** * Equivalent to $(D write(args, '\n')). Calling $(D writeln) without * arguments is valid and just prints a newline to the standard * output. */ void writeln(T...)(T args) { static if (T.length == 0) { enforce(fputc('\n', .stdout._p.handle) == '\n'); } else static if (T.length == 1 && is(typeof(args[0]) : const(char)[]) && !is(typeof(args[0]) == enum) && !is(Unqual!(typeof(args[0])) == typeof(null)) && !isAggregateType!(typeof(args[0]))) { // Specialization for strings - a very frequent case enforce(fprintf(.stdout._p.handle, "%.*s\n", cast(int) args[0].length, args[0].ptr) >= 0); } else { // Most general instance stdout.write(args, '\n'); } } unittest { // Just make sure the call compiles if (false) writeln(); if (false) writeln("wyda"); // bug 8040 if (false) writeln(null); if (false) writeln(">", null, "<"); } unittest { //printf("Entering test at line %d\n", __LINE__); scope(failure) printf("Failed test at line %d\n", __LINE__); // test writeln auto deleteme = testFilename(); auto f = File(deleteme, "w"); scope(exit) { std.file.remove(deleteme); } f.writeln("Hello, ", "world number ", 42, "!"); f.close(); version (Windows) assert(cast(char[]) std.file.read(deleteme) == "Hello, world number 42!\r\n"); else assert(cast(char[]) std.file.read(deleteme) == "Hello, world number 42!\n"); // test writeln on stdout auto saveStdout = stdout; scope(exit) stdout = saveStdout; stdout.open(deleteme, "w"); writeln("Hello, ", "world number ", 42, "!"); stdout.close(); version (Windows) assert(cast(char[]) std.file.read(deleteme) == "Hello, world number 42!\r\n"); else assert(cast(char[]) std.file.read(deleteme) == "Hello, world number 42!\n"); stdout.open(deleteme, "w"); writeln("Hello!"c); writeln("Hello!"w); // bug 8386 writeln("Hello!"d); // bug 8386 stdout.close(); version (Windows) assert(cast(char[]) std.file.read(deleteme) == "Hello!\r\nHello!\r\nHello!\r\n"); else assert(cast(char[]) std.file.read(deleteme) == "Hello!\nHello!\nHello!\n"); } unittest { auto deleteme = testFilename(); auto f = File(deleteme, "w"); scope(exit) { std.file.remove(deleteme); } enum EI : int { A, B } enum ED : double { A, B } enum EC : char { A, B } enum ES : string { A = "aaa", B = "bbb" } f.writeln(EI.A); // false, but A on 2.058 f.writeln(EI.B); // true, but B on 2.058 f.writeln(ED.A); // A f.writeln(ED.B); // B f.writeln(EC.A); // A f.writeln(EC.B); // B f.writeln(ES.A); // A f.writeln(ES.B); // B f.close(); version (Windows) assert(cast(char[]) std.file.read(deleteme) == "A\r\nB\r\nA\r\nB\r\nA\r\nB\r\nA\r\nB\r\n"); else assert(cast(char[]) std.file.read(deleteme) == "A\nB\nA\nB\nA\nB\nA\nB\n"); } unittest { static auto useInit(T)(T ltw) { T val; val = ltw; val = T.init; return val; } useInit(stdout.lockingTextWriter()); } /*********************************** * If the first argument $(D args[0]) is a $(D FILE*), use * $(LINK2 std_format.html#format-string, the format specifier) in * $(D args[1]) to control the formatting of $(D * args[2..$]), and write the resulting string to $(D args[0]). * If $(D arg[0]) is not a $(D FILE*), the call is * equivalent to $(D writef(stdout, args)). * IMPORTANT: New behavior starting with D 2.006: unlike previous versions, $(D writef) (and also $(D writefln)) only scans its first string argument for format specifiers, but not subsequent string arguments. This decision was made because the old behavior made it unduly hard to simply print string variables that occasionally embedded percent signs. Also new starting with 2.006 is support for positional parameters with $(LINK2 http://opengroup.org/onlinepubs/009695399/functions/printf.html, POSIX) syntax. Example: ------------------------- writef("Date: %2$s %1$s", "October", 5); // "Date: 5 October" ------------------------ The positional and non-positional styles can be mixed in the same format string. (POSIX leaves this behavior undefined.) The internal counter for non-positional parameters tracks the popFront parameter after the largest positional parameter already used. New starting with 2.008: raw format specifiers. Using the "%r" specifier makes $(D writef) simply write the binary representation of the argument. Use "%-r" to write numbers in little endian format, "%+r" to write numbers in big endian format, and "%r" to write numbers in platform-native format. */ void writef(T...)(T args) { stdout.writef(args); } unittest { //printf("Entering test at line %d\n", __LINE__); scope(failure) printf("Failed test at line %d\n", __LINE__); // test writef auto deleteme = testFilename(); auto f = File(deleteme, "w"); scope(exit) { std.file.remove(deleteme); } f.writef("Hello, %s world number %s!", "nice", 42); f.close(); assert(cast(char[]) std.file.read(deleteme) == "Hello, nice world number 42!"); // test write on stdout auto saveStdout = stdout; scope(exit) stdout = saveStdout; stdout.open(deleteme, "w"); writef("Hello, %s world number %s!", "nice", 42); stdout.close(); assert(cast(char[]) std.file.read(deleteme) == "Hello, nice world number 42!"); } /*********************************** * Equivalent to $(D writef(args, '\n')). */ void writefln(T...)(T args) { stdout.writefln(args); } unittest { //printf("Entering test at line %d\n", __LINE__); scope(failure) printf("Failed test at line %d\n", __LINE__); // test writefln auto deleteme = testFilename(); auto f = File(deleteme, "w"); scope(exit) { std.file.remove(deleteme); } f.writefln("Hello, %s world number %s!", "nice", 42); f.close(); version (Windows) assert(cast(char[]) std.file.read(deleteme) == "Hello, nice world number 42!\r\n"); else assert(cast(char[]) std.file.read(deleteme) == "Hello, nice world number 42!\n", cast(char[]) std.file.read(deleteme)); // test write on stdout // auto saveStdout = stdout; // scope(exit) stdout = saveStdout; // stdout.open(file, "w"); // assert(stdout.isOpen); // writefln("Hello, %s world number %s!", "nice", 42); // foreach (F ; TypeTuple!(ifloat, idouble, ireal)) // { // F a = 5i; // F b = a % 2; // writeln(b); // } // stdout.close(); // auto read = cast(char[]) std.file.read(file); // version (Windows) // assert(read == "Hello, nice world number 42!\r\n1\r\n1\r\n1\r\n", read); // else // assert(read == "Hello, nice world number 42!\n1\n1\n1\n", "["~read~"]"); } /** * Read data from $(D stdin) according to the specified * $(LINK2 std_format.html#format-string, format specifier) using * $(XREF format,formattedRead). */ uint readf(A...)(in char[] format, A args) { return stdin.readf(format, args); } unittest { float f; if (false) uint x = readf("%s", &f); char a; wchar b; dchar c; if (false) readf("%s %s %s", &a,&b,&c); } /********************************** * Read line from $(D stdin). * * This version manages its own read buffer, which means one memory allocation per call. If you are not * retaining a reference to the read data, consider the $(D readln(buf)) version, which may offer * better performance as it can reuse its read buffer. * * Returns: * The line that was read, including the line terminator character. * Params: * S = Template parameter; the type of the allocated buffer, and the type returned. Defaults to $(D string). * terminator = line terminator (by default, '\n') * Throws: * $(D StdioException) on I/O error, or $(D UnicodeException) on Unicode conversion error. * Example: * Reads $(D stdin) and writes it to $(D stdout). --- import std.stdio; void main() { string line; while ((line = readln()) !is null) write(line); } --- */ S readln(S = string)(dchar terminator = '\n') if (isSomeString!S) { return stdin.readln!S(terminator); } /********************************** * Read line from $(D stdin) and write it to buf[], including terminating character. * * This can be faster than $(D line = readln()) because you can reuse * the buffer for each call. Note that reusing the buffer means that you * must copy the previous contents if you wish to retain them. * * Returns: * $(D size_t) 0 for end of file, otherwise number of characters read * Params: * buf = Buffer used to store the resulting line data. buf is resized as necessary. * terminator = line terminator (by default, '\n') * Throws: * $(D StdioException) on I/O error, or $(D UnicodeException) on Unicode conversion error. * Example: * Reads $(D stdin) and writes it to $(D stdout). --- import std.stdio; void main() { char[] buf; while (readln(buf)) write(buf); } --- */ size_t readln(C)(ref C[] buf, dchar terminator = '\n') if (isSomeChar!C && is(Unqual!C == C) && !is(C == enum)) { return stdin.readln(buf, terminator); } /** ditto */ size_t readln(C, R)(ref C[] buf, R terminator) if (isSomeChar!C && is(Unqual!C == C) && !is(C == enum) && isBidirectionalRange!R && is(typeof(terminator.front == dchar.init))) { return stdin.readln(buf, terminator); } unittest { //we can't actually test readln, so at the very least, //we test compilability void foo() { readln(); readln('\t'); foreach (String; TypeTuple!(string, char[], wstring, wchar[], dstring, dchar[])) { readln!String(); readln!String('\t'); } foreach (String; TypeTuple!(char[], wchar[], dchar[])) { String buf; readln(buf); readln(buf, '\t'); readln(buf, "<br />"); } } } /* * Convenience function that forwards to $(D core.stdc.stdio.fopen) * (to $(D _wfopen) on Windows) * with appropriately-constructed C-style strings. */ private FILE* fopen(in char[] name, in char[] mode = "r") { version(Windows) return _wfopen(toUTF16z(name), toUTF16z(mode)); else version(Posix) { /* * The new opengroup large file support API is transparently * included in the normal C bindings. http://opengroup.org/platform/lfs.html#1.0 * if _FILE_OFFSET_BITS in druntime is 64, off_t is 64 bit and * the normal functions work fine. If not, then large file support * probably isn't available. Do not use the old transitional API * (the native extern(C) fopen64, http://www.unix.org/version2/whatsnew/lfs20mar.html#3.0) */ return core.sys.posix.stdio.fopen(toStringz(name), toStringz(mode)); } else { return core.stdc.stdio.fopen(toStringz(name), toStringz(mode)); } } version (Posix) { /*********************************** * Convenience function that forwards to $(D std.c.stdio.popen) * with appropriately-constructed C-style strings. */ FILE* popen(in char[] name, in char[] mode = "r") { return core.sys.posix.stdio.popen(toStringz(name), toStringz(mode)); } } /* * Convenience function that forwards to $(D std.c.stdio.fwrite) * and throws an exception upon error */ private void binaryWrite(T)(FILE* f, T obj) { immutable result = fwrite(obj.ptr, obj[0].sizeof, obj.length, f); if (result != obj.length) StdioException(); } /** * Iterates through the lines of a file by using $(D foreach). * * Example: * --------- void main() { foreach (string line; lines(stdin)) { ... use line ... } } --------- The line terminator ('\n' by default) is part of the string read (it could be missing in the last line of the file). Several types are supported for $(D line), and the behavior of $(D lines) changes accordingly: $(OL $(LI If $(D line) has type $(D string), $(D wstring), or $(D dstring), a new string of the respective type is allocated every read.) $(LI If $(D line) has type $(D char[]), $(D wchar[]), $(D dchar[]), the line's content will be reused (overwritten) across reads.) $(LI If $(D line) has type $(D immutable(ubyte)[]), the behavior is similar to case (1), except that no UTF checking is attempted upon input.) $(LI If $(D line) has type $(D ubyte[]), the behavior is similar to case (2), except that no UTF checking is attempted upon input.)) In all cases, a two-symbols versions is also accepted, in which case the first symbol (of integral type, e.g. $(D ulong) or $(D uint)) tracks the zero-based number of the current line. Example: ---- foreach (ulong i, string line; lines(stdin)) { ... use line ... } ---- In case of an I/O error, an $(D StdioException) is thrown. */ struct lines { private File f; private dchar terminator = '\n'; // private string fileName; // Curretly, no use this(File f, dchar terminator = '\n') { this.f = f; this.terminator = terminator; } // Keep these commented lines for later, when Walter fixes the // exception model. // static lines opCall(string fName, dchar terminator = '\n') // { // auto f = enforce(fopen(fName), // new StdioException("Cannot open file `"~fName~"' for reading")); // auto result = lines(f, terminator); // result.fileName = fName; // return result; // } int opApply(D)(scope D dg) { // scope(exit) { // if (fileName.length && fclose(f)) // StdioException("Could not close file `"~fileName~"'"); // } alias ParameterTypeTuple!(dg) Parms; static if (isSomeString!(Parms[$ - 1])) { enum bool duplicate = is(Parms[$ - 1] == string) || is(Parms[$ - 1] == wstring) || is(Parms[$ - 1] == dstring); int result = 0; static if (is(Parms[$ - 1] : const(char)[])) alias char C; else static if (is(Parms[$ - 1] : const(wchar)[])) alias wchar C; else static if (is(Parms[$ - 1] : const(dchar)[])) alias dchar C; C[] line; static if (Parms.length == 2) Parms[0] i = 0; for (;;) { if (!f.readln(line, terminator)) break; auto copy = to!(Parms[$ - 1])(line); static if (Parms.length == 2) { result = dg(i, copy); ++i; } else { result = dg(copy); } if (result != 0) break; } return result; } else { // raw read return opApplyRaw(dg); } } // no UTF checking int opApplyRaw(D)(scope D dg) { alias ParameterTypeTuple!(dg) Parms; enum duplicate = is(Parms[$ - 1] : immutable(ubyte)[]); int result = 1; int c = void; FLOCK(f._p.handle); scope(exit) FUNLOCK(f._p.handle); ubyte[] buffer; static if (Parms.length == 2) Parms[0] line = 0; while ((c = FGETC(cast(_iobuf*)f._p.handle)) != -1) { buffer ~= to!(ubyte)(c); if (c == terminator) { static if (duplicate) auto arg = assumeUnique(buffer); else alias buffer arg; // unlock the file while calling the delegate FUNLOCK(f._p.handle); scope(exit) FLOCK(f._p.handle); static if (Parms.length == 1) { result = dg(arg); } else { result = dg(line, arg); ++line; } if (result) break; static if (!duplicate) buffer.length = 0; } } // can only reach when FGETC returned -1 if (!f.eof) throw new StdioException("Error in reading file"); // error occured return result; } } unittest { //printf("Entering test at line %d\n", __LINE__); scope(failure) printf("Failed test at line %d\n", __LINE__); auto deleteme = testFilename(); scope(exit) { std.file.remove(deleteme); } alias TypeTuple!(string, wstring, dstring, char[], wchar[], dchar[]) TestedWith; foreach (T; TestedWith) { // test looping with an empty file std.file.write(deleteme, ""); auto f = File(deleteme, "r"); foreach (T line; lines(f)) { assert(false); } f.close(); // test looping with a file with three lines std.file.write(deleteme, "Line one\nline two\nline three\n"); f.open(deleteme, "r"); uint i = 0; foreach (T line; lines(f)) { if (i == 0) assert(line == "Line one\n"); else if (i == 1) assert(line == "line two\n"); else if (i == 2) assert(line == "line three\n"); else assert(false); ++i; } f.close(); // test looping with a file with three lines, last without a newline std.file.write(deleteme, "Line one\nline two\nline three"); f.open(deleteme, "r"); i = 0; foreach (T line; lines(f)) { if (i == 0) assert(line == "Line one\n"); else if (i == 1) assert(line == "line two\n"); else if (i == 2) assert(line == "line three"); else assert(false); ++i; } f.close(); } // test with ubyte[] inputs //@@@BUG 2612@@@ //alias TypeTuple!(immutable(ubyte)[], ubyte[]) TestedWith2; alias TypeTuple!(immutable(ubyte)[], ubyte[]) TestedWith2; foreach (T; TestedWith2) { // test looping with an empty file std.file.write(deleteme, ""); auto f = File(deleteme, "r"); foreach (T line; lines(f)) { assert(false); } f.close(); // test looping with a file with three lines std.file.write(deleteme, "Line one\nline two\nline three\n"); f.open(deleteme, "r"); uint i = 0; foreach (T line; lines(f)) { if (i == 0) assert(cast(char[]) line == "Line one\n"); else if (i == 1) assert(cast(char[]) line == "line two\n", T.stringof ~ " " ~ cast(char[]) line); else if (i == 2) assert(cast(char[]) line == "line three\n"); else assert(false); ++i; } f.close(); // test looping with a file with three lines, last without a newline std.file.write(deleteme, "Line one\nline two\nline three"); f.open(deleteme, "r"); i = 0; foreach (T line; lines(f)) { if (i == 0) assert(cast(char[]) line == "Line one\n"); else if (i == 1) assert(cast(char[]) line == "line two\n"); else if (i == 2) assert(cast(char[]) line == "line three"); else assert(false); ++i; } f.close(); } foreach (T; TypeTuple!(ubyte[])) { // test looping with a file with three lines, last without a newline // using a counter too this time std.file.write(deleteme, "Line one\nline two\nline three"); auto f = File(deleteme, "r"); uint i = 0; foreach (ulong j, T line; lines(f)) { if (i == 0) assert(cast(char[]) line == "Line one\n"); else if (i == 1) assert(cast(char[]) line == "line two\n"); else if (i == 2) assert(cast(char[]) line == "line three"); else assert(false); ++i; } f.close(); } } /** Iterates through a file a chunk at a time by using $(D foreach). Example: --------- void main() { foreach (ubyte[] buffer; chunks(stdin, 4096)) { ... use buffer ... } } --------- The content of $(D buffer) is reused across calls. In the example above, $(D buffer.length) is 4096 for all iterations, except for the last one, in which case $(D buffer.length) may be less than 4096 (but always greater than zero). In case of an I/O error, an $(D StdioException) is thrown. */ auto chunks(File f, size_t size) { return ChunksImpl(f, size); } private struct ChunksImpl { private File f; private size_t size; // private string fileName; // Currently, no use this(File f, size_t size) in { assert(size, "size must be larger than 0"); } body { this.f = f; this.size = size; } // static chunks opCall(string fName, size_t size) // { // auto f = enforce(fopen(fName), // new StdioException("Cannot open file `"~fName~"' for reading")); // auto result = chunks(f, size); // result.fileName = fName; // return result; // } int opApply(D)(scope D dg) { enum maxStackSize = 1024 * 16; ubyte[] buffer = void; if (size < maxStackSize) buffer = (cast(ubyte*) alloca(size))[0 .. size]; else buffer = new ubyte[size]; size_t r = void; int result = 1; uint tally = 0; while ((r = core.stdc.stdio.fread(buffer.ptr, buffer[0].sizeof, size, f._p.handle)) > 0) { assert(r <= size); if (r != size) { // error occured if (!f.eof) throw new StdioException(null); buffer.length = r; } static if (is(typeof(dg(tally, buffer)))) { if ((result = dg(tally, buffer)) != 0) break; } else { if ((result = dg(buffer)) != 0) break; } ++tally; } return result; } } unittest { //printf("Entering test at line %d\n", __LINE__); scope(failure) printf("Failed test at line %d\n", __LINE__); auto deleteme = testFilename(); scope(exit) { std.file.remove(deleteme); } // test looping with an empty file std.file.write(deleteme, ""); auto f = File(deleteme, "r"); foreach (ubyte[] line; chunks(f, 4)) { assert(false); } f.close(); // test looping with a file with three lines std.file.write(deleteme, "Line one\nline two\nline three\n"); f = File(deleteme, "r"); uint i = 0; foreach (ubyte[] line; chunks(f, 3)) { if (i == 0) assert(cast(char[]) line == "Lin"); else if (i == 1) assert(cast(char[]) line == "e o"); else if (i == 2) assert(cast(char[]) line == "ne\n"); else break; ++i; } f.close(); } /********************* * Thrown if I/O errors happen. */ class StdioException : Exception { /// Operating system error code. uint errno; /** Initialize with a message and an error code. */ this(string message, uint e = .errno) { errno = e; version (Posix) { import std.c.string : strerror_r; char[256] buf = void; version (linux) { auto s = std.c.string.strerror_r(errno, buf.ptr, buf.length); } else { std.c.string.strerror_r(errno, buf.ptr, buf.length); auto s = buf.ptr; } } else { auto s = core.stdc.string.strerror(errno); } auto sysmsg = to!string(s); // If e is 0, we don't use the system error message. (The message // is "Success", which is rather pointless for an exception.) super(e == 0 ? message : (message ? message ~ " (" ~ sysmsg ~ ")" : sysmsg)); } /** Convenience functions that throw an $(D StdioException). */ static void opCall(string msg) { throw new StdioException(msg); } /// ditto static void opCall() { throw new StdioException(null, .errno); } } extern(C) void std_stdio_static_this() { //Bind stdin, stdout, stderr __gshared File.Impl stdinImpl; stdinImpl.handle = core.stdc.stdio.stdin; .stdin._p = &stdinImpl; // stdout __gshared File.Impl stdoutImpl; stdoutImpl.handle = core.stdc.stdio.stdout; .stdout._p = &stdoutImpl; // stderr __gshared File.Impl stderrImpl; stderrImpl.handle = core.stdc.stdio.stderr; .stderr._p = &stderrImpl; } //--------- __gshared { File stdin; /// The standard input stream. File stdout; /// The standard output stream. File stderr; /// The standard error stream. } unittest { scope(failure) printf("Failed test at line %d\n", __LINE__); auto deleteme = testFilename(); std.file.write(deleteme, "1 2\n4 1\n5 100"); scope(exit) std.file.remove(deleteme); { File f = File(deleteme); scope(exit) f.close(); auto t = [ tuple(1, 2), tuple(4, 1), tuple(5, 100) ]; uint i; foreach (e; f.byRecord!(int, int)("%s %s")) { //writeln(e); assert(e == t[i++]); } assert(i == 3); } } // Private implementation of readln version (DIGITAL_MARS_STDIO) private size_t readlnImpl(FILE* fps, ref char[] buf, dchar terminator = '\n') { FLOCK(fps); scope(exit) FUNLOCK(fps); /* Since fps is now locked, we can create an "unshared" version * of fp. */ auto fp = cast(_iobuf*)fps; if (__fhnd_info[fp._file] & FHND_WCHAR) { /* Stream is in wide characters. * Read them and convert to chars. */ static assert(wchar_t.sizeof == 2); auto app = appender(buf); app.clear(); for (int c = void; (c = FGETWC(fp)) != -1; ) { if ((c & ~0x7F) == 0) { app.put(cast(char) c); if (c == terminator) break; } else { if (c >= 0xD800 && c <= 0xDBFF) { int c2 = void; if ((c2 = FGETWC(fp)) != -1 || c2 < 0xDC00 && c2 > 0xDFFF) { StdioException("unpaired UTF-16 surrogate"); } c = ((c - 0xD7C0) << 10) + (c2 - 0xDC00); } //std.utf.encode(buf, c); app.put(cast(dchar)c); } } if (ferror(fps)) StdioException(); buf = app.data; return buf.length; } auto sz = GC.sizeOf(buf.ptr); //auto sz = buf.length; buf = buf.ptr[0 .. sz]; if (fp._flag & _IONBF) { /* Use this for unbuffered I/O, when running * across buffer boundaries, or for any but the common * cases. */ L1: auto app = appender(buf); app.clear(); if(app.capacity == 0) app.reserve(128); // get at least 128 bytes available int c; while((c = FGETC(fp)) != -1) { app.put(cast(char) c); if(c == terminator) { buf = app.data; return buf.length; } } if (ferror(fps)) StdioException(); buf = app.data; return buf.length; } else { int u = fp._cnt; char* p = fp._ptr; int i; if (fp._flag & _IOTRAN) { /* Translated mode ignores \r and treats ^Z as end-of-file */ char c; while (1) { if (i == u) // if end of buffer goto L1; // give up c = p[i]; i++; if (c != '\r') { if (c == terminator) break; if (c != 0x1A) continue; goto L1; } else { if (i != u && p[i] == terminator) break; goto L1; } } if (i > sz) { buf = uninitializedArray!(char[])(i); } if (i - 1) memcpy(buf.ptr, p, i - 1); buf[i - 1] = cast(char)terminator; buf = buf[0 .. i]; if (terminator == '\n' && c == '\r') i++; } else { while (1) { if (i == u) // if end of buffer goto L1; // give up auto c = p[i]; i++; if (c == terminator) break; } if (i > sz) { buf = uninitializedArray!(char[])(i); } memcpy(buf.ptr, p, i); buf = buf[0 .. i]; } fp._cnt -= i; fp._ptr += i; return i; } } version (MICROSOFT_STDIO) private size_t readlnImpl(FILE* fps, ref char[] buf, dchar terminator = '\n') { FLOCK(fps); scope(exit) FUNLOCK(fps); /* Since fps is now locked, we can create an "unshared" version * of fp. */ auto fp = cast(_iobuf*)fps; auto sz = GC.sizeOf(buf.ptr); //auto sz = buf.length; buf = buf.ptr[0 .. sz]; auto app = appender(buf); app.clear(); if(app.capacity == 0) app.reserve(128); // get at least 128 bytes available int c; while((c = FGETC(fp)) != -1) { app.put(cast(char) c); if(c == terminator) { buf = app.data; return buf.length; } } if (ferror(fps)) StdioException(); buf = app.data; return buf.length; } version (GCC_IO) private size_t readlnImpl(FILE* fps, ref char[] buf, dchar terminator = '\n') { if (fwide(fps, 0) > 0) { /* Stream is in wide characters. * Read them and convert to chars. */ FLOCK(fps); scope(exit) FUNLOCK(fps); auto fp = cast(_iobuf*)fps; version (Windows) { buf.length = 0; for (int c = void; (c = FGETWC(fp)) != -1; ) { if ((c & ~0x7F) == 0) { buf ~= c; if (c == terminator) break; } else { if (c >= 0xD800 && c <= 0xDBFF) { int c2 = void; if ((c2 = FGETWC(fp)) != -1 || c2 < 0xDC00 && c2 > 0xDFFF) { StdioException("unpaired UTF-16 surrogate"); } c = ((c - 0xD7C0) << 10) + (c2 - 0xDC00); } std.utf.encode(buf, c); } } if (ferror(fp)) StdioException(); return buf.length; } else version (Posix) { buf.length = 0; for (int c; (c = FGETWC(fp)) != -1; ) { if ((c & ~0x7F) == 0) buf ~= cast(char)c; else std.utf.encode(buf, cast(dchar)c); if (c == terminator) break; } if (ferror(fps)) StdioException(); return buf.length; } else { static assert(0); } } char *lineptr = null; size_t n = 0; auto s = getdelim(&lineptr, &n, terminator, fps); scope(exit) free(lineptr); if (s < 0) { if (ferror(fps)) StdioException(); buf.length = 0; // end of file return 0; } buf = buf.ptr[0 .. GC.sizeOf(buf.ptr)]; if (s <= buf.length) { buf.length = s; buf[] = lineptr[0 .. s]; } else { buf = lineptr[0 .. s].dup; } return s; } version (GENERIC_IO) private size_t readlnImpl(FILE* fps, ref char[] buf, dchar terminator = '\n') { FLOCK(fps); scope(exit) FUNLOCK(fps); auto fp = cast(_iobuf*)fps; if (fwide(fps, 0) > 0) { /* Stream is in wide characters. * Read them and convert to chars. */ version (Windows) { buf.length = 0; for (int c; (c = FGETWC(fp)) != -1; ) { if ((c & ~0x7F) == 0) { buf ~= c; if (c == terminator) break; } else { if (c >= 0xD800 && c <= 0xDBFF) { int c2 = void; if ((c2 = FGETWC(fp)) != -1 || c2 < 0xDC00 && c2 > 0xDFFF) { StdioException("unpaired UTF-16 surrogate"); } c = ((c - 0xD7C0) << 10) + (c2 - 0xDC00); } std.utf.encode(buf, c); } } if (ferror(fp)) StdioException(); return buf.length; } else version (Posix) { buf.length = 0; for (int c; (c = FGETWC(fp)) != -1; ) { if ((c & ~0x7F) == 0) buf ~= cast(char)c; else std.utf.encode(buf, cast(dchar)c); if (c == terminator) break; } if (ferror(fps)) StdioException(); return buf.length; } else { static assert(0); } } // Narrow stream // First, fill the existing buffer for (size_t bufPos = 0; bufPos < buf.length; ) { immutable c = FGETC(fp); if (c == -1) { buf.length = bufPos; goto endGame; } buf.ptr[bufPos++] = cast(char) c; if (c == terminator) { // No need to test for errors in file buf.length = bufPos; return bufPos; } } // Then, append to it for (int c; (c = FGETC(fp)) != -1; ) { buf ~= cast(char)c; if (c == terminator) { // No need to test for errors in file return buf.length; } } endGame: if (ferror(fps)) StdioException(); return buf.length; } /** Experimental network access via the File interface Opens a TCP connection to the given host and port, then returns a File struct with read and write access through the same interface as any other file (meaning writef and the byLine ranges work!). Authors: Adam D. Ruppe Bugs: Only works on Linux */ version(linux) { static import linux = std.c.linux.linux; static import sock = std.c.linux.socket; import core.stdc.string : memcpy; File openNetwork(string host, ushort port) { auto h = enforce( sock.gethostbyname(std.string.toStringz(host)), new StdioException("gethostbyname")); int s = sock.socket(sock.AF_INET, sock.SOCK_STREAM, 0); enforce(s != -1, new StdioException("socket")); scope(failure) { linux.close(s); // want to make sure it doesn't dangle if // something throws. Upon normal exit, the // File struct's reference counting takes // care of closing, so we don't need to // worry about success } sock.sockaddr_in addr; addr.sin_family = sock.AF_INET; addr.sin_port = sock.htons(port); core.stdc.string.memcpy(&addr.sin_addr.s_addr, h.h_addr, h.h_length); enforce(sock.connect(s, cast(sock.sockaddr*) &addr, addr.sizeof) != -1, new StdioException("Connect failed")); return File(enforce(fdopen(s, "w+".ptr)), host ~ ":" ~ to!string(port)); } } version(unittest) string testFilename(string file = __FILE__, size_t line = __LINE__) { import std.path; // Non-ASCII characters can't be used because of snn.lib @@@BUG8643@@@ version(DIGITAL_MARS_STDIO) return text("deleteme-.", baseName(file), ".", line); else // filename intentionally contains non-ASCII (Russian) characters return text("deleteme-детка.", baseName(file), ".", line); }
D
/Users/pacmac/Documents/GitHub/Blockchain/substarte_blockchain/substrate-node-template/target/release/deps/integer_sqrt-a0a7ecc374b5b515.rmeta: /Users/pacmac/.cargo/registry/src/github.com-1ecc6299db9ec823/integer-sqrt-0.1.5/src/lib.rs /Users/pacmac/Documents/GitHub/Blockchain/substarte_blockchain/substrate-node-template/target/release/deps/libinteger_sqrt-a0a7ecc374b5b515.rlib: /Users/pacmac/.cargo/registry/src/github.com-1ecc6299db9ec823/integer-sqrt-0.1.5/src/lib.rs /Users/pacmac/Documents/GitHub/Blockchain/substarte_blockchain/substrate-node-template/target/release/deps/integer_sqrt-a0a7ecc374b5b515.d: /Users/pacmac/.cargo/registry/src/github.com-1ecc6299db9ec823/integer-sqrt-0.1.5/src/lib.rs /Users/pacmac/.cargo/registry/src/github.com-1ecc6299db9ec823/integer-sqrt-0.1.5/src/lib.rs:
D
/** * D header file for Linux. * * Copyright: Copyright Alex Rønne Petersen 2012. * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Authors: Alex Rønne Petersen */ module core.sys.linux.sys.signalfd; import core.sys.posix.signal; version (linux): extern (C): @system: nothrow: @nogc: struct signalfd_siginfo { uint ssi_signo; int ssi_errno; int ssi_code; uint ssi_pid; uint ssi_uid; int ssi_fd; uint ssi_tid; uint ssi_band; uint ssi_overrun; uint ssi_trapno; int ssi_status; int ssi_int; ulong ssi_ptr; ulong ssi_utime; ulong ssi_stime; ulong ssi_addr; ubyte[48] __pad; } enum SFD_CLOEXEC = 0x80000; // 02000000 enum SFD_NONBLOCK = 0x800; // 04000 int signalfd (int __fd, const(sigset_t)* __mask, int __flags);
D
/** Markdown parser implementation Copyright: © 2012-2014 RejectedSoftware e.K. License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module vibe.textfilter.markdown; import vibe.core.log; import vibe.textfilter.html; import vibe.utils.string; import std.algorithm : canFind, countUntil, min; import std.array; import std.format; import std.range; import std.string; /* TODO: detect inline HTML tags */ version(MarkdownTest) { int main() { import std.file; setLogLevel(LogLevel.Trace); auto text = readText("test.txt"); auto result = appender!string(); filterMarkdown(result, text); foreach( ln; splitLines(result.data) ) logInfo(ln); return 0; } } /** Returns a Markdown filtered HTML string. */ string filterMarkdown()(string str, MarkdownFlags flags) @trusted { // scope class is not @safe for DMD 2.072 scope settings = new MarkdownSettings; settings.flags = flags; return filterMarkdown(str, settings); } /// ditto string filterMarkdown()(string str, scope MarkdownSettings settings = null) @trusted { // Appender not @safe as of 2.065 auto dst = appender!string(); filterMarkdown(dst, str, settings); return dst.data; } /** Markdown filters the given string and writes the corresponding HTML to an output range. */ void filterMarkdown(R)(ref R dst, string src, MarkdownFlags flags) { scope settings = new MarkdownSettings; settings.flags = flags; filterMarkdown(dst, src, settings); } /// ditto void filterMarkdown(R)(ref R dst, string src, scope MarkdownSettings settings = null) { if (!settings) settings = new MarkdownSettings; auto all_lines = splitLines(src); auto links = scanForReferences(all_lines); auto lines = parseLines(all_lines, settings); Block root_block; parseBlocks(root_block, lines, null, settings); writeBlock(dst, root_block, links, settings); } /** Returns the hierarchy of sections */ Section[] getMarkdownOutline(string markdown_source, scope MarkdownSettings settings = null) { import std.conv : to; if (!settings) settings = new MarkdownSettings; auto all_lines = splitLines(markdown_source); auto lines = parseLines(all_lines, settings); Block root_block; parseBlocks(root_block, lines, null, settings); Section root; foreach (ref sb; root_block.blocks) { if (sb.type == BlockType.Header) { auto s = &root; while (true) { if (s.subSections.length == 0) break; if (s.subSections[$-1].headingLevel >= sb.headerLevel) break; s = &s.subSections[$-1]; } s.subSections ~= Section(sb.headerLevel, sb.text[0], sb.text[0].asSlug.to!string); } } return root.subSections; } /// unittest { import std.conv : to; assert(getMarkdownOutline("## first\n## second\n### third\n# fourth\n### fifth") == [ Section(2, " first", "first"), Section(2, " second", "second", [ Section(3, " third", "third") ]), Section(1, " fourth", "fourth", [ Section(3, " fifth", "fifth") ]) ] ); } final class MarkdownSettings { /// Controls the capabilities of the parser. MarkdownFlags flags = MarkdownFlags.vanillaMarkdown; /// Heading tags will start at this level. size_t headingBaseLevel = 1; /// Called for every link/image URL to perform arbitrary transformations. string delegate(string url_or_path, bool is_image) urlFilter; /// White list of URI schemas that can occur in link/image targets string[] allowedURISchemas = ["http", "https", "ftp", "mailto"]; } enum MarkdownFlags { none = 0, keepLineBreaks = 1<<0, backtickCodeBlocks = 1<<1, noInlineHtml = 1<<2, //noLinks = 1<<3, //allowUnsafeHtml = 1<<4, tables = 1<<5, vanillaMarkdown = none, forumDefault = keepLineBreaks|backtickCodeBlocks|noInlineHtml|tables } struct Section { size_t headingLevel; string caption; string anchor; Section[] subSections; } private { immutable s_blockTags = ["div", "ol", "p", "pre", "section", "table", "ul"]; } private enum IndentType { White, Quote } private enum LineType { Undefined, Blank, Plain, Hline, AtxHeader, SetextHeader, TableSeparator, UList, OList, HtmlBlock, CodeBlockDelimiter } private struct Line { LineType type; IndentType[] indent; string text; string unindented; string unindent(size_t n) pure @safe { assert(n <= indent.length); string ln = text; foreach( i; 0 .. n ){ final switch(indent[i]){ case IndentType.White: if( ln[0] == ' ' ) ln = ln[4 .. $]; else ln = ln[1 .. $]; break; case IndentType.Quote: ln = ln.stripLeft()[1 .. $]; if (ln.startsWith(' ')) ln.popFront(); break; } } return ln; } } private Line[] parseLines(string[] lines, scope MarkdownSettings settings) pure @safe { Line[] ret; while( !lines.empty ){ auto ln = lines.front; lines.popFront(); Line lninfo; lninfo.text = ln; while( ln.length > 0 ){ if( ln[0] == '\t' ){ lninfo.indent ~= IndentType.White; ln.popFront(); } else if( ln.startsWith(" ") ){ lninfo.indent ~= IndentType.White; ln.popFrontN(4); } else { if( ln.stripLeft().startsWith(">") ){ lninfo.indent ~= IndentType.Quote; ln = ln.stripLeft(); ln.popFront(); if (ln.startsWith(' ')) ln.popFront(); } else break; } } lninfo.unindented = ln; if( (settings.flags & MarkdownFlags.backtickCodeBlocks) && isCodeBlockDelimiter(ln) ) lninfo.type = LineType.CodeBlockDelimiter; else if( isAtxHeaderLine(ln) ) lninfo.type = LineType.AtxHeader; else if( isSetextHeaderLine(ln) ) lninfo.type = LineType.SetextHeader; else if( (settings.flags & MarkdownFlags.tables) && isTableSeparatorLine(ln) ) lninfo.type = LineType.TableSeparator; else if( isHlineLine(ln) ) lninfo.type = LineType.Hline; else if( isOListLine(ln) ) lninfo.type = LineType.OList; else if( isUListLine(ln) ) lninfo.type = LineType.UList; else if( isLineBlank(ln) ) lninfo.type = LineType.Blank; else if( !(settings.flags & MarkdownFlags.noInlineHtml) && isHtmlBlockLine(ln) ) lninfo.type = LineType.HtmlBlock; else lninfo.type = LineType.Plain; ret ~= lninfo; } return ret; } unittest { import std.conv : to; auto s = new MarkdownSettings; s.flags = MarkdownFlags.forumDefault; auto lns = [">```D"]; assert(parseLines(lns, s) == [Line(LineType.CodeBlockDelimiter, [IndentType.Quote], lns[0], "```D")]); lns = ["> ```D"]; assert(parseLines(lns, s) == [Line(LineType.CodeBlockDelimiter, [IndentType.Quote], lns[0], "```D")]); lns = ["> ```D"]; assert(parseLines(lns, s) == [Line(LineType.CodeBlockDelimiter, [IndentType.Quote], lns[0], " ```D")]); lns = ["> ```D"]; assert(parseLines(lns, s) == [Line(LineType.CodeBlockDelimiter, [IndentType.Quote, IndentType.White], lns[0], "```D")]); lns = [">test"]; assert(parseLines(lns, s) == [Line(LineType.Plain, [IndentType.Quote], lns[0], "test")]); lns = ["> test"]; assert(parseLines(lns, s) == [Line(LineType.Plain, [IndentType.Quote], lns[0], "test")]); lns = ["> test"]; assert(parseLines(lns, s) == [Line(LineType.Plain, [IndentType.Quote], lns[0], " test")]); lns = ["> test"]; assert(parseLines(lns, s) == [Line(LineType.Plain, [IndentType.Quote, IndentType.White], lns[0], "test")]); } private enum BlockType { Plain, Text, Paragraph, Header, Table, OList, UList, ListItem, Code, Quote } private struct Block { BlockType type; string[] text; Block[] blocks; size_t headerLevel; Alignment[] columns; } private enum Alignment { none = 0, left = 1<<0, right = 1<<1, center = left | right } private void parseBlocks(ref Block root, ref Line[] lines, IndentType[] base_indent, scope MarkdownSettings settings) pure @safe { if( base_indent.length == 0 ) root.type = BlockType.Text; else if( base_indent[$-1] == IndentType.Quote ) root.type = BlockType.Quote; while( !lines.empty ){ auto ln = lines.front; if( ln.type == LineType.Blank ){ lines.popFront(); continue; } if( ln.indent != base_indent ){ if( ln.indent.length < base_indent.length || ln.indent[0 .. base_indent.length] != base_indent ) return; auto cindent = base_indent ~ IndentType.White; if( ln.indent == cindent ){ Block cblock; cblock.type = BlockType.Code; while( !lines.empty && (lines.front.unindented.strip.empty || lines.front.indent.length >= cindent.length && lines.front.indent[0 .. cindent.length] == cindent)) { cblock.text ~= lines.front.indent.length >= cindent.length ? lines.front.unindent(cindent.length) : ""; lines.popFront(); } root.blocks ~= cblock; } else { Block subblock; parseBlocks(subblock, lines, ln.indent[0 .. base_indent.length+1], settings); root.blocks ~= subblock; } } else { Block b; final switch(ln.type){ case LineType.Undefined: assert(false); case LineType.Blank: assert(false); case LineType.Plain: if( lines.length >= 2 && lines[1].type == LineType.SetextHeader ){ auto setln = lines[1].unindented; b.type = BlockType.Header; b.text = [ln.unindented]; b.headerLevel = setln.strip()[0] == '=' ? 1 : 2; lines.popFrontN(2); } else if( lines.length >= 2 && lines[1].type == LineType.TableSeparator && ln.unindented.indexOf('|') >= 0 ) { auto setln = lines[1].unindented; b.type = BlockType.Table; b.text = [ln.unindented]; foreach (c; getTableColumns(setln)) { Alignment a = Alignment.none; if (c.startsWith(':')) a |= Alignment.left; if (c.endsWith(':')) a |= Alignment.right; b.columns ~= a; } lines.popFrontN(2); while (!lines.empty && lines[0].unindented.indexOf('|') >= 0) { b.text ~= lines.front.unindented; lines.popFront(); } } else { b.type = BlockType.Paragraph; b.text = skipText(lines, base_indent); } break; case LineType.Hline: b.type = BlockType.Plain; b.text = ["<hr>"]; lines.popFront(); break; case LineType.AtxHeader: b.type = BlockType.Header; string hl = ln.unindented; b.headerLevel = 0; while( hl.length > 0 && hl[0] == '#' ){ b.headerLevel++; hl = hl[1 .. $]; } while( hl.length > 0 && (hl[$-1] == '#' || hl[$-1] == ' ') ) hl = hl[0 .. $-1]; b.text = [hl]; lines.popFront(); break; case LineType.SetextHeader: lines.popFront(); break; case LineType.TableSeparator: lines.popFront(); break; case LineType.UList: case LineType.OList: b.type = ln.type == LineType.UList ? BlockType.UList : BlockType.OList; auto itemindent = base_indent ~ IndentType.White; bool firstItem = true, paraMode = false; while(!lines.empty && lines.front.type == ln.type && lines.front.indent == base_indent ){ Block itm; itm.text = skipText(lines, itemindent); itm.text[0] = removeListPrefix(itm.text[0], ln.type); // emit <p></p> if there are blank lines between the items if( firstItem && !lines.empty && lines.front.type == LineType.Blank ) paraMode = true; firstItem = false; if( paraMode ){ Block para; para.type = BlockType.Paragraph; para.text = itm.text; itm.blocks ~= para; itm.text = null; } parseBlocks(itm, lines, itemindent, settings); itm.type = BlockType.ListItem; b.blocks ~= itm; } break; case LineType.HtmlBlock: int nestlevel = 0; auto starttag = parseHtmlBlockLine(ln.unindented); if( !starttag.isHtmlBlock || !starttag.open ) break; b.type = BlockType.Plain; while(!lines.empty){ if( lines.front.indent.length < base_indent.length ) break; if( lines.front.indent[0 .. base_indent.length] != base_indent ) break; auto str = lines.front.unindent(base_indent.length); auto taginfo = parseHtmlBlockLine(str); b.text ~= lines.front.unindent(base_indent.length); lines.popFront(); if( taginfo.isHtmlBlock && taginfo.tagName == starttag.tagName ) nestlevel += taginfo.open ? 1 : -1; if( nestlevel <= 0 ) break; } break; case LineType.CodeBlockDelimiter: lines.popFront(); // TODO: get language from line b.type = BlockType.Code; while(!lines.empty){ if( lines.front.indent.length < base_indent.length ) break; if( lines.front.indent[0 .. base_indent.length] != base_indent ) break; if( lines.front.type == LineType.CodeBlockDelimiter ){ lines.popFront(); break; } b.text ~= lines.front.unindent(base_indent.length); lines.popFront(); } break; } root.blocks ~= b; } } } private string[] skipText(ref Line[] lines, IndentType[] indent) pure @safe { static bool matchesIndent(IndentType[] indent, IndentType[] base_indent) { if( indent.length > base_indent.length ) return false; if( indent != base_indent[0 .. indent.length] ) return false; sizediff_t qidx = -1; foreach_reverse (i, tp; base_indent) if (tp == IndentType.Quote) { qidx = i; break; } if( qidx >= 0 ){ qidx = base_indent.length-1 - qidx; if( indent.length <= qidx ) return false; } return true; } if (lines.empty) return [""]; // return value is used in variables that don't get bounds checks on the first element, so we should return at least one string[] ret; while(true){ ret ~= lines.front.unindent(min(indent.length, lines.front.indent.length)); lines.popFront(); if( lines.empty || !matchesIndent(lines.front.indent, indent) || lines.front.type != LineType.Plain ) return ret; } } /// private private void writeBlock(R)(ref R dst, ref const Block block, LinkRef[string] links, scope MarkdownSettings settings) { final switch(block.type){ case BlockType.Plain: foreach( ln; block.text ){ dst.put(ln); dst.put("\n"); } foreach(b; block.blocks) writeBlock(dst, b, links, settings); break; case BlockType.Text: writeMarkdownEscaped(dst, block, links, settings); foreach(b; block.blocks) writeBlock(dst, b, links, settings); break; case BlockType.Paragraph: assert(block.blocks.length == 0); dst.put("<p>"); writeMarkdownEscaped(dst, block, links, settings); dst.put("</p>\n"); break; case BlockType.Header: assert(block.blocks.length == 0); auto hlvl = block.headerLevel + (settings ? settings.headingBaseLevel-1 : 0); dst.formattedWrite("<h%s id=\"%s\">", hlvl, block.text[0].asSlug); assert(block.text.length == 1); writeMarkdownEscaped(dst, block.text[0], links, settings); dst.formattedWrite("</h%s>\n", hlvl); break; case BlockType.Table: import std.algorithm.iteration : splitter; static string[Alignment.max+1] alstr = ["", " align=\"left\"", " align=\"right\"", " align=\"center\""]; dst.put("<table>\n"); dst.put("<tr>"); size_t i = 0; foreach (col; block.text[0].getTableColumns()) { dst.put("<th"); dst.put(alstr[block.columns[i]]); dst.put('>'); dst.writeMarkdownEscaped(col, links, settings); dst.put("</th>"); if (i + 1 < block.columns.length) i++; } dst.put("</tr>\n"); foreach (ln; block.text[1 .. $]) { dst.put("<tr>"); i = 0; foreach (col; ln.getTableColumns()) { dst.put("<td"); dst.put(alstr[block.columns[i]]); dst.put('>'); dst.writeMarkdownEscaped(col, links, settings); dst.put("</td>"); if (i + 1 < block.columns.length) i++; } dst.put("</tr>\n"); } dst.put("</table>\n"); break; case BlockType.OList: dst.put("<ol>\n"); foreach(b; block.blocks) writeBlock(dst, b, links, settings); dst.put("</ol>\n"); break; case BlockType.UList: dst.put("<ul>\n"); foreach(b; block.blocks) writeBlock(dst, b, links, settings); dst.put("</ul>\n"); break; case BlockType.ListItem: dst.put("<li>"); writeMarkdownEscaped(dst, block, links, settings); foreach(b; block.blocks) writeBlock(dst, b, links, settings); dst.put("</li>\n"); break; case BlockType.Code: assert(block.blocks.length == 0); dst.put("<pre class=\"prettyprint\"><code>"); foreach(ln; block.text){ filterHTMLEscape(dst, ln); dst.put("\n"); } dst.put("</code></pre>\n"); break; case BlockType.Quote: dst.put("<blockquote>"); writeMarkdownEscaped(dst, block, links, settings); foreach(b; block.blocks) writeBlock(dst, b, links, settings); dst.put("</blockquote>\n"); break; } } private void writeMarkdownEscaped(R)(ref R dst, ref const Block block, in LinkRef[string] links, scope MarkdownSettings settings) { auto lines = () @trusted { return cast(string[])block.text; } (); auto text = settings.flags & MarkdownFlags.keepLineBreaks ? lines.join("<br>") : lines.join("\n"); writeMarkdownEscaped(dst, text, links, settings); if (lines.length) dst.put("\n"); } /// private private void writeMarkdownEscaped(R)(ref R dst, string ln, in LinkRef[string] linkrefs, scope MarkdownSettings settings) { bool isAllowedURI(string lnk) { auto idx = lnk.indexOf('/'); auto cidx = lnk.indexOf(':'); // always allow local URIs if (cidx < 0 || idx >= 0 && cidx > idx) return true; return settings.allowedURISchemas.canFind(lnk[0 .. cidx]); } string filterLink(string lnk, bool is_image) { if (isAllowedURI(lnk)) return settings.urlFilter ? settings.urlFilter(lnk, is_image) : lnk; return "#"; // replace link with unknown schema with dummy URI } bool br = ln.endsWith(" "); while( ln.length > 0 ){ switch( ln[0] ){ default: dst.put(ln[0]); ln = ln[1 .. $]; break; case '\\': if( ln.length >= 2 ){ switch(ln[1]){ default: dst.put(ln[0 .. 2]); ln = ln[2 .. $]; break; case '\'', '`', '*', '_', '{', '}', '[', ']', '(', ')', '#', '+', '-', '.', '!': dst.put(ln[1]); ln = ln[2 .. $]; break; } } else { dst.put(ln[0]); ln = ln[1 .. $]; } break; case '_': case '*': string text; if( auto em = parseEmphasis(ln, text) ){ dst.put(em == 1 ? "<em>" : em == 2 ? "<strong>" : "<strong><em>"); filterHTMLEscape(dst, text, HTMLEscapeFlags.escapeMinimal); dst.put(em == 1 ? "</em>" : em == 2 ? "</strong>": "</em></strong>"); } else { dst.put(ln[0]); ln = ln[1 .. $]; } break; case '`': string code; if( parseInlineCode(ln, code) ){ dst.put("<code class=\"prettyprint\">"); filterHTMLEscape(dst, code, HTMLEscapeFlags.escapeMinimal); dst.put("</code>"); } else { dst.put(ln[0]); ln = ln[1 .. $]; } break; case '[': Link link; if( parseLink(ln, link, linkrefs) ){ dst.put("<a href=\""); filterHTMLAttribEscape(dst, filterLink(link.url, false)); dst.put("\""); if( link.title.length ){ dst.put(" title=\""); filterHTMLAttribEscape(dst, link.title); dst.put("\""); } dst.put(">"); writeMarkdownEscaped(dst, link.text, linkrefs, settings); dst.put("</a>"); } else { dst.put(ln[0]); ln = ln[1 .. $]; } break; case '!': Link link; if( parseLink(ln, link, linkrefs) ){ dst.put("<img src=\""); filterHTMLAttribEscape(dst, filterLink(link.url, true)); dst.put("\" alt=\""); filterHTMLAttribEscape(dst, link.text); dst.put("\""); if( link.title.length ){ dst.put(" title=\""); filterHTMLAttribEscape(dst, link.title); dst.put("\""); } dst.put(">"); } else if( ln.length >= 2 ){ dst.put(ln[0 .. 2]); ln = ln[2 .. $]; } else { dst.put(ln[0]); ln = ln[1 .. $]; } break; case '>': if( settings.flags & MarkdownFlags.noInlineHtml ) dst.put("&gt;"); else dst.put(ln[0]); ln = ln[1 .. $]; break; case '<': string url; if( parseAutoLink(ln, url) ){ bool is_email = url.startsWith("mailto:"); dst.put("<a href=\""); if (is_email) filterHTMLAllEscape(dst, url); else filterHTMLAttribEscape(dst, filterLink(url, false)); dst.put("\">"); if (is_email) filterHTMLAllEscape(dst, url[7 .. $]); else filterHTMLEscape(dst, url, HTMLEscapeFlags.escapeMinimal); dst.put("</a>"); } else { if (ln.startsWith("<br>")) { // always support line breaks, since we embed them here ourselves! dst.put("<br/>"); ln = ln[4 .. $]; } else if(ln.startsWith("<br/>")) { dst.put("<br/>"); ln = ln[5 .. $]; } else { if( settings.flags & MarkdownFlags.noInlineHtml ) dst.put("&lt;"); else dst.put(ln[0]); ln = ln[1 .. $]; } } break; } } if( br ) dst.put("<br/>"); } private bool isLineBlank(string ln) pure @safe { return allOf(ln, " \t"); } private bool isSetextHeaderLine(string ln) pure @safe { ln = stripLeft(ln); if( ln.length < 1 ) return false; if( ln[0] == '=' ){ while(!ln.empty && ln.front == '=') ln.popFront(); return allOf(ln, " \t"); } if( ln[0] == '-' ){ while(!ln.empty && ln.front == '-') ln.popFront(); return allOf(ln, " \t"); } return false; } private bool isAtxHeaderLine(string ln) pure @safe { ln = stripLeft(ln); size_t i = 0; while( i < ln.length && ln[i] == '#' ) i++; if( i < 1 || i > 6 || i >= ln.length ) return false; return ln[i] == ' '; } private bool isTableSeparatorLine(string ln) pure @safe { import std.algorithm.iteration : splitter; ln = strip(ln); if (ln.startsWith("|")) ln = ln[1 .. $]; if (ln.endsWith("|")) ln = ln[0 .. $-1]; auto cols = ln.splitter('|'); size_t cnt = 0; foreach (c; cols) { if (c.startsWith(':')) c = c[1 .. $]; if (c.endsWith(':')) c = c[0 .. $-1]; if (c.length < 3 || !c.allOf("-")) return false; cnt++; } return cnt >= 2; } private auto getTableColumns(string line) pure @safe nothrow { import std.algorithm.iteration : map, splitter; if (line.startsWith("|")) line = line[1 .. $]; if (line.endsWith("|")) line = line[0 .. $-1]; return line.splitter('|').map!(s => s.strip()); } private size_t countTableColumns(string line) pure @safe { return getTableColumns(line).count(); } private bool isHlineLine(string ln) pure @safe { if( allOf(ln, " -") && count(ln, '-') >= 3 ) return true; if( allOf(ln, " *") && count(ln, '*') >= 3 ) return true; if( allOf(ln, " _") && count(ln, '_') >= 3 ) return true; return false; } private bool isQuoteLine(string ln) pure @safe { return ln.stripLeft().startsWith(">"); } private size_t getQuoteLevel(string ln) pure @safe { size_t level = 0; ln = stripLeft(ln); while( ln.length > 0 && ln[0] == '>' ){ level++; ln = stripLeft(ln[1 .. $]); } return level; } private bool isUListLine(string ln) pure @safe { ln = stripLeft(ln); if (ln.length < 2) return false; if (!canFind("*+-", ln[0])) return false; if (ln[1] != ' ' && ln[1] != '\t') return false; return true; } private bool isOListLine(string ln) pure @safe { ln = stripLeft(ln); if( ln.length < 1 ) return false; if( ln[0] < '0' || ln[0] > '9' ) return false; ln = ln[1 .. $]; while( ln.length > 0 && ln[0] >= '0' && ln[0] <= '9' ) ln = ln[1 .. $]; if( ln.length < 2 ) return false; if( ln[0] != '.' ) return false; if( ln[1] != ' ' && ln[1] != '\t' ) return false; return true; } private string removeListPrefix(string str, LineType tp) pure @safe { switch(tp){ default: assert(false); case LineType.OList: // skip bullets and output using normal escaping auto idx = str.indexOfCT('.'); assert(idx > 0); return str[idx+1 .. $].stripLeft(); case LineType.UList: return stripLeft(str.stripLeft()[1 .. $]); } } private auto parseHtmlBlockLine(string ln) pure @safe { struct HtmlBlockInfo { bool isHtmlBlock; string tagName; bool open; } HtmlBlockInfo ret; ret.isHtmlBlock = false; ret.open = true; ln = strip(ln); if( ln.length < 3 ) return ret; if( ln[0] != '<' ) return ret; if( ln[1] == '/' ){ ret.open = false; ln = ln[1 .. $]; } import std.ascii : isAlpha; if( !isAlpha(ln[1]) ) return ret; ln = ln[1 .. $]; size_t idx = 0; while( idx < ln.length && ln[idx] != ' ' && ln[idx] != '>' ) idx++; ret.tagName = ln[0 .. idx]; ln = ln[idx .. $]; auto eidx = ln.indexOf('>'); if( eidx < 0 ) return ret; if( eidx != ln.length-1 ) return ret; if (!s_blockTags.canFind(ret.tagName)) return ret; ret.isHtmlBlock = true; return ret; } private bool isHtmlBlockLine(string ln) pure @safe { auto bi = parseHtmlBlockLine(ln); return bi.isHtmlBlock && bi.open; } private bool isHtmlBlockCloseLine(string ln) pure @safe { auto bi = parseHtmlBlockLine(ln); return bi.isHtmlBlock && !bi.open; } private bool isCodeBlockDelimiter(string ln) pure @safe { return ln.stripLeft.startsWith("```"); } private string getHtmlTagName(string ln) pure @safe { return parseHtmlBlockLine(ln).tagName; } private bool isLineIndented(string ln) pure @safe { return ln.startsWith("\t") || ln.startsWith(" "); } private string unindentLine(string ln) pure @safe { if( ln.startsWith("\t") ) return ln[1 .. $]; if( ln.startsWith(" ") ) return ln[4 .. $]; assert(false); } private int parseEmphasis(ref string str, ref string text) pure @safe { string pstr = str; if( pstr.length < 3 ) return false; string ctag; if( pstr.startsWith("***") ) ctag = "***"; else if( pstr.startsWith("**") ) ctag = "**"; else if( pstr.startsWith("*") ) ctag = "*"; else if( pstr.startsWith("___") ) ctag = "___"; else if( pstr.startsWith("__") ) ctag = "__"; else if( pstr.startsWith("_") ) ctag = "_"; else return false; pstr = pstr[ctag.length .. $]; auto cidx = () @trusted { return pstr.indexOf(ctag); }(); if( cidx < 1 ) return false; text = pstr[0 .. cidx]; str = pstr[cidx+ctag.length .. $]; return cast(int)ctag.length; } private bool parseInlineCode(ref string str, ref string code) pure @safe { string pstr = str; if( pstr.length < 3 ) return false; string ctag; if( pstr.startsWith("``") ) ctag = "``"; else if( pstr.startsWith("`") ) ctag = "`"; else return false; pstr = pstr[ctag.length .. $]; auto cidx = () @trusted { return pstr.indexOf(ctag); }(); if( cidx < 1 ) return false; code = pstr[0 .. cidx]; str = pstr[cidx+ctag.length .. $]; return true; } private bool parseLink(ref string str, ref Link dst, in LinkRef[string] linkrefs) pure @safe { string pstr = str; if( pstr.length < 3 ) return false; // ignore img-link prefix if( pstr[0] == '!' ) pstr = pstr[1 .. $]; // parse the text part [text] if( pstr[0] != '[' ) return false; auto cidx = pstr.matchBracket(); if( cidx < 1 ) return false; string refid; dst.text = pstr[1 .. cidx]; pstr = pstr[cidx+1 .. $]; // parse either (link '['"title"']') or '[' ']'[refid] if( pstr.length < 2 ) return false; if( pstr[0] == '('){ cidx = pstr.matchBracket(); if( cidx < 1 ) return false; auto inner = pstr[1 .. cidx]; immutable qidx = inner.indexOfCT('"'); import std.ascii : isWhite; if( qidx > 1 && inner[qidx - 1].isWhite()){ dst.url = inner[0 .. qidx].stripRight(); immutable len = inner[qidx .. $].lastIndexOf('"'); if( len == 0 ) return false; assert(len > 0); dst.title = inner[qidx + 1 .. qidx + len]; } else { dst.url = inner.stripRight(); dst.title = null; } if (dst.url.startsWith("<") && dst.url.endsWith(">")) dst.url = dst.url[1 .. $-1]; pstr = pstr[cidx+1 .. $]; } else { if( pstr[0] == ' ' ) pstr = pstr[1 .. $]; if( pstr[0] != '[' ) return false; pstr = pstr[1 .. $]; cidx = pstr.indexOfCT(']'); if( cidx < 0 ) return false; if( cidx == 0 ) refid = dst.text; else refid = pstr[0 .. cidx]; pstr = pstr[cidx+1 .. $]; } if( refid.length > 0 ){ auto pr = toLower(refid) in linkrefs; if( !pr ){ debug if (!__ctfe) logDebug("[LINK REF NOT FOUND: '%s'", refid); return false; } dst.url = pr.url; dst.title = pr.title; } str = pstr; return true; } @safe unittest { static void testLink(string s, Link exp, in LinkRef[string] refs) { Link link; assert(parseLink(s, link, refs), s); assert(link == exp); } LinkRef[string] refs; refs["ref"] = LinkRef("ref", "target", "title"); testLink(`[link](target)`, Link("link", "target"), null); testLink(`[link](target "title")`, Link("link", "target", "title"), null); testLink(`[link](target "title")`, Link("link", "target", "title"), null); testLink(`[link](target "title" )`, Link("link", "target", "title"), null); testLink(`[link](target)`, Link("link", "target"), null); testLink(`[link](target "title")`, Link("link", "target", "title"), null); testLink(`[link][ref]`, Link("link", "target", "title"), refs); testLink(`[ref][]`, Link("ref", "target", "title"), refs); testLink(`[link[with brackets]](target)`, Link("link[with brackets]", "target"), null); testLink(`[link[with brackets]][ref]`, Link("link[with brackets]", "target", "title"), refs); testLink(`[link](/target with spaces )`, Link("link", "/target with spaces"), null); testLink(`[link](/target with spaces "title")`, Link("link", "/target with spaces", "title"), null); testLink(`[link](white-space "around title" )`, Link("link", "white-space", "around title"), null); testLink(`[link](tabs "around title" )`, Link("link", "tabs", "around title"), null); testLink(`[link](target "")`, Link("link", "target", ""), null); testLink(`[link](target-no-title"foo" )`, Link("link", "target-no-title\"foo\"", ""), null); testLink(`[link](<target>)`, Link("link", "target"), null); auto failing = [ `text`, `[link](target`, `[link]target)`, `[link]`, `[link(target)`, `link](target)`, `[link] (target)`, `[link][noref]`, `[noref][]` ]; Link link; foreach (s; failing) assert(!parseLink(s, link, refs), s); } private bool parseAutoLink(ref string str, ref string url) pure @safe { string pstr = str; if( pstr.length < 3 ) return false; if( pstr[0] != '<' ) return false; pstr = pstr[1 .. $]; auto cidx = pstr.indexOf('>'); if( cidx < 0 ) return false; url = pstr[0 .. cidx]; if( anyOf(url, " \t") ) return false; if( !anyOf(url, ":@") ) return false; str = pstr[cidx+1 .. $]; if( url.indexOf('@') > 0 ) url = "mailto:"~url; return true; } private LinkRef[string] scanForReferences(ref string[] lines) pure @safe { LinkRef[string] ret; bool[size_t] reflines; // search for reference definitions: // [refid] link "opt text" // [refid] <link> "opt text" // "opt text", 'opt text', (opt text) // line must not be indented foreach( lnidx, ln; lines ){ if( isLineIndented(ln) ) continue; ln = strip(ln); if( !ln.startsWith("[") ) continue; ln = ln[1 .. $]; auto idx = () @trusted { return ln.indexOf("]:"); }(); if( idx < 0 ) continue; string refid = ln[0 .. idx]; ln = stripLeft(ln[idx+2 .. $]); string url; if( ln.startsWith("<") ){ idx = ln.indexOfCT('>'); if( idx < 0 ) continue; url = ln[1 .. idx]; ln = ln[idx+1 .. $]; } else { idx = ln.indexOfCT(' '); if( idx > 0 ){ url = ln[0 .. idx]; ln = ln[idx+1 .. $]; } else { idx = ln.indexOfCT('\t'); if( idx < 0 ){ url = ln; ln = ln[$ .. $]; } else { url = ln[0 .. idx]; ln = ln[idx+1 .. $]; } } } ln = stripLeft(ln); string title; if( ln.length >= 3 ){ if( ln[0] == '(' && ln[$-1] == ')' || ln[0] == '\"' && ln[$-1] == '\"' || ln[0] == '\'' && ln[$-1] == '\'' ) title = ln[1 .. $-1]; } ret[toLower(refid)] = LinkRef(refid, url, title); reflines[lnidx] = true; debug if (!__ctfe) logTrace("[detected ref on line %d]", lnidx+1); } // remove all lines containing references auto nonreflines = appender!(string[])(); nonreflines.reserve(lines.length); foreach( i, ln; lines ) if( i !in reflines ) nonreflines.put(ln); lines = nonreflines.data(); return ret; } /** Generates an identifier suitable to use as within a URL. The resulting string will contain only ASCII lower case alphabetic or numeric characters, as well as dashes (-). Every sequence of non-alphanumeric characters will be replaced by a single dash. No dashes will be at either the front or the back of the result string. */ auto asSlug(R)(R text) if (isInputRange!R && is(typeof(R.init.front) == dchar)) { static struct SlugRange { private { R _input; bool _dash; } this(R input) { _input = input; skipNonAlphaNum(); } @property bool empty() const { return _dash ? false : _input.empty; } @property char front() const { if (_dash) return '-'; char r = cast(char)_input.front; if (r >= 'A' && r <= 'Z') return cast(char)(r + ('a' - 'A')); return r; } void popFront() { if (_dash) { _dash = false; return; } _input.popFront(); auto na = skipNonAlphaNum(); if (na && !_input.empty) _dash = true; } private bool skipNonAlphaNum() { bool have_skipped = false; while (!_input.empty) { switch (_input.front) { default: _input.popFront(); have_skipped = true; break; case 'a': .. case 'z': case 'A': .. case 'Z': case '0': .. case '9': return have_skipped; } } return have_skipped; } } return SlugRange(text); } unittest { import std.algorithm : equal; assert("".asSlug.equal("")); assert(".,-".asSlug.equal("")); assert("abc".asSlug.equal("abc")); assert("aBc123".asSlug.equal("abc123")); assert("....aBc...123...".asSlug.equal("abc-123")); } private struct LinkRef { string id; string url; string title; } private struct Link { string text; string url; string title; } @safe unittest { // alt and title attributes assert(filterMarkdown("![alt](http://example.org/image)") == "<p><img src=\"http://example.org/image\" alt=\"alt\">\n</p>\n"); assert(filterMarkdown("![alt](http://example.org/image \"Title\")") == "<p><img src=\"http://example.org/image\" alt=\"alt\" title=\"Title\">\n</p>\n"); } @safe unittest { // complex links assert(filterMarkdown("their [install\ninstructions](<http://www.brew.sh>) and") == "<p>their <a href=\"http://www.brew.sh\">install\ninstructions</a> and\n</p>\n"); assert(filterMarkdown("[![Build Status](https://travis-ci.org/rejectedsoftware/vibe.d.png)](https://travis-ci.org/rejectedsoftware/vibe.d)") == "<p><a href=\"https://travis-ci.org/rejectedsoftware/vibe.d\"><img src=\"https://travis-ci.org/rejectedsoftware/vibe.d.png\" alt=\"Build Status\"></a>\n</p>\n"); } @safe unittest { // check CTFE-ability enum res = filterMarkdown("### some markdown\n[foo][]\n[foo]: /bar"); assert(res == "<h3 id=\"some-markdown\"> some markdown</h3>\n<p><a href=\"/bar\">foo</a>\n</p>\n", res); } @safe unittest { // correct line breaks in restrictive mode auto res = filterMarkdown("hello\nworld", MarkdownFlags.forumDefault); assert(res == "<p>hello<br/>world\n</p>\n", res); } /*@safe unittest { // code blocks and blockquotes assert(filterMarkdown("\tthis\n\tis\n\tcode") == "<pre><code>this\nis\ncode</code></pre>\n"); assert(filterMarkdown(" this\n is\n code") == "<pre><code>this\nis\ncode</code></pre>\n"); assert(filterMarkdown(" this\n is\n\tcode") == "<pre><code>this\nis</code></pre>\n<pre><code>code</code></pre>\n"); assert(filterMarkdown("\tthis\n\n\tcode") == "<pre><code>this\n\ncode</code></pre>\n"); assert(filterMarkdown("\t> this") == "<pre><code>&gt; this</code></pre>\n"); assert(filterMarkdown("> this") == "<blockquote><pre><code>this</code></pre></blockquote>\n"); assert(filterMarkdown("> this\n is code") == "<blockquote><pre><code>this\nis code</code></pre></blockquote>\n"); }*/ @safe unittest { assert(filterMarkdown("## Hello, World!") == "<h2 id=\"hello-world\"> Hello, World!</h2>\n", filterMarkdown("## Hello, World!")); } @safe unittest { // tables assert(filterMarkdown("foo|bar\n---|---", MarkdownFlags.tables) == "<table>\n<tr><th>foo</th><th>bar</th></tr>\n</table>\n"); assert(filterMarkdown(" *foo* | bar \n---|---\n baz|bam", MarkdownFlags.tables) == "<table>\n<tr><th><em>foo</em></th><th>bar</th></tr>\n<tr><td>baz</td><td>bam</td></tr>\n</table>\n"); assert(filterMarkdown("|foo|bar|\n---|---\n baz|bam", MarkdownFlags.tables) == "<table>\n<tr><th>foo</th><th>bar</th></tr>\n<tr><td>baz</td><td>bam</td></tr>\n</table>\n"); assert(filterMarkdown("foo|bar\n|---|---|\nbaz|bam", MarkdownFlags.tables) == "<table>\n<tr><th>foo</th><th>bar</th></tr>\n<tr><td>baz</td><td>bam</td></tr>\n</table>\n"); assert(filterMarkdown("foo|bar\n---|---\n|baz|bam|", MarkdownFlags.tables) == "<table>\n<tr><th>foo</th><th>bar</th></tr>\n<tr><td>baz</td><td>bam</td></tr>\n</table>\n"); assert(filterMarkdown("foo|bar|baz\n:---|---:|:---:\n|baz|bam|bap|", MarkdownFlags.tables) == "<table>\n<tr><th align=\"left\">foo</th><th align=\"right\">bar</th><th align=\"center\">baz</th></tr>\n" ~ "<tr><td align=\"left\">baz</td><td align=\"right\">bam</td><td align=\"center\">bap</td></tr>\n</table>\n"); assert(filterMarkdown(" |bar\n---|---", MarkdownFlags.tables) == "<table>\n<tr><th></th><th>bar</th></tr>\n</table>\n"); assert(filterMarkdown("foo|bar\n---|---\nbaz|", MarkdownFlags.tables) == "<table>\n<tr><th>foo</th><th>bar</th></tr>\n<tr><td>baz</td></tr>\n</table>\n"); } @safe unittest { // issue #1527 - blank lines in code blocks assert(filterMarkdown(" foo\n\n bar\n") == "<pre class=\"prettyprint\"><code>foo\n\nbar\n</code></pre>\n"); } @safe unittest { assert(filterMarkdown("> ```\r\n> test\r\n> ```", MarkdownFlags.forumDefault) == "<blockquote><pre class=\"prettyprint\"><code>test\n</code></pre>\n</blockquote>\n"); } @safe unittest { // issue #1845 - malicious URI targets assert(filterMarkdown("[foo](javascript:foo) ![bar](javascript:bar) <javascript:baz>", MarkdownFlags.forumDefault) == "<p><a href=\"#\">foo</a> <img src=\"#\" alt=\"bar\"> <a href=\"#\">javascript:baz</a>\n</p>\n"); assert(filterMarkdown("[foo][foo] ![foo][foo]\n[foo]: javascript:foo", MarkdownFlags.forumDefault) == "<p><a href=\"#\">foo</a> <img src=\"#\" alt=\"foo\">\n</p>\n"); assert(filterMarkdown("[foo](javascript%3Abar)", MarkdownFlags.forumDefault) == "<p><a href=\"javascript%3Abar\">foo</a>\n</p>\n"); // extra XSS regression tests assert(filterMarkdown("[<script></script>](bar)", MarkdownFlags.forumDefault) == "<p><a href=\"bar\">&lt;script&gt;&lt;/script&gt;</a>\n</p>\n"); assert(filterMarkdown("[foo](\"><script></script><span foo=\")", MarkdownFlags.forumDefault) == "<p><a href=\"&quot;&gt;&lt;script&gt;&lt;/script&gt;&lt;span foo=&quot;\">foo</a>\n</p>\n"); assert(filterMarkdown("[foo](javascript&#58;bar)", MarkdownFlags.forumDefault) == "<p><a href=\"javascript&amp;#58;bar\">foo</a>\n</p>\n"); } @safe unittest { // issue #2132 - table with more columns in body goes out of array bounds assert(filterMarkdown("| a | b |\n|--------|--------|\n| c | d | e |", MarkdownFlags.tables) == "<table>\n<tr><th>a</th><th>b</th></tr>\n<tr><td>c</td><td>d</td><td>e</td></tr>\n</table>\n"); }
D
/* Converted to D from output/des.h by htod */ module nettle.des; struct _N1 { } extern (C): alias _N1 __mpz_struct; alias __mpz_struct [1]mpz_t; alias ubyte uint8_t; alias uint uint32_t; alias ulong uint64_t; alias void function(void *ctx, uint length, uint8_t *dst)nettle_random_func; alias void function(void *ctx, int c)nettle_progress_func; alias void *function(void *ctx, void *p, uint length)nettle_realloc_func; alias void function(void *ctx, uint length, uint8_t *key)nettle_set_key_func; alias void function(void *ctx, uint length, uint8_t *dst, uint8_t *src)nettle_crypt_func; alias void function(void *ctx)nettle_hash_init_func; alias void function(void *ctx, uint length, uint8_t *src)nettle_hash_update_func; alias void function(void *ctx, uint length, uint8_t *dst)nettle_hash_digest_func; alias uint function(uint length)nettle_armor_length_func; alias void function(void *ctx)nettle_armor_init_func; alias uint function(void *ctx, uint8_t *dst, uint src_length, uint8_t *src)nettle_armor_encode_update_func; alias uint function(void *ctx, uint8_t *dst)nettle_armor_encode_final_func; alias int function(void *ctx, uint *dst_length, uint8_t *dst, uint src_length, uint8_t *src)nettle_armor_decode_update_func; alias int function(void *ctx)nettle_armor_decode_final_func; struct des_ctx { uint32_t [32]key; } int nettle_des_set_key(des_ctx *ctx, uint8_t *key); void nettle_des_encrypt(des_ctx *ctx, uint length, uint8_t *dst, uint8_t *src); void nettle_des_decrypt(des_ctx *ctx, uint length, uint8_t *dst, uint8_t *src); int nettle_des_check_parity(uint length, uint8_t *key); void nettle_des_fix_parity(uint length, uint8_t *dst, uint8_t *src); struct des3_ctx { des_ctx [3]des; } int nettle_des3_set_key(des3_ctx *ctx, uint8_t *key); void nettle_des3_encrypt(des3_ctx *ctx, uint length, uint8_t *dst, uint8_t *src); void nettle_des3_decrypt(des3_ctx *ctx, uint length, uint8_t *dst, uint8_t *src); struct nettle_buffer; struct sexp_iterator; struct asn1_der_iterator; const unix = 1; const DES_KEY_SIZE = 8; const DES_BLOCK_SIZE = 8; const _DES_KEY_LENGTH = 32; const DES3_KEY_SIZE = 24; static if (__traits(compiles, typeof(DES_BLOCK_SIZE))) static if (!__traits(isStaticFunction, DES_BLOCK_SIZE)) static if (__traits(isPOD, typeof(DES_BLOCK_SIZE))) const DES3_BLOCK_SIZE = DES_BLOCK_SIZE;
D
/** This module defines several templates for testing whether a given object is a _range, and what kind of _range it is: $(BOOKTABLE , $(TR $(TD $(D $(LREF isInputRange))) $(TD Tests if something is an $(I input _range), defined to be something from which one can sequentially read data using the primitives $(D front), $(D popFront), and $(D empty). )) $(TR $(TD $(D $(LREF isOutputRange))) $(TD Tests if something is an $(I output _range), defined to be something to which one can sequentially write data using the $(D $(LREF put)) primitive. )) $(TR $(TD $(D $(LREF isForwardRange))) $(TD Tests if something is a $(I forward _range), defined to be an input _range with the additional capability that one can save one's current position with the $(D save) primitive, thus allowing one to iterate over the same _range multiple times. )) $(TR $(TD $(D $(LREF isBidirectionalRange))) $(TD Tests if something is a $(I bidirectional _range), that is, a forward _range that allows reverse traversal using the primitives $(D back) and $(D popBack). )) $(TR $(TD $(D $(LREF isRandomAccessRange))) $(TD Tests if something is a $(I random access _range), which is a bidirectional _range that also supports the array subscripting operation via the primitive $(D opIndex). )) ) A number of templates are provided that test for various _range capabilities: $(BOOKTABLE , $(TR $(TD $(D $(LREF hasMobileElements))) $(TD Tests if a given _range's elements can be moved around using the primitives $(D moveFront), $(D moveBack), or $(D moveAt). )) $(TR $(TD $(D $(LREF ElementType))) $(TD Returns the element type of a given _range. )) $(TR $(TD $(D $(LREF ElementEncodingType))) $(TD Returns the encoding element type of a given _range. )) $(TR $(TD $(D $(LREF hasSwappableElements))) $(TD Tests if a _range is a forward _range with swappable elements. )) $(TR $(TD $(D $(LREF hasAssignableElements))) $(TD Tests if a _range is a forward _range with mutable elements. )) $(TR $(TD $(D $(LREF hasLvalueElements))) $(TD Tests if a _range is a forward _range with elements that can be passed by reference and have their address taken. )) $(TR $(TD $(D $(LREF hasLength))) $(TD Tests if a given _range has the $(D length) attribute. )) $(TR $(TD $(D $(LREF isInfinite))) $(TD Tests if a given _range is an $(I infinite _range). )) $(TR $(TD $(D $(LREF hasSlicing))) $(TD Tests if a given _range supports the array slicing operation $(D R[x..y]). )) $(TR $(TD $(D $(LREF walkLength))) $(TD Computes the length of any _range in O(n) time. )) ) Finally, this module also defines some convenience functions for manipulating ranges: $(BOOKTABLE , $(TR $(TD $(D $(LREF popFrontN))) $(TD Advances a given _range by up to $(I n) elements. )) $(TR $(TD $(D $(LREF popBackN))) $(TD Advances a given bidirectional _range from the right by up to $(I n) elements. )) $(TR $(TD $(D $(LREF popFrontExactly))) $(TD Advances a given _range by up exactly $(I n) elements. )) $(TR $(TD $(D $(LREF popBackExactly))) $(TD Advances a given bidirectional _range from the right by exactly $(I n) elements. )) $(TR $(TD $(D $(LREF moveFront))) $(TD Removes the front element of a _range. )) $(TR $(TD $(D $(LREF moveBack))) $(TD Removes the back element of a bidirectional _range. )) $(TR $(TD $(D $(LREF moveAt))) $(TD Removes the $(I i)'th element of a random-access _range. )) ) Source: $(PHOBOSSRC std/range/_constraints.d) Macros: WIKI = Phobos/StdRange Copyright: Copyright by authors 2008-. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(WEB erdani.com, Andrei Alexandrescu), David Simcha, and Jonathan M Davis. Credit for some of the ideas in building this module goes to $(WEB fantascienza.net/leonardo/so/, Leonardo Maffi). */ module std.range.primitives; import std.traits; /** Returns $(D true) if $(D R) is an input range. An input range must define the primitives $(D empty), $(D popFront), and $(D front). The following code should compile for any input range. ---- R r; // can define a range object if (r.empty) {} // can test for empty r.popFront(); // can invoke popFront() auto h = r.front; // can get the front of the range of non-void type ---- The semantics of an input range (not checkable during compilation) are assumed to be the following ($(D r) is an object of type $(D R)): $(UL $(LI $(D r.empty) returns $(D false) iff there is more data available in the range.) $(LI $(D r.front) returns the current element in the range. It may return by value or by reference. Calling $(D r.front) is allowed only if calling $(D r.empty) has, or would have, returned $(D false).) $(LI $(D r.popFront) advances to the next element in the range. Calling $(D r.popFront) is allowed only if calling $(D r.empty) has, or would have, returned $(D false).)) */ template isInputRange(R) { enum bool isInputRange = is(typeof( (inout int = 0) { R r = R.init; // can define a range object if (r.empty) {} // can test for empty r.popFront(); // can invoke popFront() auto h = r.front; // can get the front of the range })); } @safe unittest { struct A {} struct B { void popFront(); @property bool empty(); @property int front(); } static assert(!isInputRange!(A)); static assert( isInputRange!(B)); static assert( isInputRange!(int[])); static assert( isInputRange!(char[])); static assert(!isInputRange!(char[4])); static assert( isInputRange!(inout(int)[])); // bug 7824 } /+ puts the whole raw element $(D e) into $(D r). doPut will not attempt to iterate, slice or transcode $(D e) in any way shape or form. It will $(B only) call the correct primitive ($(D r.put(e)), $(D r.front = e) or $(D r(0)) once. This can be important when $(D e) needs to be placed in $(D r) unchanged. Furthermore, it can be useful when working with $(D InputRange)s, as doPut guarantees that no more than a single element will be placed. +/ private void doPut(R, E)(ref R r, auto ref E e) { static if(is(PointerTarget!R == struct)) enum usingPut = hasMember!(PointerTarget!R, "put"); else enum usingPut = hasMember!(R, "put"); static if (usingPut) { static assert(is(typeof(r.put(e))), "Cannot nativaly put a " ~ E.stringof ~ " into a " ~ R.stringof ~ "."); r.put(e); } else static if (isInputRange!R) { static assert(is(typeof(r.front = e)), "Cannot nativaly put a " ~ E.stringof ~ " into a " ~ R.stringof ~ "."); r.front = e; r.popFront(); } else static if (is(typeof(r(e)))) { r(e); } else { static assert (false, "Cannot nativaly put a " ~ E.stringof ~ " into a " ~ R.stringof ~ "."); } } @safe unittest { static assert (!isNativeOutputRange!(int, int)); static assert ( isNativeOutputRange!(int[], int)); static assert (!isNativeOutputRange!(int[][], int)); static assert (!isNativeOutputRange!(int, int[])); static assert (!isNativeOutputRange!(int[], int[])); static assert ( isNativeOutputRange!(int[][], int[])); static assert (!isNativeOutputRange!(int, int[][])); static assert (!isNativeOutputRange!(int[], int[][])); static assert (!isNativeOutputRange!(int[][], int[][])); static assert (!isNativeOutputRange!(int[4], int)); static assert ( isNativeOutputRange!(int[4][], int)); //Scary! static assert ( isNativeOutputRange!(int[4][], int[4])); static assert (!isNativeOutputRange!( char[], char)); static assert (!isNativeOutputRange!( char[], dchar)); static assert ( isNativeOutputRange!(dchar[], char)); static assert ( isNativeOutputRange!(dchar[], dchar)); } /++ Outputs $(D e) to $(D r). The exact effect is dependent upon the two types. Several cases are accepted, as described below. The code snippets are attempted in order, and the first to compile "wins" and gets evaluated. In this table "doPut" is a method that places $(D e) into $(D r), using the correct primitive: $(D r.put(e)) if $(D R) defines $(D put), $(D r.front = e) if $(D r) is an input range (followed by $(D r.popFront())), or $(D r(e)) otherwise. $(BOOKTABLE , $(TR $(TH Code Snippet) $(TH Scenario) ) $(TR $(TD $(D r.doPut(e);)) $(TD $(D R) specifically accepts an $(D E).) ) $(TR $(TD $(D r.doPut([ e ]);)) $(TD $(D R) specifically accepts an $(D E[]).) ) $(TR $(TD $(D r.putChar(e);)) $(TD $(D R) accepts some form of string or character. put will transcode the character $(D e) accordingly.) ) $(TR $(TD $(D for (; !e.empty; e.popFront()) put(r, e.front);)) $(TD Copying range $(D E) into $(D R).) ) ) Tip: $(D put) should $(I not) be used "UFCS-style", e.g. $(D r.put(e)). Doing this may call $(D R.put) directly, by-passing any transformation feature provided by $(D Range.put). $(D put(r, e)) is prefered. +/ void put(R, E)(ref R r, E e) { //First level: simply straight up put. static if (is(typeof(doPut(r, e)))) { doPut(r, e); } //Optional optimization block for straight up array to array copy. else static if (isDynamicArray!R && !isNarrowString!R && isDynamicArray!E && is(typeof(r[] = e[]))) { immutable len = e.length; r[0 .. len] = e[]; r = r[len .. $]; } //Accepts E[] ? else static if (is(typeof(doPut(r, [e]))) && !isDynamicArray!R) { if (__ctfe) doPut(r, [e]); else doPut(r, (&e)[0..1]); } //special case for char to string. else static if (isSomeChar!E && is(typeof(putChar(r, e)))) { putChar(r, e); } //Extract each element from the range //We can use "put" here, so we can recursively test a RoR of E. else static if (isInputRange!E && is(typeof(put(r, e.front)))) { //Special optimization: If E is a narrow string, and r accepts characters no-wider than the string's //Then simply feed the characters 1 by 1. static if (isNarrowString!E && ( (is(E : const char[]) && is(typeof(doPut(r, char.max))) && !is(typeof(doPut(r, dchar.max))) && !is(typeof(doPut(r, wchar.max)))) || (is(E : const wchar[]) && is(typeof(doPut(r, wchar.max))) && !is(typeof(doPut(r, dchar.max)))) ) ) { foreach(c; e) doPut(r, c); } else { for (; !e.empty; e.popFront()) put(r, e.front); } } else { static assert (false, "Cannot put a " ~ E.stringof ~ " into a " ~ R.stringof ~ "."); } } //Helper function to handle chars as quickly and as elegantly as possible //Assumes r.put(e)/r(e) has already been tested private void putChar(R, E)(ref R r, E e) if (isSomeChar!E) { ////@@@9186@@@: Can't use (E[]).init ref const( char)[] cstringInit(); ref const(wchar)[] wstringInit(); ref const(dchar)[] dstringInit(); enum csCond = !isDynamicArray!R && is(typeof(doPut(r, cstringInit()))); enum wsCond = !isDynamicArray!R && is(typeof(doPut(r, wstringInit()))); enum dsCond = !isDynamicArray!R && is(typeof(doPut(r, dstringInit()))); //Use "max" to avoid static type demotion enum ccCond = is(typeof(doPut(r, char.max))); enum wcCond = is(typeof(doPut(r, wchar.max))); //enum dcCond = is(typeof(doPut(r, dchar.max))); //Fast transform a narrow char into a wider string static if ((wsCond && E.sizeof < wchar.sizeof) || (dsCond && E.sizeof < dchar.sizeof)) { enum w = wsCond && E.sizeof < wchar.sizeof; Select!(w, wchar, dchar) c = e; if (__ctfe) doPut(r, [c]); else doPut(r, (&c)[0..1]); } //Encode a wide char into a narrower string else static if (wsCond || csCond) { import std.utf : encode; /+static+/ Select!(wsCond, wchar[2], char[4]) buf; //static prevents purity. doPut(r, buf.ptr[0 .. encode(buf, e)]); //the word ".ptr" added to enforce un-safety. } //Slowly encode a wide char into a series of narrower chars else static if (wcCond || ccCond) { import std.encoding : encode; alias C = Select!(wcCond, wchar, char); encode!(C, R)(e, r); } else { static assert (false, "Cannot put a " ~ E.stringof ~ " into a " ~ R.stringof ~ "."); } } pure unittest { auto f = delegate (const(char)[]) {}; putChar(f, cast(dchar)'a'); } unittest { struct A {} static assert(!isInputRange!(A)); struct B { void put(int) {} } B b; put(b, 5); } unittest { int[] a = [1, 2, 3], b = [10, 20]; auto c = a; put(a, b); assert(c == [10, 20, 3]); assert(a == [3]); } unittest { int[] a = new int[10]; int b; static assert(isInputRange!(typeof(a))); put(a, b); } unittest { void myprint(in char[] s) { } auto r = &myprint; put(r, 'a'); } unittest { int[] a = new int[10]; static assert(!__traits(compiles, put(a, 1.0L))); static assert( __traits(compiles, put(a, 1))); /* * a[0] = 65; // OK * a[0] = 'A'; // OK * a[0] = "ABC"[0]; // OK * put(a, "ABC"); // OK */ static assert( __traits(compiles, put(a, "ABC"))); } unittest { char[] a = new char[10]; static assert(!__traits(compiles, put(a, 1.0L))); static assert(!__traits(compiles, put(a, 1))); // char[] is NOT output range. static assert(!__traits(compiles, put(a, 'a'))); static assert(!__traits(compiles, put(a, "ABC"))); } unittest { int[][] a; int[] b; int c; static assert( __traits(compiles, put(b, c))); static assert( __traits(compiles, put(a, b))); static assert(!__traits(compiles, put(a, c))); } unittest { int[][] a = new int[][](3); int[] b = [1]; auto aa = a; put(aa, b); assert(aa == [[], []]); assert(a == [[1], [], []]); int[][3] c = [2]; aa = a; put(aa, c[]); assert(aa.empty); assert(a == [[2], [2], [2]]); } unittest { // Test fix for bug 7476. struct LockingTextWriter { void put(dchar c){} } struct RetroResult { bool end = false; @property bool empty() const { return end; } @property dchar front(){ return 'a'; } void popFront(){ end = true; } } LockingTextWriter w; RetroResult r; put(w, r); } unittest { import std.conv : to; import std.typecons : tuple; import std.typetuple; static struct PutC(C) { string result; void put(const(C) c) { result ~= to!string((&c)[0..1]); } } static struct PutS(C) { string result; void put(const(C)[] s) { result ~= to!string(s); } } static struct PutSS(C) { string result; void put(const(C)[][] ss) { foreach(s; ss) result ~= to!string(s); } } PutS!char p; putChar(p, cast(dchar)'a'); //Source Char foreach (SC; TypeTuple!(char, wchar, dchar)) { SC ch = 'I'; dchar dh = '♥'; immutable(SC)[] s = "日本語!"; immutable(SC)[][] ss = ["日本語", "が", "好き", "ですか", "?"]; //Target Char foreach (TC; TypeTuple!(char, wchar, dchar)) { //Testing PutC and PutS foreach (Type; TypeTuple!(PutC!TC, PutS!TC)) { Type type; auto sink = new Type(); //Testing put and sink foreach (value ; tuple(type, sink)) { put(value, ch); assert(value.result == "I"); put(value, dh); assert(value.result == "I♥"); put(value, s); assert(value.result == "I♥日本語!"); put(value, ss); assert(value.result == "I♥日本語!日本語が好きですか?"); } } } } } unittest { static struct CharRange { char c; enum empty = false; void popFront(){}; ref char front() @property { return c; } } CharRange c; put(c, cast(dchar)'H'); put(c, "hello"d); } unittest { // issue 9823 const(char)[] r; void delegate(const(char)[]) dg = (s) { r = s; }; put(dg, ["ABC"]); assert(r == "ABC"); } unittest { // issue 10571 import std.format; string buf; formattedWrite((in char[] s) { buf ~= s; }, "%s", "hello"); assert(buf == "hello"); } unittest { import std.format; import std.typetuple; struct PutC(C) { void put(C){} } struct PutS(C) { void put(const(C)[]){} } struct CallC(C) { void opCall(C){} } struct CallS(C) { void opCall(const(C)[]){} } struct FrontC(C) { enum empty = false; auto front()@property{return C.init;} void front(C)@property{} void popFront(){} } struct FrontS(C) { enum empty = false; auto front()@property{return C[].init;} void front(const(C)[])@property{} void popFront(){} } void foo() { foreach(C; TypeTuple!(char, wchar, dchar)) { formattedWrite((C c){}, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite((const(C)[]){}, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(PutC!C(), "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(PutS!C(), "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); CallC!C callC; CallS!C callS; formattedWrite(callC, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(callS, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(FrontC!C(), "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); formattedWrite(FrontS!C(), "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); } formattedWrite((dchar[]).init, "", 1, 'a', cast(wchar)'a', cast(dchar)'a', "a"c, "a"w, "a"d); } } /+ Returns $(D true) if $(D R) is a native output range for elements of type $(D E). An output range is defined functionally as a range that supports the operation $(D doPut(r, e)) as defined above. if $(D doPut(r, e)) is valid, then $(D put(r,e)) will have the same behavior. The two guarantees isNativeOutputRange gives over the larger $(D isOutputRange) are: 1: $(D e) is $(B exactly) what will be placed (not $(D [e]), for example). 2: if $(D E) is a non $(empty) $(D InputRange), then placing $(D e) is guaranteed to not overflow the range. +/ package template isNativeOutputRange(R, E) { enum bool isNativeOutputRange = is(typeof( (inout int = 0) { R r = void; E e; doPut(r, e); })); } // @safe unittest { int[] r = new int[](4); static assert(isInputRange!(int[])); static assert( isNativeOutputRange!(int[], int)); static assert(!isNativeOutputRange!(int[], int[])); static assert( isOutputRange!(int[], int[])); if (!r.empty) put(r, 1); //guaranteed to succeed if (!r.empty) put(r, [1, 2]); //May actually error out. } /++ Returns $(D true) if $(D R) is an output range for elements of type $(D E). An output range is defined functionally as a range that supports the operation $(D put(r, e)) as defined above. +/ template isOutputRange(R, E) { enum bool isOutputRange = is(typeof( (inout int = 0) { R r = R.init; E e = E.init; put(r, e); })); } /// @safe unittest { void myprint(in char[] s) { } static assert(isOutputRange!(typeof(&myprint), char)); static assert(!isOutputRange!(char[], char)); static assert( isOutputRange!(dchar[], wchar)); static assert( isOutputRange!(dchar[], dchar)); } @safe unittest { import std.array; import std.stdio : writeln; auto app = appender!string(); string s; static assert( isOutputRange!(Appender!string, string)); static assert( isOutputRange!(Appender!string*, string)); static assert(!isOutputRange!(Appender!string, int)); static assert(!isOutputRange!(wchar[], wchar)); static assert( isOutputRange!(dchar[], char)); static assert( isOutputRange!(dchar[], string)); static assert( isOutputRange!(dchar[], wstring)); static assert( isOutputRange!(dchar[], dstring)); static assert(!isOutputRange!(const(int)[], int)); static assert(!isOutputRange!(inout(int)[], int)); } /** Returns $(D true) if $(D R) is a forward range. A forward range is an input range $(D r) that can save "checkpoints" by saving $(D r.save) to another value of type $(D R). Notable examples of input ranges that are $(I not) forward ranges are file/socket ranges; copying such a range will not save the position in the stream, and they most likely reuse an internal buffer as the entire stream does not sit in memory. Subsequently, advancing either the original or the copy will advance the stream, so the copies are not independent. The following code should compile for any forward range. ---- static assert(isInputRange!R); R r1; static assert (is(typeof(r1.save) == R)); ---- Saving a range is not duplicating it; in the example above, $(D r1) and $(D r2) still refer to the same underlying data. They just navigate that data independently. The semantics of a forward range (not checkable during compilation) are the same as for an input range, with the additional requirement that backtracking must be possible by saving a copy of the range object with $(D save) and using it later. */ template isForwardRange(R) { enum bool isForwardRange = isInputRange!R && is(typeof( (inout int = 0) { R r1 = R.init; static assert (is(typeof(r1.save) == R)); })); } @safe unittest { static assert(!isForwardRange!(int)); static assert( isForwardRange!(int[])); static assert( isForwardRange!(inout(int)[])); } /** Returns $(D true) if $(D R) is a bidirectional range. A bidirectional range is a forward range that also offers the primitives $(D back) and $(D popBack). The following code should compile for any bidirectional range. ---- R r; static assert(isForwardRange!R); // is forward range r.popBack(); // can invoke popBack auto t = r.back; // can get the back of the range auto w = r.front; static assert(is(typeof(t) == typeof(w))); // same type for front and back ---- The semantics of a bidirectional range (not checkable during compilation) are assumed to be the following ($(D r) is an object of type $(D R)): $(UL $(LI $(D r.back) returns (possibly a reference to) the last element in the range. Calling $(D r.back) is allowed only if calling $(D r.empty) has, or would have, returned $(D false).)) */ template isBidirectionalRange(R) { enum bool isBidirectionalRange = isForwardRange!R && is(typeof( (inout int = 0) { R r = R.init; r.popBack(); auto t = r.back; auto w = r.front; static assert(is(typeof(t) == typeof(w))); })); } @safe unittest { struct A {} struct B { void popFront(); @property bool empty(); @property int front(); } struct C { @property bool empty(); @property C save(); void popFront(); @property int front(); void popBack(); @property int back(); } static assert(!isBidirectionalRange!(A)); static assert(!isBidirectionalRange!(B)); static assert( isBidirectionalRange!(C)); static assert( isBidirectionalRange!(int[])); static assert( isBidirectionalRange!(char[])); static assert( isBidirectionalRange!(inout(int)[])); } /** Returns $(D true) if $(D R) is a random-access range. A random-access range is a bidirectional range that also offers the primitive $(D opIndex), OR an infinite forward range that offers $(D opIndex). In either case, the range must either offer $(D length) or be infinite. The following code should compile for any random-access range. ---- // range is finite and bidirectional or infinite and forward. static assert(isBidirectionalRange!R || isForwardRange!R && isInfinite!R); R r = void; auto e = r[1]; // can index static assert(is(typeof(e) == typeof(r.front))); // same type for indexed and front static assert(!isNarrowString!R); // narrow strings cannot be indexed as ranges static assert(hasLength!R || isInfinite!R); // must have length or be infinite // $ must work as it does with arrays if opIndex works with $ static if(is(typeof(r[$]))) { static assert(is(typeof(r.front) == typeof(r[$]))); // $ - 1 doesn't make sense with infinite ranges but needs to work // with finite ones. static if(!isInfinite!R) static assert(is(typeof(r.front) == typeof(r[$ - 1]))); } ---- The semantics of a random-access range (not checkable during compilation) are assumed to be the following ($(D r) is an object of type $(D R)): $(UL $(LI $(D r.opIndex(n)) returns a reference to the $(D n)th element in the range.)) Although $(D char[]) and $(D wchar[]) (as well as their qualified versions including $(D string) and $(D wstring)) are arrays, $(D isRandomAccessRange) yields $(D false) for them because they use variable-length encodings (UTF-8 and UTF-16 respectively). These types are bidirectional ranges only. */ template isRandomAccessRange(R) { enum bool isRandomAccessRange = is(typeof( (inout int = 0) { static assert(isBidirectionalRange!R || isForwardRange!R && isInfinite!R); R r = R.init; auto e = r[1]; static assert(is(typeof(e) == typeof(r.front))); static assert(!isNarrowString!R); static assert(hasLength!R || isInfinite!R); static if(is(typeof(r[$]))) { static assert(is(typeof(r.front) == typeof(r[$]))); static if(!isInfinite!R) static assert(is(typeof(r.front) == typeof(r[$ - 1]))); } })); } @safe unittest { struct A {} struct B { void popFront(); @property bool empty(); @property int front(); } struct C { void popFront(); @property bool empty(); @property int front(); void popBack(); @property int back(); } struct D { @property bool empty(); @property D save(); @property int front(); void popFront(); @property int back(); void popBack(); ref int opIndex(uint); @property size_t length(); alias opDollar = length; //int opSlice(uint, uint); } static assert(!isRandomAccessRange!(A)); static assert(!isRandomAccessRange!(B)); static assert(!isRandomAccessRange!(C)); static assert( isRandomAccessRange!(D)); static assert( isRandomAccessRange!(int[])); static assert( isRandomAccessRange!(inout(int)[])); } @safe unittest { // Test fix for bug 6935. struct R { @disable this(); @property bool empty() const { return false; } @property int front() const { return 0; } void popFront() {} @property R save() { return this; } @property int back() const { return 0; } void popBack(){} int opIndex(size_t n) const { return 0; } @property size_t length() const { return 0; } alias opDollar = length; void put(int e){ } } static assert(isInputRange!R); static assert(isForwardRange!R); static assert(isBidirectionalRange!R); static assert(isRandomAccessRange!R); static assert(isOutputRange!(R, int)); } /** Returns $(D true) iff $(D R) is an input range that supports the $(D moveFront) primitive, as well as $(D moveBack) and $(D moveAt) if it's a bidirectional or random access range. These may be explicitly implemented, or may work via the default behavior of the module level functions $(D moveFront) and friends. The following code should compile for any range with mobile elements. ---- alias E = ElementType!R; R r; static assert(isInputRange!R); static assert(is(typeof(moveFront(r)) == E)); static if (isBidirectionalRange!R) static assert(is(typeof(moveBack(r)) == E)); static if (isRandomAccessRange!R) static assert(is(typeof(moveAt(r, 0)) == E)); ---- */ template hasMobileElements(R) { enum bool hasMobileElements = isInputRange!R && is(typeof( (inout int = 0) { alias E = ElementType!R; R r = R.init; static assert(is(typeof(moveFront(r)) == E)); static if (isBidirectionalRange!R) static assert(is(typeof(moveBack(r)) == E)); static if (isRandomAccessRange!R) static assert(is(typeof(moveAt(r, 0)) == E)); })); } /// @safe unittest { import std.algorithm : map; import std.range : iota, repeat; static struct HasPostblit { this(this) {} } auto nonMobile = map!"a"(repeat(HasPostblit.init)); static assert(!hasMobileElements!(typeof(nonMobile))); static assert( hasMobileElements!(int[])); static assert( hasMobileElements!(inout(int)[])); static assert( hasMobileElements!(typeof(iota(1000)))); static assert( hasMobileElements!( string)); static assert( hasMobileElements!(dstring)); static assert( hasMobileElements!( char[])); static assert( hasMobileElements!(dchar[])); } /** The element type of $(D R). $(D R) does not have to be a range. The element type is determined as the type yielded by $(D r.front) for an object $(D r) of type $(D R). For example, $(D ElementType!(T[])) is $(D T) if $(D T[]) isn't a narrow string; if it is, the element type is $(D dchar). If $(D R) doesn't have $(D front), $(D ElementType!R) is $(D void). */ template ElementType(R) { static if (is(typeof(R.init.front.init) T)) alias ElementType = T; else alias ElementType = void; } /// @safe unittest { import std.range : iota; // Standard arrays: returns the type of the elements of the array static assert(is(ElementType!(int[]) == int)); // Accessing .front retrieves the decoded dchar static assert(is(ElementType!(char[]) == dchar)); // rvalue static assert(is(ElementType!(dchar[]) == dchar)); // lvalue // Ditto static assert(is(ElementType!(string) == dchar)); static assert(is(ElementType!(dstring) == immutable(dchar))); // For ranges it gets the type of .front. auto range = iota(0, 10); static assert(is(ElementType!(typeof(range)) == int)); } @safe unittest { static assert(is(ElementType!(byte[]) == byte)); static assert(is(ElementType!(wchar[]) == dchar)); // rvalue static assert(is(ElementType!(wstring) == dchar)); } @safe unittest { enum XYZ : string { a = "foo" } auto x = XYZ.a.front; immutable char[3] a = "abc"; int[] i; void[] buf; static assert(is(ElementType!(XYZ) == dchar)); static assert(is(ElementType!(typeof(a)) == dchar)); static assert(is(ElementType!(typeof(i)) == int)); static assert(is(ElementType!(typeof(buf)) == void)); static assert(is(ElementType!(inout(int)[]) == inout(int))); static assert(is(ElementType!(inout(int[])) == inout(int))); } @safe unittest { static assert(is(ElementType!(int[5]) == int)); static assert(is(ElementType!(int[0]) == int)); static assert(is(ElementType!(char[5]) == dchar)); static assert(is(ElementType!(char[0]) == dchar)); } @safe unittest //11336 { static struct S { this(this) @disable; } static assert(is(ElementType!(S[]) == S)); } @safe unittest // 11401 { // ElementType should also work for non-@propety 'front' struct E { ushort id; } struct R { E front() { return E.init; } } static assert(is(ElementType!R == E)); } /** The encoding element type of $(D R). For narrow strings ($(D char[]), $(D wchar[]) and their qualified variants including $(D string) and $(D wstring)), $(D ElementEncodingType) is the character type of the string. For all other types, $(D ElementEncodingType) is the same as $(D ElementType). */ template ElementEncodingType(R) { static if (is(StringTypeOf!R) && is(R : E[], E)) alias ElementEncodingType = E; else alias ElementEncodingType = ElementType!R; } /// @safe unittest { import std.range : iota; // internally the range stores the encoded type static assert(is(ElementEncodingType!(char[]) == char)); static assert(is(ElementEncodingType!(wstring) == immutable(wchar))); static assert(is(ElementEncodingType!(byte[]) == byte)); auto range = iota(0, 10); static assert(is(ElementEncodingType!(typeof(range)) == int)); } @safe unittest { static assert(is(ElementEncodingType!(wchar[]) == wchar)); static assert(is(ElementEncodingType!(dchar[]) == dchar)); static assert(is(ElementEncodingType!(string) == immutable(char))); static assert(is(ElementEncodingType!(dstring) == immutable(dchar))); static assert(is(ElementEncodingType!(int[]) == int)); } @safe unittest { enum XYZ : string { a = "foo" } auto x = XYZ.a.front; immutable char[3] a = "abc"; int[] i; void[] buf; static assert(is(ElementType!(XYZ) : dchar)); static assert(is(ElementEncodingType!(char[]) == char)); static assert(is(ElementEncodingType!(string) == immutable char)); static assert(is(ElementType!(typeof(a)) : dchar)); static assert(is(ElementType!(typeof(i)) == int)); static assert(is(ElementEncodingType!(typeof(i)) == int)); static assert(is(ElementType!(typeof(buf)) : void)); static assert(is(ElementEncodingType!(inout char[]) : inout(char))); } @safe unittest { static assert(is(ElementEncodingType!(int[5]) == int)); static assert(is(ElementEncodingType!(int[0]) == int)); static assert(is(ElementEncodingType!(char[5]) == char)); static assert(is(ElementEncodingType!(char[0]) == char)); } /** Returns $(D true) if $(D R) is an input range and has swappable elements. The following code should compile for any range with swappable elements. ---- R r; static assert(isInputRange!R); swap(r.front, r.front); static if (isBidirectionalRange!R) swap(r.back, r.front); static if (isRandomAccessRange!R) swap(r[], r.front); ---- */ template hasSwappableElements(R) { import std.algorithm : swap; enum bool hasSwappableElements = isInputRange!R && is(typeof( (inout int = 0) { R r = R.init; swap(r.front, r.front); static if (isBidirectionalRange!R) swap(r.back, r.front); static if (isRandomAccessRange!R) swap(r[0], r.front); })); } /// @safe unittest { static assert(!hasSwappableElements!(const int[])); static assert(!hasSwappableElements!(const(int)[])); static assert(!hasSwappableElements!(inout(int)[])); static assert( hasSwappableElements!(int[])); static assert(!hasSwappableElements!( string)); static assert(!hasSwappableElements!(dstring)); static assert(!hasSwappableElements!( char[])); static assert( hasSwappableElements!(dchar[])); } /** Returns $(D true) if $(D R) is an input range and has mutable elements. The following code should compile for any range with assignable elements. ---- R r; static assert(isInputRange!R); r.front = r.front; static if (isBidirectionalRange!R) r.back = r.front; static if (isRandomAccessRange!R) r[0] = r.front; ---- */ template hasAssignableElements(R) { enum bool hasAssignableElements = isInputRange!R && is(typeof( (inout int = 0) { R r = R.init; r.front = r.front; static if (isBidirectionalRange!R) r.back = r.front; static if (isRandomAccessRange!R) r[0] = r.front; })); } /// @safe unittest { static assert(!hasAssignableElements!(const int[])); static assert(!hasAssignableElements!(const(int)[])); static assert( hasAssignableElements!(int[])); static assert(!hasAssignableElements!(inout(int)[])); static assert(!hasAssignableElements!( string)); static assert(!hasAssignableElements!(dstring)); static assert(!hasAssignableElements!( char[])); static assert( hasAssignableElements!(dchar[])); } /** Tests whether the range $(D R) has lvalue elements. These are defined as elements that can be passed by reference and have their address taken. The following code should compile for any range with lvalue elements. ---- void passByRef(ref ElementType!R stuff); ... static assert(isInputRange!R); passByRef(r.front); static if (isBidirectionalRange!R) passByRef(r.back); static if (isRandomAccessRange!R) passByRef(r[0]); ---- */ template hasLvalueElements(R) { enum bool hasLvalueElements = isInputRange!R && is(typeof( (inout int = 0) { void checkRef(ref ElementType!R stuff); R r = R.init; checkRef(r.front); static if (isBidirectionalRange!R) checkRef(r.back); static if (isRandomAccessRange!R) checkRef(r[0]); })); } /// @safe unittest { import std.range : iota, chain; static assert( hasLvalueElements!(int[])); static assert( hasLvalueElements!(const(int)[])); static assert( hasLvalueElements!(inout(int)[])); static assert( hasLvalueElements!(immutable(int)[])); static assert(!hasLvalueElements!(typeof(iota(3)))); static assert(!hasLvalueElements!( string)); static assert( hasLvalueElements!(dstring)); static assert(!hasLvalueElements!( char[])); static assert( hasLvalueElements!(dchar[])); auto c = chain([1, 2, 3], [4, 5, 6]); static assert( hasLvalueElements!(typeof(c))); } @safe unittest { // bugfix 6336 struct S { immutable int value; } static assert( isInputRange!(S[])); static assert( hasLvalueElements!(S[])); } /** Returns $(D true) if $(D R) has a $(D length) member that returns an integral type. $(D R) does not have to be a range. Note that $(D length) is an optional primitive as no range must implement it. Some ranges do not store their length explicitly, some cannot compute it without actually exhausting the range (e.g. socket streams), and some other ranges may be infinite. Although narrow string types ($(D char[]), $(D wchar[]), and their qualified derivatives) do define a $(D length) property, $(D hasLength) yields $(D false) for them. This is because a narrow string's length does not reflect the number of characters, but instead the number of encoding units, and as such is not useful with range-oriented algorithms. */ template hasLength(R) { enum bool hasLength = !isNarrowString!R && is(typeof( (inout int = 0) { R r = R.init; static assert(is(typeof(r.length) : ulong)); })); } /// @safe unittest { static assert(!hasLength!(char[])); static assert( hasLength!(int[])); static assert( hasLength!(inout(int)[])); struct A { ulong length; } struct B { size_t length() { return 0; } } struct C { @property size_t length() { return 0; } } static assert( hasLength!(A)); static assert(!hasLength!(B)); static assert( hasLength!(C)); } /** Returns $(D true) if $(D R) is an infinite input range. An infinite input range is an input range that has a statically-defined enumerated member called $(D empty) that is always $(D false), for example: ---- struct MyInfiniteRange { enum bool empty = false; ... } ---- */ template isInfinite(R) { static if (isInputRange!R && __traits(compiles, { enum e = R.empty; })) enum bool isInfinite = !R.empty; else enum bool isInfinite = false; } /// @safe unittest { import std.range : Repeat; static assert(!isInfinite!(int[])); static assert( isInfinite!(Repeat!(int))); } /** Returns $(D true) if $(D R) offers a slicing operator with integral boundaries that returns a forward range type. For finite ranges, the result of $(D opSlice) must be of the same type as the original range type. If the range defines $(D opDollar), then it must support subtraction. For infinite ranges, when $(I not) using $(D opDollar), the result of $(D opSlice) must be the result of $(LREF take) or $(LREF takeExactly) on the original range (they both return the same type for infinite ranges). However, when using $(D opDollar), the result of $(D opSlice) must be that of the original range type. The following code must compile for $(D hasSlicing) to be $(D true): ---- R r = void; static if(isInfinite!R) typeof(take(r, 1)) s = r[1 .. 2]; else { static assert(is(typeof(r[1 .. 2]) == R)); R s = r[1 .. 2]; } s = r[1 .. 2]; static if(is(typeof(r[0 .. $]))) { static assert(is(typeof(r[0 .. $]) == R)); R t = r[0 .. $]; t = r[0 .. $]; static if(!isInfinite!R) { static assert(is(typeof(r[0 .. $ - 1]) == R)); R u = r[0 .. $ - 1]; u = r[0 .. $ - 1]; } } static assert(isForwardRange!(typeof(r[1 .. 2]))); static assert(hasLength!(typeof(r[1 .. 2]))); ---- */ template hasSlicing(R) { enum bool hasSlicing = isForwardRange!R && !isNarrowString!R && is(typeof( (inout int = 0) { R r = R.init; static if(isInfinite!R) { typeof(r[1 .. 1]) s = r[1 .. 2]; } else { static assert(is(typeof(r[1 .. 2]) == R)); R s = r[1 .. 2]; } s = r[1 .. 2]; static if(is(typeof(r[0 .. $]))) { static assert(is(typeof(r[0 .. $]) == R)); R t = r[0 .. $]; t = r[0 .. $]; static if(!isInfinite!R) { static assert(is(typeof(r[0 .. $ - 1]) == R)); R u = r[0 .. $ - 1]; u = r[0 .. $ - 1]; } } static assert(isForwardRange!(typeof(r[1 .. 2]))); static assert(hasLength!(typeof(r[1 .. 2]))); })); } /// @safe unittest { import std.range : takeExactly; static assert( hasSlicing!(int[])); static assert( hasSlicing!(const(int)[])); static assert(!hasSlicing!(const int[])); static assert( hasSlicing!(inout(int)[])); static assert(!hasSlicing!(inout int [])); static assert( hasSlicing!(immutable(int)[])); static assert(!hasSlicing!(immutable int[])); static assert(!hasSlicing!string); static assert( hasSlicing!dstring); enum rangeFuncs = "@property int front();" ~ "void popFront();" ~ "@property bool empty();" ~ "@property auto save() { return this; }" ~ "@property size_t length();"; struct A { mixin(rangeFuncs); int opSlice(size_t, size_t); } struct B { mixin(rangeFuncs); B opSlice(size_t, size_t); } struct C { mixin(rangeFuncs); @disable this(); C opSlice(size_t, size_t); } struct D { mixin(rangeFuncs); int[] opSlice(size_t, size_t); } static assert(!hasSlicing!(A)); static assert( hasSlicing!(B)); static assert( hasSlicing!(C)); static assert(!hasSlicing!(D)); struct InfOnes { enum empty = false; void popFront() {} @property int front() { return 1; } @property InfOnes save() { return this; } auto opSlice(size_t i, size_t j) { return takeExactly(this, j - i); } auto opSlice(size_t i, Dollar d) { return this; } struct Dollar {} Dollar opDollar() const { return Dollar.init; } } static assert(hasSlicing!InfOnes); } /** This is a best-effort implementation of $(D length) for any kind of range. If $(D hasLength!Range), simply returns $(D range.length) without checking $(D upTo) (when specified). Otherwise, walks the range through its length and returns the number of elements seen. Performes $(BIGOH n) evaluations of $(D range.empty) and $(D range.popFront()), where $(D n) is the effective length of $(D range). The $(D upTo) parameter is useful to "cut the losses" in case the interest is in seeing whether the range has at least some number of elements. If the parameter $(D upTo) is specified, stops if $(D upTo) steps have been taken and returns $(D upTo). Infinite ranges are compatible, provided the parameter $(D upTo) is specified, in which case the implementation simply returns upTo. */ auto walkLength(Range)(Range range) if (isInputRange!Range && !isInfinite!Range) { static if (hasLength!Range) return range.length; else { size_t result; for ( ; !range.empty ; range.popFront() ) ++result; return result; } } /// ditto auto walkLength(Range)(Range range, const size_t upTo) if (isInputRange!Range) { static if (hasLength!Range) return range.length; else static if (isInfinite!Range) return upTo; else { size_t result; for ( ; result < upTo && !range.empty ; range.popFront() ) ++result; return result; } } @safe unittest { import std.algorithm : filter; import std.range : recurrence, take; //hasLength Range int[] a = [ 1, 2, 3 ]; assert(walkLength(a) == 3); assert(walkLength(a, 0) == 3); assert(walkLength(a, 2) == 3); assert(walkLength(a, 4) == 3); //Forward Range auto b = filter!"true"([1, 2, 3, 4]); assert(b.walkLength() == 4); assert(b.walkLength(0) == 0); assert(b.walkLength(2) == 2); assert(b.walkLength(4) == 4); assert(b.walkLength(6) == 4); //Infinite Range auto fibs = recurrence!"a[n-1] + a[n-2]"(1, 1); assert(!__traits(compiles, fibs.walkLength())); assert(fibs.take(10).walkLength() == 10); assert(fibs.walkLength(55) == 55); } /** Eagerly advances $(D r) itself (not a copy) up to $(D n) times (by calling $(D r.popFront)). $(D popFrontN) takes $(D r) by $(D ref), so it mutates the original range. Completes in $(BIGOH 1) steps for ranges that support slicing and have length. Completes in $(BIGOH n) time for all other ranges. Returns: How much $(D r) was actually advanced, which may be less than $(D n) if $(D r) did not have at least $(D n) elements. $(D popBackN) will behave the same but instead removes elements from the back of the (bidirectional) range instead of the front. */ size_t popFrontN(Range)(ref Range r, size_t n) if (isInputRange!Range) { static if (hasLength!Range) { n = cast(size_t) (n < r.length ? n : r.length); } static if (hasSlicing!Range && is(typeof(r = r[n .. $]))) { r = r[n .. $]; } else static if (hasSlicing!Range && hasLength!Range) //TODO: Remove once hasSlicing forces opDollar. { r = r[n .. r.length]; } else { static if (hasLength!Range) { foreach (i; 0 .. n) r.popFront(); } else { foreach (i; 0 .. n) { if (r.empty) return i; r.popFront(); } } } return n; } /// ditto size_t popBackN(Range)(ref Range r, size_t n) if (isBidirectionalRange!Range) { static if (hasLength!Range) { n = cast(size_t) (n < r.length ? n : r.length); } static if (hasSlicing!Range && is(typeof(r = r[0 .. $ - n]))) { r = r[0 .. $ - n]; } else static if (hasSlicing!Range && hasLength!Range) //TODO: Remove once hasSlicing forces opDollar. { r = r[0 .. r.length - n]; } else { static if (hasLength!Range) { foreach (i; 0 .. n) r.popBack(); } else { foreach (i; 0 .. n) { if (r.empty) return i; r.popBack(); } } } return n; } /// @safe unittest { int[] a = [ 1, 2, 3, 4, 5 ]; a.popFrontN(2); assert(a == [ 3, 4, 5 ]); a.popFrontN(7); assert(a == [ ]); } /// @safe unittest { import std.algorithm : equal; import std.range : iota; auto LL = iota(1L, 7L); auto r = popFrontN(LL, 2); assert(equal(LL, [3L, 4L, 5L, 6L])); assert(r == 2); } /// @safe unittest { int[] a = [ 1, 2, 3, 4, 5 ]; a.popBackN(2); assert(a == [ 1, 2, 3 ]); a.popBackN(7); assert(a == [ ]); } /// @safe unittest { import std.algorithm : equal; import std.range : iota; auto LL = iota(1L, 7L); auto r = popBackN(LL, 2); assert(equal(LL, [1L, 2L, 3L, 4L])); assert(r == 2); } /** Eagerly advances $(D r) itself (not a copy) exactly $(D n) times (by calling $(D r.popFront)). $(D popFrontExactly) takes $(D r) by $(D ref), so it mutates the original range. Completes in $(BIGOH 1) steps for ranges that support slicing, and have either length or are infinite. Completes in $(BIGOH n) time for all other ranges. Note: Unlike $(LREF popFrontN), $(D popFrontExactly) will assume that the range holds at least $(D n) elements. This makes $(D popFrontExactly) faster than $(D popFrontN), but it also means that if $(D range) does not contain at least $(D n) elements, it will attempt to call $(D popFront) on an empty range, which is undefined behavior. So, only use $(D popFrontExactly) when it is guaranteed that $(D range) holds at least $(D n) elements. $(D popBackExactly) will behave the same but instead removes elements from the back of the (bidirectional) range instead of the front. */ void popFrontExactly(Range)(ref Range r, size_t n) if (isInputRange!Range) { static if (hasLength!Range) assert(n <= r.length, "range is smaller than amount of items to pop"); static if (hasSlicing!Range && is(typeof(r = r[n .. $]))) r = r[n .. $]; else static if (hasSlicing!Range && hasLength!Range) //TODO: Remove once hasSlicing forces opDollar. r = r[n .. r.length]; else foreach (i; 0 .. n) r.popFront(); } /// ditto void popBackExactly(Range)(ref Range r, size_t n) if (isBidirectionalRange!Range) { static if (hasLength!Range) assert(n <= r.length, "range is smaller than amount of items to pop"); static if (hasSlicing!Range && is(typeof(r = r[0 .. $ - n]))) r = r[0 .. $ - n]; else static if (hasSlicing!Range && hasLength!Range) //TODO: Remove once hasSlicing forces opDollar. r = r[0 .. r.length - n]; else foreach (i; 0 .. n) r.popBack(); } /// @safe unittest { import std.algorithm : filterBidirectional, equal; auto a = [1, 2, 3]; a.popFrontExactly(1); assert(a == [2, 3]); a.popBackExactly(1); assert(a == [2]); string s = "日本語"; s.popFrontExactly(1); assert(s == "本語"); s.popBackExactly(1); assert(s == "本"); auto bd = filterBidirectional!"true"([1, 2, 3]); bd.popFrontExactly(1); assert(bd.equal([2, 3])); bd.popBackExactly(1); assert(bd.equal([2])); } /** Moves the front of $(D r) out and returns it. Leaves $(D r.front) in a destroyable state that does not allocate any resources (usually equal to its $(D .init) value). */ ElementType!R moveFront(R)(R r) { static if (is(typeof(&r.moveFront))) { return r.moveFront(); } else static if (!hasElaborateCopyConstructor!(ElementType!R)) { return r.front; } else static if (is(typeof(&(r.front())) == ElementType!R*)) { import std.algorithm : move; return move(r.front); } else { static assert(0, "Cannot move front of a range with a postblit and an rvalue front."); } } /// @safe unittest { auto a = [ 1, 2, 3 ]; assert(moveFront(a) == 1); // define a perfunctory input range struct InputRange { @property bool empty() { return false; } @property int front() { return 42; } void popFront() {} int moveFront() { return 43; } } InputRange r; assert(moveFront(r) == 43); } @safe unittest { struct R { @property ref int front() { static int x = 42; return x; } this(this){} } R r; assert(moveFront(r) == 42); } /** Moves the back of $(D r) out and returns it. Leaves $(D r.back) in a destroyable state that does not allocate any resources (usually equal to its $(D .init) value). */ ElementType!R moveBack(R)(R r) { static if (is(typeof(&r.moveBack))) { return r.moveBack(); } else static if (!hasElaborateCopyConstructor!(ElementType!R)) { return r.back; } else static if (is(typeof(&(r.back())) == ElementType!R*)) { import std.algorithm : move; return move(r.back); } else { static assert(0, "Cannot move back of a range with a postblit and an rvalue back."); } } /// @safe unittest { struct TestRange { int payload = 5; @property bool empty() { return false; } @property TestRange save() { return this; } @property ref int front() { return payload; } @property ref int back() { return payload; } void popFront() { } void popBack() { } } static assert(isBidirectionalRange!TestRange); TestRange r; auto x = moveBack(r); assert(x == 5); } /** Moves element at index $(D i) of $(D r) out and returns it. Leaves $(D r.front) in a destroyable state that does not allocate any resources (usually equal to its $(D .init) value). */ ElementType!R moveAt(R, I)(R r, I i) if (isIntegral!I) { static if (is(typeof(&r.moveAt))) { return r.moveAt(i); } else static if (!hasElaborateCopyConstructor!(ElementType!(R))) { return r[i]; } else static if (is(typeof(&r[i]) == ElementType!R*)) { import std.algorithm : move; return move(r[i]); } else { static assert(0, "Cannot move element of a range with a postblit and rvalue elements."); } } /// @safe unittest { auto a = [1,2,3,4]; foreach(idx, it; a) { assert(it == moveAt(a, idx)); } } @safe unittest { import std.internal.test.dummyrange; foreach(DummyType; AllDummyRanges) { auto d = DummyType.init; assert(moveFront(d) == 1); static if (isBidirectionalRange!DummyType) { assert(moveBack(d) == 10); } static if (isRandomAccessRange!DummyType) { assert(moveAt(d, 2) == 3); } } } /** Implements the range interface primitive $(D empty) for built-in arrays. Due to the fact that nonmember functions can be called with the first argument using the dot notation, $(D array.empty) is equivalent to $(D empty(array)). */ @property bool empty(T)(in T[] a) @safe pure nothrow { return !a.length; } /// @safe pure nothrow unittest { auto a = [ 1, 2, 3 ]; assert(!a.empty); assert(a[3 .. $].empty); } /** Implements the range interface primitive $(D save) for built-in arrays. Due to the fact that nonmember functions can be called with the first argument using the dot notation, $(D array.save) is equivalent to $(D save(array)). The function does not duplicate the content of the array, it simply returns its argument. */ @property T[] save(T)(T[] a) @safe pure nothrow { return a; } /// @safe pure nothrow unittest { auto a = [ 1, 2, 3 ]; auto b = a.save; assert(b is a); } /** Implements the range interface primitive $(D popFront) for built-in arrays. Due to the fact that nonmember functions can be called with the first argument using the dot notation, $(D array.popFront) is equivalent to $(D popFront(array)). For $(GLOSSARY narrow strings), $(D popFront) automatically advances to the next $(GLOSSARY code point). */ void popFront(T)(ref T[] a) @safe pure nothrow if (!isNarrowString!(T[]) && !is(T[] == void[])) { assert(a.length, "Attempting to popFront() past the end of an array of " ~ T.stringof); a = a[1 .. $]; } /// @safe pure nothrow unittest { auto a = [ 1, 2, 3 ]; a.popFront(); assert(a == [ 2, 3 ]); } version(unittest) { static assert(!is(typeof({ int[4] a; popFront(a); }))); static assert(!is(typeof({ immutable int[] a; popFront(a); }))); static assert(!is(typeof({ void[] a; popFront(a); }))); } // Specialization for narrow strings. The necessity of void popFront(C)(ref C[] str) @trusted pure nothrow if (isNarrowString!(C[])) { assert(str.length, "Attempting to popFront() past the end of an array of " ~ C.stringof); static if(is(Unqual!C == char)) { immutable c = str[0]; if(c < 0x80) { //ptr is used to avoid unnnecessary bounds checking. str = str.ptr[1 .. str.length]; } else { import core.bitop : bsr; auto msbs = 7 - bsr(~c); if((msbs < 2) | (msbs > 6)) { //Invalid UTF-8 msbs = 1; } str = str[msbs .. $]; } } else static if(is(Unqual!C == wchar)) { immutable u = str[0]; str = str[1 + (u >= 0xD800 && u <= 0xDBFF) .. $]; } else static assert(0, "Bad template constraint."); } @safe pure unittest { import std.typetuple; foreach(S; TypeTuple!(string, wstring, dstring)) { S s = "\xC2\xA9hello"; s.popFront(); assert(s == "hello"); S str = "hello\U00010143\u0100\U00010143"; foreach(dchar c; ['h', 'e', 'l', 'l', 'o', '\U00010143', '\u0100', '\U00010143']) { assert(str.front == c); str.popFront(); } assert(str.empty); static assert(!is(typeof({ immutable S a; popFront(a); }))); static assert(!is(typeof({ typeof(S.init[0])[4] a; popFront(a); }))); } C[] _eatString(C)(C[] str) { while(!str.empty) str.popFront(); return str; } enum checkCTFE = _eatString("ウェブサイト@La_Verité.com"); static assert(checkCTFE.empty); enum checkCTFEW = _eatString("ウェブサイト@La_Verité.com"w); static assert(checkCTFEW.empty); } /** Implements the range interface primitive $(D popBack) for built-in arrays. Due to the fact that nonmember functions can be called with the first argument using the dot notation, $(D array.popBack) is equivalent to $(D popBack(array)). For $(GLOSSARY narrow strings), $(D popFront) automatically eliminates the last $(GLOSSARY code point). */ void popBack(T)(ref T[] a) @safe pure nothrow if (!isNarrowString!(T[]) && !is(T[] == void[])) { assert(a.length); a = a[0 .. $ - 1]; } /// @safe pure nothrow unittest { auto a = [ 1, 2, 3 ]; a.popBack(); assert(a == [ 1, 2 ]); } version(unittest) { static assert(!is(typeof({ immutable int[] a; popBack(a); }))); static assert(!is(typeof({ int[4] a; popBack(a); }))); static assert(!is(typeof({ void[] a; popBack(a); }))); } // Specialization for arrays of char void popBack(T)(ref T[] a) @safe pure if (isNarrowString!(T[])) { assert(a.length, "Attempting to popBack() past the front of an array of " ~ T.stringof); a = a[0 .. $ - std.utf.strideBack(a, $)]; } @safe pure unittest { import std.typetuple; foreach(S; TypeTuple!(string, wstring, dstring)) { S s = "hello\xE2\x89\xA0"; s.popBack(); assert(s == "hello"); S s3 = "\xE2\x89\xA0"; auto c = s3.back; assert(c == cast(dchar)'\u2260'); s3.popBack(); assert(s3 == ""); S str = "\U00010143\u0100\U00010143hello"; foreach(dchar ch; ['o', 'l', 'l', 'e', 'h', '\U00010143', '\u0100', '\U00010143']) { assert(str.back == ch); str.popBack(); } assert(str.empty); static assert(!is(typeof({ immutable S a; popBack(a); }))); static assert(!is(typeof({ typeof(S.init[0])[4] a; popBack(a); }))); } } /** Implements the range interface primitive $(D front) for built-in arrays. Due to the fact that nonmember functions can be called with the first argument using the dot notation, $(D array.front) is equivalent to $(D front(array)). For $(GLOSSARY narrow strings), $(D front) automatically returns the first $(GLOSSARY code point) as a $(D dchar). */ @property ref T front(T)(T[] a) @safe pure nothrow if (!isNarrowString!(T[]) && !is(T[] == void[])) { assert(a.length, "Attempting to fetch the front of an empty array of " ~ T.stringof); return a[0]; } /// @safe pure nothrow unittest { int[] a = [ 1, 2, 3 ]; assert(a.front == 1); } @safe pure nothrow unittest { auto a = [ 1, 2 ]; a.front = 4; assert(a.front == 4); assert(a == [ 4, 2 ]); immutable b = [ 1, 2 ]; assert(b.front == 1); int[2] c = [ 1, 2 ]; assert(c.front == 1); } @property dchar front(T)(T[] a) @safe pure if (isNarrowString!(T[])) { import std.utf : decode; assert(a.length, "Attempting to fetch the front of an empty array of " ~ T.stringof); size_t i = 0; return decode(a, i); } /** Implements the range interface primitive $(D back) for built-in arrays. Due to the fact that nonmember functions can be called with the first argument using the dot notation, $(D array.back) is equivalent to $(D back(array)). For $(GLOSSARY narrow strings), $(D back) automatically returns the last $(GLOSSARY code point) as a $(D dchar). */ @property ref T back(T)(T[] a) @safe pure nothrow if (!isNarrowString!(T[])) { assert(a.length, "Attempting to fetch the back of an empty array of " ~ T.stringof); return a[$ - 1]; } /// @safe pure nothrow unittest { int[] a = [ 1, 2, 3 ]; assert(a.back == 3); a.back += 4; assert(a.back == 7); } @safe pure nothrow unittest { immutable b = [ 1, 2, 3 ]; assert(b.back == 3); int[3] c = [ 1, 2, 3 ]; assert(c.back == 3); } // Specialization for strings @property dchar back(T)(T[] a) @safe pure if (isNarrowString!(T[])) { import std.utf : decode; assert(a.length, "Attempting to fetch the back of an empty array of " ~ T.stringof); size_t i = a.length - std.utf.strideBack(a, a.length); return decode(a, i); }
D
/Users/macosx/Desktop/TestNetWorkLayer/build/Pods.build/Debug-iphonesimulator/Nimble.build/Objects-normal/x86_64/Expression.o : /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/DSL.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatcherFunc.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Async.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ToSucceed.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeVoid.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/FailureMessage.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/ExpectationMessage.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Predicate.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeAKindOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeAnInstanceOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/SatisfyAllOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/SatisfyAnyOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ContainElementSatisfying.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Match.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/EndWith.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeginWith.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLogical.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Functional.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Equal.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLessThanOrEqual.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ElementsEqual.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeNil.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeGreaterThan.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLessThan.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Contain.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Expression.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/PostNotification.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/SourceLocation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Expectation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NMBExpectation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlCatchBadInstruction.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Dependencies/CwlCatchException/Sources/CwlCatchException/CwlCatchException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlBadInstructionException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/RaisesException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ThrowAssertion.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeCloseTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeIdenticalTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeGreaterThanOrEqualTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AssertionRecorder.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NMBObjCMatcher.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AssertionDispatcher.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NimbleXCTestHandler.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatchError.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ThrowError.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatcherProtocols.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AdapterProtocols.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlDarwinDefinitions.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Stringers.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Errors.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/AllPass.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/DSL+Wait.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Await.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NimbleEnvironment.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/HaveCount.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/DSL.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Target\ Support\ Files/Nimble/Nimble-umbrella.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Nimble.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/NMBExceptionCapture.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/include/CwlPreconditionTesting.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Dependencies/CwlCatchException/Sources/CwlCatchExceptionSupport/include/CwlCatchException.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlMachBadInstructionHandler/include/CwlMachBadInstructionHandler.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlMachBadInstructionHandler/mach_excServer.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/NMBStringify.h /Users/macosx/Desktop/TestNetWorkLayer/build/Pods.build/Debug-iphonesimulator/Nimble.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTest.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/macosx/Desktop/TestNetWorkLayer/build/Pods.build/Debug-iphonesimulator/Nimble.build/Objects-normal/x86_64/Expression~partial.swiftmodule : /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/DSL.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatcherFunc.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Async.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ToSucceed.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeVoid.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/FailureMessage.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/ExpectationMessage.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Predicate.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeAKindOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeAnInstanceOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/SatisfyAllOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/SatisfyAnyOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ContainElementSatisfying.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Match.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/EndWith.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeginWith.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLogical.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Functional.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Equal.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLessThanOrEqual.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ElementsEqual.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeNil.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeGreaterThan.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLessThan.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Contain.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Expression.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/PostNotification.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/SourceLocation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Expectation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NMBExpectation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlCatchBadInstruction.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Dependencies/CwlCatchException/Sources/CwlCatchException/CwlCatchException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlBadInstructionException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/RaisesException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ThrowAssertion.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeCloseTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeIdenticalTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeGreaterThanOrEqualTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AssertionRecorder.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NMBObjCMatcher.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AssertionDispatcher.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NimbleXCTestHandler.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatchError.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ThrowError.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatcherProtocols.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AdapterProtocols.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlDarwinDefinitions.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Stringers.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Errors.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/AllPass.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/DSL+Wait.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Await.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NimbleEnvironment.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/HaveCount.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/DSL.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Target\ Support\ Files/Nimble/Nimble-umbrella.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Nimble.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/NMBExceptionCapture.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/include/CwlPreconditionTesting.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Dependencies/CwlCatchException/Sources/CwlCatchExceptionSupport/include/CwlCatchException.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlMachBadInstructionHandler/include/CwlMachBadInstructionHandler.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlMachBadInstructionHandler/mach_excServer.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/NMBStringify.h /Users/macosx/Desktop/TestNetWorkLayer/build/Pods.build/Debug-iphonesimulator/Nimble.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTest.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/macosx/Desktop/TestNetWorkLayer/build/Pods.build/Debug-iphonesimulator/Nimble.build/Objects-normal/x86_64/Expression~partial.swiftdoc : /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/DSL.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatcherFunc.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Async.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ToSucceed.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeVoid.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/FailureMessage.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/ExpectationMessage.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Predicate.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeAKindOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeAnInstanceOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/SatisfyAllOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/SatisfyAnyOf.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ContainElementSatisfying.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Match.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/EndWith.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeginWith.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLogical.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Functional.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Equal.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLessThanOrEqual.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ElementsEqual.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeNil.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeGreaterThan.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeLessThan.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/Contain.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Expression.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/PostNotification.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/SourceLocation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Expectation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NMBExpectation.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlCatchBadInstruction.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Dependencies/CwlCatchException/Sources/CwlCatchException/CwlCatchException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlBadInstructionException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/RaisesException.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ThrowAssertion.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeCloseTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeIdenticalTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeGreaterThanOrEqualTo.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AssertionRecorder.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NMBObjCMatcher.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AssertionDispatcher.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NimbleXCTestHandler.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatchError.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/ThrowError.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/MatcherProtocols.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/AdapterProtocols.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/CwlDarwinDefinitions.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Stringers.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Errors.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/AllPass.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/DSL+Wait.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Utils/Await.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Adapters/NimbleEnvironment.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/HaveCount.swift /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Matchers/BeEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/DSL.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Target\ Support\ Files/Nimble/Nimble-umbrella.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/Nimble/Nimble.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/NMBExceptionCapture.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlPreconditionTesting/include/CwlPreconditionTesting.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Dependencies/CwlCatchException/Sources/CwlCatchExceptionSupport/include/CwlCatchException.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlMachBadInstructionHandler/include/CwlMachBadInstructionHandler.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Carthage/Checkouts/CwlPreconditionTesting/Sources/CwlMachBadInstructionHandler/mach_excServer.h /Users/macosx/Desktop/TestNetWorkLayer/Pods/Nimble/Sources/NimbleObjectiveC/NMBStringify.h /Users/macosx/Desktop/TestNetWorkLayer/build/Pods.build/Debug-iphonesimulator/Nimble.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTest.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM WT ROCKTYPE 250.354364 74.7519756 1.89999998 483 56 67 44 -73 1551 2.32526819 4.1754768 0.982111926 sediments, limestones 218.073166 68.0168889 6.5999999 24 63 64 51.9000015 -112.900002 1729 9.43074072 21.2827144 0.804286288 sediments 208.373883 70.2273557 6.19999981 16.2999992 62 65 46.4000015 -105.800003 9448 7.97715143 14.1216288 0.825141833 sediments 175.171196 74.092282 17.7000008 10.8999996 56 62 45 -110 1145 22.125001 29.5742875 0.208785026 sediments 98.79565 84.085656 5.9000001 25 53 62 29.5 -103 1140 5.0959566 6.87403981 0.840254879 sediments 181.399994 81.8000031 3.70000005 43.4000015 59 67 47.5999985 -108.900002 293 5.4000001 5.4000001 0.933840149 intrusives 190.600006 78.6999969 8.39999962 25.5 40 72 39.2000008 -106.199997 8909 10.1999998 13.1000004 0.702717745 intrusives,metamorphics,porphyries,ores 189 68 14 76 50 65 40 -105.300003 3256 18 23 0.375311099 intrusives, rhyolite 62.9000015 64.5 10.8000002 39.2999992 55 65 40.7999992 -105.199997 3236 6.4000001 11.8000002 0.558109543 extrusives, basalts 63.7000008 81.4000015 7.5999999 46.9000015 55 65 40.7999992 -105.199997 3237 6.9000001 10.1999998 0.749162029 extrusives, basalts 185.100006 80.5 3.9000001 41.0999985 61 67 47.5 -109 1264 5.5999999 5.5999999 0.926769863 intrusives
D
/** Module providing facilities related to the fasta format. */ module comet.bio.fasta; import comet.traits; import std.exception: enforce; import std.stdio: File; import std.conv: to; /** Structure extracted from a fasta file: a sequence. A sequence is just a sequence id associated with a sequence of molecules of a given type. */ struct Sequence( T ) { private: string _id; T[] _molecules; this( string id, T[] molecules = [] ) { _id = id; _molecules = molecules; } public: @property string id() { return _id; } @property auto molecules() { return _molecules; } } /** Factory function. */ auto makeSequence( T )( string id, T[] molecules ) { return Sequence!T( id, molecules ); } /** In order to extract the data from a fasta file, the user must provide a simple conversion function that takes a char and returns a molecule of the expected type, like an RNA nucleotide for example. */ private interface MoleculeParser( T ) { T opCall( char ); } /** Returns true if the given callable implements the molecule parser interface. */ private template isMoleculeParser( T... ) if( T.length == 1 ) { alias parser = T[ 0 ]; static if( FuncInfo!parser.arity == 1 && FuncInfo!parser.hasReturn!() ) { enum isMoleculeParser = true; } else { enum isMoleculeParser = false; } } //Every line starting a sequence starts with this character, followed by an id. private immutable string SEQUENCE_START = ">"; /** Parse the fasta file provided. Throws an exception whenever the format is unrecognized. If everything is correct however, the function returns a range containing all extracted sequences. Assumes the file is opened and ready to read. Uses the given parser to convert char to molecules. */ auto parse( alias parser )( File f ) { alias parserFunc = parser; static assert( isMoleculeParser!parserFunc, "invalid molecule parser" ); //The return type is the molecule type. alias T = FuncInfo!( parserFunc ).Return; import std.algorithm: countUntil, startsWith; import std.string: strip; import ascii = std.ascii; import std.array: appender; auto sequences = appender!( Sequence!T[] )(); char[] line; f.readln( line ); while( !f.eof() ) { string id = null; auto molecules = appender!( T[] )(); //Extract id. enforce( line.startsWith( SEQUENCE_START ), "expected fasta sequence start \"" ~ SEQUENCE_START ~ "\" but found: " ~ line ); //Extract the first word as the id. id = line[ 1 .. line.countUntil!( ascii.isWhite )() ].idup; enforce( 0 < id.strip.length, "expected sequence id to have at least one meaningful character but found: " ~ id ); //Extract the sequence data. while( f.readln( line ) && !line.startsWith( SEQUENCE_START ) ) { foreach( c; line ) { //Skip white spaces. if( ascii.isWhite( c ) ) { continue; } //Append the associated abbreviated molecule. molecules.put( parserFunc( c ) ); } } enforce( molecules.data !is null, "empty sequence data for: " ~ id ); sequences.put( makeSequence( id, molecules.data ) ); } return sequences.data; }
D
/Users/gem/Desktop/MovieMoya/the-movie-db/DerivedData/TheNewMovie/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageFormat.o : /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Image.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Filter.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Result.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Kingfisher.h /Users/gem/Desktop/MovieMoya/the-movie-db/DerivedData/TheNewMovie/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/gem/Desktop/MovieMoya/the-movie-db/DerivedData/TheNewMovie/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageFormat~partial.swiftmodule : /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Image.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Filter.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Result.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Kingfisher.h /Users/gem/Desktop/MovieMoya/the-movie-db/DerivedData/TheNewMovie/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/gem/Desktop/MovieMoya/the-movie-db/DerivedData/TheNewMovie/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageFormat~partial.swiftdoc : /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Image.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/Filter.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Result.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/gem/Desktop/MovieMoya/the-movie-db/Pods/Kingfisher/Sources/Kingfisher.h /Users/gem/Desktop/MovieMoya/the-movie-db/DerivedData/TheNewMovie/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
instance Mod_1167_STT_Schatten_MT (Npc_Default) { //-------- primary data -------- name = NAME_Schatten; npctype = NPCTYPE_mt_schatten; guild = GIL_out; level = 5; voice = 0; id = 1167; //-------- abilities -------- B_SetAttributesToChapter (self, 3); //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); Mdl_ApplyOverlayMds (self,"Humans_Relaxed.mds"); // body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung Mdl_SetVisualBody (self,"hum_body_Naked0", 0, 1,"Hum_Head_Thief", 57, 1, STT_ARMOR_M); Mdl_SetModelFatness(self,0); fight_tactic = FAI_HUMAN_COWARD; //-------- Talente -------- B_SetFightSkills (self, 45); //-------- inventory -------- B_CreateAmbientInv (self); //-------------Daily Routine------------- daily_routine = Rtn_start_1167; }; FUNC VOID Rtn_start_1167 () { TA_Sleep (22,30,06,30,"OCR_HUT_9"); TA_Sit_Bench (06,30,10,30,"OCR_OUTSIDE_HUT_9"); TA_Sit_Campfire (10,30,19,30,"OCR_OUTSIDE_HUT_11"); TA_Stand_Drinking (19,30,22,30,"OCR_ARENA_05"); };
D
module frpd.cell.cf; import std.algorithm; import frpd.cell.cell; import frpd.cell._add_listener : addListener,removeListener; import std.typecons:tuple,Tuple; import std.traits : Parameters, ReturnType; import std.meta : staticMap; /** Create a "cell function" from a normal function. A cell function is a function that rather than taking values takes cells as arguments and will return a cell (changing value) of said calculation. Cell!<ReturnType> cf(<function>)(Cell!<Parameter>...) */ template cf(alias f) {// TODO: better error reporting is f is not of the right type. private { alias F = typeof(f); alias T = ReturnType!F; alias Params = Parameters!F; alias CellParams = staticMap!(Cell,Params); class FuncCell : Cell!T, CellListener { import std.meta : staticMap; //---Values T heldValue; bool heldNeedsUpdate; Tuple!CellParams cellArgs; // The Cells from which to extract values from when recalculating. T delegate(Params) func; // The function to call with the extracted values. //---Constructor this( Tuple!CellParams cellArgs, T delegate(Params) func, ){ heldNeedsUpdate = true; this.cellArgs = cellArgs; this.func = func; cellArgs.each!(i=>i.addListener(this)); } ~this() { cellArgs.each!(i=>i.removeListener(this)); } //---Methods /** Call this "function" to calculate the value. I might make opCall an alias for this? */ override @property T value() { if (heldNeedsUpdate) { Tuple!(Params) args; foreach(i,cellArg; cellArgs) { args[i] = cellArg.value; } heldValue = func(args.expand); heldNeedsUpdate = false; } return heldValue; } //---Listener methods override void onValueReady() { heldNeedsUpdate = true; super.onValueReady; } override void push() { super.push; } } } Cell!T cf(CellParams cellArgs) { return new FuncCell(cellArgs.tuple, (Params args){return f(args);}); }; } unittest { import frpd.cell.settable_cell : cell; int mul(int l, int r) { return l*r; } //--- auto a = cell!int(1); auto b = cell(2); auto c = cf!mul(a,b); { import frpd.cell : Cell; assert(is(typeof(c)==Cell!int)); } assert(c.value==2); a.value = 2; assert(c.value==4); b.value = 3; assert(c.value==6); //--- import std.conv : to; auto d = cf!((int v)=>v.to!string)(c); assert(d.value=="6"); a.value = 12; assert(d.value=="36"); //--- import std.range : repeat; import std.array : join; auto e = cf!( (string s, int t) { return s.repeat(t).join; } )(d, b); assert(e.value=="363636"); a.value = 1; assert(e.value=="333"); }
D
/***********************************************************************\ * wtypes.d * * * * Windows API header module * * * * Translated from MinGW Windows headers * * * * Placed into public domain * \***********************************************************************/ module win32.wtypes; version(Windows): import win32.rpc, win32.rpcndr; private import win32.windef; private import win32.uuid; // for GUID_NULL alias GUID_NULL IID_NULL, CLSID_NULL; const ROTFLAGS_REGISTRATIONKEEPSALIVE = 0x01; const ROTFLAGS_ALLOWANYCLIENT = 0x02; // also in winsock2.h struct BLOB { ULONG cbSize; BYTE* pBlobData; } alias BLOB* PBLOB, LPBLOB; enum DVASPECT { DVASPECT_CONTENT = 1, DVASPECT_THUMBNAIL = 2, DVASPECT_ICON = 4, DVASPECT_DOCPRINT = 8 } enum DVASPECT2 { DVASPECT_OPAQUE = 16, DVASPECT_TRANSPARENT = 32 } enum STATFLAG { STATFLAG_DEFAULT = 0, STATFLAG_NONAME = 1 } enum MEMCTX { MEMCTX_LOCAL = 0, MEMCTX_TASK, MEMCTX_SHARED, MEMCTX_MACSYSTEM, MEMCTX_UNKNOWN = -1, MEMCTX_SAME = -2 } enum MSHCTX { MSHCTX_LOCAL = 0, MSHCTX_NOSHAREDMEM, MSHCTX_DIFFERENTMACHINE, MSHCTX_INPROC, MSHCTX_CROSSCTX } enum CLSCTX { CLSCTX_INPROC_SERVER = 1, CLSCTX_INPROC_HANDLER = 2, CLSCTX_LOCAL_SERVER = 4, CLSCTX_INPROC_SERVER16 = 8, CLSCTX_REMOTE_SERVER = 16 } enum MSHLFLAGS { MSHLFLAGS_NORMAL, MSHLFLAGS_TABLESTRONG, MSHLFLAGS_TABLEWEAK } struct FLAGGED_WORD_BLOB { uint fFlags; uint clSize; ushort[1] asData; } alias WCHAR OLECHAR; alias LPWSTR LPOLESTR; alias LPCWSTR LPCOLESTR; alias ushort VARTYPE; alias short VARIANT_BOOL; alias VARIANT_BOOL _VARIANT_BOOL; const VARIANT_BOOL VARIANT_TRUE = -1; // 0xffff; const VARIANT_BOOL VARIANT_FALSE = 0; alias OLECHAR* BSTR; alias FLAGGED_WORD_BLOB* wireBSTR; alias BSTR* LPBSTR; //alias LONG SCODE; // also in winerror mixin DECLARE_HANDLE!("HCONTEXT"); mixin DECLARE_HANDLE!("HMETAFILEPICT"); union CY { struct { uint Lo; int Hi; } LONGLONG int64; } alias double DATE; struct BSTRBLOB { ULONG cbSize; PBYTE pData; } alias BSTRBLOB* LPBSTRBLOB; // Used only in the PROPVARIANT structure // According to the 2003 SDK, this should be in propidl.h, not here. struct CLIPDATA { ULONG cbSize; int ulClipFmt; PBYTE pClipData; } enum STGC { STGC_DEFAULT, STGC_OVERWRITE, STGC_ONLYIFCURRENT, STGC_DANGEROUSLYCOMMITMERELYTODISKCACHE } enum STGMOVE { STGMOVE_MOVE, STGMOVE_COPY, STGMOVE_SHALLOWCOPY } enum VARENUM { VT_EMPTY, VT_NULL, VT_I2, VT_I4, VT_R4, VT_R8, VT_CY, VT_DATE, VT_BSTR, VT_DISPATCH, VT_ERROR, VT_BOOL, VT_VARIANT, VT_UNKNOWN, VT_DECIMAL, VT_I1 = 16, VT_UI1, VT_UI2, VT_UI4, VT_I8, VT_UI8, VT_INT, VT_UINT, VT_VOID, VT_HRESULT, VT_PTR, VT_SAFEARRAY, VT_CARRAY, VT_USERDEFINED, VT_LPSTR, VT_LPWSTR, VT_RECORD = 36, VT_INT_PTR = 37, VT_UINT_PTR = 38, VT_FILETIME = 64, VT_BLOB, VT_STREAM, VT_STORAGE, VT_STREAMED_OBJECT, VT_STORED_OBJECT, VT_BLOB_OBJECT, VT_CF, VT_CLSID, VT_BSTR_BLOB = 0xfff, VT_VECTOR = 0x1000, VT_ARRAY = 0x2000, VT_BYREF = 0x4000, VT_RESERVED = 0x8000, VT_ILLEGAL = 0xffff, VT_ILLEGALMASKED = 0xfff, VT_TYPEMASK = 0xfff }; struct BYTE_SIZEDARR { uint clSize; byte* pData; } struct WORD_SIZEDARR { uint clSize; ushort* pData; } struct DWORD_SIZEDARR { uint clSize; uint* pData; } struct HYPER_SIZEDARR { uint clSize; hyper* pData; } alias double DOUBLE; struct DECIMAL { USHORT wReserved; union { struct { ubyte scale; // valid values are 0 to 28 ubyte sign; // 0 for positive, DECIMAL_NEG for negatives. enum ubyte DECIMAL_NEG = 0x80; } USHORT signscale; } ULONG Hi32; union { struct { ULONG Lo32; ULONG Mid32; } ULONGLONG Lo64; } // #define DECIMAL_SETZERO(d) {(d).Lo64=(d).Hi32=(d).signscale=0;} void setZero() { Lo64 = 0; Hi32 = 0; signscale = 0; } }
D
/orange_pro/swift_dev/Fanplan/.build/debug/PerfectLib.build/WebSocketHandler.swift.o : /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Utilities.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/FastCGIServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HTTPServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HPACK.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebResponse.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/File.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/DynamicLoader.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/StaticFileHandler.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/MimeType.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/JSONConvertible.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebRequest.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/LogManager.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Dir.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebConnection.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Mustache.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/FastCGI.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebSocketHandler.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Bytes.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/PerfectServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/MimeReader.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/PerfectError.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/NotificationPusher.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/SysProcess.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/SwiftCompatibility.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HTTP2.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Routing.swift /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Swift.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/shims/Visibility.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/SwiftStdint.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/UnicodeShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/SwiftStddef.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/LibcShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RuntimeStubs.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RuntimeShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RefCount.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/HeapObject.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/GlobalObjects.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/FoundationShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/CoreFoundationShims.h /orange_pro/swift_dev/Fanplan/Packages/LinuxBridge-0.4.0/module.modulemap /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/glibc.modulemap /orange_pro/swift_dev/swift/usr/lib/swift/shims/module.map /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /orange_pro/swift_dev/Fanplan/.build/debug/PerfectNet.swiftmodule /orange_pro/swift_dev/Fanplan/Packages/LinuxBridge-0.4.0/LinuxBridge.h /orange_pro/swift_dev/Fanplan/Packages/OpenSSL-0.3.0/module.modulemap /orange_pro/swift_dev/Fanplan/Packages/OpenSSL-0.3.0/openssl.h /orange_pro/swift_dev/Fanplan/.build/debug/PerfectThread.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Foundation.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Glibc.swiftmodule /orange_pro/swift_dev/Fanplan/.build/debug/PerfectLib.build/WebSocketHandler~partial.swiftmodule : /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Utilities.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/FastCGIServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HTTPServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HPACK.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebResponse.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/File.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/DynamicLoader.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/StaticFileHandler.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/MimeType.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/JSONConvertible.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebRequest.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/LogManager.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Dir.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebConnection.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Mustache.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/FastCGI.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebSocketHandler.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Bytes.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/PerfectServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/MimeReader.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/PerfectError.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/NotificationPusher.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/SysProcess.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/SwiftCompatibility.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HTTP2.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Routing.swift /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Swift.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/shims/Visibility.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/SwiftStdint.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/UnicodeShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/SwiftStddef.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/LibcShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RuntimeStubs.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RuntimeShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RefCount.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/HeapObject.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/GlobalObjects.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/FoundationShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/CoreFoundationShims.h /orange_pro/swift_dev/Fanplan/Packages/LinuxBridge-0.4.0/module.modulemap /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/glibc.modulemap /orange_pro/swift_dev/swift/usr/lib/swift/shims/module.map /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /orange_pro/swift_dev/Fanplan/.build/debug/PerfectNet.swiftmodule /orange_pro/swift_dev/Fanplan/Packages/LinuxBridge-0.4.0/LinuxBridge.h /orange_pro/swift_dev/Fanplan/Packages/OpenSSL-0.3.0/module.modulemap /orange_pro/swift_dev/Fanplan/Packages/OpenSSL-0.3.0/openssl.h /orange_pro/swift_dev/Fanplan/.build/debug/PerfectThread.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Foundation.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Glibc.swiftmodule /orange_pro/swift_dev/Fanplan/.build/debug/PerfectLib.build/WebSocketHandler~partial.swiftdoc : /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Utilities.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/FastCGIServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HTTPServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HPACK.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebResponse.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/File.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/DynamicLoader.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/StaticFileHandler.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/MimeType.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/JSONConvertible.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebRequest.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/LogManager.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Dir.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebConnection.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Mustache.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/FastCGI.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/WebSocketHandler.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Bytes.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/PerfectServer.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/MimeReader.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/PerfectError.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/NotificationPusher.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/SysProcess.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/SwiftCompatibility.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/HTTP2.swift /orange_pro/swift_dev/Fanplan/Packages/PerfectLib-0.32.0/Sources/PerfectLib/Routing.swift /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Swift.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/shims/Visibility.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/SwiftStdint.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/UnicodeShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/SwiftStddef.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/LibcShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RuntimeStubs.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RuntimeShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/RefCount.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/HeapObject.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/GlobalObjects.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/FoundationShims.h /orange_pro/swift_dev/swift/usr/lib/swift/shims/CoreFoundationShims.h /orange_pro/swift_dev/Fanplan/Packages/LinuxBridge-0.4.0/module.modulemap /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/glibc.modulemap /orange_pro/swift_dev/swift/usr/lib/swift/shims/module.map /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /orange_pro/swift_dev/Fanplan/.build/debug/PerfectNet.swiftmodule /orange_pro/swift_dev/Fanplan/Packages/LinuxBridge-0.4.0/LinuxBridge.h /orange_pro/swift_dev/Fanplan/Packages/OpenSSL-0.3.0/module.modulemap /orange_pro/swift_dev/Fanplan/Packages/OpenSSL-0.3.0/openssl.h /orange_pro/swift_dev/Fanplan/.build/debug/PerfectThread.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Foundation.swiftmodule /orange_pro/swift_dev/swift/usr/lib/swift/linux/x86_64/Glibc.swiftmodule
D
//T compiles:yes //T lexer:yes //T parser:yes //T semantic:yes //T retval:42 //T has-passed:no struct S { enum O { B = 21 } } int main() { S s; return s.O.B + S.O.B; }
D
import core.sys.windows.windows; import std.stdio; pragma( lib, "user32.lib" ); struct Rect { RECT native; alias native this; } void main() { Rect rect; POINT p; PtInRect( &rect.native, p ); uint i = 1; ulong l = cast( ulong ) i ; writeln( "i: ", i ); writeln( "l: ", l ); ulong l2 = 1; uint i2 = cast( uint ) l2; writeln( "i2: ", i2 ); writeln( "l2: ", l2 ); ulong l3 = 0x100000000000; uint i3 = cast( uint ) l3; writeln( "i3 : ", i3 ); writeln( "l3: ", l3 ); uint a = 5; uint b = 2; writeln( cast( float ) a / b ); }
D
module aura.model.face; import aura.list; import aura.selection; import aura.model.mbody; import aura.model.vertex; import aura.model.edge; import aura.model.subtri; import aura.model.vector; import opengl.gl; import std.stdio; class FaceList { mixin MixList!(Face); } class Face { VertexList verts; EdgeList edges; SubTriList tris; Body f_body; Colour colour; bool selected = false; bool hot = false; Vector normal; this( ) { verts = new VertexList; edges = new EdgeList; tris = new SubTriList; } Vector calculateNormal( ) { normal.zero( ); foreach ( t; tris ) { normal += t.calculateNormal( ); } normal.normalize(); return normal; } void cleanReferences( ) { foreach ( v; verts ) v.cleanReferencesToFace( this ); foreach ( e; edges ) e.cleanReferencesToFace( this ); } void rebuildTris( ) { /*foreach ( t; tris ) { delete t; } tris.length = 0;*/ tris = []; // now let's make our subtris //tris.length = verts.length - 2; //writefln( "Tris calculated: %s", verts.length ); if ( verts.length < 3 ) { return; } else if ( verts.length == 3 ) { // tri already tris.append( new SubTri( verts[0], verts[1], verts[2] ) ); } else if ( verts.length == 4 ) { // quad tris.append( new SubTri( verts[0], verts[1], verts[2] ) ); tris.append( new SubTri( verts[2], verts[3], verts[0] ) ); } else { throw new Exception( "Ear clipping not yet implemented, yet a face with more than 4 verts encountered!"); } } void addVertex( Vertex v ) { verts.append( v ); v.faces.append( this ); if ( v == null ) { throw new Exception( "Attempt to append a null vertex to face with length " ~ std.string.toString(verts.length) ); } } void reorderToNormal( Vector norm ) { Vector mynorm = this.calculateNormal( ); if ( mynorm != norm ) { writefln( "Face pointing wrong way, fixing (%s,%s,%s) -> (%s,%s,%s)", mynorm.x, mynorm.y, mynorm.z, norm.x, norm.y, norm.z ); VertexList newlist = new VertexList; for ( int a = verts.length-1; a>=0; a-- ) { newlist.append( verts[a] ); } verts = null; verts = newlist; rebuildTris( ); mynorm = this.calculateNormal( ); if ( mynorm != norm ) { // FIXME: this will happen on non-planar faces, some sort of flexibility needs to be added // ( say, that the normal is within 0.2 of the original, because it will be almost "2" diff ) writefln( "After re-ordering verts, normal still different (%s,%s,%s) -> (%s,%s,%s)", mynorm.x, mynorm.y, mynorm.z, norm.x, norm.y, norm.z ); } } } void computeEdges( ) { int a; for ( a = 1; a < verts.length; a++ ) edges.append( Edge.getEdge( this, verts[a-1], verts[a] ) ); edges.append( Edge.getEdge( this, verts[verts.length-1], verts[0] ) ); if ( edges.length != verts.length ) throw new Exception( "computeEdges made incorrect number of edges" ); rebuildTris( ); } void renderSelect( int selectMode ) { glDisable(GL_CULL_FACE); if ( selectMode == aSelectFace ) { glPushName( cast(int)this ); glBegin( GL_TRIANGLES ); glColor4f( colour.r, colour.g, colour.b, colour.a ); foreach ( t; tris ) { t.verts[0].glv; t.verts[1].glv; t.verts[2].glv; } glEnd( ); glPopName( ); } } void renderFaceSelectVertex( ) { foreach ( t; tris ) { Vertex center = new Vertex( null, 0, 0, 0 ); foreach ( v; t.verts ) center += v; center /= t.verts.length; Vertex va = t.verts[0]; Vertex vb = t.verts[1]; Vertex vc = t.verts[2]; Edge ea = Edge.getEdge( null, va, vb ); Edge eb = Edge.getEdge( null, vb, vc ); Edge ec = Edge.getEdge( null, vc, va ); Vector ca = Vertex.makeCenterOf( va, vb ); Vector cb = Vertex.makeCenterOf( vb, vc ); Vector cc = Vertex.makeCenterOf( vc, va ); int real_edges = 0; if ( ea !is null ) real_edges++; if ( eb !is null ) real_edges++; if ( ec !is null ) real_edges++; if ( real_edges == 3 ) { glPushName( cast(int)va ); glBegin( GL_TRIANGLES ); glColor3f( 1.0f, 0.0f, 0.0f ); va.glv; ca.glv; center.glv; glColor3f( 1.0f, 0.5f, 0.0f ); va.glv; cc.glv; center.glv; glEnd( ); glPopName( ); glPushName( cast(int)vb ); glBegin( GL_TRIANGLES ); glColor3f( 0.0f, 1.0f, 0.0f ); vb.glv; cb.glv; center.glv; glColor3f( 0.0f, 1.0f, 0.5f ); vb.glv; ca.glv; center.glv; glEnd( ); glPopName( ); glPushName( cast(int)vc ); glBegin( GL_TRIANGLES ); glColor3f( 0.0f, 0.0f, 1.0f ); vc.glv; cc.glv; center.glv; glColor3f( 0.0f, 0.5f, 1.0f ); vc.glv; cb.glv; center.glv; glEnd( ); glPopName( ); } else if ( real_edges == 2 ) { // move the edges down the stack so the 2 real edges are "ea" and "eb" if ( ea is null ) { ea = eb; eb = ec; } else if ( eb is null ) { eb = ec; } // which vertex is shared? Vertex shared = ea.va; if ( !eb.hasVertex( shared ) ) shared = ea.vb; if ( !eb.hasVertex( shared ) ) throw new Exception( "2 edges of a triangle don't share a common vertex!" ); if ( !ea.hasVertex( shared ) || !eb.hasVertex( shared ) ) throw new Exception( "Something broke :)" ); // find the 2 verts that are unique (not shared by a real edge) Vertex ua = ea.getOther( shared ); Vertex ub = eb.getOther( shared ); if ( ua == shared || ub == shared ) throw new Exception( "Unique vertex was same as shared vertex" ); // calculate the center of the edge between ua and ub Vector ecenter = Vertex.makeCenterOf( ua, ub ); // calculate the center of each real edges Vector eac = ea.getCenter( ); Vector ebc = eb.getCenter( ); glDisable( GL_CULL_FACE ); glPushName( cast(int)shared ); glBegin( GL_TRIANGLES ); glColor3f( 1.0f, 0.0f, 0.0f ); shared.glv; eac.glv; ecenter.glv; shared.glv; ebc.glv; ecenter.glv; glEnd( ); glPopName( ); glPushName( cast(int)ua ); glBegin( GL_TRIANGLES ); glColor3f( 1.0f, 0.0f, 0.0f ); ua.glv; eac.glv; ecenter.glv; glEnd( ); glPopName( ); glPushName( cast(int)ub ); glBegin( GL_TRIANGLES ); glColor3f( 1.0f, 0.0f, 0.0f ); ub.glv; ebc.glv; ecenter.glv; glEnd( ); glPopName( ); } else if ( real_edges == 1 ) { throw new Exception( "Encountered a sub-triangle with only 1 real edge. Was triangulation implemented without adding vertex detection code for this case? Oops!" ); } } } void renderFaceSelectEdge( ) { foreach ( t; tris ) { Vertex center = new Vertex( null, 0, 0, 0 ); foreach ( v; t.verts ) center += v; center /= t.verts.length; Vertex va = t.verts[0]; Vertex vb = t.verts[1]; Vertex vc = t.verts[2]; Edge ea = Edge.getEdge( null, va, vb ); Edge eb = Edge.getEdge( null, vb, vc ); Edge ec = Edge.getEdge( null, vc, va ); int real_edges = 0; if ( ea !is null ) real_edges++; if ( eb !is null ) real_edges++; if ( ec !is null ) real_edges++; if ( real_edges == 3 ) { // we have 3 edges that belong to this face. // render the tris from the center to the verts glPushName( cast(int)ea ); glBegin( GL_TRIANGLES ); glColor3f( 1.0f, 0.0f, 0.0f ); va.glv; vb.glv; center.glv; glEnd( ); glPopName( ); glPushName( cast(int)eb ); glBegin( GL_TRIANGLES ); glColor3f( 0.0f, 1.0f, 0.0f ); vb.glv; vc.glv; center.glv; glEnd( ); glPopName( ); glPushName( cast(int)ec ); glBegin( GL_TRIANGLES ); glColor3f( 0.0f, 0.0f, 1.0f ); vc.glv; va.glv; center.glv; glEnd( ); glPopName( ); } else if ( real_edges == 2 ) { // move the edges down the stack so the 2 real edges are "ea" and "eb" if ( ea is null ) { ea = eb; eb = ec; } else if ( eb is null ) { eb = ec; } // which vertex is shared? Vertex shared = ea.va; if ( !eb.hasVertex( shared ) ) shared = ea.vb; if ( !eb.hasVertex( shared ) ) throw new Exception( "2 edges of a triangle don't share a common vertex!" ); if ( !ea.hasVertex( shared ) || !eb.hasVertex( shared ) ) throw new Exception( "Something broke :)" ); // find the 2 verts that are unique (not shared by a real edge) Vertex ua = ea.getOther( shared ); Vertex ub = eb.getOther( shared ); if ( ua == shared || ub == shared ) throw new Exception( "Unique vertex was same as shared vertex" ); // calculate the center of the edge between ua and ub Vector ecenter = Vertex.makeCenterOf( ua, ub ); // got all we need! glDisable( GL_CULL_FACE ); glPushName( cast(int)ea ); glBegin( GL_TRIANGLES ); glColor3f( 1.0f, 0.0f, 0.0f ); shared.glv; ua.glv; ecenter.glv; glEnd( ); glPopName( ); glPushName( cast(int)eb ); glBegin( GL_TRIANGLES ); glColor3f( 0.0f, 1.0f, 0.0f ); eb.va.glv; eb.vb.glv; ecenter.glv; glEnd( ); glPopName( ); } else if ( real_edges == 1 ) { throw new Exception( "Encountered a sub-triangle with only 1 real edge. Was triangulation implemented without adding edge detection code for this case? Oops!" ); } } } void renderFaceSelect( int selectMode ) { if ( selectMode == aSelectVertex ) renderFaceSelectVertex( ); else if ( selectMode == aSelectEdge ) renderFaceSelectEdge( ); } }
D
module dwt.internal.mozilla.nsISecureBrowserUI; import dwt.internal.mozilla.Common; import dwt.internal.mozilla.nsID; import dwt.internal.mozilla.nsISupports; import dwt.internal.mozilla.nsIDOMWindow; import dwt.internal.mozilla.nsStringAPI; const char[] NS_ISECUREBROWSERUI_IID_STR = "081e31e0-a144-11d3-8c7c-00609792278c"; const nsIID NS_ISECUREBROWSERUI_IID= { 0x081e31e0, 0xa144, 0x11d3, [ 0x8c, 0x7c, 0x00, 0x60, 0x97, 0x92, 0x27, 0x8c ] }; interface nsISecureBrowserUI : nsISupports { static const char[] IID_STR = NS_ISECUREBROWSERUI_IID_STR; static const nsIID IID = NS_ISECUREBROWSERUI_IID; extern(System): nsresult Init(nsIDOMWindow window); nsresult GetState(PRUint32 *aState); nsresult GetTooltipText(nsAString * aTooltipText); }
D
void main() { auto ip = readAs!(ulong[]), a = ip[0], b = ip[1], x = ip[2]; ulong tmp; ulong f(ulong a) { return a == -1 ? 0 : a/x + 1; } (f(b) - f(a-1)).writeln; } // =================================== import std.stdio; import std.string; import std.conv; import std.algorithm; import std.range; import std.traits; import std.math; import std.container; import std.bigint; import std.numeric; import std.conv; import std.typecons; import std.uni; import std.ascii; import std.bitmanip; import core.bitop; T readAs(T)() if (isBasicType!T) { return readln.chomp.to!T; } T readAs(T)() if (isArray!T) { return readln.split.to!T; } T[][] readMatrix(T)(uint height, uint width) if (!isSomeChar!T) { auto res = new T[][](height, width); foreach(i; 0..height) { res[i] = readAs!(T[]); } return res; } T[][] readMatrix(T)(uint height, uint width) if (isSomeChar!T) { auto res = new T[][](height, width); foreach(i; 0..height) { auto s = rs; foreach(j; 0..width) res[i][j] = s[j].to!T; } return res; } int ri() { return readAs!int; } double rd() { return readAs!double; } string rs() { return readln.chomp; }
D
import std.stdio; import std.string; import std.file; import std.algorithm; import std.array; import std.conv; struct passport { string byr = null; string iyr = null; string eyr = null; string hgt = null; string hcl = null; string ecl = null; string pid = null; string cid = null; } void main() { auto input_file = readText("input.txt").splitLines(); passport pp = {}; int valid_count = 0; foreach (line; input_file) { if (line == "") { if (validPassport(pp)) { valid_count += 1; } pp = passport(); } else { foreach (kv; line.split(' ')) { string[] kv_split = kv.split(':'); string key = to!string(kv_split[0]); string value = to!string(kv_split[1]); pp = updatePassport(pp, key, value); } } } writefln("Valid passport count: %d", valid_count); } passport updatePassport(passport pp, string key, string value) { switch (key) { case "byr": pp.byr = value; break; case "iyr": pp.iyr = value; break; case "eyr": pp.eyr = value; break; case "hgt": pp.hgt = value; break; case "hcl": pp.hcl = value; break; case "ecl": pp.ecl = value; break; case "pid": pp.pid = value; break; case "cid": pp.cid = value; break; default: writefln("Invalid key: %s", key); assert(0); } return pp; } bool validPassport(passport pp) { return pp.byr != null && validIntRange(pp.byr, 1920, 2002) && pp.iyr != null && validIntRange(pp.iyr, 2010, 2020) && pp.eyr != null && validIntRange(pp.eyr, 2020, 2030) && pp.hgt != null && validHeight(pp.hgt) && pp.hcl != null && validHairColor(pp.hcl) && pp.ecl != null && ["amb", "blu", "brn", "gry", "grn", "hzl", "oth"].canFind(pp.ecl) && pp.pid != null && pp.pid.length == 9 && pp.pid.validInt(); } bool validInt(string s) { foreach(c; s) { if (c < '0' || c > '9') { return false; } } return true; } bool validIntRange(string s, int min, int max) { if (!validInt(s)) { return false; } int val = s.to!int(); return val >= min && val <= max; } bool endsWith(string s, string suffix) { return s[s.length - suffix.length .. s.length] == suffix; } bool validHeight(string s) { if (s.endsWith("cm")) { return validIntRange(s[0 .. s.length - 2], 150, 193); } else if (s.endsWith("in")) { return validIntRange(s[0 .. s.length - 2], 59, 76); } else { return false; } } bool validHexChar(char c) { return ('0' <= c && c <= '9') || ('a' <= c && c <= 'f'); } bool validHairColor(string s) { if (s.length != 7 || s[0] != '#') { return false; } foreach(c; s[1..7]) { if (!validHexChar(c)) { return false; } } return true; }
D
module thBase.logging; import thBase.plugin; import thBase.format; import thBase.enumbitfield; import thBase.container.vector; import core.sync.mutex; import thBase.allocator; import thBase.casts; import thBase.stream; import core.vararg; version(Plugin) {} else { import thBase.debugconnection; } /** * the log level */ enum LogLevel { Message = 0x01, ///< any log output Info = 0x02, ///< informational output Warning = 0x04, ///< warning output Error = 0x08, ///< continueable errors FatalError = 0x10 ///< non continueable errors } /*EnumBitfield!LogLevel opBinary(string op)(LogLevel lhs, LogLevel rhs) if(op == "|") { return EnumBitfield!LogLevel(lhs, rhs); }*/ enum LogSubsystem { Global = 1 << 0 } alias void delegate(LogLevel level, ulong subsystem, scope string msg) LogHandler; alias void function(LogLevel level, ulong subsystem, scope string msg) LogHandlerFunc; version(Plugin) { alias void function(LogLevel level, const(char)[] msg) ForwardToHandlersFunc; alias bool function(LogLevel level) CanLogFunc; } version(Plugin) {} else { // List of handlers that process the log messages private __gshared Vector!(LogHandler) g_logHandlers; private __gshared Mutex g_mutex; private __gshared ulong logSubsystemFilter; private __gshared EnumBitfield!LogLevel logLevelFilter; private ulong g_currentSubsystem = LogSubsystem.Global; //TLS struct ScopedLogSubsystem { private ulong m_oldSubsystem; @disable this(); this(ulong subsystem) { m_oldSubsystem = g_currentSubsystem; g_currentSubsystem = subsystem; } ~this() { g_currentSubsystem = m_oldSubsystem; } } } shared static this() { version(Plugin) { ForwardToHandlers = cast(ForwardToHandlersFunc)g_pluginRegistry.GetValue("thBase.logging.ForwardToHandlers"); CanLog = cast(CanLogFunc)g_pluginRegistry.GetValue("thBase.logging.CanLog"); } else { g_mutex = New!Mutex(); g_logHandlers = New!(typeof(g_logHandlers))(); logLevelFilter.Add(LogLevel.Message, LogLevel.Info, LogLevel.Warning, LogLevel.Error, LogLevel.FatalError); logSubsystemFilter = ulong.max; //all bits set g_pluginRegistry.AddValue("thBase.logging.ForwardToHandlers", cast(void*)&ForwardToHandlers); g_pluginRegistry.AddValue("thBase.logging.CanLog", cast(void*)&CanLog); registerDebugChannel("logging"); if(thBase.debugconnection.isActive()) { } } } shared static ~this() { version(Plugin){} else { Delete(g_logHandlers); Delete(g_mutex); } } version(Plugin) {} else { /** * Registers a new handler for log output * Params: * logHandler = the function that will handle log output */ public void RegisterLogHandler(LogHandler logHandler){ g_mutex.lock(); scope(exit) g_mutex.unlock(); g_logHandlers ~= (logHandler); } /// ditto public void RegisterLogHandler(LogHandlerFunc logHandler){ //LogHandler logHandlerDg; //logHandlerDg.funcptr = logHandler; g_mutex.lock(); scope(exit) g_mutex.unlock(); g_logHandlers ~= ((LogLevel level, ulong subsystem, scope string msg){ logHandler(level, subsystem, msg); }); } /** * Removes a log handler * Params: * logHandler = the log handler to remove */ public void UnregisterLogHandler(LogHandler logHandler) { g_mutex.lock(); scope(exit) g_mutex.unlock(); g_logHandlers.remove(logHandler); } /// ditto public void UnregisterLogHandler(LogHandlerFunc logHandler){ LogHandler logHandlerDg; logHandlerDg.funcptr = logHandler; g_mutex.lock(); g_mutex.unlock(); g_logHandlers.remove(logHandlerDg); } } version(Plugin) { __gshared ForwardToHandlersFunc ForwardToHandlers; } else { private void ForwardToHandlers(LogLevel level, const(char)[] message) { g_mutex.lock(); scope(exit)g_mutex.unlock(); foreach(handler; g_logHandlers) { handler(level, g_currentSubsystem, cast(string)message); } if(thBase.debugconnection.isActive()) { auto buffer = AllocatorNewArray!void(ThreadLocalStackAllocator.globalInstance, message.length + 16); auto outStream = AllocatorNew!MemoryOutStream(ThreadLocalStackAllocator.globalInstance, buffer, TakeOwnership.no); scope(exit) { AllocatorDelete(ThreadLocalStackAllocator.globalInstance, outStream); AllocatorDelete(ThreadLocalStackAllocator.globalInstance, buffer); } outStream.write!uint(level); outStream.write(g_currentSubsystem); outStream.write(int_cast!uint(message.length)); outStream.write(message); sendDebugMessage("logging", outStream.writtenData); } } } private void log(LogLevel level, string fmt, TypeInfo[] arg_types, va_list argptr){ char[2048] buf; char[] message; auto needed = formatDoStatic(buf, fmt, arg_types, argptr); if(needed > buf.length) { message = NewArray!char(needed); formatDoStatic(message, fmt, arg_types, argptr); } else { message = buf[0..needed]; } scope(exit) { if(message.ptr != buf.ptr) Delete(message.ptr); } ForwardToHandlers(level, message); } version(Plugin) { __gshared CanLogFunc CanLog; } else { private bool CanLog(LogLevel level) { return (g_currentSubsystem & logSubsystemFilter) && logLevelFilter.IsSet(level); } } /** * logs a message */ void logMessage(string fmt, ...) { if(CanLog(LogLevel.Message)) { log(LogLevel.Message, fmt, _arguments, _argptr); } } /** * logs a information */ void logInfo(string fmt, ...) { if(CanLog(LogLevel.Info)) { log(LogLevel.Info, fmt, _arguments, _argptr); } } /** * logs a warning */ void logWarning(string fmt, ...) { if(CanLog(LogLevel.Warning)) { log(LogLevel.Warning, fmt, _arguments, _argptr); } } /** * logs a error */ void logError(string fmt, ...) { if(CanLog(LogLevel.Error)) { log(LogLevel.Error, fmt, _arguments, _argptr); } } /** * logs a fatal error */ void logFatalError(string fmt, ...) { if(CanLog(LogLevel.FatalError)) { log(LogLevel.FatalError, fmt, _arguments, _argptr); } } /** * Returns: the prefix for the given loglevel */ string prefix(LogLevel level) { final switch(level) { case LogLevel.Message: return ""; case LogLevel.Info: return "Info: "; case LogLevel.Warning: return "Warning: "; case LogLevel.Error: return "Error: "; break; case LogLevel.FatalError: return "Fatal Error: "; break; } }
D
module d2d.configuration; public { import d2d.configuration.configuration; } static this() { // TODO: replace with logging import std.stdio; import jsonx; writeln(jsonEncode(Config)); }
D
module org.serviio.upnp.service.contentdirectory.command.video.ListVideosForActorCommand; import java.util.List; import org.serviio.library.entities.AccessGroup; import org.serviio.library.entities.Person : RoleType; import org.serviio.library.entities.Video; import org.serviio.library.local.service.VideoService; import org.serviio.profile.Profile; import org.serviio.upnp.service.contentdirectory.ObjectType; import org.serviio.upnp.service.contentdirectory.classes.ObjectClassType; public class ListVideosForActorCommand : AbstractVideosRetrievalCommand { public this(String contextIdentifier, ObjectType objectType, ObjectClassType containerClassType, ObjectClassType itemClassType, Profile rendererProfile, AccessGroup accessGroup, String idPrefix, int startIndex, int count) { super(contextIdentifier, objectType, containerClassType, itemClassType, rendererProfile, accessGroup, idPrefix, startIndex, count); } protected List!(Video) retrieveEntityList() { List!(Video) videos = VideoService.getListOfVideosForPerson(new Long(getInternalObjectId()), RoleType.ACTOR, accessGroup, startIndex, count); return videos; } public int retrieveItemCount() { return VideoService.getNumberOfVideosForPerson(new Long(getInternalObjectId()), RoleType.ACTOR, accessGroup); } } /* Location: D:\Program Files\Serviio\lib\serviio.jar * Qualified Name: org.serviio.upnp.service.contentdirectory.command.video.ListVideosForActorCommand * JD-Core Version: 0.6.2 */
D
module gui.picker.picker; import std.algorithm; import std.file; // FileException import std.conv; import file.log; import gui; import gui.picker; struct PickerConfig(T) if (is (T : FileTiler) ) { Geom all; Geom bread; Geom files; // Tiler including scrollbar Ls ls; } class Picker : Element { private: Breadcrumb _bread; Ls _ls; ScrolledFiles _list; // We access _list.tiler outside of _list freely. That's okay, ScrolledList // allows subclasses to do that, and we fully control the subclass. static final class ScrolledFiles : ScrolledList { FileTiler _tiler; override @property inout(FileTiler) tiler() inout { return _tiler; } this(Geom g, FileTiler delegate(Geom) newTiler) { super(g); addChild(_tiler = newTiler(newGeomForTiler())); } } public: // Create all class objects in cfg, then give them to this constructor. this(T)(PickerConfig!T cfg) out { assert (_ls); } body { super(cfg.all); import graphic.color; undrawColor = color.transp; // Hack. Picker should not be a drawable // element, but rather only have children. _bread = new Breadcrumb(cfg.bread); _ls = cfg.ls; _list = new ScrolledFiles(cfg.files, delegate FileTiler(Geom gg) { return new T(gg); }); addChildren(_bread, _list); } @property Filename basedir() const { return _bread.basedir; } @property Filename basedir(Filename fn) { _bread.basedir = fn; // this resets currentDir if no longer child updateAccordingToBreadCurrentDir(); return basedir; } @property Filename currentDir() const { return _bread.currentDir; } @property Filename currentDir(Filename fn) { if (fn && fn.dirRootless != currentDir.dirRootless) { _bread.currentDir = fn; updateAccordingToBreadCurrentDir(); } return currentDir; } @property bool executeDir() const { return _list.tiler.executeDir || _bread.execute; } @property bool executeFile() const { return _list.tiler.executeFile; } @property int executeFileID() const { return _list.tiler.executeFileID; } void highlightNothing() { _list.tiler.highlightNothing(); } bool highlightFile(int i, CenterOnHighlitFile chf) { return _list.tiler.highlightFile(i, chf); } Filename executeFileFilename() const { assert (executeFile, "call this only when executeFile == true"); return _ls.files[executeFileID]; } bool navigateToAndHighlightFile(Filename fn, CenterOnHighlitFile chf) { if (! fn) highlightNothing(); currentDir = fn; immutable int id = _ls.files.countUntil(fn).to!int; if (id >= 0) return highlightFile(id, chf); else { highlightNothing(); return false; } } Filename moveHighlightBy(Filename old, in int by, CenterOnHighlitFile chf) { Filename moveTo = _ls.moveHighlightBy(old, by); _list.tiler.highlightFile(_ls.files.countUntil(moveTo).to!int, chf); _list.tiler.highlightDir (_ls.dirs .countUntil(moveTo).to!int, chf); return moveTo; } Filename deleteFileHighlightNeighbor(Filename toDelete) { immutable oldID = _ls.files.countUntil(toDelete).to!int; _ls.deleteFile(toDelete); updateAccordingToBreadCurrentDir(KeepScrollingPosition.yes); immutable newID = _ls.files.length.to!int > oldID ? oldID : oldID - 1; if (highlightFile(newID, CenterOnHighlitFile.onlyIfOffscreen)) return _ls.files[newID]; else return null; } protected: override void calcSelf() { if (_bread.execute) updateAccordingToBreadCurrentDir(); else if (_list.tiler.executeDir) currentDir = _ls.dirs[_list.tiler.executeDirID]; } private: void updateAccordingToBreadCurrentDir( KeepScrollingPosition ksp = KeepScrollingPosition.no ) { try _ls.currentDir = currentDir; catch (FileException e) { log(e.msg); if (currentDir == basedir && basedir !is null) // This throws if the dir doesn't exist afterwards basedir.mkdirRecurse(); currentDir = basedir; return; } _list.tiler.loadDirsFiles(_ls.dirs, _ls.files, ksp); } }
D
module orelang.operator.DebugOperators; import orelang.operator.DynamicOperator, orelang.expression.SymbolValue, orelang.operator.IOperator, orelang.Closure, orelang.Engine, orelang.Value; import std.stdio; class DumpVaribalesOperator : IOperator { public Value call(Engine engine, Value[] args) { auto storage = engine.variables; writeln("[DEBUG - DumpVaribalesOperator]"); foreach (key, value; storage) { writeln("[Varibale] ", key, " <=> ", value); } return new Value; } } class PeekClosureOperator : IOperator { public Value call(Engine engine, Value[] args) { Closure cls = engine.eval(args[0]).getClosure; auto storage = cls.engine.variables; writeln("[DEBUG - PeekClosureOperator]"); writeln(" - cls.engine -> ", cls.engine); writeln(" - cls.operator -> ", cls.operator); foreach (key, value; storage) { writeln("[Varibale] ", key, " <=> ", value); } return new Value; } } class CallClosureOperator : IOperator { public Value call(Engine engine, Value[] args) { Closure cls = engine.eval(args[0]).getClosure; writeln("[DEBUG - CallClosureOperator]"); writeln(" - cls.engine -> ", cls.engine); writeln(" - cls.operator -> ", cls.operator); return cls.eval(args[1..$]); } } class LookupSymbolOperator : IOperator { public Value call(Engine engine, Value[] args) { SymbolValue cls = engine.eval(args[0]).getSymbolValue; return new Value; } } class ToggleGEDebugOperator : IOperator { public Value call(Engine engine, Value[] args) { engine.debug_get_expression ^= 1; return new Value; } }
D
import io.Stdout, io.Path, io.FileSystem, io.FilePath, io.FileScan; // pragma(lib, "dinrus.lib"); проц foo (ФПуть путь) { Стдвыв("все: ") (путь).нс; Стдвыв("путь: ") (путь.путь).нс; Стдвыв("файл: ") (путь.файл).нс; Стдвыв("папка: ") (путь.папка).нс; Стдвыв("имя: ") (путь.имя).нс; Стдвыв("расш: ") (путь.расш).нс; Стдвыв("суффикс: ") (путь.суффикс).нс.нс; } проц фс() { Стдвыв.форматнс ("Пап: {}", ФСистема.дайПапку); auto путь = new ФПуть ("d:\\dinrus\\dev"); foo (путь); путь.установи (".."); foo (путь); путь.установи ("..."); foo (путь); путь.установи (r"/x/y/.файл"); foo (путь); путь.суффикс = ".foo"; foo (путь); путь.установи ("файл.bar"); путь.абсолютный("c:/префикс"); foo(путь); путь.установи (r"arf/тест"); foo(путь); путь.абсолютный("c:/префикс"); foo(путь); путь.имя = "foo"; foo(путь); путь.суффикс = ".d"; путь.имя = путь.суффикс; foo(путь); } проц сф() { auto скан = new СканФайл; скан ("..\\tango"); Стдвыв.форматнс ("{} Папок", скан.папки.length); foreach (папка; скан.папки) Стдвыв (папка).нс; Стдвыв.форматнс ("\n{} Файлов", скан.файлы.length); foreach (файл; скан.файлы) Стдвыв (файл).нс; Стдвыв.форматнс ("\n{} Ошибок", скан.ошибки.length); foreach (ошибка; скан.ошибки) Стдвыв (ошибка).нс; } проц main() { сф(); фс(); // Квывод ("hello world").нс; Стдвыв ("hello").нс; Стдвыв (1).нс; Стдвыв (3.14).нс; Стдвыв ('b').нс; Стдвыв ("abc") ("def") (3.14).нс; Стдвыв ("abc", 1, 2, 3).нс; Стдвыв (1, 2, 3).нс; Стдвыв (1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1).нс; Стдвыв ("abc {}{}{}", 1, 2, 3).нс; Стдвыв.форматируй ("abc {}{}{}", 1, 2, 3).нс; assert (нормализуй ("\\foo\\..\\john") == "/john"); assert (нормализуй ("foo\\..\\john") == "john"); assert (нормализуй ("foo\\bar\\..") == "foo/"); assert (нормализуй ("foo\\bar\\..\\john") == "foo/john"); assert (нормализуй ("foo\\bar\\doe\\..\\..\\john") == "foo/john"); assert (нормализуй ("foo\\bar\\doe\\..\\..\\john\\..\\bar") == "foo/bar"); assert (нормализуй (".\\foo\\bar\\doe") == "foo/bar/doe"); assert (нормализуй (".\\foo\\bar\\doe\\..\\..\\john\\..\\bar") == "foo/bar"); assert (нормализуй (".\\foo\\bar\\..\\..\\john\\..\\bar") == "bar"); assert (нормализуй ("foo\\bar\\.\\doe\\..\\..\\john") == "foo/john"); assert (нормализуй ("..\\..\\foo\\bar") == "../../foo/bar"); assert (нормализуй ("..\\..\\..\\foo\\bar") == "../../../foo/bar"); assert (нормализуй(r"C:") == "C:"); assert (нормализуй(r"C") == "C"); assert (нормализуй(r"c:\") == "C:/"); assert (нормализуй(r"C:\..\.\..\..\") == "C:/"); assert (нормализуй(r"c:..\.\boo\") == "C:../boo/"); assert (нормализуй(r"C:..\..\boo\foo\..\.\..\..\bar") == "C:../../../bar"); assert (нормализуй(r"C:boo\..") == "C:"); foreach (файл; коллируй (".", "*.d", да)) Стдвыв (файл).нс; }
D
/Users/Amna/Desktop/hwrust copy/code/target/debug/build/num-traits-675d62b3bd5b5a24/build_script_build-675d62b3bd5b5a24: /Users/Amna/.cargo/registry/src/github.com-1ecc6299db9ec823/num-traits-0.2.14/build.rs /Users/Amna/Desktop/hwrust copy/code/target/debug/build/num-traits-675d62b3bd5b5a24/build_script_build-675d62b3bd5b5a24.d: /Users/Amna/.cargo/registry/src/github.com-1ecc6299db9ec823/num-traits-0.2.14/build.rs /Users/Amna/.cargo/registry/src/github.com-1ecc6299db9ec823/num-traits-0.2.14/build.rs:
D
module collie.socket.eventloopgroup; import core.thread; import std.parallelism; import collie.socket.eventloop; import collie.socket.common; import collie.utils.functional; final class EventLoopGroup { this(uint size = (totalCPUs - 1), int waitTime = 2000) { assert(size > 0, "size must be lt 1"); foreach (i; 0 .. size) { auto loop = new GroupMember(new EventLoop); loop.waiteTime = waitTime; _loops[loop] = new Thread(&loop.start); } } void start() { if (_started) return; foreach (ref t; _loops.values) { t.start(); } _started = true; } void stop() { if (!_started) return; foreach (ref loop; _loops.keys) { loop.stop(); } _started = false; wait(); } @property length() { return _loops.length; } void addEventLoop(EventLoop lop, int waitTime = 2000) { auto loop = new GroupMember(lop); loop.waiteTime = waitTime; auto th = new Thread(&loop.start); _loops[loop] = th; if (_started) th.start(); } void post(uint index, CallBack cback) { at(index).post(cback); } EventLoop opIndex(size_t index) { return at(index); } EventLoop at(size_t index) { auto loops = _loops.keys; auto i = index % cast(size_t) loops.length; return loops[i].eventLoop; } void wait() { foreach (ref t; _loops.values) { t.join(false); } } int opApply(int delegate(EventLoop) dg) { int ret = 0; foreach (ref loop; _loops.keys) { ret = dg(loop.eventLoop); if (ret) break; } return ret; } private: bool _started; Thread[GroupMember] _loops; } private: class GroupMember { this(EventLoop loop) { _loop = loop; } void start() { _loop.run(_waitTime); } alias eventLoop this; @property eventLoop() { return _loop; } @property waitTime() { return _waitTime; } @property waiteTime(int time) { _waitTime = time; } private: EventLoop _loop; int _waitTime = 5000; }
D
/home/carl/embedded system/e7020e_2019/target/rls/debug/examples/crash-b005f55639fbae8f.rmeta: examples/crash.rs /home/carl/embedded system/e7020e_2019/target/rls/debug/examples/crash-b005f55639fbae8f.d: examples/crash.rs examples/crash.rs:
D
/** dux - ux implementation for D * * Authors: Tomona Nanase * License: The MIT License (MIT) * Copyright: Copyright (c) 2014 Tomona Nanase */ module dux.Component.Noise; import std.algorithm; import std.conv; import dux.Component.Enums; import dux.Component.Waveform; import dux.Component.StepWaveform; import dux.Component.CachedWaveform; import dux.Utils.JKissEngine; /* 線形帰還シフトレジスタを用いた長周期擬似ノイズジェネレータです。 */ class LongNoise : StepWaveform { private: static float[] data; static const int DataSize = 32767; private: static this() { ushort reg = 0xffff; ushort output = 1; data = new float[DataSize]; for (int i = 0; i < DataSize; i++) { reg += cast(ushort)(reg + (((reg >> 14) ^ (reg >> 13)) & 1)); data[i] = (output ^= cast(ushort)(reg & 1)) * 2.0f - 1.0f; } } public: /* 波形のパラメータをリセットします。 */ override void reset() { this.freqFactor = 0.001; this.value = data; this.length = DataSize; } /// unittest { auto checking = [ 1f, 1f, 1f, 1f, 1f, 1f, 1f, 1f, 1f, 1f, 1f, 1f, 1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, -1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, 1f, 1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, -1f, -1f, -1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, 1f, -1f, -1f, 1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, -1f, 1f, -1f, 1f, -1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, 1f, 1f]; assert(equal(checking, data[0 .. checking.length])); } } /* 線形帰還シフトレジスタを用いた短周期擬似ノイズジェネレータです。 */ class ShortNoise : StepWaveform { private: static float[] data; static const int DataSize = 127; private: static this() { ushort reg = 0xffff; ushort output = 1; data = new float[DataSize]; for (int i = 0; i < DataSize; i++) { reg += cast(ushort)(reg + (((reg >> 6) ^ (reg >> 5)) & 1)); data[i] = (output ^= cast(ushort)(reg & 1)) * 2.0f - 1.0f; } } public: /* 波形のパラメータをリセットします。 */ override void reset() { this.freqFactor = 0.001; this.value = data; this.length = DataSize; } /// unittest { auto checking = [ 1f, 1f, 1f, 1f, 1f, 1f, -1f, -1f, -1f, -1f, -1f, -1f, 1f, -1f, -1f, -1f, -1f, -1f, 1f, 1f, -1f, -1f, -1f, -1f, 1f, -1f, 1f, -1f, -1f, -1f, 1f, 1f, 1f, 1f, -1f, -1f, 1f, -1f, -1f, -1f, 1f, -1f, 1f, 1f, -1f, -1f, 1f, 1f, 1f, -1f, 1f, -1f, 1f, -1f, -1f, 1f, 1f, 1f, 1f, 1f, -1f, 1f, -1f, -1f, -1f, -1f, 1f, 1f, 1f, -1f, -1f, -1f, 1f, -1f, -1f, 1f, -1f, -1f, 1f, 1f, -1f, 1f, 1f, -1f, 1f, -1f, 1f, 1f, -1f, 1f, 1f, 1f, 1f, -1f, 1f, 1f, -1f, -1f, -1f, 1f, 1f, -1f, 1f, -1f, -1f, 1f, -1f, 1f, 1f, 1f, -1f, 1f, 1f, 1f, -1f, -1f, 1f, 1f, -1f, -1f, 1f, -1f, 1f, -1f, 1f, -1f, 1f]; assert(equal(checking, data)); } } class RandomNoiseCache : CacheObject!RandomNoiseCache { private: float[] data; int stepSeed; size_t arrayLength; public: @property float[] dataValue() { return this.data; } @property float[] dataValue(float[] value) { return this.data = value; } @property int seed() { return this.stepSeed; } @property size_t length() { return this.arrayLength; } public: this(int seed, size_t length) { this.stepSeed = seed; this.arrayLength = length; } public: bool equals(RandomNoiseCache other) { return this.stepSeed == other.stepSeed && this.arrayLength == other.arrayLength; } bool canResize(RandomNoiseCache other) { return this.stepSeed == other.stepSeed && this.arrayLength >= other.arrayLength; } } /* 周期とシード値を元にした擬似乱数によるノイズジェネレータです。 */ class RandomNoise : CachedWaveform!RandomNoiseCache { private: RandomNoiseCache param; protected: @property override bool canResizeData() { return true; } @property override bool generatingFloat() { return true; } public: /* 波形のパラメータをリセットします。 */ override void reset() { this.freqFactor = 1.0; this.param = new RandomNoiseCache(0, 1024); this.generateStep(); } /** パラメータを指定して波形の設定値を変更します。 * * Params: * data1 = 整数パラメータ。 * data2 = 実数パラメータ。 */ override void setParameter(int data1, float data2) { switch (data1) { case RandomNoiseOperate.seed: this.param = new RandomNoiseCache(to!int(data2), this.param.length); break; case RandomNoiseOperate.length: int length = to!int(data2); if (length > 0 && length <= MaxDataSize) this.param = new RandomNoiseCache(this.param.seed, length); break; default: super.setParameter(data1, data2); break; } this.generateStep(); } protected: /** 浮動小数点数としてステップ波形を生成します。 * * Params: * parameter = キャッシュオブジェクト。 * * Returns: 生成されたステップ波形。 */ override float[] generateFloat(RandomNoiseCache parameter) { float[] value = new float[parameter.length]; JKissEngine r = JKissEngine(parameter.seed); for (int i = 0; i < parameter.length; i++) { value[i] = to!float(r.nextReal() * 2.0 - 1.0); r.popFront(); } return value; } private: void generateStep() { this.cache(this.param); } }
D
/Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/.build/x86_64-apple-macosx10.10/debug/JDCloudSDKDatastar.build/API/GetPackageIdRequest.swift.o : /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/RegionIndustryData.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/TestOpenApiReq.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetLargeScreenDataExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetPackageIdExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/CreateExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetResultExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/DatastarClient.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/RegionIndustryDataList.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/.build/x86_64-apple-macosx10.10/debug/JDCloudSDKCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/.build/x86_64-apple-macosx10.10/debug/JDCloudSDKDatastar.build/GetPackageIdRequest~partial.swiftmodule : /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/RegionIndustryData.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/TestOpenApiReq.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetLargeScreenDataExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetPackageIdExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/CreateExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetResultExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/DatastarClient.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/RegionIndustryDataList.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/.build/x86_64-apple-macosx10.10/debug/JDCloudSDKCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/.build/x86_64-apple-macosx10.10/debug/JDCloudSDKDatastar.build/GetPackageIdRequest~partial.swiftdoc : /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/RegionIndustryData.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultResponse.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/TestOpenApiReq.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetLargeScreenDataExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetPackageIdExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/CreateExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/GetResultExecutor.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultResult.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Client/DatastarClient.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetLargeScreenDataRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetPackageIdRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/CreateRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/API/GetResultRequest.swift /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/Sources/JDCloudSDKDatastar/Model/RegionIndustryDataList.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lishijun1/Documents/swiftworkspace/JDCloudSDKSwift/jdcloud-sdk-swift-github/JDCloudSDKSwift/.build/x86_64-apple-macosx10.10/debug/JDCloudSDKCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/** ORIGINAL SOURCE: https://github.com/Circular-Studios/Dash/blob/master/source/dash/utility/time.d */ module engine.core.engine.time; import std.datetime; float toSeconds( Duration dur ) { return cast( float )dur.total!"hnsecs" / cast( float )1.convert!( "seconds", "hnsecs" ); } CTime Time; static this() { Time = new CTime(); } final class CTime { private: Duration delta; Duration total; public: float deltaTime() { return delta.toSeconds(); } float totalTime() { return total.toSeconds(); } void update() { updateTime(); } private: this() { delta = total = Duration.zero; } } int getFrameCount() { return frameCount; } private: StopWatch sw; TickDuration cur; TickDuration prev; Duration delta; Duration total; Duration second; int frameCount; /** * Initialize the time controller with initial values. */ static this() { cur = prev = TickDuration.min; total = delta = second = Duration.zero; frameCount = 0; } /** * Thread local time update. */ void updateTime() { if( !sw.running ) { sw.start(); cur = prev = sw.peek(); } delta = cast(Duration)( cur - prev ); prev = cur; cur = sw.peek(); // Pass to values Time.total = cast(Duration)cur; Time.delta = delta; // Update framerate ++frameCount; second += delta; if( second >= 1.seconds ) { second = Duration.zero; frameCount = 0; } }
D
/******************************************************************************* Run-time test if truncating the head of a file is supported. copyright: Copyright (c) 2016-2017 dunnhumby Germany GmbH. All rights reserved License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module dmqnode.storage.engine.overflow.file.HeadTruncationTestFile; import dmqnode.storage.engine.overflow.file.DataFile; /// Tests if truncating a file from the beginning is supported. class HeadTruncationTestFile: DataFile { import dmqnode.storage.engine.overflow.file.FileException; import core.sys.posix.stdlib: mkstemp; import core.stdc.stdio: SEEK_END; import ocean.transition; /*************************************************************************** `true` if truncating the head of a file is supported or `false` otherwise. ***************************************************************************/ public bool head_truncation_supported; /*************************************************************************** Creates a temporary file in directory `dir`, tries to truncate its head, then deletes it. `dir` is expected to exist. Do not call any method with this instance after the constructor has returned. Params: dir = the directory where the test should be done, expected to exist Throws: `FileException` on error creating or deleting the file. ***************************************************************************/ public this ( cstring dir ) { super(dir, "falloctest_XXXXXX"); this.head_truncation_supported = false; try { this.allocate( FALLOC_FL.ALLOCATE, 0, this.head_truncation_chunk_size + 100, "Unable to allocate test file" ); this.truncateHead(this.head_truncation_chunk_size); auto filesize = this.seek( 0, SEEK_END, "Unable to seek to tell the test file size" ); this.head_truncation_supported = (filesize == 100); } catch (FileException e) this.log.error(getMsg(e)); this.remove(); } /*************************************************************************** Creates the temporary file. `path` is expected to be a file path template suitable for `mkstemp()`, and its content will be modified to contain the actual file path. See the `mkstemp` manual for details. Params: path = the file path template suitable for `mkstemp` Returns: the non-negative file descriptor on success or a negative value on error; on error `errno` is set appropriately. ***************************************************************************/ override protected int open ( char* path ) { return mkstemp(path); } }
D
/Users/hdcui/NIZKs-for-AsiaCCS19-and-HSM-CL/bld_sig/target/release/deps/curv-1870392a7b3e916e.rmeta: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/lib.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/bls12_381.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/big_gmp.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/hash_commitment.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/pedersen_commitment.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/blake2b512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hash_sha256.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hash_sha512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hmac_sha512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_correct_homomorphic_elgamal_enc.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_correct_homomorphic_elgamal_encryption_of_dlog.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_dlog.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_ec_ddh.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_valid_pedersen.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_valid_pedersen_blind.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/secret_sharing/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/secret_sharing/feldman_vss.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/coin_flip_optimal_rounds.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/dh_key_exchange.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/dh_key_exchange_variant_with_pok_comm.rs /Users/hdcui/NIZKs-for-AsiaCCS19-and-HSM-CL/bld_sig/target/release/deps/libcurv-1870392a7b3e916e.rlib: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/lib.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/bls12_381.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/big_gmp.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/hash_commitment.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/pedersen_commitment.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/blake2b512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hash_sha256.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hash_sha512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hmac_sha512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_correct_homomorphic_elgamal_enc.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_correct_homomorphic_elgamal_encryption_of_dlog.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_dlog.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_ec_ddh.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_valid_pedersen.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_valid_pedersen_blind.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/secret_sharing/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/secret_sharing/feldman_vss.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/coin_flip_optimal_rounds.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/dh_key_exchange.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/dh_key_exchange_variant_with_pok_comm.rs /Users/hdcui/NIZKs-for-AsiaCCS19-and-HSM-CL/bld_sig/target/release/deps/curv-1870392a7b3e916e.d: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/lib.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/bls12_381.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/big_gmp.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/hash_commitment.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/pedersen_commitment.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/blake2b512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hash_sha256.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hash_sha512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hmac_sha512.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/traits.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_correct_homomorphic_elgamal_enc.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_correct_homomorphic_elgamal_encryption_of_dlog.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_dlog.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_ec_ddh.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_valid_pedersen.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_valid_pedersen_blind.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/secret_sharing/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/secret_sharing/feldman_vss.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/mod.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/coin_flip_optimal_rounds.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/dh_key_exchange.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/dh_key_exchange_variant_with_pok_comm.rs /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/lib.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/bls12_381.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/elliptic/curves/traits.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/big_gmp.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/arithmetic/traits.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/hash_commitment.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/pedersen_commitment.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/commitments/traits.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/blake2b512.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hash_sha256.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hash_sha512.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/hmac_sha512.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/hashing/traits.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_correct_homomorphic_elgamal_enc.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_correct_homomorphic_elgamal_encryption_of_dlog.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_dlog.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_ec_ddh.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_valid_pedersen.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/proofs/sigma_valid_pedersen_blind.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/secret_sharing/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/secret_sharing/feldman_vss.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/mod.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/coin_flip_optimal_rounds.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/dh_key_exchange.rs: /Users/hdcui/.cargo/git/checkouts/curv-a122740a63e0e0af/74b34dc/src/cryptographic_primitives/twoparty/dh_key_exchange_variant_with_pok_comm.rs:
D
/Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Settings.build/Source.swift.o : /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config+Arguments.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config+Directory.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/KeyAccessible+Merge.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/KeyAccessible.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Node+Merge.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Source.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/Env.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/Node+Env.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/String+Env.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Core.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/libc.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/JSON.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Jay.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Node.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/PathIndexable.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Polymorphic.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Settings.build/Source~partial.swiftmodule : /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config+Arguments.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config+Directory.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/KeyAccessible+Merge.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/KeyAccessible.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Node+Merge.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Source.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/Env.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/Node+Env.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/String+Env.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Core.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/libc.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/JSON.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Jay.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Node.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/PathIndexable.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Polymorphic.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Settings.build/Source~partial.swiftdoc : /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config+Arguments.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config+Directory.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Config.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/KeyAccessible+Merge.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/KeyAccessible.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Node+Merge.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Source.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/Env.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/Node+Env.swift /Users/okasho/serverProject/tryswift/get_and_post/swift/Packages/Vapor-1.5.8/Sources/Settings/Env/String+Env.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Core.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/libc.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/JSON.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Jay.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Node.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/PathIndexable.swiftmodule /Users/okasho/serverProject/tryswift/get_and_post/swift/.build/debug/Polymorphic.swiftmodule
D
module sitrep.receive.sinks.ømq; import sitrep.receive.sinks.common : Sink, SinkFactory; import ømq = sitrep.util.ømq; final class ØmqConnectedPushSink : Sink { private: ømq.Socket socket; public: @safe this(ref shared(ømq.Context) context, scope const(char)[] endpoint) scope { this.socket = ømq.Socket(context, ømq.PUSH); this.socket.connect(endpoint); } @safe void put(scope const(ubyte)[] packet) scope { socket.send(packet, 0); } } /// Sink factory that creates new instances of ØmqConnectedPushSink /// using a preconfigured ØMQ context and endpoint. final class ØmqConnectedPushSinkFactory : SinkFactory { private: shared(ømq.Context)* context; immutable(char)[] endpoint; public: /// The ØMQ context is used for creating new sockets, /// and the endpoint is what they are connected to. nothrow pure @nogc @safe this(shared(ømq.Context)* context, immutable(char)[] endpoint) shared { this.context = context; this.endpoint = endpoint; } override @safe ØmqConnectedPushSink newSink() shared { return new ØmqConnectedPushSink(*context, endpoint); } }
D
import scone; import std.stdio : writeln; void main() { window.title = "Example 2"; bool run = true; while(run) { foreach(input; window.getInputs()) { //NOTE: Without a ^C handler you cannot quit the program (unless you taskmanager or SIGKILL it) //^C (Ctrl + C) or Escape if(input.key == SK.c && input.hasControlKey(SCK.ctrl) || input.key == SK.escape) { run = false; break; } writeln( input.key, ", ", input.controlKey, ", ", input.pressed, ", ", ); } } }
D
/* DIrrlicht - D Bindings for Irrlicht Engine Copyright (C) 2014- Danyal Zia (catofdanyal@yahoo.com) This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: 1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation would be appreciated but is not required. 2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. 3. This notice may not be removed or altered from any source distribution. */ module dirrlicht.irrcreationparameters; import dirrlicht.video.devicetypes; import dirrlicht.video.drivertypes; import dirrlicht.core.dimension2d; import dirrlicht.core.vector2d; import dirrlicht.eventreceiver; import dirrlicht.logger; struct IrrlichtCreationParameters { //! Type of the device. /** This setting decides the windowing system used by the device, most device types are native to a specific operating system and so may not be available. EIDT_WIN32 is only available on Windows desktops, EIDT_WINCE is only available on Windows mobile devices, EIDT_COCOA is only available on Mac OSX, EIDT_X11 is available on Linux, Solaris, BSD and other operating systems which use X11, EIDT_SDL is available on most systems if compiled in, EIDT_CONSOLE is usually available but can only render to text, EIDT_BEST will select the best available device for your operating system. Default: EIDT_BEST. */ DeviceType Devicetype; //! Type of video driver used to render graphics. /** This can currently be video::EDT_NULL, video::EDT_SOFTWARE, video::EDT_BURNINGSVIDEO, video::EDT_DIRECT3D8, video::EDT_DIRECT3D9, and video::EDT_OPENGL. Default: Software. */ DriverType Drivertype; //! Size of the window or the video mode in fullscreen mode. Default: 800x600 dimension2du WindowSize; //! Position of the window on-screen. Default: (-1, -1) or centered. vector2di WindowPosition; //! Minimum Bits per pixel of the color buffer in fullscreen mode. Ignored if windowed mode. Default: 16. ubyte Bits; //! Minimum Bits per pixel of the depth buffer. Default: 16. ubyte ZBufferBits; //! Should be set to true if the device should run in fullscreen. /** Otherwise the device runs in windowed mode. Default: false. */ bool Fullscreen; //! Specifies if the stencil buffer should be enabled. /** Set this to true, if you want the engine be able to draw stencil buffer shadows. Note that not all drivers are able to use the stencil buffer, hence it can be ignored during device creation. Without the stencil buffer no shadows will be drawn. Default: false. */ bool Stencilbuffer; //! Specifies vertical syncronisation. /** If set to true, the driver will wait for the vertical retrace period, otherwise not. May be silently ignored. Default: false */ bool Vsync; //! Specifies if the device should use fullscreen anti aliasing /** Makes sharp/pixelated edges softer, but requires more performance. Also, 2D elements might look blurred with this switched on. The resulting rendering quality also depends on the hardware and driver you are using, your program might look different on different hardware with this. So if you are writing a game/application with AntiAlias switched on, it would be a good idea to make it possible to switch this option off again by the user. The value is the maximal antialiasing factor requested for the device. The cretion method will automatically try smaller values if no window can be created with the given value. Value one is usually the same as 0 (disabled), but might be a special value on some platforms. On D3D devices it maps to NONMASKABLE. Default value: 0 - disabled */ ubyte AntiAlias; //! Flag to enable proper sRGB and linear color handling /** In most situations, it is desireable to have the color handling in non-linear sRGB color space, and only do the intermediate color calculations in linear RGB space. If this flag is enabled, the device and driver try to assure that all color input and output are color corrected and only the internal color representation is linear. This means, that the color output is properly gamma-adjusted to provide the brighter colors for monitor display. And that blending and lighting give a more natural look, due to proper conversion from non-linear colors into linear color space for blend operations. If this flag is enabled, all texture colors (which are usually in sRGB space) are correctly displayed. However vertex colors and other explicitly set values have to be manually encoded in linear color space. Default value: false. */ bool HandleSRGB; //! Whether the main framebuffer uses an alpha channel. /** In some situations it might be desireable to get a color buffer with an alpha channel, e.g. when rendering into a transparent window or overlay. If this flag is set the device tries to create a framebuffer with alpha channel. If this flag is set, only color buffers with alpha channel are considered. Otherwise, it depends on the actual hardware if the colorbuffer has an alpha channel or not. Default value: false */ bool WithAlphaChannel; //! Whether the main framebuffer uses doublebuffering. /** This should be usually enabled, in order to avoid render artifacts on the visible framebuffer. However, it might be useful to use only one buffer on very small devices. If no doublebuffering is available, the drivers will fall back to single buffers. Default value: true */ bool Doublebuffer; //! Specifies if the device should ignore input events /** This is only relevant when using external I/O handlers. External windows need to take care of this themselves. Currently only supported by X11. Default value: false */ bool IgnoreInput; //! Specifies if the device should use stereo buffers /** Some high-end gfx cards support two framebuffers for direct support of stereoscopic output devices. If this flag is set the device tries to create a stereo context. Currently only supported by OpenGL. Default value: false */ bool Stereobuffer; //! Specifies if the device should use high precision FPU setting /** This is only relevant for DirectX Devices, which switch to low FPU precision by default for performance reasons. However, this may lead to problems with the other computations of the application. In this case setting this flag to true should help - on the expense of performance loss, though. Default value: false */ bool HighPrecisionFPU; //! A user created event receiver. //IEventReceiver Eventreceiver; //! Window Id. /** If this is set to a value other than 0, the Irrlicht Engine will be created in an already existing window. For windows, set this to the HWND of the window you want. The windowSize and FullScreen options will be ignored when using the WindowId parameter. Default this is set to 0. To make Irrlicht run inside the custom window, you still will have to draw Irrlicht on your own. You can use this loop, as usual: \code while (device->run()) { driver->beginScene(true, true, 0); smgr->drawAll(); driver->endScene(); } \endcode Instead of this, you can also simply use your own message loop using GetMessage, DispatchMessage and whatever. Calling IrrlichtDevice::run() will cause Irrlicht to dispatch messages internally too. You need not call Device->run() if you want to do your own message dispatching loop, but Irrlicht will not be able to fetch user input then and you have to do it on your own using the window messages, DirectInput, or whatever. Also, you'll have to increment the Irrlicht timer. An alternative, own message dispatching loop without device->run() would look like this: \code MSG msg; while (true) { if (PeekMessage(&msg, NULL, 0, 0, PM_REMOVE)) { TranslateMessage(&msg); DispatchMessage(&msg); if (msg.message == WM_QUIT) break; } // increase virtual timer time device->getTimer()->tick(); // draw engine picture driver->beginScene(true, true, 0); smgr->drawAll(); driver->endScene(); } \endcode However, there is no need to draw the picture this often. Just do it how you like. */ void* WindowId; //! Specifies the logging level used in the logging interface. /** The default value is ELL_INFORMATION. You can access the ILogger interface later on from the IrrlichtDevice with getLogger() and set another level. But if you need more or less logging information already from device creation, then you have to change it here. */ LogLevel LoggingLevel; //! Allows to select which graphic card is used for rendering when more than one card is in the system. /** So far only supported on D3D */ uint DisplayAdapter; //! Create the driver multithreaded. /** Default is false. Enabling this can slow down your application. Note that this does _not_ make Irrlicht threadsafe, but only the underlying driver-API for the graphiccard. So far only supported on D3D. */ bool DriverMultithreaded; //! Enables use of high performance timers on Windows platform. /** When performance timers are not used, standard GetTickCount() is used instead which usually has worse resolution, but also less problems with speed stepping and other techniques. */ bool UsePerformanceTimer; //! Don't use or change this parameter. /** Always set it to IRRLICHT_SDK_VERSION, which is done by default. This is needed for sdk version checks. */ const char* SDK_version_do_not_use; }
D
a caustic substance produced by heating limestone a white crystalline oxide used in the production of calcium hydroxide a sticky adhesive that is smeared on small branches to capture small birds any of various related trees bearing limes any of various deciduous trees of the genus Tilia with heart-shaped leaves and drooping cymose clusters of yellowish often fragrant flowers the green acidic fruit of any of various lime trees spread birdlime on branches to catch birds cover with lime so as to induce growth
D
static if (condition) int declaration; else { }
D
//poprawione i sprawdzone - Nocturn // ************************************************************ // EXIT // ************************************************************ // AI_TurnToNpc (self, dusty); // AI_TurnToNpc (dusty,other); INSTANCE Info_Thorus_EXIT(C_INFO) { npc = GRD_200_THORUS; nr = 999; condition = Info_Thorus_EXIT_Condition; information = Info_Thorus_EXIT_Info; permanent = 1; description = DIALOG_ENDE; }; FUNC INT Info_Thorus_EXIT_Condition() { return 1; }; FUNC VOID Info_Thorus_EXIT_Info() { AI_StopProcessInfos (self); }; // ************************************************************ // Nur Gomez Leute in Burg // ************************************************************ INSTANCE Info_Thorus_EnterCastle(C_INFO) //E2 { npc = GRD_200_THORUS; nr = 3; condition = Info_Thorus_EnterCastle_Condition; information = Info_Thorus_EnterCastle_Info; permanent = 0; description = "Pewnie nie będziesz chciał wpuścić mnie do zamku?"; }; FUNC INT Info_Thorus_EnterCastle_Condition() { if !C_NpcBelongsToOldCamp (other) && (Diego_GomezAudience == FALSE) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_EnterCastle_Info() { AI_Output (other, self,"Info_EnterCastle_15_00"); //Pewnie nie będziesz chciał wpuścić mnie do zamku? AI_Output (self, other,"Info_EnterCastle_09_01"); //Tylko ludzie Gomeza mają prawo wstępu. }; // ************************************************************ // Ich will für Gomez arbeiten // ************************************************************ INSTANCE Info_Thorus_WorkForGomez(C_INFO) //E2 { npc = GRD_200_THORUS; nr = 3; condition = Info_Thorus_WorkForGomez_Condition; information = Info_Thorus_WorkForGomez_Info; permanent = 0; description = "Chcę pracować dla Gomeza."; }; FUNC INT Info_Thorus_WorkForGomez_Condition() { if ( Npc_KnowsInfo(hero,Info_Diego_JoinOldcamp) || Npc_KnowsInfo (hero,Info_Thorus_EnterCastle) ) && (Npc_GetTrueGuild (hero) == GIL_NONE) && (Kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_WorkForGomez_Info() { AI_Output (other, self,"Info_WorkForGomez_15_00"); //Chcę pracować dla Gomeza. AI_Output (self, other,"Info_WorkForGomez_09_01"); //Czyżby? A czemu myślisz, że Gomez chciałby, żeby ktoś taki jak ty dla niego pracował? }; // ************************************************************ // Diego schickt mich // ************************************************************ INSTANCE Info_Thorus_DiegoSentMe(C_INFO) //E3 { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_DiegoSentMe_Condition; information = Info_Thorus_DiegoSentMe_Info; permanent = 0; description = "Diego powiedział, że to TY podejmujesz takie decyzje."; }; FUNC INT Info_Thorus_DiegoSentMe_Condition() { if ( Npc_KnowsInfo (hero,Info_Thorus_WorkForGomez) && Npc_KnowsInfo(hero,Info_Diego_JoinOldcamp) ) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_DiegoSentMe_Info() { AI_Output (other, self,"Info_Thorus_DiegoSentMe_15_00"); //Diego powiedział, że to TY podejmujesz takie decyzje. AI_Output (self, other,"Info_Thorus_DiegoSentMe_09_01"); //Hmm... Jeśli Diego uważa, że jesteś w porządku, to czemu SAM się tobą nie zajmie? AI_Output (self, other,"Info_Thorus_DiegoSentMe_09_02"); //Słuchaj uważnie: Diego podda cię najpierw testowi. Jeśli ON uzna, że się nadajesz, ja wpuszczę cię do zamku na spotkanie z Gomezem. AI_Output (self, other,"Info_Thorus_DiegoSentMe_09_03"); //To, co będzie później, zależy już tylko od ciebie, jasne? AI_Output (other, self,"Info_Thorus_DiegoSentMe_15_04"); //Porozmawiam z Diego. B_LogEntry(CH1_JoinOC,"Thorus poradził mi, bym porozmawiał z Diego. To on oceni, czy nadaję się na członka Starego Obozu."); }; // ************************************************************ // Try Me // ************************************************************ INSTANCE Info_Thorus_TryMe(C_INFO) //E3 { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_TryMe_Condition; information = Info_Thorus_TryMe_Info; permanent = 0; description = "Dlaczego sam nie poddasz mnie próbie?"; }; FUNC INT Info_Thorus_TryMe_Condition() { if ( Npc_KnowsInfo (hero,Info_Thorus_WorkForGomez) ) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_TryMe_Info() { AI_Output (other, self,"Info_Thorus_TryMe_15_00"); //Dlaczego sam nie poddasz mnie próbie? AI_Output (self, other,"Info_Thorus_TryMe_09_01"); //To nie takie proste, chłopcze. Nowy, który chce tu do czegoś dojść, potrzebuje opiekuna. AI_Output (self, other,"Info_Thorus_TryMe_09_02"); //Tym opiekunem musi być jeden z ludzi Gomeza. I to właśnie on podda cię próbie. AI_Output (self, other,"Info_Thorus_TryMe_09_03"); //A jeśli narobisz kłopotów to on poniesie za nie odpowiedzialność. Takie są tutaj zasady. }; // ************************************************************ // TryMeAgain // ************************************************************ INSTANCE Info_Thorus_TryMeAgain(C_INFO) //E4 { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_TryMeAgain_Condition; information = Info_Thorus_TryMeAgain_Info; permanent = 0; description = "Na pewno znajdzie się dla mnie jakieś zadanie..."; }; FUNC INT Info_Thorus_TryMeAgain_Condition() { if ( Npc_KnowsInfo (hero,Info_Thorus_TryMe) ) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_TryMeAgain_Info() { AI_Output (other, self,"Info_Thorus_TryMeAgain_15_00"); //Na pewno znajdzie się dla mnie jakieś zadanie... AI_Output (self, other,"Info_Thorus_TryMeAgain_09_01"); //Nie. Rzeczy, którymi zajmują się Strażnicy przerastają twoje możliwości, chłopcze. AI_Output (self, other,"Info_Thorus_TryMeAgain_09_02"); //Trzymaj się poleceń swojego opiekuna. }; // ************************************************************ // TryMeICanDoIt // ************************************************************ INSTANCE Info_Thorus_TryMeICanDoIt(C_INFO) //E5 { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_TryMeICanDoIt_Condition; information = Info_Thorus_TryMeICanDoIt_Info; permanent = 0; description = "Potrafię sprostać każdemu zadaniu, które mi powierzysz."; }; FUNC INT Info_Thorus_TryMeICanDoIt_Condition() { if ( Npc_KnowsInfo (hero,Info_Thorus_TryMeAgain) ) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_TryMeICanDoIt_Info() { AI_Output (other, self,"Info_Thorus_TryMeICanDoIt_15_00"); //Potrafię sprostać każdemu zadaniu, które mi powierzysz. AI_Output (self, other,"Info_Thorus_TryMeICanDoIt_09_01"); //Och? Aż tak ci zależy na wpadce? Hmm. Jest jedna rzecz, którą może się zająć wyłącznie człowiek nie będący w służbie Gomeza. AI_Output (self, other,"Info_Thorus_TryMeICanDoIt_09_02"); //Ale uprzedzam cię: jak to schrzanisz, będziesz miał nie lada kłopoty. }; // ************************************************************************** // MISSION MORDRAG KO // ************************************************************************** VAR INT Thorus_MordragKo; var int HeroKnowWhereIsMordrag; // ************************************************************************** // MISSION MORDRAG KO VERGABE // ************************************************************************** INSTANCE Info_Thorus_MordragKo_Offer (C_INFO) //E6 { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_MordragKo_Offer_Condition; information = Info_Thorus_MordragKo_Offer_Info; permanent = 0; description = "Jestem gotów."; }; FUNC INT Info_Thorus_MordragKo_Offer_Condition() { if ( Npc_KnowsInfo (hero,Info_Thorus_TryMeICanDoIt) ) && ((Npc_GetTrueGuild (hero) == GIL_NONE) || (Npc_GetTrueGuild (hero) == GIL_VLK)) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_MordragKo_Offer_Info() { AI_Output (other, self,"Info_Thorus_MordragKo_Offer_15_00"); //Jestem gotów. /*if (MIS_DraxTest == LOG_SUCCESS) { AI_Output (self, other,"Info_Thorus_MordragKo_OfferRefuse_09_01"); //Nie, nie jesteś. Zadajesz się z Bandytami i masz czelność do mnie przychodzić. AI_Output (self, other,"Info_Thorus_MordragKo_OfferRefuse_09_02"); //Wynoś się, albo cię zabiję. } else if (MIS_EasyJoinOC == LOG_RUNNING) || (MIS_EasyJoinOC == LOG_SUCCESS) { AI_Output (self, other,"Info_Thorus_MordragKo_OfferRefuse_09_03"); //Wybrałeś pracę w kopalni. Rąk do pracy nigdy nie za wiele. Nie mogę ci powierzyć takiego zadania. } else { */ AI_Output (self, other,"Info_Thorus_MordragKo_Offer_09_01"); //To, co ci za chwilę powiem, musi pozostać między nami, rozumiemy się? AI_Output (other, self,"Info_Thorus_MordragKo_Offer_15_02"); //Jasne. AI_Output (self, other,"Info_Thorus_MordragKo_Offer_09_03"); //Pewien człowiek z Nowego Obozu sprawia nam problemy. Nazywa się Mordrag i przywłaszczył sobie kilka rzeczy należących do Magnatów. AI_Output (self, other,"Info_Thorus_MordragKo_Offer_09_04"); //Oczywiście to samo można powiedzieć o wielu Szkodnikach z Nowego Obozu, ale Mordrag ma czelność zjawiać się w NASZYM Obozie i odsprzedawać NASZE rzeczy NASZYM chłopcom! AI_Output (self, other,"Info_Thorus_MordragKo_Offer_09_05"); //A to już za wiele. Niestety, łajdak wie, że nie mogę z tym nic zrobić. AI_Output (other, self,"Info_Thorus_MordragKo_Offer_15_06"); //Dlaczego? AI_Output (self, other,"Info_Thorus_MordragKo_Offer_09_07"); //Bo jest pod opieką Magów. Info_ClearChoices(Info_Thorus_MordragKo_Offer); Info_AddChoice (Info_Thorus_MordragKo_Offer, "Zajmę się tym." ,Info_Thorus_MordragKo_OFFER_BACK); Info_AddChoice (Info_Thorus_MordragKo_Offer, "Chcesz, żebym go zabił, tak?" ,Info_Thorus_MordragKo_KillHim); if (HeroKnowWhereIsMordrag == FALSE) { Info_AddChoice (Info_Thorus_MordragKo_Offer, "Gdzie znajdę Mordraga?" ,Info_Thorus_MordragKo_Where); }; Info_AddChoice (Info_Thorus_MordragKo_Offer, "Dlaczego Magowie bronią Mordraga?" ,Info_Thorus_MordragKo_MagesProtect); Info_AddChoice (Info_Thorus_MordragKo_Offer, "Widzę, że masz trochę problemów z Magami..." ,Info_Thorus_MordragKo_MageProblem); Thorus_MordragKo = LOG_RUNNING; zlecil_Thorus = true; Log_CreateTopic (CH1_MordragKO, LOG_MISSION); B_LogEntry (CH1_MordragKO,"Thorus poprosił mnie, bym usunął z Obozu Szkodnika imieniem Mordrag. Nie interesuje go jak tego dokonam, byleby tylko nikt się nie dowiedział, że on maczał w tym palce."); Log_SetTopicStatus (CH1_MordragKO, LOG_RUNNING); var C_Npc Mordrag; Mordrag = Hlp_GetNpc(ORG_826_Mordrag); }; //}; FUNC VOID Info_Thorus_MordragKo_OFFER_BACK() { AI_Output (other, self,"Info_Thorus_MordragKo_OFFER_BACK_15_00"); //Zajmę się tym. Info_ClearChoices(Info_Thorus_MordragKo_Offer); }; FUNC VOID Info_Thorus_MordragKo_KillHim() { AI_Output (other, self,"Info_Thorus_MordragKo_KillHim_15_00"); //Chcesz, żebym go zabił, tak? AI_Output (self, other,"Info_Thorus_MordragKo_KillHim_09_01"); //Chcę mieć pewność, że już nigdy więcej się tu nie pojawi. Jak to osiągniesz - to już twoja sprawa. }; FUNC VOID Info_Thorus_MordragKo_Where() { AI_Output (other, self,"Info_Thorus_MordragKo_Where_15_00"); //Gdzie znajdę Mordraga? AI_Output (self, other,"Info_Thorus_MordragKo_Where_09_01"); //Kręci się przy południowej bramie, po przeciwnej stronie zamku, tuż za wejściem. Sukinsyn boi się pojawiać bliżej centrum. B_LogEntry(CH1_MordragKO, "Mordrag urzęduje przy południowej bramie, za zamkiem."); HeroKnowWhereIsMordrag = TRUE; }; FUNC VOID Info_Thorus_MordragKo_MagesProtect() { AI_Output (other, self,"Info_Thorus_MordragKo_MagesProtect_15_00"); //Dlaczego Magowie bronią Mordraga? AI_Output (self, other,"Info_Thorus_MordragKo_MagesProtect_09_01"); //Bo służy im za posłańca. Nasi magowie utrzymują kontakty z czarodziejami z Nowego Obozu. Często wymieniają informacje za pośrednictwem gońców. AI_Output (self, other,"Info_Thorus_MordragKo_MagesProtect_09_02"); //Podejrzewam, że nieźle się wkurzą na wieść, że coś przydarzyło się ich kurierowi. AI_Output (other, self,"Info_Thorus_MordragKo_MagesProtect_15_03"); //A co ze mną? Co Magowie mogą mi zrobić? AI_Output (self, other,"Info_Thorus_MordragKo_MagesProtect_09_04"); //Jesteś tu nowy, nic ci nie będzie. Ale ja odpowiadam za wszystko, co robią moi ludzie. Dlatego musisz trzymać język za zębami. Thorus_MordragMageMessenger = TRUE; }; FUNC VOID Info_Thorus_MordragKo_MageProblem() { AI_Output (other, self,"Info_Thorus_MordragKo_MageProblem_15_00"); //Widzę, że masz trochę problemów z Magami... AI_Output (self, other,"Info_Thorus_MordragKo_MageProblem_09_01"); //Tak. I to problemów, które nie łatwo rozwiązać. Kilka lat temu jeden z Cieni próbował zasztyletować we śnie Arcymistrza Magów Ognia. AI_Output (self, other,"Info_Thorus_MordragKo_MageProblem_09_02"); //Faceta znaleziono potem w Zewnętrznym Pierścieniu. Jeśli chodzi o ścisłość - rozsmarowanego PO CAŁYM Zewnętrznym Pierścieniu. }; // ************************************************************************** // ANALYZE // ************************************************************************** INSTANCE Info_Thorus_MordragKo_Analyze (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_MordragKo_Analyze_Condition; information = Info_Thorus_MordragKo_Analyze_Info; permanent = 1; description = "Wracając do Mordraga..."; }; FUNC INT Info_Thorus_MordragKo_Analyze_Condition() { if ( (Thorus_MordragKo == LOG_RUNNING) && (MordragKO_PlayerChoseThorus != TRUE) ) && (zlecil_Thorus == true) && ((MIS_DraxTest != LOG_RUNNING) || (MIS_DraxTest != LOG_SUCCESS) || (MIS_EasyJoinOC != LOG_RUNNING) || (MIS_EasyJoinOC != LOG_SUCCESS)) { return 1; }; }; FUNC VOID Info_Thorus_MordragKo_Analyze_Info() { Info_ClearChoices (Info_Thorus_MordragKo_Analyze); Info_AddChoice (Info_Thorus_MordragKo_Analyze, "Zajmę się tym." ,Info_Thorus_MordragKo_ANALYZE_BACK); Info_AddChoice (Info_Thorus_MordragKo_Analyze, "Gdzie znajdę Mordraga?" ,Info_Thorus_MordragKo_Where); //SIEHE OBEN var C_NPC Mordrag; Mordrag = Hlp_GetNpc(Org_826_Mordrag); if (Npc_IsDead(Mordrag)) { Info_AddChoice (Info_Thorus_MordragKo_Analyze, "Mordrag już nigdy nikogo nie okradnie!" ,Info_Thorus_MordragKo_MordragDead); } else if ( (MordragKO_HauAb==TRUE) || (MordragKO_StayAtNC==TRUE) ) { Info_AddChoice (Info_Thorus_MordragKo_Analyze, "Facet już nigdy się tu nie pokaże!" ,Info_Thorus_MordragKo_MordragGone); }; }; FUNC VOID Info_Thorus_MordragKo_ANALYZE_BACK() { AI_Output (other, self,"Info_Thorus_MordragKo_ANALYZE_BACK_15_00"); //Zajmę się tym. Info_ClearChoices(Info_Thorus_MordragKo_Analyze); }; FUNC VOID Info_Thorus_MordragKo_MordragDead() { AI_Output (other, self,"Info_Thorus_MordragKo_MordragDead_15_00"); //Mordrag już nigdy nikogo nie okradnie! AI_Output (self, other,"Info_Thorus_MordragKo_MordragDead_09_01"); //Chcesz powiedzieć, że go pokonałeś? Nieźle, chłopcze. Thorus_MordragKo = LOG_SUCCESS; Log_SetTopicStatus(CH1_MordragKO, LOG_SUCCESS); B_LogEntry (CH1_MordragKO, "Thorus jest mi wdzięczny za usunięcie Mordraga. Zyskałem wpływowego przyjaciela."); B_GiveXP(XP_Thorusmordragdead); Info_ClearChoices(Info_Thorus_MordragKo_Analyze); }; FUNC VOID Info_Thorus_MordragKo_MordragGone() { AI_Output (other, self,"Info_Thorus_MordragKo_MordragGone_15_00"); //Facet już nigdy się tu nie pokaże! AI_Output (self, other,"Info_Thorus_MordragKo_MordragGone_09_01"); //Wolałbym, żebyś go zabił. Thorus_MordragKo = LOG_SUCCESS; Log_SetTopicStatus(CH1_MordragKO, LOG_SUCCESS); B_LogEntry (CH1_MordragKO, "Thorus ucieszył się, że Mordraga nie ma już w Obozie."); B_GiveXP(XP_Thorusmordragko); Info_ClearChoices(Info_Thorus_MordragKo_Analyze); }; // ************************************************************ // Mordrag verplappert // ************************************************************ INSTANCE Info_Thorus_MordragFailed (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_MordragFailed_Condition; information = Info_Thorus_MordragFailed_Info; permanent = 0; important = 1; }; FUNC INT Info_Thorus_MordragFailed_Condition() { if (MordragKO_PlayerChoseThorus == TRUE) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_MordragFailed_Info() { AI_Output (self, other,"Info_Thorus_MordragFailed_09_00"); //Ty ofiaro! Kazałem ci TRZYMAĆ JĘZYK ZA ZĘBAMI!!! AI_Output (self, other,"Info_Thorus_MordragFailed_09_01"); //Spartaczyłeś sprawę! Zapomnij o wszystkim, co ci powiedziałem. Nie próbuj już nic więcej zdziałać w tej sprawie! Thorus_MordragKo = LOG_FAILED; PrintScreen ("Anulowano zadanie: Zadanie od Thorusa! ", 1,-1,"font_new_10_red.tga",2); Log_SetTopicStatus(CH1_MordragKO, LOG_FAILED); B_LogEntry (CH1_MordragKO, "Thorusowi nie spodobało się, że wspomniałem o nim Mordragowi. Lepiej będzie nie pokazywać mu się teraz na oczy."); AI_StopProcessInfos (self); }; // ************************************************************ // Mordrag verplappert // ************************************************************ INSTANCE Info_Thorus_Sukces234 (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_Sukces234_Condition; information = Info_Thorus_Sukces234_Info; permanent = 0; important = 1; }; FUNC INT Info_Thorus_Sukces234_Condition() { if (Npc_KnowsInfo (hero, DIA_STT_315_Sly_Sukces)) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_Sukces234_Info() { AI_Output (self, other,"Info_Thorus_Sukces234_09_00"); //Słyszałem, że pozbyłeś się Mordraga. Jestem pod wrażeniem. Chcesz, dołączyć do Obozu, tak? AI_Output (self, other,"Info_Thorus_Sukces234_09_01"); //Nie powinieneś mieć z tym najmniejszych problemów. talk_aboutOpinion_OC = true; B_giveXP (100); AI_StopProcessInfos (self); }; //======================================== //-----------------> WEJSCIE_BAU //======================================== //off odsyłam do DIA_Thorus_BANDYTA_GATE INSTANCE DIA_THORUS_WEJSCIE_BAU (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_WEJSCIE_BAU_Condition; information = DIA_THORUS_WEJSCIE_BAU_Info; permanent = FALSE; description = "Chciałbym dostać się do zamku."; }; FUNC INT DIA_THORUS_WEJSCIE_BAU_Condition() { if (Npc_GetTrueGuild (other)==GIL_BAU) && (!Npc_KnowsInfo(hero,Info_Thorus_BribeGuard)) && (KAPITEL == 10) { return TRUE; }; }; FUNC VOID DIA_THORUS_WEJSCIE_BAU_Info() { AI_Output (other, self ,"DIA_THORUS_WEJSCIE_BAU_15_01"); //Chciałbym dostać się do zamku. AI_Output (self, other ,"DIA_THORUS_WEJSCIE_BAU_03_02"); //Chyba żartujesz, prędzej do zamku wpuściłbym Wrzoda. Nosisz pancerz jednego z tych sukinsynów, którzy atakują nasze konwoje. Zapomnij o tym. AI_Output (self, other ,"DIA_THORUS_WEJSCIE_BAU_03_03"); //Nie wiem czy jesteś w bandzie Quentina, ale widzę, że masz z nim jakiś kontakt. Nie chcę mieć z tobą nic wspólnego. AI_Output (other, self ,"DIA_THORUS_WEJSCIE_BAU_15_04"); //A może ruda załatwi sprawę? AI_Output (self, other ,"DIA_THORUS_WEJSCIE_BAU_03_05"); //(spogląda) }; // ************************************************************ // Bribe Thorus // ************************************************************ INSTANCE Info_Thorus_BribeGuard (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_BribeGuard_Condition; information = Info_Thorus_BribeGuard_Info; permanent = 0; description = "Czy za odpowiednią sumkę mógłbyś mnie wpuścić do zamku?"; }; FUNC INT Info_Thorus_BribeGuard_Condition() { var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); if (Npc_KnowsInfo(hero,Info_Thorus_EnterCastle) && (Npc_GetTrueGuild (other)!=GIL_STT) && (Npc_GetTrueGuild (other)!=GIL_GRD) ) && (Npc_GetTrueGuild (other)!=GIL_VLK) && (Kapitel <= 2) && (wache212.aivar[AIV_PASSGATE] == false) && (wache213.aivar[AIV_PASSGATE] == false) { return 1; }; }; FUNC VOID Info_Thorus_BribeGuard_Info() { AI_Output (other, self,"Info_Thorus_BribeGuard_15_00"); //Czy za odpowiednią sumkę mógłbyś mnie wpuścić do zamku? AI_Output (self, other,"Info_Thorus_BribeGuard_09_01"); //Za odpowiednią sumkę... AI_Output (other, self,"Info_Thorus_BribeGuard_15_02"); //Ile? AI_Output (self, other,"Info_Thorus_BribeGuard_09_02"); //No cóż - liczenie rudy musi potrwać odpowiednio długo. Dość długo, żeby całkowicie pochłonąć uwagę moją i moich chłopców. Korzystając z naszej nieuwagi, mógłbyś przemknąć się do środka... AI_Output (other, self,"Info_Thorus_BribeGuard_15_03"); //Czyli ile konkretnie? AI_Output (self, other,"Info_Thorus_BribeGuard_09_03"); //Myślę, że przeliczenie 1000 bryłek zajmie nam wystarczająco dużo czasu. AI_Output (other, self,"Info_Thorus_BribeGuard_15_04"); //1000 bryłek?! AI_Output (self, other,"Info_Thorus_BribeGuard_09_04"); //Cóż, gdybyś dołączył do Gomeza, mógłbyś wejść do zamku za darmo. }; // ************************************************************ // Give1000Ore // ************************************************************ INSTANCE Info_Thorus_Give1000Ore (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_Give1000Ore_Condition; information = Info_Thorus_Give1000Ore_Info; permanent = 1; description = "Masz tu swoje 1000 bryłek rudy, a teraz pozwól mi przejść!"; }; FUNC INT Info_Thorus_Give1000Ore_Condition() { var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); if (Npc_KnowsInfo(hero,Info_Thorus_BribeGuard)) && (Npc_GetTrueGuild (other)!=GIL_STT) && (Npc_GetTrueGuild (other)!=GIL_GRD) && (Npc_GetTrueGuild (other)!=GIL_VLK) && (Kapitel <= 2) && (wache212.aivar[AIV_PASSGATE] == false) && (wache213.aivar[AIV_PASSGATE] == false) { return 1; }; }; FUNC VOID Info_Thorus_Give1000Ore_Info() { AI_Output (other, self,"Info_Thorus_Give1000Ore_15_00"); //Masz tu swoje 1000 bryłek rudy, a teraz pozwól mi przejść! if (Npc_HasItems(other, ItMiNugget)>=1000) { B_GiveInvItems (other,self,ItMiNugget,1000); AI_Output (self, other,"Info_Thorus_Give1000Ore_09_01"); //W porządku, idź. Tylko jak już będziesz w środku, nie wywiń czegoś głupiego, dobra? var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; Info_Thorus_Give1000Ore.permanent = 0; if (Npc_GetTrueGuild (other)==GIL_BAU) { Log_SetTopicStatus (CH1_CastleEntranceBandit,LOG_SUCCESS); B_LogEntry (CH1_CastleEntranceBandit,"Cóż... zapłaciłem Thorusowi 1000 bryłek rudy. Innego wyjścia nie było."); }; } else { AI_Output (self, other,"Info_Thorus_Give1000Ore_09_02"); //Próbujesz mnie okpić, chłopcze? Nie masz 1000 bryłek rudy! }; }; //======================================== //-----------------> WEJSCIE_RING_FIRE //======================================== INSTANCE DIA_THORUS_WEJSCIE_RING_FIRE (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_WEJSCIE_RING_FIRE_Condition; information = DIA_THORUS_WEJSCIE_RING_FIRE_Info; permanent = FALSE; description = "Masz mnie wpuścić. Mam tu pierścień ognia."; }; FUNC INT DIA_THORUS_WEJSCIE_RING_FIRE_Condition() { if (Npc_HasItems (other, It_FireRing) >=1) && (hero.guild == GIL_NONE) && (kapitel < 4) { return TRUE; }; }; FUNC VOID DIA_THORUS_WEJSCIE_RING_FIRE_Info() { AI_Output (other, self ,"DIA_THORUS_WEJSCIE_RING_FIRE_15_01"); //Masz mnie wpuścić. Mam tu pierścień ognia. AI_Output (self, other ,"DIA_THORUS_WEJSCIE_RING_FIRE_03_02"); //Kolejny sługus Magów... Właź! var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); var C_NPC wache218; wache218 = Hlp_GetNpc(Grd_218_Gardist); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; wache218.aivar[AIV_PASSGATE] = TRUE; AI_StopProcessInfos (self); }; // ************************************************************ // Brief für Magier // ************************************************************ INSTANCE Info_Thorus_LetterForMages (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_LetterForMages_Condition; information = Info_Thorus_LetterForMages_Info; permanent = 0; description = "Muszę się dostać do zamku. Mam list do Arcymistrza Magów Ognia."; }; FUNC INT Info_Thorus_LetterForMages_Condition() { if Npc_KnowsInfo(hero, Info_Thorus_EnterCastle) && (Npc_HasItems (hero, ItWr_Fire_Letter_01) || Npc_HasItems (hero, ItWr_Fire_Letter_02)) { return 1; }; }; FUNC VOID Info_Thorus_LetterForMages_Info() { AI_Output (other, self,"Info_Thorus_LetterForMages_15_00"); //Muszę się dostać do zamku. Mam list do Arcymistrza Magów Ognia. AI_Output (self, other,"Info_Thorus_LetterForMages_09_01"); //I myślisz, że wpuszczę cię tak po prostu do środka, żebyś oddał list i zgarnął nagrodę? AI_Output (other, self,"Info_Thorus_LetterForMages_15_02"); //Tak. AI_Output (self, other,"Info_Thorus_LetterForMages_09_03"); //Dobra, pokaż ten list. AI_Output (other, self,"Info_Thorus_LetterForMages_15_04"); //Nie ma mowy. Zapomnij o tym! AI_Output (self, other,"Info_Thorus_LetterForMages_09_05"); //W porządku. Już zapomniałem. if MIS_Massage == LOG_RUNNING { B_LogEntry (CH1_Massage,"Thorus nie chce wpuścić mnie do zamku, bym oddał list Magom. Wydaje mi się, że powinienem dołączyć do któregoś z obozów."); }; }; // ************************************************************ // Bereit für Gomez !!! // ************************************************************ INSTANCE Info_Thorus_ReadyForGomez (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_ReadyForGomez_Condition; information = Info_Thorus_ReadyForGomez_Info; permanent = 0;//1 description = "Diego powiedział, że jestem już gotów, by spotkać się z Gomezem."; }; FUNC INT Info_Thorus_ReadyForGomez_Condition() { if (Diego_GomezAudience == TRUE) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_ReadyForGomez_Info() { AI_Output (other, self,"Info_Thorus_ReadyForGomez_15_00"); //Diego powiedział, że jestem już gotów, by spotkać się z Gomezem. AI_Output (self, other,"Info_Thorus_ReadyForGomez_09_01"); //To ja o tym zadecyduję! AI_Output (other, self,"Info_Thorus_ReadyForGomez_15_02"); //I co zdecydowałeś? AI_Output (self, other,"Info_Thorus_ReadyForGomez_09_03"); //Hmmm... AI_Output (self, other,"Info_Thorus_ReadyForGomez_09_04"); //Muszę przyznać, że całkiem nieźle sobie poradziłeś. AI_Output (self, other,"Info_Thorus_ReadyForGomez_09_05"); //Niech będzie! Możesz stanąć przed Gomezem. On podejmie ostateczną decyzję co do twojego przyjęcia. AI_Output (self, other,"Info_Thorus_ReadyForGomez_09_06"); //Od tej pory musisz radzić sobie sam, chłopcze. var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); var C_NPC wache218; wache218 = Hlp_GetNpc(Grd_218_Gardist); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; wache218.aivar[AIV_PASSGATE] = TRUE; }; // ************************************************************ // KRAUTBOTE von Kalom // ************************************************************ INSTANCE Info_Thorus_Krautbote (C_INFO) { npc = GRD_200_THORUS; nr = 4; condition = Info_Thorus_Krautbote_Condition; information = Info_Thorus_Krautbote_Info; permanent = 0; description = "Mam tu partię bagiennego ziela dla Gomeza, od Cor Kaloma."; }; FUNC INT Info_Thorus_Krautbote_Condition() { if (Kalom_Krautbote == LOG_RUNNING) && (kapitel < 4) { return 1; }; }; FUNC VOID Info_Thorus_Krautbote_Info() { AI_Output (other, self,"Info_Thorus_Krautbote_15_00"); //Mam tu partię bagiennego ziela dla Gomeza, od Cor Kaloma. AI_Output (self, other,"Info_Thorus_Krautbote_09_01"); //Pokaż! if (Npc_HasItems(other, itmijoint_3) >= 30) { AI_Output (self, other,"Info_Thorus_Krautbote_09_02"); //Hmmmmmmm... AI_Output (self, other,"Info_Thorus_Krautbote_09_03"); //W porządku, możesz iść. Udaj się prosto do siedziby Magnatów i porozmawiaj z Bartholo. var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); var C_NPC wache218; wache218 = Hlp_GetNpc(Grd_218_Gardist); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; wache218.aivar[AIV_PASSGATE] = TRUE; } else { AI_Output (self, other,"Info_Thorus_Krautbote_09_04"); //Jak na posłańca masz przy sobie trochę za mało ziela! Mam nadzieję, że nie sprzedałeś go komuś innemu! Wróć, jak będziesz miał całą partię. }; }; // ************************************************************ // SIEGEL der KdW // ************************************************************ var int thorus_Amulettgezeigt; // ************************************************************ INSTANCE Info_Thorus_KdWSiegel (C_INFO) { npc = GRD_200_THORUS; nr = 4; condition = Info_Thorus_KdWSiegel_Condition; information = Info_Thorus_KdWSiegel_Info; permanent = 1; description = "Jestem posłańcem Magów Wody. Muszę się dostać do zamku."; }; FUNC INT Info_Thorus_KdWSiegel_Condition() { if (( (Npc_KnowsInfo(hero, Org_826_Mordrag_Courier))||(Npc_HasItems(other,KdW_Amulett)>=1) ) && (thorus_Amulettgezeigt == FALSE) && (kapitel < 4) ) { return 1; }; }; FUNC VOID Info_Thorus_KdWSiegel_Info() { AI_Output (other, self,"Info_Thorus_KdWSiegel_15_00"); //Jestem posłańcem Magów Wody. Muszę się dostać do zamku. if (Npc_HasItems(other,KdW_Amulett)>=1) { AI_Output (self, other,"Info_Thorus_KdWSiegel_09_01"); //Masz przy sobie amulet kuriera. Strażnicy nie będą cię zatrzymywali. AI_Output (self, other,"Info_Thorus_KdWSiegel_09_02"); //Nie chcę mieć nic wspólnego z magami! Przestań mi wreszcie zawracać głowę, dobrze? var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; thorus_Amulettgezeigt = TRUE; } else { AI_Output (self, other,"Info_Thorus_KdWSiegel_09_03"); //No jaaasne... A amulet pewnie zgubiłeś, co? Albo ci ukradli, hę? }; }; // ************************************************************ // SIEGEL der KdW // ************************************************************ // ************************************************************ /* INSTANCE Info_Thorus_BAU_ENTER (C_INFO) { npc = GRD_200_THORUS; nr = 4; condition = Info_Thorus_BAU_ENTER_Condition; information = Info_Thorus_BAU_ENTER_Info; permanent = 0; description = "Jestem Bandytą i mam poselstwo dla Magów Ognia!"; }; FUNC INT Info_Thorus_BAU_ENTER_Condition() { if (Npc_GetTrueGuild(other) == GIL_BAU) { return 1; }; }; FUNC VOID Info_Thorus_BAU_ENTER_Info() { AI_Output (other, self,"Info_Thorus_BAU_ENTER_15_00"); //Jestem Bandytą i mam poselstwo dla Magów Ognia! AI_Output (self, other,"Info_Thorus_BAU_ENTER_09_01"); //Bandyta posłańcem? Od kogo to poselstwo?! AI_Output (other, self,"Info_Thorus_BAU_ENTER_15_02"); //Otrzymałem je od jakiegoś Maga, zanim mnie tu wrzucono. AI_Output (self, other,"Info_Thorus_BAU_ENTER_09_03"); //Nie chcę mieć nic wspólnego z Magami! Przechodź, ale jak usłyszę o tobie chociaż jedno złe słowo... AI_Output (other, self,"Info_Thorus_BAU_ENTER_15_04"); //Rozumiem. Nie będę sprawiał kłopotów. var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; }; */ // ************************************************************ // Habs GESCHAFFT // ************************************************************ INSTANCE Info_Thorus_SttGeschafft (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_SttGeschafft_Condition; information = Info_Thorus_SttGeschafft_Info; permanent = 0; description = "Udało mi się. Zostałem przyjęty do Obozu!"; }; FUNC INT Info_Thorus_SttGeschafft_Condition() { if (Npc_GetTrueGuild(other) == GIL_STT) { return 1; }; }; FUNC VOID Info_Thorus_SttGeschafft_Info() { AI_Output (other, self,"Info_Thorus_SttGeschafft_15_00"); //Udało mi się. Zostałem przyjęty do Obozu! AI_Output (self, other,"Info_Thorus_SttGeschafft_09_01"); //Gratuluję, chłopcze. Dobrze ci radzę, trzymaj się blisko Diego. AI_Output (self, other,"Info_Thorus_SttGeschafft_09_02"); //Do Gomeza lub Kruka idź, tylko jeśli masz coś NAPRAWDĘ ważnego do powiedzenia. }; //======================================== // Zadanie "Parvez w tarapatach" //======================================== instance DIA_Thorus_BloodwynsOrder (C_INFO) { npc = GRD_200_Thorus; nr = 4; condition = DIA_Thorus_BloodwynsOrder_Condition; information = DIA_Thorus_BloodwynsOrder_Info; permanent = 0; description = "Chyba powinieneś zobaczyć pewne pismo."; }; FUNC int DIA_Thorus_BloodwynsOrder_Condition() { if (Npc_KnowsInfo(hero, DIA_BaalParvez_FoundOrderFromBloodwyn) && Npc_HasItems(other, ItMi_Bloodwyns_Order)) { return 1; }; }; FUNC VOID DIA_Thorus_BloodwynsOrder_Info() { AI_Output(other, self, "DIA_Thorus_BloodwynsOrder_15_00"); //Chyba powinieneś zobaczyć pewne pismo. AI_Output(self, other, "DIA_Thorus_BloodwynsOrder_03_01"); //Jakie pismo. O co chodzi? AI_Output(other, self, "DIA_Thorus_BloodwynsOrder_15_02"); //Od jakiegoś czasu Bloodwyn wyrządzał szkody jednemu z naszych Nowicjuszy – Baalowi Parvezowi. AI_Output(other, self, "DIA_Thorus_BloodwynsOrder_15_03"); //Nasyłał na niego ludzi, którzy uniemożliwiali mu prowadzenie nauk, niszczyli dobytek, podrzucali pisma z pogróżkami. AI_Output(self, other, "DIA_Thorus_BloodwynsOrder_03_04"); //Niby czemu to robił? AI_Output(other, self, "DIA_Thorus_BloodwynsOrder_15_05"); //Nie podobało mu się, że niektórzy Kopacze odchodzili do Bractwa. Tracił w ten sposób wpływy z podatków od bezpieczeństwa. AI_Output(other, self, "DIA_Thorus_BloodwynsOrder_15_06"); //Dlatego postanowił pozbyć się Parveza ze Starego Obozu. AI_Output(self, other, "DIA_Thorus_BloodwynsOrder_03_07"); //Pokaż to pismo. AI_Output(other, self, "DIA_Thorus_BloodwynsOrder_15_08"); //Proszę. B_UseFakeScroll(); AI_Output(self, other, "DIA_Thorus_BloodwynsOrder_03_09"); //Zdumiewające. Nie spodziewałem się, że Bloodwyn umie pisać. Całkiem nieźle mu to idzie... Hmmm... AI_Output(other, self, "DIA_Thorus_BloodwynsOrder_15_11"); //Skup się. Lepiej z nim pogadaj, bo inaczej relacje pomiędzy naszymi obozami się popsują, a Magnaci obwinią za wszystko ciebie. AI_Output(self, other, "DIA_Thorus_BloodwynsOrder_03_12"); //Ty już się o moją skórę nie martw. Załatwię to i wasz człowiek będzie bezpieczny. AI_Output(other, self, "DIA_Thorus_BloodwynsOrder_15_12"); //Miejmy nadzieje. B_LogEntry (CH1_ParvezInTroubles, "Thorus obiecał zająć się sprawę i pogadać z Bloodwynem."); B_GiveInvItems (other, self, ItMi_Bloodwyns_Order,1); }; ////////////////////////////////////////////////// ////////////////////////////////////////////////// ////////////// Kapitel 2 /////////////// ////////////////////////////////////////////////// ////////////////////////////////////////////////// // ************************************************************ // PERM2 // ************************************************************ INSTANCE Info_Thorus_PERM2 (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = Info_Thorus_PERM2_Condition; information = Info_Thorus_PERM2_Info; permanent = 0; description = "Jak się masz?"; }; FUNC INT Info_Thorus_PERM2_Condition() { if ( (Npc_GetTrueGuild(other) == GIL_STT) && (Kapitel < 4) ) { return 1; }; }; FUNC VOID Info_Thorus_PERM2_Info() { AI_Output (other, self,"Info_Thorus_PERM2_15_00"); //Jak się masz? AI_Output (self, other,"Info_Thorus_PERM2_09_01"); //Nowy Obóz nie sprawia nam zbyt wielu kłopotów. Bardziej martwią mnie te świry z Sekty. }; ////////////////////////////////////////////////// ////////////////////////////////////////////////// ////////////// Kapitel 3 /////////////////// ////////////////////////////////////////////////// ////////////////////////////////////////////////// //======================================== //-----------------> MAG_OGNIA_NOV //======================================== INSTANCE DIA_Thorus_MAG_OGNIA_NOV (C_INFO) { npc = GRD_200_Thorus; nr = 1; condition = DIA_Thorus_MAG_OGNIA_NOV_Condition; information = DIA_Thorus_MAG_OGNIA_NOV_Info; permanent = FALSE; Important = TRUE; }; FUNC INT DIA_Thorus_MAG_OGNIA_NOV_Condition() { if ( (CorKalom_BringMCQBalls == LOG_SUCCESS) || Npc_KnowsInfo (hero,Grd_214_Torwache_SEETHORUS) || Npc_KnowsInfo (hero,GRD_216_Torwache_SEETHORUS) ) && (Npc_GetTrueGuild (hero ) == GIL_STT) && (Npc_KnowsInfo (hero, DIA_Torrez_Gomez_success)) { return TRUE; }; }; FUNC VOID DIA_Thorus_MAG_OGNIA_NOV_Info() { AI_Output (self, other ,"DIA_Thorus_MAG_OGNIA_NOV_03_01"); //Zaczekaj. To czego dokonałeś w kopalni było naprawdę niesamowite. AI_Output (self, other ,"DIA_Thorus_MAG_OGNIA_NOV_03_02"); //Jestem pełen uznania. Chętnie widziałbym cię w szeregach Strażników, ale wiem, że wewnątrz chcesz czegoś innego. AI_Output (self, other ,"DIA_Thorus_MAG_OGNIA_NOV_03_03"); //Powinieneś porozmawiać z Corristo. AI_StopProcessInfos (self); }; //----------------------------------------------------- // GILDENAUFNAHME GARDIST //----------------------------------------------------- instance GRD_200_Thorus_GARDIST (C_INFO) { npc = GRD_200_Thorus; condition = GRD_200_Thorus_GARDIST_Condition; information = GRD_200_Thorus_GARDIST_Info; important = 0; permanent = 0; description = "Chciałeś mi coś powiedzieć?"; }; FUNC int GRD_200_Thorus_GARDIST_Condition() { if ( (CorKalom_BringMCQBalls == LOG_SUCCESS) || Npc_KnowsInfo (hero,Grd_214_Torwache_SEETHORUS) || Npc_KnowsInfo (hero,GRD_216_Torwache_SEETHORUS) ) && (Npc_GetTrueGuild (hero ) == GIL_STT) && (!Npc_KnowsInfo (hero, GRD_200_Thorus_WANNABEMAGE)) && (!Npc_KnowsInfo (hero, DIA_Torrez_Gomez_success)) { return TRUE; }; }; FUNC void GRD_200_Thorus_GARDIST_Info() { var C_Npc KDFWache; KDFWache = Hlp_GetNpc(GRD_245_GARDIST); KDFWache.aivar[AIV_PASSGATE] = TRUE; AI_Output (other, self,"GRD_200_Thorus_GARDIST_Info_15_01"); //Chciałeś mi coś powiedzieć? AI_Output (self, other,"GRD_200_Thorus_GARDIST_Info_09_02"); //Tak. To, co pokazałeś w kopalni, świadczy nie tylko o twojej odwadze, ale również o niepospolitej sile i umiejętnościach. AI_Output (self, other,"GRD_200_Thorus_GARDIST_Info_09_03"); //Chętnie bym cię widział w szeregach straży. if hero.level < 10 { AI_Output (self, other,"GRD_200_Thorus_GARDIST_Info_09_04"); //Ale zanim to nastąpi musisz jeszcze trochę popracować nad swoimi umiejętnościami. Tylko najlepsi mogą zostać Strażnikami. AI_StopProcessInfos (self); B_PrintGuildCondition(10); } else if hero.level >= 10 { AI_Output (self, other,"GRD_200_Thorus_GARDIST_Info_09_05"); //Daję ci niepowtarzalną szansę. Co ty na to? }; }; //--------------------------------------------------------------- // GARDIST WERDEN //--------------------------------------------------------------- instance GRD_200_Thorus_AUFNAHME (C_INFO) { npc = GRD_200_Thorus; condition = GRD_200_Thorus_AUFNAHME_Condition; information = GRD_200_Thorus_AUFNAHME_Info; permanent = 0; description = "Chcę zostać Strażnikiem!"; }; FUNC int GRD_200_Thorus_AUFNAHME_Condition() { if (Npc_KnowsInfo (hero,GRD_200_Thorus_GARDIST)) && (hero.level >=10) && (Npc_GetTrueGuild (hero) == GIL_STT) { return TRUE; }; }; FUNC void GRD_200_Thorus_AUFNAHME_Info() { AI_Output (other, self,"GRD_200_Thorus_AUFNAHME_Info_15_01"); //Chcę zostać Strażnikiem! AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_02"); //Miło mi to słyszeć, ale najpierw muszę ci powiedzieć to, co mówię wszystkim nowym rekrutom. Słuchaj uważnie, bo nie będę się powtarzał. AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_03"); //Do tej pory żyłeś na własny rachunek, ale to się od dziś zmieni. Moi ludzie trzymają się razem. Do Strażników należy dbanie o bezpieczeństwo Magnatów, rudy, obozu i kopalni. AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_04"); //Ruda wydobywana jest przez Kopaczy, ale to my pilnujemy, żeby nie pożarły ich pełzacze. Pertraktacje z królem prowadzą Magnaci, ale to my dbamy o ich bezpieczeństwo. AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_05"); //Dniem i nocą strzeżemy korytarzy kopalni. Dniem i nocą pilnujemy bram Obozu i pozwalamy jego mieszkańcom wieść spokojne życie. AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_06"); //Na początku byliśmy tylko bezładną zgrają, ale staliśmy się siłą, z którą każdy musi się liczyć. Ciężko pracowaliśmy, by zasłużyć na tę reputację. AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_07"); //Od moich ludzi oczekuję więc wyłącznie jednego: lojalności. Tylko stojąc ramię w ramię będziemy w stanie obronić to, co należy do nas... AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_08"); //...i przetrwać. AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_09"); //Pozostałych rzeczy dowiesz się w swoim czasie. Bądź gotów do pomocy każdemu, kto jej potrzebuje, nieważne jak trudne i niebezpieczne to zadanie. AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_10"); //Idź do Stone'a i poproś go o zbroję i miecz. AI_Output (self, other,"GRD_200_Thorus_AUFNAHME_Info_09_11"); //Znajdziesz go w kuźni, w Wewnętrznym Pierścieniu. var C_Npc KDFWache; KDFWache = Hlp_GetNpc(GRD_245_GARDIST); KDFWache.aivar[AIV_PASSGATE] = FALSE; Npc_SetTrueGuild (hero,GIL_GRD); //HeroJoinToOC (); hero.guild = GIL_GRD; }; //--------------------------------------------------------------- // GARDIST WERDEN TEIL 2 //--------------------------------------------------------------- instance GRD_200_Thorus_NOCHWAS (C_INFO) { npc = GRD_200_Thorus; condition = GRD_200_Thorus_NOCHWAS_Condition; information = GRD_200_Thorus_NOCHWAS_Info; important = 1; permanent = 0; }; FUNC int GRD_200_Thorus_NOCHWAS_Condition() { if (Npc_KnowsInfo (hero, GRD_200_Thorus_AUFNAHME)) && (Npc_GetTrueGuild (hero) == GIL_GRD ) { return TRUE; }; }; func void GRD_200_Thorus_NOCHWAS_Info() { AI_Output (self, other,"GRD_200_Thorus_NOCHWAS_Info_09_01"); //A, i jeszcze coś... AI_Output (self, other,"GRD_200_Thorus_NOCHWAS_Info_09_02"); //Witamy w Straży... AI_StopProcessInfos (self); Log_CreateTopic (GE_BecomeGuard, LOG_NOTE); B_LogEntry (GE_BecomeGuard, "Dziś Thorus przyjął mnie w poczet Strażników. Mogę teraz odebrać należny mi pancerz. Dostanę go od Stone'a, w zamku."); }; //--------------------------------------------------------------- // ICH WILL MAGIER WERDEN //--------------------------------------------------------------- instance GRD_200_Thorus_WANNABEMAGE (C_INFO) { npc = GRD_200_Thorus; condition = GRD_200_Thorus_WANNABEMAGE_Condition; information = GRD_200_Thorus_WANNABEMAGE_Info; permanent = 0; description = "Interesuje mnie ścieżka magii..."; }; // FUNC int GRD_200_Thorus_WANNABEMAGE_Condition() { if (Npc_KnowsInfo (hero, GRD_200_Thorus_GARDIST)) && (!Npc_KnowsInfo (hero, GRD_200_Thorus_AUFNAHME)) { return TRUE; }; }; FUNC void GRD_200_Thorus_WANNABEMAGE_Info() { AI_Output (other, self,"GRD_200_Thorus_WANNABEMAGE_Info_15_01"); //Interesuje mnie ścieżka magii... AI_Output (self, other,"GRD_200_Thorus_WANNABEMAGE_Info_09_02"); //W takim razie powinieneś porozmawiać z Corristo. To on uczył Miltena. Chyba nie powinno być żadnych przeciwwskazań. var C_NPC Corristo; Corristo = Hlp_GetNpc (KDF_402_Corristo); Npc_ExchangeRoutine (Corristo,"WAITFORSC"); AI_ContinueRoutine (Corristo); }; //--------------------------------------------------------------- // STR + DEX //--------------------------------------------------------------- INSTANCE GRD_200_Thorus_Teach(C_INFO) { npc = GRD_200_Thorus; nr = 10; condition = GRD_200_Thorus_Teach_Condition; information = GRD_200_Thorus_Teach_Info; permanent = 1; description = "Możesz mnie czegoś nauczyć?"; }; FUNC INT GRD_200_Thorus_Teach_Condition() { if (Npc_GetTrueGuild (hero) == GIL_GRD) { return TRUE; }; }; FUNC VOID GRD_200_Thorus_Teach_Info() { AI_Output(other,self,"GRD_200_Thorus_Teach_15_00"); //Możesz mnie czegoś nauczyć? AI_Output(self,other,"GRD_200_Thorus_Teach_09_01"); //Mogę ci pomóc w rozwinięciu twojej zręczności i siły. if (log_thorustrain == FALSE) { Log_CreateTopic (GE_TeacherOC,LOG_NOTE); B_LogEntry (GE_TeacherOC,"Thorus pomoże mi popracować nad moją siłą i zręcznością."); log_thorustrain = TRUE; }; Info_ClearChoices (GRD_200_Thorus_Teach); Info_AddChoice (GRD_200_Thorus_Teach,DIALOG_BACK ,GRD_200_Thorus_Teach_BACK); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_5,5*LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_1,LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_1); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_5,5*LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_1,LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_1); }; func void GRD_200_Thorus_Teach_BACK() { Info_ClearChoices (GRD_200_Thorus_Teach); }; func void GRD_200_Thorus_Teach_STR_1() { Mod_KupAtrybut (hero, ATR_STRENGTH, 1); Info_ClearChoices (GRD_200_Thorus_Teach); Info_AddChoice (GRD_200_Thorus_Teach,DIALOG_BACK ,GRD_200_Thorus_Teach_BACK); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_5,5*LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_1,LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_1); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_5,5*LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_1,LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_1); }; func void GRD_200_Thorus_Teach_STR_5() { Mod_KupAtrybut (hero, ATR_STRENGTH, 5); Info_ClearChoices (GRD_200_Thorus_Teach); Info_AddChoice (GRD_200_Thorus_Teach,DIALOG_BACK ,GRD_200_Thorus_Teach_BACK); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_5,5*LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_1,LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_1); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_5,5*LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_1,LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_1); }; func void GRD_200_Thorus_Teach_DEX_1() { Mod_KupAtrybut (hero, ATR_DEXTERITY, 1); Info_ClearChoices (GRD_200_Thorus_Teach); Info_AddChoice (GRD_200_Thorus_Teach,DIALOG_BACK ,GRD_200_Thorus_Teach_BACK); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_5,5*LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_1,LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_1); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_5,5*LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_1,LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_1); }; func void GRD_200_Thorus_Teach_DEX_5() { Mod_KupAtrybut (hero, ATR_DEXTERITY, 5); Info_ClearChoices (GRD_200_Thorus_Teach); Info_AddChoice (GRD_200_Thorus_Teach,DIALOG_BACK ,GRD_200_Thorus_Teach_BACK); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_5,5*LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnStrength_1,LPCOST_ATTRIBUTE_STRENGTH,0) ,GRD_200_Thorus_Teach_STR_1); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_5,5*LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_5); Info_AddChoice (GRD_200_Thorus_Teach,B_BuildLearnString(NAME_LearnDexterity_1,LPCOST_ATTRIBUTE_DEXTERITY,0) ,GRD_200_Thorus_Teach_DEX_1); }; //--------------------------------------------------------------- // NAUKA WALKI ORĘŻEM 2H //--------------------------------------------------------------- instance GRD_200_Thorus_TEACH_2H (C_INFO) { npc = GRD_200_Thorus; condition = GRD_200_Thorus_TEACH_2H_Condition; information = GRD_200_Thorus_TEACH_2H_Info; permanent = 0; description = "Możesz mnie nauczyć lepiej walczyć?"; }; // FUNC int GRD_200_Thorus_TEACH_2H_Condition() { return TRUE; }; FUNC void GRD_200_Thorus_TEACH_2H_Info() { AI_Output (other, self,"GRD_200_Thorus_TEACH_2H_Info_15_01"); //Możesz mnie nauczyć lepiej walczyć? AI_Output (self, other,"GRD_200_Thorus_TEACH_2H_Info_09_02"); //Szkolę tylko i wyłącznie członków naszego Obozu. Wolę już uczyć machać kilofem byle Kopacza niż jakiegoś wyrzutka. if (log_thorusfight == FALSE) { Log_CreateTopic (GE_TeacherOC,LOG_NOTE); B_LogEntry (GE_TeacherOC,"Thorus może mnie nauczyć walki dwuręcznym orężem, gdy tylko zostanę członkiem Starego Obozu."); log_thorusfight = TRUE; }; }; //--------------------------------------------------------------- // NAUKA WALKI ORĘŻEM 2H //--------------------------------------------------------------- instance GRD_200_Thorus_TEACH_2H_START (C_INFO) { npc = GRD_200_Thorus; condition = GRD_200_Thorus_TEACH_2H_START_Condition; information = GRD_200_Thorus_TEACH_2H_START_Info; permanent = 1; description = "Zacznijmy trening."; }; // FUNC int GRD_200_Thorus_TEACH_2H_START_Condition() { if (Npc_KnowsInfo (hero, GRD_200_Thorus_TEACH_2H)) && ((Npc_GetTrueGuild (hero) == GIL_GRD) || (Npc_GetTrueGuild (hero) == GIL_STT) || (Npc_GetTrueGuild (hero) == GIL_VLK)) { return TRUE; }; }; FUNC void GRD_200_Thorus_TEACH_2H_START_Info() { AI_Output (other, self,"GRD_200_Thorus_TEACH_2H_START_Info_15_01"); //Zacznijmy trening. AI_Output (self, other,"GRD_200_Thorus_TEACH_2H_START_Info_09_02"); //No dobra. Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; func void GRD_200_Thorus_TEACH_2H_STARTBACK () { Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); var int ilosc; ilosc = Npc_hasitems (self, itminugget); Npc_RemoveInvItems (self, itminugget, ilosc); }; FUNC VOID Thorus_teach_2h1 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_00"); //Chciałbym nauczyć się walki dwuręcznym orężem. if (Npc_HasItems(other,itminugget) >= 100) { if (B_GiveSkill(other, NPC_TALENT_2h, 1, 10)) { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_01"); //Bronie dwuręczne wymagają sporo siły. Są ciężkie, a przez to także wolniejsze. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_02"); //Zmieni się to jednak w trakcie czynienia przez ciebie postępów w nauce. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_03"); //Za powolność bronie dwuręczne odwdzięczą ci się potężnymi obrażeniami. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_04"); //Każdą broń musisz odpowiednio wyczuć. Topory są inaczej zbalansowane niż miecze. Pamiętaj o tym. B_GiveInvItems(other,self,itminugget,100); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h2 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 200) { if (B_GiveSkill(other, NPC_TALENT_2h, 2, 10)) { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_06"); //Musisz pracować nad swoją siłą. Pozwoli ci ona wykonywać szybsze ruchy i podnosić coraz cięższe bronie. //AI_DrawWeapon (other); AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_07"); //Później będziesz musiał poznać odpowiednią technikę walki i łącznia ciosów. //AI_RemoveWeapon (other); AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_08"); //Na razie nie jesteś wstanie zadać pełnych obrażeń na jakie pozwala ci dana broń. Spokojnie, zajmiemy się tym. B_GiveInvItems(other,self,itminugget,200); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h3 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 300) { if (B_GiveSkill(other, NPC_TALENT_2h, 3, 10)) { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_10"); //Wiesz jaka jest jeszcze zaleta dwuręcznych broni? AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_11"); //Są długie... Im dłuższe tym dalej od siebie możesz trzymać przeciwnika. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_12"); //Gdy kupujesz broń zwracaj uwagę na jej górną część. Jeśli jest wystarczająco ostra to nawet draśnięcie oponenta z daleka zada mu obrażenia lub zniszczy jego pancerz. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_13"); //Pokaż mi jeszcze jak wyciągasz broń. Robisz jakieś postępy? AI_DrawWeapon (other); AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_14"); //Nie, nie, nie. Omówimy to na następnej lekcji. AI_RemoveWeapon (other); B_GiveInvItems(other,self,itminugget,300); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h4 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 400) { if (B_GiveSkill(other, NPC_TALENT_2h, 4, 10)) { AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_03"); //Wyciągnij miecz przed siebie. Aby zaatakować wroga tak ciężką bronią, musisz mocniej się zamachnąć. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_04"); //Unieś ramię i zdecydowanie opuść miecz. To powinno wystarczyć, żeby powalić przeciwnika na ziemię. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_05"); //Wykorzystaj bezwładność broni, by unieść ją ponownie do góry. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_06"); //Dwuręczne miecze świetnie sprawdzają się przy zadawaniu ciosów z boku. W ten sposób możesz trzymać przeciwnika na dystans. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_07"); //To ci powinno wystarczyć na początek. Teraz trochę poćwicz. B_GiveInvItems(other,self,itminugget,400); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h5 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 500) { if (B_GiveSkill(other, NPC_TALENT_2h, 5, 10)) { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_15"); //Na poprzedniej lekcji nauczyłem cię jak porządnie trzymać broń i jak wykorzystać siłę bezwładności ostrza. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_16"); //Pamiętaj, że im lepiej wyczujesz balans broni tym łatwiej będzie ci łączyć kolejne ciosy. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_17"); //Musisz wiedzieć, w którym momencie ponownie się zamachnąć, tak by wykorzystać przy tym impet pierwszego uderzenia. Pozwoli ci to oszczędzić siły. B_GiveInvItems(other,self,itminugget,500); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h6 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 600) { if (B_GiveSkill(other, NPC_TALENT_2h, 6, 10)) { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_18"); //Stosuj różne strategie walki. Uderzaj raz z przodu, raz z boku. A później jeszcze z drugiej strony. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_19"); //Uniki z dwuręcznym mieczem w ręku faktycznie mogą być trudne, dlatego musisz parować ciosy. Ćwicz siłę mięśni rąk, pleców i klatki piersiowej. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_20"); //To pozwoli ci skutecznie blokować, bez ryzyka połamania sobie czegoś. B_GiveInvItems(other,self,itminugget,600); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h7 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 1000) { if (B_GiveSkill(other, NPC_TALENT_2h, 7, 10)) { AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_02"); //Musisz się nauczyć płynnie przenosić środek ciężkości. Trzymaj miecz pionowo. Obie dłonie mocno zaciśnij na jego rękojeści i przesuń go nieco w bok. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_03"); //Teraz uderz szybko od góry, i pozwól klindze powędrować nad twoje ramię. Teraz możesz wyprowadzić szybkie cięcie na prawo. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_04"); //Twój przeciwnik nie będzie miał okazji podejść bliżej. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_05"); //Albo spróbuj wyprowadzić z lewej strony cios do przodu, aby odrzucić od siebie rywala. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_06"); //Teraz obrót, żeby kolejny cios nabrał odpowiedniej mocy. Przy odrobinie szczęścia wróg nie przeżyje tego uderzenia. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_07"); //A jeśli i to nie wystarczy, wykorzystaj resztę siły zamachowej, by ponownie unieść miecz do góry. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_08"); //Po skończonym ataku wykonaj zasłonę i wypatruj luki w obronie przeciwnika. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_09"); //Kluczem do sukcesu jest ciągła zmiana pozycji i umiejętne wykorzystanie bezwładności broni. B_GiveInvItems(other,self,itminugget,1000); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h8 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 1500) { if (B_GiveSkill(other, NPC_TALENT_2h, 8, 10)) { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_21"); //Robisz postępy. Skup się na kolejnych ciosach. Łącz je coraz szybciej i pewniej. B_GiveInvItems(other,self,itminugget,1500); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h9 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 2000) { if (B_GiveSkill(other, NPC_TALENT_2h, 9, 10)) { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_22"); //Chcąc najboleśniej zranić przeciwnika musisz dobrze wymierzyć cios. Gdy masz szansę staraj się trafiać w głowę lub barki. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_23"); //Słabe punkty to także łącznia zbroi. Jeśli przeciwnik ma na sobie skórzaną zbroję to po prostu bij w brzuch. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_24"); //Skórzane pancerze łatwo się rozcina. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_25"); //Przypomnij sobie jeszcze raz to wszystko, czego cię nauczyłem i stosuj się do tego. B_GiveInvItems(other,self,itminugget,2000); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; FUNC VOID Thorus_teach_2h10 () { AI_Output (other,self,"DIA_Thorus_TRAIN_2h_15_01"); //Naucz mnie sprawniej posługiwać się dwuręczną bronią. if (Npc_HasItems(other,itminugget) >= 2500) { if (B_GiveSkill(other, NPC_TALENT_2h, 10, 10)) { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_26"); //To już nasza ostatnia lekcja. Pokażę ci sztuczki, które pozwolą ci jeszcze lepiej wyczuć broń. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_27"); //Musisz nauczyć się rozpoznawać słabe punkty przeciwników i skupiać się na nich. AI_Output (self,other,"DIA_Thorus_TRAIN_2h_npc_28"); //Z czasem dojdziesz do wprawy. B_GiveInvItems(other,self,itminugget,2500); }; } else { AI_Output (self,other,"DIA_Thorus_TRAIN_2h_NoOre_01_00"); //Nie masz wystarczającej ilości rudy! }; Info_ClearChoices (GRD_200_Thorus_TEACH_2H_START); Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,DIALOG_BACK,GRD_200_Thorus_TEACH_2H_STARTBACK); if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 0) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 1, 100 bryłek rudy, 10 PN",Thorus_teach_2h1); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 1) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 2, 200 bryłek rudy, 10 PN",Thorus_teach_2h2); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 2) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 3, 300 bryłek rudy, 10 PN",Thorus_teach_2h3); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 3) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 4, 400 bryłek rudy, 10 PN",Thorus_teach_2h4); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 4) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 5, 500 bryłek rudy, 10 PN",Thorus_teach_2h5); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 5) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 6, 600 bryłek rudy, 10 PN",Thorus_teach_2h6); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 6) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 7, 1000 bryłek rudy, 10 PN",Thorus_teach_2h7); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 7) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 8, 1500 bryłek rudy, 10 PN",Thorus_teach_2h8); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 8) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 9, 2000 bryłek rudy, 10 PN",Thorus_teach_2h9); }; if (Npc_GetTalentSkill(hero, NPC_TALENT_2h) == 9) { Info_AddChoice (GRD_200_Thorus_TEACH_2H_START,"Broń dwuręczna, poziom 10, 2500 bryłek rudy, 10 PN",Thorus_teach_2h10); }; }; /* //------------------------------------------------------------------------- // ZWEIHANDKAMPF LERNEN STUFE 1 //------------------------------------------------------------------------- instance GRD_200_Thorus_ZWEIHAND1 (C_INFO) { npc = GRD_200_Thorus; condition = GRD_200_Thorus_ZWEIHAND1_Condition; information = GRD_200_Thorus_ZWEIHAND1_Info; important = 0; permanent = 1; description = B_BuildLearnString(NAME_Learn2h_1, LPCOST_TALENT_2H_1,0); }; FUNC int GRD_200_Thorus_ZWEIHAND1_Condition() { if //(Npc_GetTalentSkill (hero,NPC_TALENT_1H) == 2) //to trzeba usunąć && (Npc_GetTalentSkill (hero,NPC_TALENT_2H) < 1) && ((Npc_GetTrueGuild (hero) == GIL_GRD) || (Npc_GetTrueGuild (hero) == GIL_STT) || (Npc_GetTrueGuild (hero) == GIL_VLK)) { return TRUE; }; }; FUNC void GRD_200_Thorus_ZWEIHAND1_Info() { if (hero.attribute[ATR_STRENGTH] >= 80) { AI_Output (other, self,"GRD_200_Thorus_ZWEIHAND1_Info_15_01"); //Chciałbym nauczyć się posługiwać dwuręcznym mieczem. if (B_GiveSkill(other,NPC_TALENT_2H , 1, LPCOST_TALENT_2H_1)) { AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_02"); //Dobrze, najpierw zajmiemy się podstawami. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_03"); //Wyciągnij miecz przed siebie. Aby zaatakować wroga tak ciężką bronią, musisz mocniej się zamachnąć. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_04"); //Unieś ramię i zdecydowanie opuść miecz. To powinno wystarczyć, żeby powalić przeciwnika na ziemię. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_05"); //Wykorzystaj bezwładność broni, by unieść ją ponownie do góry. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_06"); //Dwuręczne miecze świetnie sprawdzają się przy zadawaniu ciosów z boku. W ten sposób możesz trzymać przeciwnika na dystans. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND1_Info_09_07"); //To ci powinno wystarczyć na początek. Teraz trochę poćwicz. GRD_200_Thorus_ZWEIHAND1.permanent = 0; }; } else { AI_Output (self,other,"GRD_200_Thorus_NO_ENOUGHT_STR_1"); //Musisz jeszcze sporo poćwiczyć zanim nauczysz się dobrze walczyć! PrintScreen ("Warunek: Siła 80", -1,-1,"FONT_OLD_20_WHITE.TGA",2); }; }; //------------------------------------------------------------------------- // ZWEIHANDKAMPF LERNEN STUFE 2 //------------------------------------------------------------------------- instance GRD_200_Thorus_ZWEIHAND2 (C_INFO) { npc = GRD_200_Thorus; condition = GRD_200_Thorus_ZWEIHAND2_Condition; information = GRD_200_Thorus_ZWEIHAND2_Info; important = 0; permanent = 1; description = B_BuildLearnString(NAME_Learn2h_2, LPCOST_TALENT_2H_2,0); }; FUNC int GRD_200_Thorus_ZWEIHAND2_Condition() { if (Npc_GetTalentSkill (hero,NPC_TALENT_2H) == 1) && (Npc_GetTrueGuild (hero) == GIL_GRD) { return TRUE; }; }; FUNC void GRD_200_Thorus_ZWEIHAND2_Info() { AI_Output (other, self,"GRD_200_Thorus_ZWEIHAND2_Info_15_01"); //Chciałbym dowiedzieć się czegoś więcej o walce dwuręcznym mieczem. if (hero.attribute[ATR_STRENGTH] >= 120) { if (B_GiveSkill(other,NPC_TALENT_2H , 2, LPCOST_TALENT_2H_2)) { AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_02"); //Musisz się nauczyć płynnie przenosić środek ciężkości. Trzymaj miecz pionowo. Obie dłonie mocno zaciśnij na jego rękojeści i przesuń go nieco w bok. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_03"); //Teraz uderz szybko od góry, i pozwól klindze powędrować nad twoje ramię. Teraz możesz wyprowadzić szybkie cięcie na prawo. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_04"); //Twój przeciwnik nie będzie miał okazji podejść bliżej. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_05"); //Albo spróbuj wyprowadzić z lewej strony cios do przodu, aby odrzucić od siebie rywala. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_06"); //Teraz obrót, żeby kolejny cios nabrał odpowiedniej mocy. Przy odrobinie szczęścia wróg nie przeżyje tego uderzenia. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_07"); //A jeśli i to nie wystarczy, wykorzystaj resztę siły zamachowej, by ponownie unieść miecz do góry. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_08"); //Po skończonym ataku wykonaj zasłonę i wypatruj luki w obronie przeciwnika. AI_Output (self, other,"GRD_200_Thorus_ZWEIHAND2_Info_09_09"); //Kluczem do sukcesu jest ciągła zmiana pozycji i umiejętne wykorzystanie bezwładności broni. GRD_200_Thorus_ZWEIHAND2.permanent = 0 ; }; } else { AI_Output (self,other,"GRD_200_Thorus_NO_ENOUGHT_STR_1"); //Musisz jeszcze sporo poćwiczyć zanim nauczysz się dobrze walczyć! PrintScreen ("Warunek: Siła 120", -1,-1,"FONT_OLD_20_WHITE.TGA",2); }; }; */ //======================================== //-----------------> ZDRADA //======================================== INSTANCE DIA_THORUS_ZDRADA (C_INFO) { npc = GRD_200_THORUS; nr = 50; condition = DIA_THORUS_ZDRADA_Condition; information = DIA_THORUS_ZDRADA_Info; permanent = FALSE; description = "Świstak okazał się być zdrajcą!"; }; FUNC INT DIA_THORUS_ZDRADA_Condition() { if (Npc_KnowsInfo (hero, DIA_Bartholo_DOWODY)) { return TRUE; }; }; FUNC VOID DIA_THORUS_ZDRADA_Info() { AI_Output (other, self ,"DIA_THORUS_ZDRADA_15_01"); //Świstak okazał się być zdrajcą! AI_Output (self, other ,"DIA_THORUS_ZDRADA_03_02"); //Tak, słyszałem już o tym. AI_Output (self, other ,"DIA_THORUS_ZDRADA_03_03"); //Przebrzydły sukinsyn. Nie wypłaci się do końca życia! AI_Output (self, other ,"DIA_THORUS_ZDRADA_03_04"); //Ale tobie chyba należy się jakaś nagroda. Weź tę rudę. CreateInvItems (self, ItMiNugget, 50); B_GiveInvItems (self, other, ItMiNugget, 50); }; //======================================== //-----------------> DEDLIGO //======================================== INSTANCE DIA_THORUS_DEDLIGO (C_INFO) { npc = GRD_200_THORUS; nr = 51; condition = DIA_THORUS_DEDLIGO_Condition; information = DIA_THORUS_DEDLIGO_Info; permanent = FALSE; description = "Zły zabił Neka!"; }; FUNC INT DIA_THORUS_DEDLIGO_Condition() { if (MIS_SpysProblems == LOG_RUNNING) { return TRUE; }; }; FUNC VOID DIA_THORUS_DEDLIGO_Info() { AI_Output (other, self ,"DIA_THORUS_DEDLIGO_15_01"); //Zły zabił Neka! AI_Output (self, other ,"DIA_THORUS_DEDLIGO_03_02"); //Doprawdy? AI_Output (self, other ,"DIA_THORUS_DEDLIGO_03_03"); //A masz na to dowody? AI_Output (other, self ,"DIA_THORUS_DEDLIGO_15_04"); //Tak. Skaza mówił... AI_Output (self, other ,"DIA_THORUS_DEDLIGO_03_05"); //Ha ha! Skaza mówił... Ten śmierdzący Szkodnik? AI_Output (self, other ,"DIA_THORUS_DEDLIGO_03_06"); //Chłopcze, wiesz gdzie ja mam to, co Skaza mówił? AI_Output (other, self ,"DIA_THORUS_DEDLIGO_15_07"); //W dupie? AI_Output (self, other ,"DIA_THORUS_DEDLIGO_03_08"); //Dokładnie. Mam dość tego złodzieja i tego, że wszystko uchodzi mu na sucho. AI_Output (self, other ,"DIA_THORUS_DEDLIGO_03_09"); //Znajdź mi prawdziwe dowody lub co najmniej trzech świadków i wtedy przyjdź. B_LogEntry (CH1_SpysProblems,"Thorus nie wierzy w słowa Skazy. Muszę znaleźć świadków lub jakieś dowody."); }; //======================================== //-----------------> ICHTROJE //======================================== INSTANCE DIA_THORUS_ICHTROJE (C_INFO) { npc = GRD_200_THORUS; nr = 52; condition = DIA_THORUS_ICHTROJE_Condition; information = DIA_THORUS_ICHTROJE_Info; permanent = FALSE; description = "Mam trzech świadków."; }; FUNC INT DIA_THORUS_ICHTROJE_Condition() { if (Npc_KnowsInfo (hero, DIA_THORUS_DEDLIGO)) && (MIS_SpysProblems == LOG_RUNNING) && (Npc_KnowsInfo (hero, DIA_Jesse_OKKKKKKK)) && (Npc_KnowsInfo (hero, DIA_Tippler_OKQUEST)) && (Npc_KnowsInfo (hero, DIA_Kyle_ZABICI)) { return TRUE; }; }; FUNC VOID DIA_THORUS_ICHTROJE_Info() { AI_Output (other, self ,"DIA_THORUS_ICHTROJE_15_01"); //Mam trzech świadków. AI_Output (self, other ,"DIA_THORUS_ICHTROJE_03_02"); //Co?! AI_Output (other, self ,"DIA_THORUS_ICHTROJE_15_03"); //Ktoś tu chyba za bardzo wierzy w swoich ludzi. AI_Output (other, self ,"DIA_THORUS_ICHTROJE_15_04"); //A ja przecież mówiłem, że coś jest na rzeczy. AI_Output (self, other ,"DIA_THORUS_ICHTROJE_03_05"); //Nie denerwuj mnie! AI_Output (other, self ,"DIA_THORUS_ICHTROJE_15_06"); //No chodź. Jesse, Kyle i Tippler chcą z tobą porozmawiać. AI_Output (self, other ,"DIA_THORUS_ICHTROJE_03_07"); //Dobra, wierzę ci. AI_TurnAway (GRD_200_Thorus,other); AI_Output (self, other ,"DIA_THORUS_ICHTROJE_03_08"); //Chłopcy! Wiecie, co robić. Zająć się nim. AI_TurnToNpc(GRD_200_Thorus,hero); AI_Output (self, other ,"DIA_THORUS_ICHTROJE_03_09"); //Jestem zawiedziony. Ufałem Złemu. AI_Output (self, other ,"DIA_THORUS_ICHTROJE_03_10"); //Obawiam się o rekrutacje w Obozie. Muszę porozmawiać z Diego. AI_Output (self, other ,"DIA_THORUS_ICHTROJE_03_11"); //Jednak w dalszym ciągu uważam, że Skaza to złodziej. AI_Output (other, self ,"DIA_THORUS_ICHTROJE_15_12"); //Porozmawiajmy o moim wynagrodzeniu. AI_Output (self, other ,"DIA_THORUS_ICHTROJE_03_13"); //Zapomnij. Nic ci nie kazałem. AI_Output (other, self ,"DIA_THORUS_ICHTROJE_15_14"); //Szkoda. To ja już sobie pójdę. B_LogEntry (CH1_SpysProblems,"Gdy Thorus dowiedział się o machlojkach Złego, natychmiast rozkazał zamknąć go w lochach. Skaza będzie bardzo zadowolony z takiego obrotu spraw."); AI_Teleport (STT_315_Sly,"SLY_CELL"); Npc_ExchangeRoutine (STT_315_Sly, "paka"); B_ChangeGuild (STT_315_Sly,GIL_NONE); AI_UnequipArmor (STT_315_Sly); //rozbrojenie if (Npc_HasItems (STT_315_Sly, ItMw_1H_Sword_Short_02) >=1) { Npc_RemoveInvItems (STT_315_Sly, ItMw_1H_Sword_Short_02, 1); }; if (Npc_HasItems (STT_315_Sly, ItRw_Bow_Small_04) >=1) { Npc_RemoveInvItems (STT_315_Sly, ItRw_Bow_Small_04, 1); }; B_GiveXP (100); }; //======================================== //-----------------> QuestGRD1 //======================================== INSTANCE DIA_THORUS_QuestGRD1 (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_QuestGRD1_Condition; information = DIA_THORUS_QuestGRD1_Info; permanent = FALSE; description = "Masz dla mnie jakieś zadanie?"; }; FUNC INT DIA_THORUS_QuestGRD1_Condition() { if (Npc_GetTrueGuild (hero) == GIL_GRD) { return TRUE; }; }; FUNC VOID DIA_THORUS_QuestGRD1_Info() { AI_Output (other, self ,"DIA_THORUS_QuestGRD1_15_01"); //Masz dla mnie jakieś zadanie? AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_02"); //Coś małego na pewno się znajdzie. AI_Output (other, self ,"DIA_THORUS_QuestGRD1_15_03"); //W czym rzecz? AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_04"); //Dawno nie widziałem tu nikogo nowego, żadnej nowej twarzy. Skazańcy widocznie nas omijają. AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_05"); //Uciekają do innych obozów, a przecież tu mają pracę, jedzenie i inne wygody... AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_06"); //Jak tak dalej pójdzie to niedługo braknie nam górników w kopalni. AI_Output (other, self ,"DIA_THORUS_QuestGRD1_15_07"); //Jak temu zaradzić? AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_08"); //Przypuszczam, że na placu wymian dzieje się coś złego. AI_Output (other, self ,"DIA_THORUS_QuestGRD1_15_09"); //TO BULLIT! AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_10"); //Bullit? Niby dlaczego? AI_Output (other, self ,"DIA_THORUS_QuestGRD1_15_11"); //Gdy zrzucono mnie za Barierę, dostałem od niego porządnie w pysk. AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_12"); //hmm, doprawdy? Myślałem, że spadłeś z konia. He he... AI_Output (other, self ,"DIA_THORUS_QuestGRD1_15_13"); //Darujmy sobie docinki... AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_14"); //W porządku. Tak tylko żartowałem. AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_15"); //Może i Bullit macza w tym palce. Będę musiał z nim pogadać, ale zanim to zrobię... AI_Output (self, other ,"DIA_THORUS_QuestGRD1_03_16"); //Dziś mieli zostać zrzuceni nowi skazańcy. Przyprowadź mi jednego. Jeśli Bullit, któregoś z nich odstraszył, to niech mi o tym powie. MIS_BullitBadass = LOG_RUNNING; Log_CreateTopic (CH2_BullitBadass, LOG_MISSION); Log_SetTopicStatus (CH2_BullitBadass, LOG_RUNNING); B_LogEntry (CH2_BullitBadass,"Thorus kazał mi odkryć, który z jego ludzi odstrasza nowych skazańców. Jestem pewien, że to wina Bullita. Muszę tylko znaleźć na niego jakieś dowody. Dziś na plac wymian mają zostać zrzuceni nowi skazańcy. Jeżeli kogoś tam spotkam, mam zadbać, aby przybył do Starego Obozu."); Wld_InsertNpc (NON_7046_Skazaniec,"OC1"); B_ExchangeRoutine (GRD_203_Bullit, "meka"); AI_StopProcessInfos (self); }; //======================================== //-----------------> Swadek //======================================== INSTANCE DIA_THORUS_Swadek (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_Swadek_Condition; information = DIA_THORUS_Swadek_Info; permanent = FALSE; description = "Byłem na placu wymian."; }; FUNC INT DIA_THORUS_Swadek_Condition() { if (Npc_KnowsInfo (hero, DIA_Skaza_HELLO1)) && (MIS_BullitBadass == LOG_SUCCESS) { return TRUE; }; }; FUNC VOID DIA_THORUS_Swadek_Info() { AI_Output (other, self ,"DIA_THORUS_Swadek_15_01"); //Byłem na placu wymian. Rozmawiałem z nowym skazańcem. AI_Output (self, other ,"DIA_THORUS_Swadek_03_02"); //Właśnie zauważyłem go w Obozie. Jakieś przemyślenia? AI_Output (other, self ,"DIA_THORUS_Swadek_15_03"); //Powinieneś z nim pogadać. Ja zrobiłem, to co miałem zrobić. AI_Output (self, other ,"DIA_THORUS_Swadek_03_04"); //No dobra, zobaczymy co mi powie. Możesz już iść. B_GiveXP (100); AI_StopProcessInfos (self); }; //======================================== // DIALOG USUNIĘTY ======================= //======================================== INSTANCE DIA_THORUS_HahahaSpierdalaj (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_HahahaSpierdalaj_Condition; information = DIA_THORUS_HahahaSpierdalaj_Info; permanent = FALSE; description = "Bartholo pozwolił mi rozmawiać z Gomezem."; }; FUNC INT DIA_THORUS_HahahaSpierdalaj_Condition() { if (Npc_KnowsInfo (hero, DIA_Bartholo_DOWODY)) && (Npc_GetTrueGuild(other) == GIL_NONE) && (Kapitel == 10) { return TRUE; }; }; FUNC VOID DIA_THORUS_HahahaSpierdalaj_Info() { AI_Output (other, self ,"DIA_THORUS_HahahaSpierdalaj_15_01"); //Bartholo pozwolił mi rozmawiać z Gomezem. AI_Output (self, other ,"DIA_THORUS_HahahaSpierdalaj_03_02"); //Widziałem, że o czymś z nim rozmawiałeś. AI_Output (self, other ,"DIA_THORUS_HahahaSpierdalaj_03_03"); //No dobrze. Skoro taka jest jego wola, to możesz wejść. var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); var C_NPC wache218; wache218 = Hlp_GetNpc(Grd_218_Gardist); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; wache218.aivar[AIV_PASSGATE] = TRUE; MIS_KosztemQuentina = LOG_RUNNING; Log_CreateTopic (CH1_KosztemQuentina, LOG_MISSION); Log_SetTopicStatus (CH1_KosztemQuentina, LOG_RUNNING); B_LogEntry (CH1_KosztemQuentina,"Zdecydowałem się porzucić Bandytów i iść prosto do Gomeza. Taka szansa już się nie powtórzy."); B_GiveXP (200); AI_StopProcessInfos (self); }; //======================================== //-----------------> FlintFindPath //======================================== INSTANCE DIA_THORUS_FlintFindPath (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_FlintFindPath_Condition; information = DIA_THORUS_FlintFindPath_Info; permanent = FALSE; description = "Flint odnalazł ścieżkę do Wolnej Kopalni."; }; FUNC INT DIA_THORUS_FlintFindPath_Condition() { if (Npc_KnowsInfo (hero, DIA_Flint_InOC1)) { return TRUE; }; }; FUNC VOID DIA_THORUS_FlintFindPath_Info() { AI_Output (other, self ,"DIA_THORUS_FlintFindPath_15_01"); //Przysyła mnie niejaki Flint. Mam ci przekazać że odnalazł ścieżkę do Wolnej Kopalni. if (Npc_GetTrueGuild(hero) == GIL_SFB) || (Npc_GetTrueGuild(hero) == GIL_NONE) || (Npc_GetTrueGuild(hero) == GIL_VLK) { AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_02"); //Udało ci się go znaleźć? AI_Output (other, self ,"DIA_THORUS_FlintFindPath_15_03"); //Tak, trochę się zagubił, ale pomogłem mu uzupełnić brakujące części układanki. AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_04"); //To świetnie. Czuję, że informacje, które wkrótce przekaże mi Flint mogą nam się bardzo przydać. AI_Output (other, self ,"DIA_THORUS_FlintFindPath_15_05"); //Myślisz o ataku na Wolną Kopalnie? AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_06"); //A o czym innym? Przecież nie pójdziemy tą ścieżką do nich na herbatkę! AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_08"); //A co do ciebie: wykonałeś kawał świetnej roboty. Przyda nam się ktoś taki jak ty. AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_09"); //Mam rozumieć, że chcesz się spotkać z Gomezem? AI_Output (other, self ,"DIA_THORUS_FlintFindPath_15_10"); //Jasne. AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_11"); //W takim razie Strażnicy przy bramie nie będą robić ci problemów. AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_12"); //Ach, i jeszcze jedno! AI_Output (other, self ,"DIA_THORUS_FlintFindPath_15_13"); //Tak? AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_14"); //Jak w ogóle znalazłeś Flinta? AI_Output (other, self ,"DIA_THORUS_FlintFindPath_15_15"); //Najemnik Okyl chciał żebym go zabił. Ja jednak postanowiłem się z nim dogadać. AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_16"); //Mądrze postąpiłeś. Zanim pójdziesz do Gomeza wróć do Okyla i powiedz mu, że zabiłeś Flinta. AI_Output (self, other ,"DIA_THORUS_FlintFindPath_03_17"); //Tylko pamiętaj, żeby to zrobić, ZANIM wstąpisz w szeregi Cieni. B_LogEntry (CH1_FlintsOffer,"Zgodnie z poleceniem Flinta Thorus dowiedział się ode mnie o ścieżce przez góry. Otrzymałem wstęp na plac zamkowy. Zanim jednak pójdę do Gomeza muszę wrócić do Okyla i powiedzieć mu, że zabiłem Flinta. Wszystko po to, by stłumić podejrzenia Najemników."); var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); var C_NPC wache218; wache218 = Hlp_GetNpc(Grd_218_Gardist); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; wache218.aivar[AIV_PASSGATE] = TRUE; AI_StopProcessInfos (self); // important CanTellToGomezAboutSecretPath = TRUE; MIS_SayOkylFlintDead = LOG_RUNNING; //Log_CreateTopic (CH1_SayOkylFlintDead, LOG_MISSION); //Log_SetTopicStatus (CH1_SayOkylFlintDead, LOG_RUNNING); // B_LogEntry (CH1_SayOkylFlintDead,"Zanim dołączę do Obozu, będę musiał powiedzieć Okylowi, że Flint nie żyje. "); AI_StopProcessInfos (self); } else { AI_Output (self, other ,"DIA_THORUS_FlintFindPath_NOPE_19"); //Flint? Doprawdy? AI_Output (other, self ,"DIA_THORUS_FlintFindPath_HERO_20"); //Tak, natknąłem się na niego w okolicach Wolnej Kopalni. Postanowiłem mu pomóc wrócić do obozu. AI_Output (self, other ,"DIA_THORUS_FlintFindPath_NOPE_21"); //I udało mu się czegoś dowiedzieć? AI_Output (other, self ,"DIA_THORUS_FlintFindPath_HERO_22"); //Znalazł ukrytą ścieżkę do Kotła. Gdyby nie ja, byłby martwy. AI_Output (self, other ,"DIA_THORUS_FlintFindPath_NOPE_23"); //Dziwi mnie twoja bezinteresowność. Czego ode mnie oczekujesz? Chcesz się spotkać z Gomezem? A może liczy się tylko ruda. Info_ClearChoices (DIA_Thorus_FlintFindPath); Info_AddChoice (DIA_THORUS_FlintFindPath,"Chcę się spotkać z Gomezem.",DIA_THORUS_FlintFindPath_GOMEZ); Info_AddChoice (DIA_THORUS_FlintFindPath,"Wystarczy mi ruda.",DIA_THORUS_FlintFindPath_ORE); MIS_FlintsOffer = LOG_FAILED; Log_SetTopicStatus (CH1_FlintsOffer, LOG_FAILED); B_LogEntry (CH1_FlintsOffer,"Nie zyskałem sympatii Thorusa. Lepiej nie będę mu teraz wchodził w drogę."); }; }; func void DIA_THORUS_FlintFindPath_GOMEZ () { AI_Output (other, self ,"DIA_THORUS_FlintFindPath_HERO_24"); //Chcę się spotkać z Gomezem. if (Npc_GetTrueGuild(hero) == GIL_NOV) || (Npc_GetTrueGuild(hero) == GIL_TPL) || (Npc_GetTrueGuild(hero) == GIL_GUR) { AI_Output (self, other ,"DIA_THORUS_FlintFindPath_GOMEZ_PSIONIC_25"); //Nic ci po spotkaniu z Gomezem. Lepiej wracaj na bagna. } else if (Npc_GetTrueGuild(hero) == GIL_GRD) || (Npc_GetTrueGuild(hero) == GIL_STT) || (Npc_GetTrueGuild(hero) == GIL_KDF) //Nie wiadomo co Psimogoth wykombinuje tym razem :)))) { AI_Output (self, other ,"DIA_THORUS_FlintFindPath_GOMEZ_WTF_26"); //Jeszcze nie zdążyłeś się na niego napatrzeć? Wracaj do swojej roboty. } else //no kurwa albo bandyta, albo ktoś z nowego obozu - innej opcji nie ma, chyba że Psimogoth znowu coś odjebie... { AI_Output (self, other ,"DIA_THORUS_FlintFindPath_GOMEZ_BAN_27"); //Ktoś twojego pokroju chciałby się zobaczyć z Gomezem tylko po to, żeby go zabić. Nie pozwolę na to. AI_StopProcessInfos (self); Npc_SetPermAttitude (self, ATT_HOSTILE); Npc_SetTarget (self, other); AI_StartState (self, ZS_ATTACK, 1, ""); }; }; func void DIA_THORUS_FlintFindPath_ORE () { AI_Output (other, self ,"DIA_THORUS_FlintFindPath_HERO_28"); //Wystarczy mi ruda. if (Npc_GetTrueGuild(hero) == GIL_NOV) || (Npc_GetTrueGuild(hero) == GIL_TPL) || (Npc_GetTrueGuild(hero) == GIL_GUR) || (Npc_GetTrueGuild(hero) == GIL_GRD) || (Npc_GetTrueGuild(hero) == GIL_STT) || (Npc_GetTrueGuild(hero) == GIL_KDF) { AI_Output (self, other ,"DIA_THORUS_FlintFindPath_ORE_HH_29"); //Masz! Możesz się schlać do nieprzytomności. CreateInvItems (self, itminugget, 100); B_GiveInvItems (self, hero, itminugget,100); } else { AI_Output (self, other ,"DIA_THORUS_FlintFindPath_GOMEZ_BAN_27"); //Ktoś twojego pokroju chciałby się zobaczyć z Gomezem tylko po to, żeby go zabić. Nie pozwolę na to. AI_StopProcessInfos (self); Npc_SetPermAttitude (self, ATT_HOSTILE); Npc_SetTarget (self, other); AI_StartState (self, ZS_ATTACK, 1, ""); }; }; //======================================== //-----------------> QuestGRD //======================================== INSTANCE DIA_THORUS_QuestGRD (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_QuestGRD_Condition; information = DIA_THORUS_QuestGRD_Info; permanent = FALSE; description = "Masz dla mnie jakieś inne zadanie?"; }; FUNC INT DIA_THORUS_QuestGRD_Condition() { if (Npc_GetTrueGuild (hero) == GIL_GRD) { return TRUE; }; }; FUNC VOID DIA_THORUS_QuestGRD_Info() { AI_Output (other, self ,"DIA_THORUS_QuestGRD_15_01"); //Masz dla mnie jakieś inne zadanie? AI_Output (self, other ,"DIA_THORUS_QuestGRD_03_02"); //Już ci się znudziło? AI_Output (self, other ,"DIA_THORUS_QuestGRD_03_03"); //No to w takim razie możesz eskortować Kopaczy do Starej Kopalni. AI_Output (self, other ,"DIA_THORUS_QuestGRD_03_04"); //Pomoże ci w tym trzech moich ludzi. AI_Output (self, other ,"DIA_THORUS_QuestGRD_03_05"); //Pogadaj ze strażnikiem konwoju. On da ci dalsze instrukcje. MIS_BuddlersEscort = LOG_RUNNING; Log_CreateTopic (CH2_BuddlersEscort, LOG_MISSION); Log_SetTopicStatus (CH2_BuddlersEscort, LOG_RUNNING); B_LogEntry (CH2_BuddlersEscort,"Wreszcie coś ciekawego. Tym razem mam eskortować Kopaczy do Starej Kopalni. Więcej informacji uzyskam od strażnika konwoju. Chyba widziałem go na placu zamkowym."); AI_StopProcessInfos (self); }; //======================================== //-----------------> ZLECENIE_NA_OBRONE //======================================== INSTANCE DIA_THORUS_ZLECENIE_NA_OBRONE (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_ZLECENIE_NA_OBRONE_Condition; information = DIA_THORUS_ZLECENIE_NA_OBRONE_Info; permanent = FALSE; description = "Zakończyłem eskortę. Masz dla mnie kolejne zlecenie?"; }; FUNC INT DIA_THORUS_ZLECENIE_NA_OBRONE_Condition() { if (MIS_BuddlersEscort == LOG_SUCCESS) && (Npc_GetTrueGuild(hero) == GIL_GRD) { return TRUE; }; }; FUNC VOID DIA_THORUS_ZLECENIE_NA_OBRONE_Info() { AI_Output (other, self ,"DIA_THORUS_ZLECENIE_NA_OBRONE_15_01"); //Zakończyłem eskortę. Masz dla mnie kolejne zlecenie? AI_Output (self, other ,"DIA_THORUS_ZLECENIE_NA_OBRONE_03_02"); //Tak. Podczas twojej nieobecności wrócili do mnie zwiadowcy z placu wymian. AI_Output (self, other ,"DIA_THORUS_ZLECENIE_NA_OBRONE_03_03"); //Grupka Bandytów chce zaatakować to miejsce i obrabować skrzynie. Mamy tam ledwie sześciu ludzi i jednego robotnika. AI_Output (self, other ,"DIA_THORUS_ZLECENIE_NA_OBRONE_03_04"); //Idź tam i dopilnuj, żeby żaden Bandyta nie przeżył. AI_Output (self, other ,"DIA_THORUS_ZLECENIE_NA_OBRONE_03_05"); //Tylko się pośpiesz! MIS_ReplacePointDefense = LOG_RUNNING; Log_CreateTopic (CH2_ReplacePointDefense, LOG_MISSION); Log_SetTopicStatus (CH2_ReplacePointDefense, LOG_RUNNING); B_LogEntry (CH2_ReplacePointDefense,"Muszę jak najszybciej udać się na plac wymian. podobno grupa Bandytów chce napaść na naszych ludzi."); Wld_InsertNpc (bandyta8,"OW_PATH_1_16_5_1"); Wld_InsertNpc (bandyta4,"OW_PATH_1_16_6"); Wld_InsertNpc (bandyta2,"OW_PATH_1_16_5"); Wld_InsertNpc (bandyta7,"OW_PATH_1_16_8"); Wld_InsertNpc (bandyta6,"PLAC1"); Wld_InsertNpc (bandyta5,"PLAC2"); Wld_InsertNpc (bandyta3,"PLAC5"); Wld_InsertNpc (bandyta2,"OW_PATH_1_16_1"); Wld_InsertNpc (bandyta1,"CAMP02"); Wld_InsertNpc (bandyta9,"CAMP01"); Wld_InsertNpc (bandyta7,"OW_PATH_1_16"); Wld_InsertNpc (bandyta7,"OW_PATH_1_17"); GRD_2005_Strażnik.flags = NPC_FLAG_IMMORTAL; GRD_2002_Strażnik.flags = NPC_FLAG_IMMORTAL; VLK_2004_Robotnik.flags = NPC_FLAG_IMMORTAL; }; //======================================== //-----------------> PLAC_WYMIAN //======================================== INSTANCE DIA_THORUS_PLAC_WYMIAN (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_PLAC_WYMIAN_Condition; information = DIA_THORUS_PLAC_WYMIAN_Info; permanent = FALSE; description = "Byłem na placu wymian."; }; FUNC INT DIA_THORUS_PLAC_WYMIAN_Condition() { if (Npc_KnowsInfo (hero, DIA_Strażnik_OBRONA)) && (Npc_KnowsInfo (hero, DIA_Robotnik_OBRONA_2)) && (Npc_KnowsInfo (hero, DIA_Strażnik_OBRONA_1)) && (MIS_ReplacePointDefense == LOG_RUNNING) { return TRUE; }; }; FUNC VOID DIA_THORUS_PLAC_WYMIAN_Info() { AI_Output (other, self ,"DIA_THORUS_PLAC_WYMIAN_15_01"); //Byłem na placu wymian. Rzeczywiście kręcił się tam spory oddział Bandytów. AI_Output (other, self ,"DIA_THORUS_PLAC_WYMIAN_15_02"); //Udało nam się ich pozbyć. AI_Output (self, other ,"DIA_THORUS_PLAC_WYMIAN_03_03"); //Doskonale. To oduczy Quentina zadzierania z moimi ludźmi. AI_Output (self, other ,"DIA_THORUS_PLAC_WYMIAN_03_04"); //Masz tu swój żołd. B_LogEntry (CH2_ReplacePointDefense,"Zadanie zostało wykonane. Plac wymian jest bezpieczny."); Log_SetTopicStatus (CH2_ReplacePointDefense, LOG_SUCCESS); MIS_ReplacePointDefense = LOG_SUCCESS; B_GiveXP (158); GRD_2005_Strażnik.flags = 0; GRD_2002_Strażnik.flags = 0; VLK_2004_Robotnik.flags = 0; }; //======================================== //-----------------> QuestsForGuradians //======================================== INSTANCE DIA_THORUS_QuestsForGuradians (C_INFO) { npc = GRD_200_THORUS; nr = 889; condition = DIA_THORUS_QuestsForGuradians_Condition; information = DIA_THORUS_QuestsForGuradians_Info; permanent = TRUE; description = "(WYDAJ POLECENIA)"; }; FUNC INT DIA_THORUS_QuestsForGuradians_Condition() { if (Npc_GetTrueGuild(hero) == GIL_EBR) && (Kapitel <= 3) { return TRUE; }; }; FUNC VOID DIA_THORUS_QuestsForGuradians_Info() { AI_Output (other, self ,"DIA_THORUS_QuestsForGuradians_15_01"); //Chcę wysłać Strażników na misje. AI_Output (self, other ,"DIA_THORUS_QuestsForGuradians_03_02"); //Co konkretnie chcesz zrobić? Info_ClearChoices (DIA_THORUS_QuestsForGuradians); Info_AddChoice (DIA_THORUS_QuestsForGuradians, DIALOG_BACK, DIA_THORUS_QuestsForGuradians_BACK); Info_AddChoice (DIA_THORUS_QuestsForGuradians, "Zaatakujcie Bandytów! (zysk: 200 bryłek, Strażnicy: 10)", DIA_THORUS_QuestsForGuradians_NpadNaBadytow); Info_AddChoice (DIA_THORUS_QuestsForGuradians, "Przeszukajcie lasy! (zysk: 300 bryłek, Strażnicy: 15)", DIA_THORUS_QuestsForGuradians_ExploreWood); Info_AddChoice (DIA_THORUS_QuestsForGuradians, "Polujcie na wilki! (zysk: skóry, strażnicy: 10)", DIA_THORUS_QuestsForGuradians_PolowanieNaWilki); Info_AddChoice (DIA_THORUS_QuestsForGuradians, "Zdobądźcie mięso! (zysk: mięso, Strażnicy: 10)", DIA_THORUS_QuestsForGuradians_PolujcieNaPotwory); Info_AddChoice (DIA_THORUS_QuestsForGuradians, "Napadajcie na włóczęgów! (zysk: 150 bryłek, Strażnicy: 5)", DIA_THORUS_QuestsForGuradians_Grabieze); Info_AddChoice (DIA_THORUS_QuestsForGuradians, "Polujcie na plugawe stworzenia! (zysk: 550 bryłek, Strażnicy: 20)", DIA_THORUS_QuestsForGuradians_PolujcieNaBesie); }; FUNC VOID DIA_THORUS_QuestsForGuradians_BACK() { Info_ClearChoices (DIA_THORUS_QuestsForGuradians); }; FUNC VOID DIA_THORUS_QuestsForGuradians_NpadNaBadytow() { if (liczba_straznikow >= 10) { liczba_straznikow = liczba_straznikow - 10; timer_grd1 = 10 * 60; } else { PrintScreen ("Nie masz tylu ludzi!", -1,-1,"font_new_10_red.tga",2); }; }; FUNC VOID DIA_THORUS_QuestsForGuradians_ExploreWood() { if (liczba_straznikow >= 15) { liczba_straznikow = liczba_straznikow - 15; timer_grd2 = 15 * 60; } else { PrintScreen ("Nie masz tylu ludzi!", -1,-1,"font_new_10_red.tga",2); }; }; FUNC VOID DIA_THORUS_QuestsForGuradians_PolowanieNaWilki() { if (liczba_straznikow >= 10) { liczba_straznikow = liczba_straznikow - 10; timer_grd2 = 7 * 60; } else { PrintScreen ("Nie masz tylu ludzi!", -1,-1,"font_new_10_red.tga",2); }; }; FUNC VOID DIA_THORUS_QuestsForGuradians_PolujcieNaPotwory() { if (liczba_straznikow >= 10) { liczba_straznikow = liczba_straznikow - 10; timer_grd2 = 5 * 60; } else { PrintScreen ("Nie masz tylu ludzi!", -1,-1,"font_new_10_red.tga",2); }; }; FUNC VOID DIA_THORUS_QuestsForGuradians_Grabieze() { if (liczba_straznikow >= 5) { liczba_straznikow = liczba_straznikow - 5; timer_grd2 = 7 * 60; } else { PrintScreen ("Nie masz tylu ludzi!", -1,-1,"font_new_10_red.tga",2); }; }; FUNC VOID DIA_THORUS_QuestsForGuradians_PolujcieNaBesie() { if (liczba_straznikow >= 20) { liczba_straznikow = liczba_straznikow - 20; timer_grd2 = 15 * 60; } else { PrintScreen ("Nie masz tylu ludzi!", -1,-1,"font_new_10_red.tga",2); }; }; // DOPISZ WLD_GETDAY!!!!! //======================================== //-----------------> StosunkiZNO //======================================== INSTANCE DIA_THORUS_StosunkiZNO (C_INFO) { npc = GRD_200_THORUS; nr = 989; condition = DIA_THORUS_StosunkiZNO_Condition; information = DIA_THORUS_StosunkiZNO_Info; permanent = FALSE; description = "Jak wyglądają stosunki z Nowym Obozem?"; }; FUNC INT DIA_THORUS_StosunkiZNO_Condition() { if (MIS_OpiniaOSO == LOG_RUNNING) { return TRUE; }; }; FUNC VOID DIA_THORUS_StosunkiZNO_Info() { AI_Output (other, self ,"DIA_THORUS_StosunkiZNO_15_01"); //Jak wyglądają stosunki z Nowym Obozem? AI_Output (self, other ,"DIA_THORUS_StosunkiZNO_03_02"); //Nie jest najlepiej. Ostatnio relacje się ochłodziły. AI_Output (self, other ,"DIA_THORUS_StosunkiZNO_03_03"); //Przypuszczam, że Najemnicy wpadli na trop naszych ludzi. Info_ClearChoices (DIA_THORUS_StosunkiZNO); Info_AddChoice (DIA_THORUS_StosunkiZNO, "Tymczasowo wycofaj naszych ludzi z tamtej okolicy.", DIA_THORUS_StosunkiZNO_Wycofaj); Info_AddChoice (DIA_THORUS_StosunkiZNO, "Zostaw naszych ludzi w okolicy. ", DIA_THORUS_StosunkiZNO_Zostaw); }; FUNC VOID DIA_THORUS_StosunkiZNO_Wycofaj() { AI_Output (other, self ,"DIA_THORUS_StosunkiZNO_Wycofaj_15_01"); //Tymczasowo wycofaj naszych ludzi z tamtej okolicy. AI_Output (self, other ,"DIA_THORUS_StosunkiZNO_Wycofaj_03_02"); //Skoro tak chcesz. OpiniaNC = OpiniaNC + 10; PrintScreen ("Opinia w Nowym Obozie +10!", -1,-1,"FONT_OLD_20_WHITE.TGA",2); Info_ClearChoices (DIA_THORUS_StosunkiZNO); timer_grd7nc = 5 * 60; }; FUNC VOID DIA_THORUS_StosunkiZNO_Zostaw() { AI_Output (other, self ,"DIA_THORUS_StosunkiZNO_Zostaw_15_01"); //Zostaw naszych ludzi w okolicy. AI_Output (self, other ,"DIA_THORUS_StosunkiZNO_Zostaw_03_02"); //Dobrze. OpiniaNC = OpiniaNC - 15; PrintScreen ("Opinia w Nowym Obozie -10!", -1,-1,"font_new_10_red.tga",2); Info_ClearChoices (DIA_THORUS_StosunkiZNO); }; //======================================== //-----------------> Sprawa2 //======================================== INSTANCE DIA_log_Sprawa2 (C_INFO) { npc = quest1_grd_log; nr = 1; condition = DIA_log_Sprawa2_Condition; information = DIA_log_Sprawa2_Info; permanent = FALSE; Important = TRUE; }; FUNC INT DIA_log_Sprawa2_Condition() { if (quest1_grd_log == true) && (MIS_OpiniaOSO == LOG_RUNNING) { return TRUE; }; }; FUNC VOID DIA_log_Sprawa2_Info() { AI_Output (self, other ,"DIA_log_Sprawa2_03_01"); //Hej. Mam kolejną ważną sprawę. AI_Output (other, self ,"DIA_log_Sprawa2_15_02"); //O co chodzi? AI_Output (self, other ,"DIA_log_Sprawa2_03_03"); //Nasi ludzie zostali zaatakowani, polując na kretoszczury. AI_Output (self, other ,"DIA_log_Sprawa2_03_04"); //Szkodnicy z Nowego Obozu uważają, że wkroczyliśmy na ich teren łowiecki. AI_Output (self, other ,"DIA_log_Sprawa2_03_05"); //Mamy wycofać wojska, czy walczyć? Info_ClearChoices (DIA_log_Sprawa2); Info_AddChoice (DIA_log_Sprawa2, "Walczcie! (500 bryłek rudy, 30 sztuk mięsa)", DIA_log_Sprawa2_Zostancie); Info_AddChoice (DIA_log_Sprawa2, "Wycofajcie się! (lepsze stosunki z NO)", DIA_log_Sprawa2_Wycofaj); }; FUNC VOID DIA_log_Sprawa2_Zostancie() { AI_Output (other, self ,"DIA_log_Sprawa2_Zostancie_15_01"); //Walczcie! AI_Output (self, other ,"DIA_log_Sprawa2_Zostancie_03_02"); //Na rozkaz! timer_grd8nc = 3 * 60; Info_ClearChoices (DIA_log_Sprawa2); AI_StopProcessInfos (self); OpiniaNC = OpiniaNC - 15; przychody_obozu = przychody_obozu + 50; }; FUNC VOID DIA_log_Sprawa2_Wycofaj() { AI_Output (other, self ,"DIA_log_Sprawa2_Wycofaj_15_01"); //Wycofajcie się! AI_Output (self, other ,"DIA_log_Sprawa2_Wycofaj_03_02"); //Skoro właśnie tego chcesz. timer_grd9nc = 3 * 60; OpiniaNC = OpiniaNC + 20; Info_ClearChoices (DIA_log_Sprawa2); AI_StopProcessInfos (self); }; //======================================== //-----------------> NCSprawy //======================================== INSTANCE DIA_log_NCSprawy (C_INFO) { npc = quest1_grd_log; nr = 2; condition = DIA_log_NCSprawy_Condition; information = DIA_log_NCSprawy_Info; permanent = TRUE; description = "Zajmijmy się sprawami Nowego Obozu."; }; FUNC INT DIA_log_NCSprawy_Condition() { if (MIS_OpiniaOSO == LOG_RUNNING) { return TRUE; }; }; FUNC VOID DIA_log_NCSprawy_Info() { AI_Output (other, self ,"DIA_log_NCSprawy_15_01"); //Zajmijmy się sprawami Nowego Obozu. AI_Output (self, other ,"DIA_log_NCSprawy_03_02"); //Jest kilka ważnych spraw do omówienia. Info_ClearChoices (DIA_log_NCSprawy); Info_AddChoice (DIA_log_NCSprawy, DIALOG_BACK, DIA_log_NCSprawy_BACK); if (watermage_enterto_temple == false) { Info_AddChoice (DIA_log_NCSprawy, "Pozwól Magom Wody zbadać świątynie w dolinie.", DIA_log_NCSprawy_Temple); }; if (trade_with_ricelord == false) { Info_AddChoice (DIA_log_NCSprawy, "Zezwól na handel z Nowym Obozem. (handel przyniesie małe dochody!)", DIA_log_NCSprawy_WymieniajRudenaRyz); }; if (trade_with_idiots == false) { Info_AddChoice (DIA_log_NCSprawy, "Przymuś Bractwo do wstrzymania handlu z Nowym Obozem.", DIA_log_NCSprawy_HandelBractwoNC); }; if (more_guradians_conwoy == false) { Info_AddChoice (DIA_log_NCSprawy, "Wzmocnij ochronę konwojów z rudą. (zwiększa zyski z wymiany!)", DIA_log_NCSprawy_WzmocnijStraze); }; if (guardians_back_to_OC == false) { Info_AddChoice (DIA_log_NCSprawy, "Wycofaj myśliwych z terenów Nowego Obozu! (zmniejszony zysk)", DIA_log_NCSprawy_WycofajCieni); }; }; FUNC VOID DIA_log_NCSprawy_BACK() { Info_ClearChoices (DIA_log_NCSprawy); }; FUNC VOID DIA_log_NCSprawy_Temple() { AI_Output (other, self ,"DIA_log_NCSprawy_Temple_15_01"); //Pozwól Magom Wody zbadać świątynie w dolinie. AI_Output (self, other ,"DIA_log_NCSprawy_Temple_03_02"); //Corristo nie będzie zadowolony... OpiniaNC = OpiniaNC + 10; OpiniaOC = OpiniaOC - 1; watermage_enterto_temple = true; }; FUNC VOID DIA_log_NCSprawy_WymieniajRudenaRyz() { AI_Output (other, self ,"DIA_log_NCSprawy_WymieniajRudenaRyz_15_01"); //Zezwól na handel z Nowym Obozem. AI_Output (self, other ,"DIA_log_NCSprawy_WymieniajRudenaRyz_03_02"); //Ten handel jest mało dochodowy. Miej to na uwadze. Sprawami ekonomicznymi Obozu zajmuje się Bartholo. OpiniaNC = OpiniaNC + 5; OpiniaOC = OpiniaOC - 1; trade_with_ricelord = true; przychody_obozu = przychody_obozu + 70; }; FUNC VOID DIA_log_NCSprawy_HandelBractwoNC() { AI_Output (other, self ,"DIA_log_NCSprawy_HandelBractwoNC_15_01"); //Przymuś Bractwo do wstrzymania handlu z Nowym Obozem. AI_Output (self, other ,"DIA_log_NCSprawy_HandelBractwoNC_03_02"); //Znacząco poprawi to nasze przychody. Bartholo będzie z ciebie zadowolony, ale Lee się nieźle wkurzy. OpiniaNC = OpiniaNC - 5; OpiniaOC = OpiniaOC + 10; trade_with_idiots = true; przychody_obozu = przychody_obozu + 100; }; FUNC VOID DIA_log_NCSprawy_WzmocnijStraze() { AI_Output (other, self ,"DIA_log_NCSprawy_WzmocnijStraze_15_01"); //Wzmocnij ochronę konwojów z rudą. AI_Output (self, other ,"DIA_log_NCSprawy_WzmocnijStraze_03_02"); //Gomez nigdy się tym nie zajął... Dobrze! OpiniaNC = OpiniaNC - 5; OpiniaOC = OpiniaOC + 5; more_guradians_conwoy = true; przychody_obozu = przychody_obozu + 30; }; func void DIA_log_NCSprawy_WycofajCieni () { AI_Output (other, self ,"DIA_log_NCSprawy_WzmocnijStraze_15_01"); //Wycofaj myśliwych z rejonów Nowego Obozu. AI_Output (self, other ,"DIA_log_NCSprawy_WzmocnijStraze_03_02"); //Jak chcesz. OpiniaNC = OpiniaNC + 5; OpiniaOC = OpiniaOC - 1; liczba_straznikow = liczba_straznikow + 5; guardians_back_to_OC = true; przychody_obozu = przychody_obozu - 50; }; //Lista opcji /* +10 1. +20 zysk mały 2. +10 zysk mały te są ok 3. +5 zysk mały, strata! 4. -5, duży zysk 5. - 5, duży zysk */ //======================================== //-----------------> SCAR_DIE //======================================== INSTANCE DIA_THORUS_SCAR_DIE (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_SCAR_DIE_Condition; information = DIA_THORUS_SCAR_DIE_Info; permanent = FALSE; Important = TRUE; }; FUNC INT DIA_THORUS_SCAR_DIE_Condition() { if (kapitel == 3) && (Scar_die == true) { return TRUE; }; }; FUNC VOID DIA_THORUS_SCAR_DIE_Info() { AI_Output (self, other ,"DIA_THORUS_SCAR_DIE_03_01"); //Stój! Masz szczęście, że cię nie było w Obozie. Inaczej pomyślałbym, że na pewno maczałeś w tym swoje paluchy. AI_Output (other, self ,"DIA_THORUS_SCAR_DIE_15_02"); //Nie bardzo rozumiem. Co się stało? AI_Output (self, other ,"DIA_THORUS_SCAR_DIE_03_03"); //Zabito Magnata. Ot co się stało! Mam teraz pełne ręce roboty. Zabójca miał na sobie zbroję moich ludzi. AI_Output (self, other ,"DIA_THORUS_SCAR_DIE_03_04"); //Jeśli okaże się, że doszło do zdrady Gomez urwie mi łeb! AI_Output (other, self ,"DIA_THORUS_SCAR_DIE_15_05"); //Jeśli będę coś wiedział na jego temat z pewnością ci powiem. AI_Output (self, other ,"DIA_THORUS_SCAR_DIE_03_06"); //Ta... Z pewnością. Idź już i nie kręć się tu! B_LogEntry (CH3_ScarMurder,"Thorus zaczepił mnie i powiedział, że w Starym Obozie zabito Magnata Bliznę. To Kosa maczał w tym palce. Muszę szybko do niego wrócić po wyjaśnienia."); B_GiveXP (100); AI_StopProcessInfos (self); }; //======================================== //-----------------> POKABLOWAC_DOBRA_RZECZ //======================================== INSTANCE DIA_THORUS_POKABLOWAC_DOBRA_RZECZ (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_Condition; information = DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_Info; permanent = FALSE; description = "Baal Taran chce zrobić z kowala Huno kolejnego świra."; }; FUNC INT DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_Condition() { if (MIS_Druggy == LOG_RUNNING) && (Huno_pali == false) && (Huno_drugs_level < 1) && (!Npc_KnowsInfo (hero, DIA_Huno_HELLO2)) { return TRUE; }; }; //fixed 1210 FUNC VOID DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_Info() { AI_Output (other, self ,"DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_15_01"); //Baal Taran chce zrobić z kowala Huno kolejnego świra. AI_Output (other, self ,"DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_15_02"); //Namawia mnie, abym spróbował w jakiś sposób uzależnić kowala od bagiennego ziela. Jednak nie chcę tego robić. AI_Output (self, other ,"DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_03_03"); //Huno jest ważną osobą w Obozie. Zaopatruje Zewnętrzny Pierścień w broń oraz wyrabia kilofy. AI_Output (self, other ,"DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_03_04"); //Dobrze, że mi o tym powiedziałeś. Już ja sobie porozmawiam z tym Nowicjuszem. B_GiveInvItems (self, other, ItMiNugget, 150); AI_Output (self, other ,"DIA_THORUS_POKABLOWAC_DOBRA_RZECZ_03_05"); //Myślę, że powinieneś porozmawiać z Huno i mu o tym powiedzieć. Może jakoś cię wynagrodzi? Kto wie... B_LogEntry (CH1_Druggy,"Popsułem zadanie, ale myślę, że przysłużyłem się Staremu Obozowi. Kowal to ważny mieszkaniec Obozu."); Log_SetTopicStatus (CH1_Druggy, LOG_FAILED); MIS_Druggy = LOG_FAILED; B_GiveXP (300); AI_StopProcessInfos (self); }; //======================================== //-----------------> BANDYTA_GATE //======================================== INSTANCE DIA_Thorus_BANDYTA_GATE (C_INFO) { npc = Grd_200_Thorus; nr = 1; condition = DIA_Thorus_BANDYTA_GATE_Condition; information = DIA_Thorus_BANDYTA_GATE_Info; permanent = FALSE; description = "Chciałbym dostać się do zamku."; }; FUNC INT DIA_Thorus_BANDYTA_GATE_Condition() { var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); var C_ITEM armor_bandyty2; armor_bandyty2 = Npc_GetEquippedArmor (hero); var int armorInstance_bandyty2; armorInstance_bandyty2 = Hlp_GetInstanceID (armor_bandyty2); if (armorInstance_bandyty2 == BAU_ARMOR_L) || (armorInstance_bandyty2 == BAU_ARMOR_M) || (armorInstance_bandyty2 == BAU_ARMOR_H) && (Npc_GetTrueGuild(other) == GIL_BAU) && (wache212.aivar[AIV_PASSGATE] == false) && (wache213.aivar[AIV_PASSGATE] == false) { return TRUE; }; }; FUNC VOID DIA_Thorus_BANDYTA_GATE_Info() { AI_Output (other, self ,"DIA_Thorus_BANDYTA_GATE_15_01"); //Chciałbym dostać się do zamku. AI_Output (self, other ,"DIA_Thorus_BANDYTA_GATE_03_02"); //Chyba żartujesz. Nosisz pancerz jednego z tych sukinsynów, którzy atakują nasze konwoje. Zapomnij o tym. AI_Output (self, other ,"DIA_Thorus_BANDYTA_GATE_03_03"); //Nie wiem, czy jesteś w bandzie Quentina, ale widzę, ze masz z nim jakiś kontakt. Nie chcę mieć z tobą nic wspólnego. Log_CreateTopic (CH1_CastleEntranceBandit,LOG_MISSION); Log_SetTopicStatus (CH1_CastleEntranceBandit,LOG_RUNNING); B_LogEntry (CH1_CastleEntranceBandit,"Thorus nie chce mnie wpuścić do zamku, bo zadaję się z Quentinem. Jedynym sposobem na wejście do zamku jest przekupstwo. Problem w tym, że tysiąc bryłek rudy to całkiem sporo, a wątpię żeby Quentin chciał mi to zrefundować..."); }; //======================================== //-----------------> DIEGO_PASS //======================================== INSTANCE DIA_Thorus_DIEGO_PASS (C_INFO) { npc = Grd_200_Thorus; nr = 1; condition = DIA_Thorus_DIEGO_PASS_Condition; information = DIA_Thorus_DIEGO_PASS_Info; permanent = FALSE; Important = TRUE; }; FUNC INT DIA_Thorus_DIEGO_PASS_Condition() { if (Npc_KnowsInfo (hero, DIA_PC_Thief_BANDYTA_PRZEKUPSTWO_GATE)) { return TRUE; }; }; FUNC VOID DIA_Thorus_DIEGO_PASS_Info() { AI_Output (self, other ,"DIA_Thorus_DIEGO_PASS_03_01"); //Naprawdę nie wiem coś ty za jeden i skąd masz ten pancerz, ale Diego ręczy za ciebie, więc możesz przejść. AI_Output (self, other ,"DIA_Thorus_DIEGO_PASS_03_02"); //Tylko szybko. Nie chcę cię już oglądać! AI_StopProcessInfos (self); var C_NPC wache212; wache212 = Hlp_GetNpc(Grd_212_Torwache); var C_NPC wache213; wache213 = Hlp_GetNpc(Grd_213_Torwache); wache212.aivar[AIV_PASSGATE] = TRUE; wache213.aivar[AIV_PASSGATE] = TRUE; Log_SetTopicStatus (CH1_CastleEntranceBandit,LOG_SUCCESS); B_LogEntry (CH1_CastleEntranceBandit,"Udało się! Wiedziałem, że na Diego można polegać. Teraz mam dostęp do zamku."); //MIS_WejscieDoZamku = LOG_SUCCESS; b_givexp (250); }; //======================================== //-----------------> WPADKA_BERG //======================================== INSTANCE DIA_Thorus_WPADKA_BERG (C_INFO) { npc = Grd_200_Thorus; nr = 1; condition = DIA_Thorus_WPADKA_BERG_Condition; information = DIA_Thorus_WPADKA_BERG_Info; permanent = FALSE; Important = TRUE; }; FUNC INT DIA_Thorus_WPADKA_BERG_Condition() { if (berg_problemy == true) { return TRUE; }; }; FUNC VOID DIA_Thorus_WPADKA_BERG_Info() { AI_Output (self, other ,"DIA_Thorus_WPADKA_BERG_03_01"); //Hej, ty! Słyszałem, że chciałeś okraść piwnice Magnatów i zaatakowałeś jednego z moich chłopców, w celu zdobycia klucza do nich. AI_Output (other, self ,"DIA_Thorus_WPADKA_BERG_15_02"); //Mogę to wyjaśnić. AI_Output (self, other ,"DIA_Thorus_WPADKA_BERG_03_03"); //Wsadź sobie w dupę te wyjaśnienia! Osobiście dopilnuję, żeby rączki cię więcej nie świerzbiły, sukinsynu! AI_StopProcessInfos (self); Npc_SetTarget (self, other); AI_StartState (self, ZS_ATTACK, 1, ""); }; //======================================== //-----------------> PRZEGRANA_GRY //======================================== INSTANCE DIA_THORUS_PRZEGRANA_GRY (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_PRZEGRANA_GRY_Condition; information = DIA_THORUS_PRZEGRANA_GRY_Info; permanent = FALSE; Important = TRUE; }; FUNC INT DIA_THORUS_PRZEGRANA_GRY_Condition() { if (Gravo_doniosl_Thorusowi == true) { return TRUE; }; }; FUNC VOID DIA_THORUS_PRZEGRANA_GRY_Info() { AI_Output (self, other ,"DIA_THORUS_PRZEGRANA_GRY_03_01"); //Gravo doniósł mi, że pracujesz dla Bandytów. AI_Output (other, self ,"DIA_THORUS_PRZEGRANA_GRY_15_02"); //I co w związku z tym? AI_Output (self, other ,"DIA_THORUS_PRZEGRANA_GRY_03_03"); //To, że nie dożyjesz jutra wstrętny sukinsynu. AI_DrawWeapon (self); AI_Output (self, other ,"DIA_THORUS_PRZEGRANA_GRY_03_04"); //Chyba, że wyjawisz mi, gdzie znajduje się ta wylęgarnia robactwa. AI_Output (other, self ,"DIA_THORUS_PRZEGRANA_GRY_15_05"); //Sam nie mam pojęcia, gdzie to jest. AI_Output (self, other ,"DIA_THORUS_PRZEGRANA_GRY_03_06"); //Dość! AI_StopProcessInfos (self); Npc_SetPermAttitude (self, ATT_HOSTILE); Npc_SetTarget (self, other); AI_StartState (self, ZS_ATTACK, 1, ""); }; ////////////////////////////////////////////////// ////////////////////////////////////////////////// ////////////// Kapitel 4 /////////////////// ////////////////////////////////////////////////// ////////////////////////////////////////////////// //======================================== //-----------------> Kapitel4_Camp //======================================== INSTANCE DIA_THORUS_Kapitel4_Camp (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_THORUS_Kapitel4_Camp_Condition; information = DIA_THORUS_Kapitel4_Camp_Info; permanent = FALSE; description = "Dlaczego porzuciłeś Stary Obóz?"; }; FUNC INT DIA_THORUS_Kapitel4_Camp_Condition() { if (kapitel >= 4) { return TRUE; }; }; FUNC VOID DIA_THORUS_Kapitel4_Camp_Info() { AI_Output (other, self ,"DIA_THORUS_Kapitel4_Camp_15_01"); //Dlaczego porzuciłeś Stary Obóz? AI_Output (self, other ,"DIA_THORUS_Kapitel4_Camp_03_02"); //Kolejny raz wtrącasz się w nie swoje sprawy. AI_Output (other, self ,"DIA_THORUS_Kapitel4_Camp_15_03"); //Jestem po prostu ciekaw. AI_Output (self, other ,"DIA_THORUS_Kapitel4_Camp_03_04"); //Ciekawość to pierwszy stopień do piekła, ale niech ci będzie. Pomogę ci się tam dostać... AI_Output (self, other ,"DIA_THORUS_Kapitel4_Camp_03_06"); //Gomez po raz kolejny udowodnił jakim jest durniem. Mówiłem mu, żeby nie wysyłać tak małego oddziału na Obozu Bandytów. AI_Output (self, other ,"DIA_THORUS_Kapitel4_Camp_03_07"); //To była pewna śmierć dla naszych Strażników, a ja mam jedną zasadę: jestem lojalny wobec swoich ludzi. AI_Output (self, other ,"DIA_THORUS_Kapitel4_Camp_03_08"); //Gomez po prostu tego nie rozumiał. }; //======================================== //-----------------> Kapitel4_Raven //======================================== INSTANCE DIA_Thorus_Kapitel4_Raven (C_INFO) { npc = GRD_200_THORUS; nr = 1; condition = DIA_Thorus_Kapitel4_Raven_Condition; information = DIA_Thorus_Kapitel4_Raven_Info; permanent = FALSE; description = "A gdzie jest teraz Kruk?"; }; FUNC INT DIA_Thorus_Kapitel4_Raven_Condition() { if (kapitel >= 4) && (Npc_KnowsInfo (hero, DIA_THORUS_Kapitel4_Camp)) { return TRUE; }; }; FUNC VOID DIA_Thorus_Kapitel4_Raven_Info() { AI_Output (other, self ,"DIA_Thorus_Kapitel4_Raven_15_01"); //A gdzie jest teraz Kruk? AI_Output (self, other ,"DIA_Thorus_Kapitel4_Raven_03_02"); //W Starym Obozie, a co? Chcesz pogadać z szefem. AI_Output (other, self ,"DIA_Thorus_Kapitel4_Raven_15_03"); //Jestem ciekaw, co tam robi. AI_Output (self, other ,"DIA_Thorus_Kapitel4_Raven_03_04"); //To nie twoja sprawa! Załatwia ważne interesy! };
D
uint fib(in uint n) pure nothrow { immutable self = &__traits(parent, {}); return (n < 2) ? n : self(n - 1) + self(n - 2); } void main() { import std.stdio; writeln(fib(39)); }
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric, std.container, std.range; void main() { auto xy = readln.chomp.split('/').to!(long[]); auto X = xy[0]; auto Y = xy[1]; auto d = gcd(X, Y); X /= d; Y /= d; long[] ns, ms; foreach (n; (2 * X + Y - 1) / Y - 1 .. (2 * X + Y) / Y + 1) { auto a = n * (X * -2 + n * Y + Y); auto b = 2 * Y; if (a && a % b == 0) { ns ~= n; ms ~= a/b; } } if (ns.empty) { writeln("Impossible"); } else foreach (i; 0..ns.length) { writeln(ns[i], " ", ms[i]); } }
D
/substrate-node-template/target/release/build/snow-bff2aa4295a389ce/build_script_build-bff2aa4295a389ce: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/snow-0.7.1/build.rs /substrate-node-template/target/release/build/snow-bff2aa4295a389ce/build_script_build-bff2aa4295a389ce.d: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/snow-0.7.1/build.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/snow-0.7.1/build.rs:
D
/Users/bindo123/code/rust/web/gotham/target/debug/deps/hello_world_until-a3c90527323c5b1d: hello_world_until/src/main.rs /Users/bindo123/code/rust/web/gotham/target/debug/deps/hello_world_until-a3c90527323c5b1d.d: hello_world_until/src/main.rs hello_world_until/src/main.rs:
D
prototype Mst_Default_OrcElite(C_Npc) { name[0] = "Ёлитный орк"; guild = GIL_ORC; aivar[AIV_MM_REAL_ID] = ID_ORCELITE; voice = 18; level = 45; attribute[ATR_STRENGTH] = 125; attribute[ATR_DEXTERITY] = 225; attribute[ATR_HITPOINTS_MAX] = 450; attribute[ATR_HITPOINTS] = 450; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 160; protection[PROT_EDGE] = 160; protection[PROT_POINT] = 160; protection[PROT_FIRE] = 70; protection[PROT_FLY] = 160; protection[PROT_MAGIC] = 70; HitChance[NPC_TALENT_1H] = 100; HitChance[NPC_TALENT_2H] = 100; HitChance[NPC_TALENT_BOW] = 100; HitChance[NPC_TALENT_CROSSBOW] = 100; damagetype = DAM_EDGE; fight_tactic = FAI_ORC; senses = SENSE_HEAR | SENSE_SEE; senses_range = PERC_DIST_ORC_ACTIVE_MAX; aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM; aivar[AIV_MM_FollowInWater] = FALSE; }; func void B_SetVisuals_OrcElite() { Mdl_SetVisual(self,"Orc.mds"); Mdl_SetVisualBody(self,"Orc_BodyElite",DEFAULT,DEFAULT,"Orc_HeadWarrior",DEFAULT,DEFAULT,-1); };
D
module android.java.android.database.AbstractCursor_d_interface; import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers; static import arsd.jni; import import0 = android.java.android.database.CursorWindow_d_interface; import import2 = android.java.android.database.ContentObserver_d_interface; import import4 = android.java.android.content.ContentResolver_d_interface; import import5 = android.java.android.net.Uri_d_interface; import import3 = android.java.android.database.DataSetObserver_d_interface; import import8 = android.java.java.lang.Class_d_interface; import import7 = android.java.android.os.Bundle_d_interface; import import6 = android.java.java.util.List_d_interface; import import1 = android.java.android.database.CharArrayBuffer_d_interface; final class AbstractCursor : IJavaObject { static immutable string[] _d_canCastTo = [ "android/database/CrossProcessCursor", ]; @Import this(arsd.jni.Default); @Import int getCount(); @Import string[] getColumnNames(); @Import string getString(int); @Import short getShort(int); @Import int getInt(int); @Import long getLong(int); @Import float getFloat(int); @Import double getDouble(int); @Import bool isNull(int); @Import int getType(int); @Import byte[] getBlob(int); @Import import0.CursorWindow getWindow(); @Import int getColumnCount(); @Import void deactivate(); @Import bool requery(); @Import bool isClosed(); @Import void close(); @Import bool onMove(int, int); @Import void copyStringToBuffer(int, import1.CharArrayBuffer); @Import int getPosition(); @Import bool moveToPosition(int); @Import void fillWindow(int, import0.CursorWindow); @Import bool move(int); @Import bool moveToFirst(); @Import bool moveToLast(); @Import bool moveToNext(); @Import bool moveToPrevious(); @Import bool isFirst(); @Import bool isLast(); @Import bool isBeforeFirst(); @Import bool isAfterLast(); @Import int getColumnIndex(string); @Import int getColumnIndexOrThrow(string); @Import string getColumnName(int); @Import void registerContentObserver(import2.ContentObserver); @Import void unregisterContentObserver(import2.ContentObserver); @Import void registerDataSetObserver(import3.DataSetObserver); @Import void unregisterDataSetObserver(import3.DataSetObserver); @Import void setNotificationUri(import4.ContentResolver, import5.Uri); @Import void setNotificationUris(import4.ContentResolver, import6.List); @Import import5.Uri getNotificationUri(); @Import import6.List getNotificationUris(); @Import bool getWantsAllOnMoveCalls(); @Import void setExtras(import7.Bundle); @Import import7.Bundle getExtras(); @Import import7.Bundle respond(import7.Bundle); @Import import8.Class getClass(); @Import int hashCode(); @Import bool equals(IJavaObject); @Import @JavaName("toString") string toString_(); override string toString() { return arsd.jni.javaObjectToString(this); } @Import void notify(); @Import void notifyAll(); @Import void wait(long); @Import void wait(long, int); @Import void wait(); mixin IJavaObjectImplementation!(false); public static immutable string _javaParameterString = "Landroid/database/AbstractCursor;"; }
D
# FIXED Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/examples/hid_emu_kbd/cc26xx/app/hidemukbd.c Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/System.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/std.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stdarg.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stddef.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/targets/arm/elf/std.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/targets/arm/elf/M3.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/targets/std.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stdint.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/xdc.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__prologue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/package.defs.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__epilogue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__prologue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Main_Module_GateProxy.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__epilogue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Memory.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Memory_HeapProxy.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__prologue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__prologue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__epilogue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__epilogue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task__prologue.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/package.defs.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__prologue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Text.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__epilogue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/ITaskSupport.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/package/package.defs.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/ITimer.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Swi.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/Clock_TimerProxy.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/ITimer.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/Task_SupportProxy.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/ITaskSupport.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task__epilogue.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/Task_SupportProxy.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/Clock_TimerProxy.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Semaphore.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Event.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Event__prologue.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task.h Application/hidemukbd.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Event__epilogue.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gatt.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/bcomdef.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/comdef.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/target/_common/hal_types.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/target/_common/../_common/cc26xx/_hal_types.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/inc/hal_defs.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/osal.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/limits.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/OSAL_Memory.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/OSAL_Timers.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/icall/src/inc/ICall.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stdbool.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stdlib.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/linkage.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/inc/hal_assert.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/target/_common/hal_types.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/att.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/l2cap.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gapgattserver.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gattservapp.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gatt_profile_uuid.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/dev_info/devinfoservice.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/batt/cc26xx/battservice.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/hid_dev_kbd/hidkbdservice.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/hid_dev/cc26xx/hiddev.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/roles/cc26xx/peripheral.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/roles/gapbondmgr.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gap.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/sm.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/osal_snv.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/target/_common/hal_types.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/icall/inc/icall_apimsg.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/linkdb.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/common/cc26xx/util.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Semaphore.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/tidrivers_cc13xx_cc26xx_2_16_01_13/packages/ti/mw/display/Display.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/examples/hid_emu_kbd/cc26xx/app/Keyboard.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/target/board.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/target/./cc2650lp/cc2650lp_board.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/icall/inc/../../boards/CC2650_LAUNCHXL/Board.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/tidrivers_cc13xx_cc26xx_2_16_01_13/packages/ti/drivers/Power.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/tidrivers_cc13xx_cc26xx_2_16_01_13/packages/ti/drivers/utils/List.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stddef.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/icall/inc/../../boards/CC2650_LAUNCHXL/CC2650_LAUNCHXL.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/tidrivers_cc13xx_cc26xx_2_16_01_13/packages/ti/drivers/PIN.h Application/hidemukbd.obj: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stddef.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/ioc.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_types.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_chip_def.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_memmap.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_ioc.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_ints.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/interrupt.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_nvic.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/debug.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/cpu.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_cpu_scs.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/rom.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/gpio.h Application/hidemukbd.obj: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_gpio.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/examples/hid_emu_kbd/cc26xx/app/LED.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/target/board.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/target/board.h Application/hidemukbd.obj: C:/ti/simplelink/ble_sdk_2_02_00_31/src/examples/hid_emu_kbd/cc26xx/app/hidemukbd.h C:/ti/simplelink/ble_sdk_2_02_00_31/src/examples/hid_emu_kbd/cc26xx/app/hidemukbd.c: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/System.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/std.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stdarg.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/targets/arm/elf/std.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/targets/arm/elf/M3.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/targets/std.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stdint.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/xdc.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Main_Module_GateProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Memory.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Memory_HeapProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task__prologue.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Text.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/ITaskSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/ITimer.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Swi.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/Clock_TimerProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/ITimer.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/Task_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/interfaces/ITaskSupport.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/Task_SupportProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/package/Clock_TimerProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Semaphore.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Event.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Event__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Task.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Event__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gatt.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/bcomdef.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/comdef.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/target/_common/../_common/cc26xx/_hal_types.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/inc/hal_defs.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/osal.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/limits.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/OSAL_Memory.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/OSAL_Timers.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/icall/src/inc/ICall.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stdbool.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stdlib.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/linkage.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/inc/hal_assert.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/att.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/l2cap.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gapgattserver.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gattservapp.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gatt_profile_uuid.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/dev_info/devinfoservice.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/batt/cc26xx/battservice.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/hid_dev_kbd/hidkbdservice.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/hid_dev/cc26xx/hiddev.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/roles/cc26xx/peripheral.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/profiles/roles/gapbondmgr.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/gap.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/sm.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/osal/src/inc/osal_snv.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/icall/inc/icall_apimsg.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/inc/linkdb.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/common/cc26xx/util.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/bios_6_45_02_31/packages/ti/sysbios/knl/Semaphore.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/tidrivers_cc13xx_cc26xx_2_16_01_13/packages/ti/mw/display/Display.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/examples/hid_emu_kbd/cc26xx/app/Keyboard.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/target/board.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/target/./cc2650lp/cc2650lp_board.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/icall/inc/../../boards/CC2650_LAUNCHXL/Board.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/tidrivers_cc13xx_cc26xx_2_16_01_13/packages/ti/drivers/Power.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/tidrivers_cc13xx_cc26xx_2_16_01_13/packages/ti/drivers/utils/List.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stddef.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/icall/inc/../../boards/CC2650_LAUNCHXL/CC2650_LAUNCHXL.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/tidrivers_cc13xx_cc26xx_2_16_01_13/packages/ti/drivers/PIN.h: C:/ti/ccsv6/tools/compiler/arm_15.12.3.LTS/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/ioc.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_types.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_chip_def.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_memmap.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_ioc.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_ints.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/interrupt.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_nvic.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/debug.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/cpu.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_cpu_scs.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/rom.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/driverlib/gpio.h: C:/ti/tirtos_cc13xx_cc26xx_2_18_00_03/products/cc26xxware_2_23_03_17162/inc/hw_gpio.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/examples/hid_emu_kbd/cc26xx/app/LED.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/target/board.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/target/board.h: C:/ti/simplelink/ble_sdk_2_02_00_31/src/examples/hid_emu_kbd/cc26xx/app/hidemukbd.h:
D
// D import file generated from 'test.d' template clamp(T1, T2, T3) { auto clamp(T1 x, T2 min_val, T3 max_val) { return 0; } }
D
// Copyright Luna & Cospec 2019. // Distributed under the Boost Software License, Version 1.0. // (See accompanying file LICENSE_1_0.txt or copy at // https://www.boost.org/LICENSE_1_0.txt) module wsf.ast.common; import std.bitmanip; /** The magic bytes for the WSF format */ const(ubyte[]) WSF_MAGIC_BYTES = cast(ubyte[])"WSF_DATA"; /** Encodes the value to little endian */ ubyte[] encode(T)(T value) { ubyte[] ovalue = new ubyte[T.sizeof]; ovalue[] = nativeToLittleEndian!T(value)[0..ovalue.length]; return ovalue; } /** Decodes the value from little-endian */ T decode(T)(ubyte[] value) { return littleEndianToNative!(T, T.sizeof)(cast(ubyte[T.sizeof])value[0..T.sizeof]); } /** Tags for deserializer to know type of sequence */ enum WSFTag : ubyte { /** Equivalent to null */ Nothing = 0x00, /** A byte */ Int8 = 0x01, /** A short */ Int16 = 0x02, /** A short */ Int32 = 0x03, /** A short */ Int64 = 0x04, /** A floating point number */ Floating = 0x05, /** A boolean */ Bool = 0x06, /** A string */ String = 0x07, /** An array of values */ Array = 0x20, /** An entry (key-value pair) */ Entry = 0x21, /** The start of a compound */ CompoundStart = 0xC8, /** The end of a compound */ CompoundEnd = 0xDC, /** A deserialized compound */ Compound = 0xFF }
D
smash or break forcefully destroyed in an accident
D
#source: call1.s #as: --64 -mrelax-relocations=yes #ld: -melf_x86_64 -z call-nop=prefix-addr #objdump: -dw .*: +file format .* Disassembly of section .text: #... [ ]*[a-f0-9]+: 67 e8 ([0-9a-f]{2} ){4} * addr32 call +[a-f0-9]+ <foo> #pass
D
; Copyright (C) 2008 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. .source T_return_object_4.java .class public dot.junit.opcodes.return_object.d.T_return_object_4 .super java/lang/Object .method public <init>()V .limit regs 1 invoke-direct {v0}, java/lang/Object/<init>()V return-void .end method .method public run()F .limit regs 3 const v2, 3.14 return-object v2 .end method
D
#!/sbin/runscript # Copyright 1999-2011 Gentoo Foundation # Distributed under the terms of the GNU General Public License v2 # $Id$ depend() { use logger } PIDFILE=/var/run/razerd/razerd.pid start() { ebegin "Starting razerd" start-stop-daemon --start \ --pidfile ${PIDFILE} \ --exec /usr/sbin/razerd \ -- --background --pidfile ${PIDFILE} eend $? } stop() { ebegin "Stopping razerd" start-stop-daemon --stop --pidfile ${PIDFILE} eend $? }
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_10_MobileMedia-8195298157.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_10_MobileMedia-8195298157.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/* * $Id: twinstickpad.d,v 1.4 2006/03/18 03:36:00 kenta Exp $ * * Copyright 2006 Kenta Cho. Some rights reserved. */ module abagames.util.sdl.twinstickpad; private import std.string; private import std.stream; private import std.math; private import derelict.sdl2.sdl; private import gl3n.linalg; private import abagames.util.sdl.input; private import abagames.util.sdl.recordableinput; /** * Twinstick and buttons input. */ public class TwinStickPad: Input { public: static float rotate = 0; static float reverse = 1; static bool buttonReversed = false; static bool enableAxis5 = false; static bool disableStick2 = false; Uint8 *keys; private: SDL_Joystick *stick = null; static const int JOYSTICK_AXIS_MAX = 32768; TwinStickPadState state; public this() { state = new TwinStickPadState; } public SDL_Joystick* openJoystick(SDL_Joystick *st = null) { if (st == null) { if (SDL_InitSubSystem(SDL_INIT_JOYSTICK) < 0) return null; stick = SDL_JoystickOpen(0); } else { stick = st; } return stick; } public void handleEvent(SDL_Event *event) { keys = SDL_GetKeyboardState(null); } public TwinStickPadState getState() { if (stick) { state.left.x = adjustAxis(SDL_JoystickGetAxis(stick, 0)); state.left.y = -adjustAxis(SDL_JoystickGetAxis(stick, 1)); int rx = 0, ry = 0; if (!disableStick2) { if (enableAxis5) rx = SDL_JoystickGetAxis(stick, 4); else rx = SDL_JoystickGetAxis(stick, 2); ry = SDL_JoystickGetAxis(stick, 3); } if (rx == 0 && ry == 0) { state.right = vec2(0); } else { ry = -ry; float rd = atan2(cast(float) rx, cast(float) ry) * reverse + rotate; assert(!rd.isNaN); float rl = sqrt(cast(float) rx * rx + cast(float) ry * ry); assert(!rl.isNaN); state.right.x = adjustAxis(cast(int) (sin(rd) * rl)); state.right.y = adjustAxis(cast(int) (cos(rd) * rl)); } } else { state.left = state.right = vec2(0); } if (keys[SDL_SCANCODE_RIGHT] == SDL_PRESSED || keys[SDL_SCANCODE_KP_6] == SDL_PRESSED || keys[SDL_SCANCODE_D] == SDL_PRESSED) state.left.x = 1; if (keys[SDL_SCANCODE_L] == SDL_PRESSED) state.right.x = 1; if (keys[SDL_SCANCODE_LEFT] == SDL_PRESSED || keys[SDL_SCANCODE_KP_4] == SDL_PRESSED || keys[SDL_SCANCODE_A] == SDL_PRESSED) state.left.x = -1; if (keys[SDL_SCANCODE_J] == SDL_PRESSED) state.right.x = -1; if (keys[SDL_SCANCODE_DOWN] == SDL_PRESSED || keys[SDL_SCANCODE_KP_2] == SDL_PRESSED || keys[SDL_SCANCODE_S] == SDL_PRESSED) state.left.y = -1; if (keys[SDL_SCANCODE_K] == SDL_PRESSED) state.right.y = -1; if (keys[SDL_SCANCODE_UP] == SDL_PRESSED || keys[SDL_SCANCODE_KP_8] == SDL_PRESSED || keys[SDL_SCANCODE_W] == SDL_PRESSED) state.left.y = 1; if (keys[SDL_SCANCODE_I] == SDL_PRESSED) state.right.y = 1; state.button = 0; int btn1 = 0, btn2 = 0; if (stick) { btn1 = SDL_JoystickGetButton(stick, 0) + SDL_JoystickGetButton(stick, 2) + SDL_JoystickGetButton(stick, 4) + SDL_JoystickGetButton(stick, 6) + SDL_JoystickGetButton(stick, 8) + SDL_JoystickGetButton(stick, 10); btn2 = SDL_JoystickGetButton(stick, 1) + SDL_JoystickGetButton(stick, 3) + SDL_JoystickGetButton(stick, 5) + SDL_JoystickGetButton(stick, 7) + SDL_JoystickGetButton(stick, 9) + SDL_JoystickGetButton(stick, 11); if (enableAxis5) { int ax2 = SDL_JoystickGetAxis(stick, 2); if (ax2 > JOYSTICK_AXIS_MAX / 3 || ax2 < -JOYSTICK_AXIS_MAX / 3) btn2 = 1; } } if (keys[SDL_SCANCODE_Z] == SDL_PRESSED || keys[SDL_SCANCODE_PERIOD] == SDL_PRESSED || keys[SDL_SCANCODE_LCTRL] == SDL_PRESSED || keys[SDL_SCANCODE_RCTRL] == SDL_PRESSED || btn1) { if (!buttonReversed) state.button |= TwinStickPadState.Button.A; else state.button |= TwinStickPadState.Button.B; } if (keys[SDL_SCANCODE_X] == SDL_PRESSED || keys[SDL_SCANCODE_SLASH] == SDL_PRESSED || keys[SDL_SCANCODE_LALT] == SDL_PRESSED || keys[SDL_SCANCODE_RALT] == SDL_PRESSED || keys[SDL_SCANCODE_LSHIFT] == SDL_PRESSED || keys[SDL_SCANCODE_RSHIFT] == SDL_PRESSED || keys[SDL_SCANCODE_RETURN] == SDL_PRESSED || keys[SDL_SCANCODE_SPACE] == SDL_PRESSED || btn2) { if (!buttonReversed) state.button |= TwinStickPadState.Button.B; else state.button |= TwinStickPadState.Button.A; } return state; } private float adjustAxis(int v) { float a = 0; if (v > JOYSTICK_AXIS_MAX / 3) { a = cast(float) (v - JOYSTICK_AXIS_MAX / 3) / (JOYSTICK_AXIS_MAX - JOYSTICK_AXIS_MAX / 3); if (a > 1) a = 1; } else if (v < -(JOYSTICK_AXIS_MAX / 3)) { a = cast(float) (v + JOYSTICK_AXIS_MAX / 3) / (JOYSTICK_AXIS_MAX - JOYSTICK_AXIS_MAX / 3); if (a < -1) a = -1; } return a; } public TwinStickPadState getNullState() { state.clear(); return state; } } public class TwinStickPadState { public: static enum Button { A = 16, B = 32, ANY = 48, }; vec2 left, right; int button; private: invariant() { assert(left.x >= -1 && left.x <= 1); assert(left.y >= -1 && left.y <= 1); assert(right.x >= -1 && right.x <= 1); assert(right.y >= -1 && right.y <= 1); } public static TwinStickPadState newInstance() { return new TwinStickPadState; } public static TwinStickPadState newInstance(TwinStickPadState s) { return new TwinStickPadState(s); } public this() { left = vec2(0); right = vec2(0); } public this(TwinStickPadState s) { this(); set(s); } public void set(TwinStickPadState s) { left = s.left; right = s.right; button = s.button; } public void clear() { left = right = vec2(0); button = 0; } public void read(File fd) { fd.read(left.x); fd.read(left.y); fd.read(right.x); fd.read(right.y); fd.read(button); } public void write(File fd) { fd.write(left.x); fd.write(left.y); fd.write(right.x); fd.write(right.y); fd.write(button); } public bool equals(TwinStickPadState s) { return (left == s.left && right == s.right && button == s.button); } } public class RecordableTwinStickPad: TwinStickPad { mixin RecordableInput!(TwinStickPadState); private: alias TwinStickPad.getState getState; public TwinStickPadState getState(bool doRecord) { TwinStickPadState s = super.getState(); if (doRecord) record(s); return s; } }
D
E: c586, c950, c1107, c906, c44, c1003, c871, c321, c390, c842, c567, c674, c461, c718, c360, c213, c93, c963, c894, c94, c288, c859, c787, c1143, c3, c207, c1078, c483, c992, c168, c593, c422, c1139, c724, c275, c579, c828, c934, c1112, c47, c161, c1100, c620, c1156, c767, c1069, c922, c171, c773, c528, c666, c577, c983, c760, c504, c778, c931, c89, c522, c330, c1073, c296, c1022, c394, c850, c255, c389, c514, c383, c187, c1134, c381, c968, c71, c594, c698, c1128, c22, c951, c232, c892, c531, c673, c643, c209, c1033, c943, c349, c273, c1025, c909, c761, c791, c217, c618, c667, c1028, c795, c780, c228, c162, c933, c901, c938, c875, c786, c748, c1045, c322, c999, c945, c545, c1083, c272, c67, c413, c172, c444, c530, c440, c238, c159, c203, c126, c287, c670, c524, c266, c747, c341, c119, c836, c107, c485, c665, c453, c1064, c913, c847, c484, c122, c281, c464, c582, c110, c13, c227, c1079, c707, c1096, c2, c148, c78, c498, c1059, c555, c178, c206, c479, c332, c1006, c425, c775, c302, c635, c301, c569, c337, c121, c630, c102, c214, c377, c503, c661, c32, c140, c460, c700, c893, c541, c1035, c584, c740, c344, c1091, c128, c31, c987, c985, c393, c388, c711, c573, c668, c179, c805, c175, c978, c626, c290, c279, c103, c1016, c680, c835, c902, c912, c1103, c221, c556, c246, c1125, c952, c779, c405, c611, c231, c250, c391, c269, c692, c373, c108, c1094, c814, c924, c366, c1121, c658, c254, c572, c1067, c558, c315, c52, c969, c1080, c884, c157, c647, c144, c781, c284, c239, c628, c142, c1057, c291, c683, c477, c827, c260, c50, c977, c1040, c671, c682, c263, c809, c357, c519, c198, c325, c534, c872, c382, c208, c882, c350, c285, c340, c1044, c738, c87, c106, c1115, c1102, c376, c92, c294, c1021, c1140, c967, c1011, c678. p7(E,E) c586,c950 c871,c390 c842,c567 c718,c567 c360,c213 c207,c1078 c483,c906 c360,c767 c859,c1069 c171,c773 c528,c666 c934,c760 c931,c89 c522,c906 c934,c1073 c718,c296 c859,c168 c360,c773 c275,c390 c586,c168 c718,c1073 c586,c1073 c171,c168 c330,c383 c842,c187 c577,c567 c93,c213 c842,c1134 c787,c296 c931,c381 c586,c89 c718,c760 c934,c666 c934,c187 c718,c383 c528,c187 c778,c1128 c934,c383 c859,c296 c94,c383 c330,c213 c859,c1073 c171,c381 c674,c22 c934,c213 c483,c767 c94,c567 c586,c567 c787,c213 c93,c89 c1003,c213 c94,c773 c522,c943 c522,c760 c577,c760 c931,c950 c778,c906 c1025,c909 c94,c943 c483,c22 c577,c390 c871,c383 c94,c950 c275,c767 c718,c791 c931,c213 c330,c773 c171,c1128 c787,c22 c842,c666 c586,c943 c674,c767 c842,c1069 c94,c296 c330,c89 c674,c383 c842,c748 c483,c296 c360,c760 c171,c666 c586,c187 c483,c760 c483,c1069 c586,c1069 c718,c187 c93,c1073 c787,c381 c275,c89 c522,c296 c871,c89 c94,c666 c93,c906 c931,c1134 c859,c381 c171,c213 c586,c773 c859,c213 c161,c760 c483,c89 c93,c390 c586,c381 c275,c213 c778,c213 c522,c666 c93,c666 c674,c1069 c275,c773 c931,c383 c674,c1128 c528,c296 c275,c950 c577,c748 c859,c22 c330,c748 c161,c950 c161,c791 c718,c748 c934,c748 c842,c791 c275,c906 c787,c1069 c577,c89 c674,c567 c577,c1069 c1003,c168 c934,c906 c778,c773 c93,c1134 c93,c187 c171,c567 c360,c791 c93,c296 c577,c296 c161,c773 c161,c666 c931,c906 c577,c381 c93,c567 c171,c390 c1003,c1134 c577,c1128 c1003,c943 c528,c906 c483,c168 c483,c187 c934,c567 c171,c906 c161,c296 c161,c89 c931,c1128 c859,c1128 c674,c791 c842,c390 c718,c168 c275,c791 c931,c760 c94,c1128 c528,c791 c577,c213 c360,c1073 c102,c945 c787,c390 c674,c666 c171,c383 c778,c748 c275,c296 c718,c381 c161,c22 c330,c168 c93,c748 c718,c390 c209,c1079 c330,c381 c871,c943 c871,c748 c1003,c791 c522,c1073 c718,c1134 c171,c748 c93,c773 c522,c773 c528,c1069 c171,c187 c934,c168 c842,c950 c787,c1128 c787,c943 c931,c767 c94,c381 c360,c943 c718,c22 c859,c1134 c718,c950 c330,c1128 c522,c1069 c859,c567 c934,c390 c528,c760 c778,c950 c171,c1134 c934,c381 c360,c1069 c171,c89 c674,c760 c787,c1073 c528,c567 c161,c767 c275,c748 c522,c168 c674,c943 c161,c383 c842,c381 c842,c213 c522,c1134 c528,c383 c528,c89 c275,c760 c330,c1073 c528,c773 c330,c390 c586,c791 c718,c89 c94,c1134 c934,c767 c931,c791 c931,c773 c161,c1069 c718,c666 c360,c666 c787,c187 c931,c1073 c360,c187 c934,c1134 c522,c950 c871,c1128 c514,c1094 c931,c168 c522,c791 c859,c760 c842,c760 c586,c1128 c787,c760 c161,c1128 c842,c773 c330,c791 c674,c390 c171,c760 c528,c168 c718,c1069 c586,c906 c718,c906 c275,c567 c522,c187 c171,c943 c1003,c1128 c871,c906 c931,c1069 c859,c773 c934,c791 c859,c791 c1067,c558 c315,c579 c1003,c22 c787,c950 c161,c1134 c93,c1069 c586,c390 c871,c767 c94,c390 c787,c906 c522,c567 c161,c381 c483,c791 c93,c383 c94,c1069 c778,c383 c360,c22 c718,c1128 c142,c178 c161,c943 c171,c1069 c934,c89 c1003,c187 c161,c390 c842,c767 c528,c22 c577,c791 c483,c383 c522,c89 c483,c390 c360,c296 c787,c89 c1003,c383 c718,c773 c778,c89 c718,c943 c577,c22 c94,c791 c93,c950 c522,c383 c522,c748 c1083,c673 c674,c381 c778,c760 c275,c168 c528,c950 c360,c1134 c483,c213 c871,c791 c778,c296 c778,c22 c1003,c296 c871,c213 c859,c748 c483,c1134 c275,c1073 c161,c748 c931,c666 c161,c187 c360,c567 c718,c213 c1003,c760 c586,c1134 c171,c296 c483,c1073 c275,c666 c931,c22 c93,c791 c934,c950 c577,c168 c674,c950 c931,c390 c871,c1073 c360,c1128 c577,c666 c337,c87 c827,c422 c934,c1128 c483,c748 c577,c1134 c778,c381 c718,c767 c859,c906 c674,c748 c171,c767 c1003,c89 c161,c906 c778,c791 c842,c943 c94,c767 c161,c1073 c871,c950 c275,c943 c871,c1069 c577,c1073 c586,c296 c360,c383 c934,c773 c934,c22 c93,c943 c522,c213 . p6(E,E) c1107,c906 c992,c168 c1003,c567 c761,c791 c795,c1134 c780,c1069 c228,c296 c1045,c1073 c322,c999 c413,c213 c172,c187 c444,c943 c530,c89 c266,c390 c227,c748 c555,c178 c206,c1128 c635,c301 c460,c700 c1091,c381 c668,c22 c290,c279 c246,c1125 c269,c692 c50,c666 c682,c767 c198,c773 c3,c383 c1102,c950 . p0(E,E) c44,c1003 c321,c94 c288,c859 c724,c275 c1003,c1003 c47,c586 c1156,c94 c983,c93 c1112,c171 c47,c778 c894,c787 c983,c718 c321,c787 c461,c171 c850,c255 c963,c859 c963,c934 c321,c161 c968,c842 c71,c718 c1156,c528 c321,c275 c1112,c93 c983,c360 c1156,c171 c983,c842 c47,c522 c1112,c94 c71,c842 c321,c871 c47,c161 c894,c842 c894,c586 c321,c522 c983,c171 c968,c483 c724,c577 c1112,c934 c44,c577 c461,c859 c461,c522 c71,c522 c47,c93 c44,c522 c288,c522 c321,c718 c47,c483 c968,c522 c968,c93 c724,c787 c1156,c842 c894,c931 c724,c718 c71,c1003 c922,c171 c288,c360 c643,c1083 c968,c360 c894,c871 c968,c859 c71,c171 c461,c871 c44,c275 c1156,c522 c288,c1003 c514,c747 c341,c119 c963,c522 c44,c859 c321,c330 c485,c665 c894,c1003 c968,c528 c983,c522 c983,c528 c288,c161 c1156,c161 c1003,c842 c71,c275 c1156,c330 c968,c778 c321,c586 c1003,c522 c71,c94 c44,c871 c71,c931 c1156,c934 c461,c778 c47,c1003 c461,c577 c922,c934 c569,c337 c983,c275 c1003,c360 c461,c674 c1156,c778 c1112,c787 c47,c528 c724,c934 c321,c842 c71,c778 c724,c586 c1003,c778 c922,c528 c461,c161 c1156,c931 c983,c778 c968,c586 c922,c161 c963,c483 c893,c541 c47,c94 c894,c522 c1156,c93 c44,c171 c894,c360 c894,c483 c963,c275 c1003,c586 c71,c483 c894,c577 c922,c330 c71,c674 c288,c586 c963,c586 c44,c94 c44,c93 c71,c93 c288,c94 c44,c330 c922,c718 c1003,c93 c968,c577 c922,c483 c47,c674 c724,c674 c968,c931 c922,c93 c288,c93 c922,c778 c1112,c1003 c288,c577 c983,c577 c47,c934 c983,c483 c1156,c483 c461,c275 c321,c931 c724,c528 c71,c934 c1003,c171 c724,c871 c1156,c231 c71,c586 c1003,c275 c1112,c778 c1003,c931 c1156,c360 c894,c528 c461,c1003 c922,c931 c44,c161 c44,c931 c963,c171 c1112,c931 c47,c871 c963,c787 c288,c778 c963,c778 c1112,c483 c894,c778 c1156,c586 c1112,c528 c44,c718 c963,c330 c461,c93 c894,c93 c894,c934 c461,c528 c47,c330 c321,c934 c724,c94 c545,c102 c963,c842 c288,c528 c724,c483 c44,c842 c963,c718 c1156,c718 c461,c718 c894,c859 c724,c842 c968,c171 c922,c871 c1003,c718 c461,c360 c1112,c859 c963,c871 c983,c1003 c894,c718 c724,c161 c71,c360 c47,c859 c47,c718 c47,c171 c1156,c1003 c288,c934 c922,c674 c983,c586 c922,c1003 c357,c519 c288,c718 c963,c360 c1156,c577 c288,c275 c968,c1003 c1112,c871 c47,c787 c71,c577 c44,c674 c1003,c528 c724,c778 c321,c674 c968,c94 c1112,c674 c1112,c522 c724,c93 c1156,c787 c106,c1115 c724,c1003 c288,c674 c1003,c859 c963,c94 c44,c586 c963,c161 c1003,c934 c894,c161 c47,c842 c288,c871 c922,c577 c44,c528 c1003,c161 c967,c1011 c1112,c718 c44,c778 c963,c674 c1003,c94 c321,c528 c894,c94 . p5(E,E) c871,c321 c674,c461 c93,c963 c1003,c894 c787,c1003 c422,c1139 c934,c1112 c483,c461 c161,c724 c586,c1156 c718,c922 c577,c983 c787,c894 c718,c1156 c718,c44 c586,c288 c778,c894 c171,c922 c871,c461 c93,c71 c951,c232 c892,c531 c94,c1112 c778,c47 c93,c922 c528,c894 c674,c1112 c787,c44 c528,c963 c586,c968 c674,c1028 c93,c894 c93,c983 c162,c933 c94,c922 c1003,c321 c859,c894 c171,c461 c778,c288 c842,c44 c842,c47 c787,c288 c871,c1156 c94,c983 c871,c1112 c586,c894 c787,c321 c778,c922 c842,c724 c483,c47 c778,c321 c126,c287 c778,c724 c586,c1003 c934,c724 c528,c461 c171,c288 c1003,c1156 c859,c724 c586,c47 c122,c281 c528,c71 c934,c983 c528,c983 c1096,c892 c674,c724 c787,c968 c78,c498 c778,c461 c94,c1003 c161,c1003 c1003,c47 c1003,c1003 c479,c332 c787,c1156 c586,c724 c577,c724 c161,c461 c171,c1003 c787,c47 c859,c983 c778,c1156 c171,c968 c859,c1003 c161,c963 c718,c1112 c674,c894 c32,c140 c171,c71 c528,c47 c787,c724 c161,c922 c871,c1003 c674,c983 c93,c461 c842,c1112 c528,c1156 c483,c963 c842,c922 c171,c724 c483,c1003 c842,c968 c934,c1003 c1033,c711 c161,c1156 c586,c1112 c1003,c461 c93,c724 c1003,c44 c835,c902 c483,c71 c842,c963 c859,c963 c718,c461 c483,c983 c94,c321 c665,c485 c161,c288 c569,c221 c577,c288 c171,c894 c778,c1003 c1003,c288 c787,c983 c1022,c405 c577,c611 c94,c47 c483,c1156 c483,c44 c250,c528 c778,c1112 c94,c894 c859,c461 c577,c461 c787,c1112 c934,c288 c528,c724 c483,c894 c586,c461 c71,c924 c572,c593 c94,c724 c94,c288 c93,c288 c934,c963 c483,c288 c842,c983 c871,c47 c577,c963 c528,c1003 c859,c47 c1057,c291 c827,c260 c674,c288 c787,c461 c528,c321 c1025,c1091 c977,c250 c871,c963 c528,c968 c778,c71 c718,c968 c161,c71 c1040,c671 c483,c922 c674,c968 c842,c321 c871,c724 c778,c963 c171,c983 c483,c321 c747,c514 c161,c894 c586,c71 c718,c47 c93,c1003 c778,c983 c577,c71 c787,c71 c161,c44 c718,c894 c871,c288 c586,c963 c1003,c968 c171,c1156 c842,c71 c934,c1156 c171,c321 c718,c321 c161,c1112 c859,c321 c1003,c1112 c483,c724 c586,c922 c674,c71 c93,c1156 c171,c47 c577,c1003 c859,c922 c718,c963 c674,c963 c171,c1112 c842,c1003 c871,c968 c842,c461 c678,c1040 . p4(E,E) c1143,c3 c1100,c620 c545,c148 c1100,c680 c969,c1080 . p2(E,E) c718,c718 c330,c330 c875,c786 c275,c275 c836,c107 c453,c1064 c931,c931 c934,c934 c121,c630 c214,c377 c503,c661 c161,c161 c577,c577 c740,c344 c522,c522 c528,c528 c94,c94 c912,c1103 c778,c778 c842,c842 c859,c859 c674,c674 c787,c787 c483,c483 c171,c171 c340,c1044 c871,c871 c1003,c1003 . p3(E,E) c859,c593 c1022,c394 c618,c667 c93,c159 c842,c203 c871,c670 c1083,c524 c110,c13 c674,c2 c94,c1006 c1025,c425 c171,c901 c119,c1156 c128,c31 c1003,c573 c747,c556 c373,c108 c778,c814 c951,c366 c405,c1121 c658,c254 c577,c52 c665,c647 c144,c781 c787,c284 c528,c978 c108,c628 c683,c477 c586,c524 c934,c22 c263,c809 c161,c285 . p8(E,E) c579,c828 c913,c847 c775,c302 c1035,c584 c952,c779 c391,c1083 c514,c738 c460,c1140 . p9(E,E) c950,c504 c349,c273 c464,c582 c122,c1059 c103,c1016 c884,c157 . p10(E,E) c296,c288 c567,c461 c389,c514 c673,c643 c901,c938 c945,c545 c89,c1003 c836,c484 c1079,c707 c1128,c321 c1134,c71 c950,c44 c393,c388 c1069,c47 c179,c805 c626,c460 c1003,c239 c791,c724 c325,c232 c534,c444 c1078,c872 c748,c963 c882,c350 c213,c1112 c376,c92 c294,c1021 . p1(E,E) c594,c698 c209,c1033 c698,c217 c272,c67 c440,c238 c987,c985 c175,c978 c382,c208 .
D
instance DIA_Torlof_DI_KAP3_EXIT(C_Info) { npc = SLD_801_Torlof_DI; nr = 999; condition = DIA_Torlof_DI_KAP3_EXIT_Condition; information = DIA_Torlof_DI_KAP3_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Torlof_DI_KAP3_EXIT_Condition() { return TRUE; }; func void DIA_Torlof_DI_KAP3_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Torlof_DI_Hallo(C_Info) { npc = SLD_801_Torlof_DI; nr = 4; condition = DIA_Torlof_DI_Hallo_Condition; information = DIA_Torlof_DI_Hallo_Info; permanent = TRUE; description = "All quiet?"; }; func int DIA_Torlof_DI_Hallo_Condition() { if(Npc_IsDead(UndeadDragon) == FALSE) { return TRUE; }; }; func void DIA_Torlof_DI_Hallo_Info() { AI_Output(other,self,"DIA_Torlof_DI_Hallo_15_00"); //Everything quiet? if(ORkSturmDI == FALSE) { AI_Output(self,other,"DIA_Torlof_DI_Hallo_01_01"); //So far. But that could change in an instant. Watch your back. } else { AI_Output(self,other,"DIA_Torlof_DI_Hallo_01_02"); //If those miserable orcs stay where they are, I don't see a problem. B_StartOtherRoutine(Torlof_DI,"Start"); }; AI_StopProcessInfos(self); }; instance DIA_Torlof_DI_Teach(C_Info) { npc = SLD_801_Torlof_DI; nr = 150; condition = DIA_Torlof_DI_Teach_Condition; information = DIA_Torlof_DI_Teach_Info; permanent = TRUE; description = "I want to improve my abilities!"; }; func int DIA_Torlof_DI_Teach_Condition() { if(Npc_IsDead(UndeadDragon) == FALSE) { return TRUE; }; }; func void DIA_Torlof_DI_Teach_Info() { AI_Output(other,self,"DIA_Torlof_DI_Teach_15_00"); //I want to improve my abilities! Info_ClearChoices(DIA_Torlof_DI_Teach); Info_AddChoice(DIA_Torlof_DI_Teach,Dialog_Back,DIA_Torlof_DI_Teach_Back); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX1,B_GetLearnCostAttribute(other,ATR_DEXTERITY,1)),DIA_Torlof_DI_Teach_DEX_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX5,B_GetLearnCostAttribute(other,ATR_DEXTERITY,5)),DIA_Torlof_DI_Teach_DEX_5); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR1,B_GetLearnCostAttribute(other,ATR_STRENGTH,1)),DIA_Torlof_DI_Teach_STR_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR5,B_GetLearnCostAttribute(other,ATR_STRENGTH,5)),DIA_Torlof_DI_Teach_STR_5); }; func void DIA_Torlof_DI_Teach_Back() { Info_ClearChoices(DIA_Torlof_DI_Teach); }; func void DIA_Torlof_DI_Teach_DEX_1() { B_TeachAttributePoints(self,other,ATR_DEXTERITY,1,T_HIGH); Info_ClearChoices(DIA_Torlof_DI_Teach); Info_AddChoice(DIA_Torlof_DI_Teach,Dialog_Back,DIA_Torlof_DI_Teach_Back); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX1,B_GetLearnCostAttribute(other,ATR_DEXTERITY,1)),DIA_Torlof_DI_Teach_DEX_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX5,B_GetLearnCostAttribute(other,ATR_DEXTERITY,5)),DIA_Torlof_DI_Teach_DEX_5); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR1,B_GetLearnCostAttribute(other,ATR_STRENGTH,1)),DIA_Torlof_DI_Teach_STR_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR5,B_GetLearnCostAttribute(other,ATR_STRENGTH,5)),DIA_Torlof_DI_Teach_STR_5); }; func void DIA_Torlof_DI_Teach_DEX_5() { B_TeachAttributePoints(self,other,ATR_DEXTERITY,5,T_HIGH); Info_ClearChoices(DIA_Torlof_DI_Teach); Info_AddChoice(DIA_Torlof_DI_Teach,Dialog_Back,DIA_Torlof_DI_Teach_Back); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX1,B_GetLearnCostAttribute(other,ATR_DEXTERITY,1)),DIA_Torlof_DI_Teach_DEX_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX5,B_GetLearnCostAttribute(other,ATR_DEXTERITY,5)),DIA_Torlof_DI_Teach_DEX_5); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR1,B_GetLearnCostAttribute(other,ATR_STRENGTH,1)),DIA_Torlof_DI_Teach_STR_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR5,B_GetLearnCostAttribute(other,ATR_STRENGTH,5)),DIA_Torlof_DI_Teach_STR_5); }; func void DIA_Torlof_DI_Teach_STR_1() { B_TeachAttributePoints(self,other,ATR_STRENGTH,1,T_MAX); Info_ClearChoices(DIA_Torlof_DI_Teach); Info_AddChoice(DIA_Torlof_DI_Teach,Dialog_Back,DIA_Torlof_DI_Teach_Back); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX1,B_GetLearnCostAttribute(other,ATR_DEXTERITY,1)),DIA_Torlof_DI_Teach_DEX_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX5,B_GetLearnCostAttribute(other,ATR_DEXTERITY,5)),DIA_Torlof_DI_Teach_DEX_5); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR1,B_GetLearnCostAttribute(other,ATR_STRENGTH,1)),DIA_Torlof_DI_Teach_STR_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR5,B_GetLearnCostAttribute(other,ATR_STRENGTH,5)),DIA_Torlof_DI_Teach_STR_5); }; func void DIA_Torlof_DI_Teach_STR_5() { B_TeachAttributePoints(self,other,ATR_STRENGTH,5,T_MAX); Info_ClearChoices(DIA_Torlof_DI_Teach); Info_AddChoice(DIA_Torlof_DI_Teach,Dialog_Back,DIA_Torlof_DI_Teach_Back); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX1,B_GetLearnCostAttribute(other,ATR_DEXTERITY,1)),DIA_Torlof_DI_Teach_DEX_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnDEX5,B_GetLearnCostAttribute(other,ATR_DEXTERITY,5)),DIA_Torlof_DI_Teach_DEX_5); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR1,B_GetLearnCostAttribute(other,ATR_STRENGTH,1)),DIA_Torlof_DI_Teach_STR_1); Info_AddChoice(DIA_Torlof_DI_Teach,B_BuildLearnString(PRINT_LearnSTR5,B_GetLearnCostAttribute(other,ATR_STRENGTH,5)),DIA_Torlof_DI_Teach_STR_5); }; instance DIA_Torlof_DI_UndeadDragonDead(C_Info) { npc = SLD_801_Torlof_DI; nr = 4; condition = DIA_Torlof_DI_UndeadDragonDead_Condition; information = DIA_Torlof_DI_UndeadDragonDead_Info; permanent = TRUE; description = "I've eliminated the enemy."; }; func int DIA_Torlof_DI_UndeadDragonDead_Condition() { if(Npc_IsDead(UndeadDragon)) { return TRUE; }; }; func void DIA_Torlof_DI_UndeadDragonDead_Info() { AI_Output(other,self,"DIA_Torlof_DI_UndeadDragonDead_15_00"); //I've eliminated the enemy. AI_Output(self,other,"DIA_Torlof_DI_UndeadDragonDead_01_01"); //I didn't expect anything else. How's it look? Can we finally leave now? Info_ClearChoices(DIA_Torlof_DI_UndeadDragonDead); Info_AddChoice(DIA_Torlof_DI_UndeadDragonDead,"I'll need another minute or two.",DIA_Torlof_DI_UndeadDragonDead_moment); Info_AddChoice(DIA_Torlof_DI_UndeadDragonDead,"Yes. It's over. Let's go.",DIA_Torlof_DI_UndeadDragonDead_over); }; func void DIA_Torlof_DI_UndeadDragonDead_moment() { AI_Output(other,self,"DIA_Torlof_DI_UndeadDragonDead_moment_15_00"); //I'll need another minute or two. AI_Output(self,other,"DIA_Torlof_DI_UndeadDragonDead_moment_01_01"); //Hurry up! AI_StopProcessInfos(self); }; func void DIA_Torlof_DI_UndeadDragonDead_over() { AI_StopProcessInfos(self); B_Extro_Avi(); }; instance DIA_Torlof_DI_PICKPOCKET(C_Info) { npc = SLD_801_Torlof_DI; nr = 900; condition = DIA_Torlof_DI_PICKPOCKET_Condition; information = DIA_Torlof_DI_PICKPOCKET_Info; permanent = TRUE; description = Pickpocket_80; }; func int DIA_Torlof_DI_PICKPOCKET_Condition() { return C_Beklauen(76,120); }; func void DIA_Torlof_DI_PICKPOCKET_Info() { Info_ClearChoices(DIA_Torlof_DI_PICKPOCKET); Info_AddChoice(DIA_Torlof_DI_PICKPOCKET,Dialog_Back,DIA_Torlof_DI_PICKPOCKET_BACK); Info_AddChoice(DIA_Torlof_DI_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Torlof_DI_PICKPOCKET_DoIt); }; func void DIA_Torlof_DI_PICKPOCKET_DoIt() { B_Beklauen(); Info_ClearChoices(DIA_Torlof_DI_PICKPOCKET); }; func void DIA_Torlof_DI_PICKPOCKET_BACK() { Info_ClearChoices(DIA_Torlof_DI_PICKPOCKET); };
D
put an end to a state or an activity come to or be at an end prevent completion stopped permanently or temporarily
D
/Users/macexpert/Downloads/CommuniSki/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/Objects-normal/x86_64/IQKeyboardManager.o : /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstantsInternal.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQBarButtonItem.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQTitleBarButtonItem.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQInvocation.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQToolbar.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQUIView+IQKeyboardToolbar.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardManager.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardReturnKeyHandler.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIViewController+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUITextFieldView+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIScrollView+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstants.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQNSArray+Sort.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQPreviousNextView.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQTextView/IQTextView.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIView+Hierarchy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macexpert/Downloads/CommuniSki/Pods/Target\ Support\ Files/IQKeyboardManagerSwift/IQKeyboardManagerSwift-umbrella.h /Users/macexpert/Downloads/CommuniSki/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/macexpert/Downloads/CommuniSki/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/Objects-normal/x86_64/IQKeyboardManager~partial.swiftmodule : /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstantsInternal.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQBarButtonItem.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQTitleBarButtonItem.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQInvocation.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQToolbar.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQUIView+IQKeyboardToolbar.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardManager.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardReturnKeyHandler.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIViewController+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUITextFieldView+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIScrollView+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstants.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQNSArray+Sort.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQPreviousNextView.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQTextView/IQTextView.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIView+Hierarchy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macexpert/Downloads/CommuniSki/Pods/Target\ Support\ Files/IQKeyboardManagerSwift/IQKeyboardManagerSwift-umbrella.h /Users/macexpert/Downloads/CommuniSki/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/macexpert/Downloads/CommuniSki/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/Objects-normal/x86_64/IQKeyboardManager~partial.swiftdoc : /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstantsInternal.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQBarButtonItem.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQTitleBarButtonItem.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQInvocation.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQToolbar.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQUIView+IQKeyboardToolbar.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardManager.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardReturnKeyHandler.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIViewController+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUITextFieldView+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIScrollView+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstants.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQNSArray+Sort.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQPreviousNextView.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQTextView/IQTextView.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIView+Hierarchy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macexpert/Downloads/CommuniSki/Pods/Target\ Support\ Files/IQKeyboardManagerSwift/IQKeyboardManagerSwift-umbrella.h /Users/macexpert/Downloads/CommuniSki/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/macexpert/Downloads/CommuniSki/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/Objects-normal/x86_64/IQKeyboardManager~partial.swiftsourceinfo : /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstantsInternal.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQBarButtonItem.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQTitleBarButtonItem.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQInvocation.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQToolbar.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQUIView+IQKeyboardToolbar.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardManager.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardReturnKeyHandler.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIViewController+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUITextFieldView+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIScrollView+Additions.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstants.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQNSArray+Sort.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQPreviousNextView.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQTextView/IQTextView.swift /Users/macexpert/Downloads/CommuniSki/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIView+Hierarchy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macexpert/Downloads/CommuniSki/Pods/Target\ Support\ Files/IQKeyboardManagerSwift/IQKeyboardManagerSwift-umbrella.h /Users/macexpert/Downloads/CommuniSki/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/build/Ingenium.build/Release-iphonesimulator/Ingenium.build/Objects-normal/x86_64/AppDelegate.o : /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/TutorDetailVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringLabel.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/ImageLoader.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/Misc.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/ViewController.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SoundPlayer.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/AppDelegate.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/addHotspotVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringAnimation.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/CosmosDistrib.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/Spring.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/LoadingView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringTextField.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/NearbyTutorsVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTextField.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AsyncButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/KeyboardLayoutConstraint.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AsyncImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Tutor.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/TutorAnnotation.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/ProfileVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/AssignmentVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/loginVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTabBarController.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AutoTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/addAssignmentVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Action.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableLabel.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/UnwindSegue.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Assignment.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/TransitionManager.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/BlurView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/TransitionZoom.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBObject.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/MapViewVC.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFWebViewAppLinkResolver.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFURL.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFMeasurementEvent.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkTarget.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkReturnToRefererView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkReturnToRefererController.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkResolving.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkNavigation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLink.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFTaskCompletionSource.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFTask.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFExecutor.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFDefines.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationTokenSource.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationTokenRegistration.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationToken.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BoltsVersion.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/Bolts.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFPurchase.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFProduct.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFPush.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFNetworkActivityIndicatorManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFInstallation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFUserAuthenticationDelegate.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFSession.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFRole.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFRelation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFQuery.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFObject+Subclass.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFGeoPoint.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFFile.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFConfig.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFCloud.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFSubclassing.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFObject.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFUser.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFAnonymousUtils.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFAnalytics.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFACL.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/Parse.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKMacros.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/build/Ingenium.build/Release-iphonesimulator/Ingenium.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/TutorDetailVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringLabel.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/ImageLoader.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/Misc.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/ViewController.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SoundPlayer.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/AppDelegate.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/addHotspotVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringAnimation.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/CosmosDistrib.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/Spring.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/LoadingView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringTextField.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/NearbyTutorsVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTextField.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AsyncButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/KeyboardLayoutConstraint.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AsyncImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Tutor.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/TutorAnnotation.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/ProfileVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/AssignmentVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/loginVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTabBarController.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AutoTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/addAssignmentVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Action.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableLabel.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/UnwindSegue.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Assignment.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/TransitionManager.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/BlurView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/TransitionZoom.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBObject.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/MapViewVC.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFWebViewAppLinkResolver.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFURL.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFMeasurementEvent.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkTarget.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkReturnToRefererView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkReturnToRefererController.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkResolving.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkNavigation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLink.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFTaskCompletionSource.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFTask.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFExecutor.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFDefines.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationTokenSource.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationTokenRegistration.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationToken.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BoltsVersion.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/Bolts.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFPurchase.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFProduct.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFPush.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFNetworkActivityIndicatorManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFInstallation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFUserAuthenticationDelegate.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFSession.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFRole.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFRelation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFQuery.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFObject+Subclass.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFGeoPoint.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFFile.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFConfig.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFCloud.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFSubclassing.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFObject.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFUser.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFAnonymousUtils.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFAnalytics.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFACL.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/Parse.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKMacros.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/build/Ingenium.build/Release-iphonesimulator/Ingenium.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/TutorDetailVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringLabel.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/ImageLoader.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/Misc.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/ViewController.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SoundPlayer.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/AppDelegate.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/addHotspotVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringAnimation.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/CosmosDistrib.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/Spring.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/LoadingView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringTextField.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/NearbyTutorsVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTextField.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AsyncButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/KeyboardLayoutConstraint.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringButton.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AsyncImageView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Tutor.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/TutorAnnotation.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/ProfileVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/AssignmentVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/loginVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTabBarController.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/AutoTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/addAssignmentVC.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Action.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableTextView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/DesignableLabel.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/UnwindSegue.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Assignment.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/TransitionManager.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/BlurView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/SpringView.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Spring/TransitionZoom.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBObject.swift /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/MapViewVC.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFWebViewAppLinkResolver.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFURL.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFMeasurementEvent.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkTarget.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkReturnToRefererView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkReturnToRefererController.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkResolving.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLinkNavigation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFAppLink.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFTaskCompletionSource.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFTask.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFExecutor.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFDefines.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationTokenSource.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationTokenRegistration.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BFCancellationToken.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/BoltsVersion.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Headers/Bolts.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Bolts.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFPurchase.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFProduct.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFPush.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFNetworkActivityIndicatorManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFInstallation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFUserAuthenticationDelegate.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFSession.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFRole.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFRelation.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFQuery.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFObject+Subclass.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFGeoPoint.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFFile.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFConfig.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFCloud.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFSubclassing.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFObject.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFUser.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFAnonymousUtils.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFAnalytics.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/PFACL.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Headers/Parse.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/Parse.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKProfile.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKUtility.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKSettings.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKButton.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKMacros.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKCopying.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKCoreKit.framework/Modules/module.modulemap /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h /Users/varun/Documents/2015Desktop/SwiftAdventures/Ingenium/Ingenium/FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule
D
//------------------------------! // IDE для MiniMono + QtE5 // MGW 18.12.2017 13:05:00 -- 1 version //------------------------------ // dmd mide5 qte5prs asc1251 ini qte5 minimono zdll -release -m32 import asc1251; // Поддержка cp1251 в консоли import std.getopt; // Раазбор аргументов коммандной строки // import qte5; import qte5, core.runtime; import std.stdio; import std.conv; import std.string; import std.file; import ini; // Работа с INI файлами import qte5prs; // Парсер исходного кода import std.process; import std.path; import core.time: Duration; import std.datetime.stopwatch: StopWatch; import minimono, zdll; string nameApp = "MIDE5 - mini ide for M"; string verApp = "ver 1.0.1 "; string timeStm = "[ " ~ __TIMESTAMP__ ~ " ]"; const strGrn = "background: palegreen"; const strRed = "background: coral"; const strElow = "background: #F8FFA1"; const strGreen = "background: #F79F81"; const strEdit = "font-size: 9pt; font-family: 'Anonymous Pro';"; const strTabl = "font-size: 9pt; font-family: 'Anonymous Pro';"; const strEdit2 = "font-family:'Lucida Fax'; font-size: 12pt"; const constMesAhtung = "Внимание! стр: "; const constNameLog = "dmderror.log"; // Имя файла протокола // Типы окон допустимых в MDI Area enum WinType { winTypeEdit, // Обычное окно редактора winTypeConsole, // Окно Консоли winTypeHelp // Окно подсказки } struct nodeListTypeWin { WinType winType; // Тип окна для сохраненного указателя CConsoleWin adrWinCon; // Сам объект Консоль CEditWin adrWinEd; // Сам объект Edit } // __________________________________________________________________ string helps() { return toCON( "Использование ide5: -------------------------------- Запуск: ide5 [-d, -i] ИмяINIфайлаПроекта.ini "); } //============================================ //==== Форма Диалог Read ==== //============================================ // __________________________________________________________________ class CReadDialog: QDialog { QVBoxLayout layVmain; QLineEdit leRead; QLabel lbMes; this(QWidget parent, string title) { super(parent); resize(300, 100); setWindowTitle("READ:"); layVmain = new QVBoxLayout(null); lbMes = new QLabel(this); // lbMes.setText(title); leRead = new QLineEdit(this); leRead.setStyleSheet(strEdit); layVmain.addWidget(lbMes).addWidget(leRead); setLayout(layVmain); } string getStr() { return leRead.text!string(); } void setStr(string str) { lbMes.setText(str); } void clearLe() { leRead.setText(""); } } // __________________________________________________________________ class CLineNumberArea : QWidget { private // QPlainTextEdit teEdit; this(){} this(QPlainTextEdit parent) { //-> Базовый конструктор super(parent); // setStyleSheet(strElow); // teEdit = parent; // setStyleSheet(strElow); } } //============================================ //==== Форма Окно Консоль ==== //============================================ extern (Windows) { // Обработчик вызова с сервера, при выполнении команд M int DevExOutput(HMNMConnect pConnect, MINIM_STR* Value) { ukCMain.runDevExOutput(pConnect, Value); return 0; } // Обработчик запроса на чтение с сервера void DevCallBack(HMNMConnect pConnect, MINIM_STR* Command, MINIM_STR* Answer) { ukCMain.runDevCallBack(pConnect, Command, Answer); } int DevWriteStr(_ZDLLCB* cbfunc, _MINIM_STR* str) { ukCMain.runDevWriteStr(str, cbfunc); return 0; } int DevWriteChar(_ZDLLCB* cbfunc, int ch) { ukCMain.runDevWriteChar(ch); return 0; } int DevWriteNL(_ZDLLCB* cbfunc) { ukCMain.runDevWriteNL(); return 0; } int DevReadStr(ZDLLCB *cbfunc, int len, int timeout, MINIM_STR *result) { return ukCMain.runDevReadStr(cbfunc, result); } } extern (C) { void* onKeyPressEventCon(CConsoleWin* uk, void* ev) { return (*uk).runKeyPressEvent(ev); } } // __________________________________________________________________ class CConsoleWin: QWidget { //=> Окно редактора D кода private QVBoxLayout vblAll; // Общий вертикальный выравниватель QHBoxLayout vblCmd; QCheckBox rbServ, rbEo; QPlainTextEdit pteEdit; QLineEdit leCmd; size_t maxListCmd; string[] listCmd; CFormaMain parentMainWin; // Ссылка на родительскую форму bool appHTML; string bufStr; // ______________________________________________________________ this(){} // ______________________________________________________________ // Конструктор по умолчанию this(QWidget parent, QtE.WindowType fl) { //-> Базовый конструктор super(parent, fl); vblAll = new QVBoxLayout(null); // Главный выравниватель vblCmd = new QHBoxLayout(null); rbServ = new QCheckBox("Сервер", this); rbEo = new QCheckBox("ExOut", this); rbEo.setChecked(true); pteEdit = new QPlainTextEdit(this); pteEdit.setStyleSheet(strEdit2); // pteEdit.setReadOnly(true); leCmd = new QLineEdit(this); leCmd.setStyleSheet(strEdit2); vblCmd.addWidget(rbServ).addWidget(rbEo).addWidget(leCmd); vblAll.addWidget(pteEdit).addLayout(vblCmd); setLayout(vblAll); setWindowTitle("Консоль MiniMono"); { scope QTextOption textOption = new QTextOption(null); textOption.setWrapMode(QTextOption.WrapMode.NoWrap); pteEdit.setWordWrapMode(textOption); } leCmd.setKeyPressEvent( &onKeyPressEventCon, aThis ); } // __________________________ void runStrM(string strM) { //-> Выполнить строку M if(strM == "") return; if(!fReadyM) return; StopWatch sw; sw.reset(); sw.start(); if(rbServ.isChecked()) { // Включен сервер if(parentMainWin.isConnectServer) { // Теперь можно выполнить M последовательность // seramd.mon|5000|user fromStringToExp( &parentMainWin.cmd, strM ); // MNMSetOutput(parentMainWin.ConnectServer, &DevExOutput); int mrez; if(rbEo.isChecked()) mrez = MNMExecuteOutput( parentMainWin.ConnectServer, &parentMainWin.cmd ); else mrez = MNMExecute( parentMainWin.ConnectServer, &parentMainWin.cmd ); } } else { // Включен mono fromStringToExp( &parentMainWin.cmd, strM ); parentMainWin.vm.cbfunc.Execute( &parentMainWin.cmd ); } sw.stop(); Duration t1 = sw.peek(); // parentMainWin.showInfo("Execute M time: " ~ to!string((t1.total!"usecs")) ~ " микросекунд"); parentMainWin.showInfo("Execute M time: " ~ t1.toString()); } // ______________________________________________________________ void* runKeyPressEvent(void* ev) { //-> Обработка события отпускания кнопки sQKeyEvent qe = sQKeyEvent(ev); if(qe.key == QtE.Key.Key_Escape) { // ESC qe.ignore(); } if(qe.key == QtE.Key.Key_Up) { if(listCmd.length > 0) { leCmd.setText(listCmd[maxListCmd]); if(maxListCmd > 0) maxListCmd--; } } if(qe.key == QtE.Key.Key_Down) { if(listCmd.length > 0) { leCmd.setText(listCmd[maxListCmd]); if(maxListCmd < (listCmd.length - 1)) maxListCmd++; } } // Выполнить команду M if(qe.key == QtE.Key.Key_Return) { string strCmd = strip(leCmd.text!string); if(strCmd == "") return ev; runStrM(strCmd); // writeln("M: ", strCmd); listCmd ~= strCmd; maxListCmd = listCmd.length - 1; leCmd.clear(); } return ev; // Вернуть событие в C++ Qt для дальнейшей обработки } } //============================================ //==== Форма Окно редактора ==== //============================================ extern (C) { void* onKeyReleaseEvent(CEditWin* uk, void* ev) { return (*uk).runKeyReleaseEvent(ev); } void* onKeyPressEvent(CEditWin* uk, void* ev) { return (*uk).runKeyPressEvent(ev); } void onResEventEdit(CEditWin* uk, void* ev) { (*uk).ResEventEdit(ev); }; void onPaintCEditWin(CEditWin* uk, void* ev, void* qpaint) { (*uk).runPaint(ev, qpaint); }; void onPaintCEditWinTeEdit(CEditWin* uk, void* ev, void* qpaint) { (*uk).runPaintTeEdit(ev, qpaint); }; void onMouseKeyPressEvent(CEditWin* uk, void* ev) { (*uk).runMouseKeyPressEvent(ev); }; void onMouseQWheelEvent(CEditWin* uk, void* ev) { (*uk).runMouseQWheelEvent(ev); }; void onNumStr(CEditWin* uk, int n) { (*uk).runNumStr(); }; // Это спин } // __________________________________________________________________ class CEditWin: QWidget { //=> Окно редактора D кода private const sizeTabHelp = 30; enum Sost { //-> Состояние редактора Normal, // Нормальное состояние Cmd, // Командный режим Change // Режим работы с таблицей подсказок } Sost editSost = Sost.Normal; // Состояние редактора // Текущее слово поиска для finder1. // Алгоритм поиска: // Если в слове нет точки, то ffWord=слово, ffMetod="" // Если в слове есть точка, то ffWord=слово_без_метода, ffMetod=метод string ffWord, ffMetod; QVBoxLayout vblAll; // Общий вертикальный выравниватель QHBoxLayout hb2; // Горизонтальный выравниватель QHBoxLayout layRouEdit; // Имя Роутины QLineEdit leNameRou, leNameTom; // Имя Роутины т Тома(Space) QLabel lb1, lb2; // Имя Роутины QCheckBox rbServ; QPlainTextEdit teEdit; // Окно Редактора QTableWidget teHelp; // Таблица подсказок QStatusBar sbSoob; // Строка статуса HighlighterM highlighter; // Подсветка синтаксиса CLineNumberArea lineNumberArea; // Область нумерации строк QAction acNumStr; // Событие для перехода на строку QRect RectContens; // Промежуточные вычисления для гум строк QPainter qp; QTextBlock tb1; QTextCursor txtCursor; string strNomerStr; QFont fontPainter; bool fYasPaint; int pozInTable; // Позиция в таблице CFormaMain parentMainWin; // Ссылка на родительскую форму QTableWidgetItem[sizeTabHelp] mTi; // Массив на sizeTabHelp ячеек подсказок static enum mPointMax = 10; int[mPointMax] mPoint; // Массив точек для запом позиции в Редакторе int sizeFontEditor; string nameEditFile; // Имя файла редактируемого в данный момент QSpinBox spNumStr; // Спин для перехода на строку QWidget wdFind; // Виджет строки поиска поиска QHBoxLayout laFind; // Выравниватель QLineEdit leFind; // Строка поиска QCheckBox cbReg; // T - регулярное выражение QCheckBox cbCase; // T - рег зависимый поиск bool trigerNumStr; // Странно, но 2 раза вызывается ... отсечем 2 раз string strBeforeEnter; // Строка перед нажатием на Enter string strCompileError; // ______________________________________________________________ this(){} // ______________________________________________________________ // Конструктор по умолчанию this(QWidget parent, QtE.WindowType fl) { //-> Базовый конструктор super(parent, fl); // Горизонтальный и вертикальный выравниватели vblAll = new QVBoxLayout(null); // Главный выравниватель hb2 = new QHBoxLayout(null); // Горизонтальный выравниватель layRouEdit = new QHBoxLayout(null); // Горизонтальный для Роутины // Настройка редактора teEdit = new QPlainTextEdit(this); // teEdit.setStyleSheet(strElow); teEdit.setTabStopWidth(24).setStyleSheet(strEdit); { scope QTextOption textOption = new QTextOption(null); textOption.setWrapMode(QTextOption.WrapMode.NoWrap); teEdit.setWordWrapMode(textOption); } // Таблица подсказок teHelp = new QTableWidget(this); teHelp.setColumnCount(1).setRowCount(sizeTabHelp); teHelp.setMaximumWidth(230).setStyleSheet(strTabl); teHelp.setColumnWidth(0, 200); teHelp.hide(); // Строка сообщений sbSoob = new QStatusBar(this); // sbSoob.setStyleSheet(strGreen); // sbSoob.setMaximumHeight(32); leNameRou = new QLineEdit(this); leNameTom = new QLineEdit(this); lb1 = new QLabel(this); lb1.setText("Имя Роутины:"); lb2 = new QLabel(this); lb2.setText("Том:"); rbServ = new QCheckBox("Сервер", this); layRouEdit.addWidget(rbServ).addWidget(lb2).addWidget(leNameTom).addWidget(lb1).addWidget(leNameRou); // Горизонтальный выравниватель наполняю hb2 .addWidget(teHelp) .addWidget(teEdit) ; // Вертикальный выравниватель наполняю vblAll.addLayout(layRouEdit).addLayout(hb2).addWidget(sbSoob); // Сформировано окно редактора setLayout(vblAll); // Обработка клавиш в редакторе teEdit.setKeyReleaseEvent( &onKeyReleaseEvent, aThis ); teEdit.setKeyPressEvent( &onKeyPressEvent, aThis ); // Делаю массив для таблицы for(int i; i != sizeTabHelp; i++) { mTi[i] = new QTableWidgetItem(0); mTi[i].setText(""); teHelp.setItem(i, 0, mTi[i]); } // Подсветка синтаксиса highlighter = new HighlighterM(teEdit.document()); highlighter.setNoDelete(true); // Область нумерации строк lineNumberArea = new CLineNumberArea(teEdit); lineNumberArea.saveThis(&lineNumberArea); // Для Painter RectContens = new QRect(); tb1 = new QTextBlock(); txtCursor = new QTextCursor(null); // Явно ошибка, но непонятно в чем fontPainter = new QFont(); setResizeEvent(&onResEventEdit, aThis); lineNumberArea.setMousePressEvent(&onMouseKeyPressEvent, aThis); lineNumberArea.setMouseWheelEvent(&onMouseQWheelEvent, aThis); teEdit.setViewportMargins(70, 0, 0, 0); teEdit.setPaintEvent(&onPaintCEditWinTeEdit, aThis()); lineNumberArea.setPaintEvent(&onPaintCEditWin, aThis()); // Готовлю сттруктуру и виджет для поиска wdFind = new QWidget(this); wdFind.hide(); wdFind.setMinimumWidth(100); laFind = new QHBoxLayout(wdFind); leFind = new QLineEdit(this); // leFind.setAlignment(QtE.AlignmentFlag.AlignCenter); cbReg = new QCheckBox("R", this); cbReg.setToolTip("Регулярное выражение"); cbCase = new QCheckBox("C", this); cbCase.setToolTip("РегистроЗависимость"); laFind.addWidget(leFind).addWidget(cbReg).addWidget(cbCase); wdFind.setLayout(laFind); sbSoob.addPermanentWidget(wdFind); // Делаю спин spNumStr = new QSpinBox(this); spNumStr.hide(); spNumStr.setStyleSheet(strGreen); spNumStr.setPrefix("Goto №: "); sbSoob.addPermanentWidget(spNumStr); acNumStr = new QAction(this, &onNumStr, aThis); connects(spNumStr, "editingFinished()", acNumStr, "Slot_v__A_N_v()"); } // ______________________________________________________________ // Выдать строку на которой стоит визуальный курсор string getStrUnderCursor() { //-> Выдать строку под курсором scope QTextCursor txtCursor = new QTextCursor(null); teEdit.textCursor(txtCursor); // Выдернули курсор из QPlainText sQTextBlock tb = sQTextBlock(txtCursor); return tb.text!string(); // Строка под курсором } // ______________________________________________________________ void runNumStr() { //-> Обработка события перехода на строку spNumStr.hide(); if(trigerNumStr) { trigerNumStr = false; return; } int num = spNumStr.value(); teEdit.setCursorPosition(num - 1, 0); teEdit.setFocus(); trigerNumStr = true; } // ______________________________________________________________ void runSliderTab(int nom) { //-> Изменение размера шрифта в экране string zn; int sizeFont; if(sizeFontEditor != 0) { sizeFontEditor = sizeFontEditor + nom; if(sizeFontEditor < 3) sizeFontEditor = 3; if(sizeFontEditor > 20) sizeFontEditor = 20; zn = "font-size: " ~ to!string(sizeFontEditor) ~ "pt; "; teEdit.setStyleSheet(zn); teHelp.setStyleSheet(zn); return; } // А если рано 0 Возьмем строку раскраски для редактора и извлечем размер auto m1 = split(strEdit, ';'); auto m2 = split(m1[0], ':'); if(m2[0] == "font-size") { sizeFontEditor = to!int(strip(m2[1][0 .. $-2])); } } // ______________________________________________________________ // Вычислить номер строки для перехода по сохраненной точке // 0 - нет перехода // pure nothrow int lineGoTo(int tek, bool va) { int rez, i, ml = mPoint.length; if(ml == 0) return 0; if(ml == 1) return mPoint[0]; if( (!va) && (tek > mPoint[$-1]) ) { rez = mPoint[$-1]; goto mm; } while((i + 1) < ml) { if( (mPoint[i] <= tek) && (tek <= mPoint[i+1]) ) { rez = va ? mPoint[i+1] : mPoint[i]; if((rez == tek) && va) { i++; continue; } break; } else i++; } mm: if(rez == tek) rez = 0; return rez; } // ______________________________________________________________ void* runMouseQWheelEvent(void* ev) { //-> Обработка колнсика мыша QWheelEvent wev = new QWheelEvent('+', ev); QPoint pp = wev.angleDelta(); if(pp.y < 0) runSliderTab(-1); else runSliderTab(1); return ev; } // ______________________________________________________________ void* runMouseKeyPressEvent(void* ev) { //-> Обработка колнсика мыша if(teHelp.isHidden) teHelp.show(); else teHelp.hide(); return ev; } // ______________________________________________________________ void insNewString(string s) { teEdit.textCursor(txtCursor); // Выдернули курсор из QPlainText txtCursor.beginEditBlock(); txtCursor.movePosition(QTextCursor.MoveOperation.StartOfBlock); txtCursor.insertText(s); txtCursor.movePosition(QTextCursor.MoveOperation.EndOfBlock); txtCursor.endEditBlock(); teEdit.setTextCursor(txtCursor); } // ______________________________________________________________ void insParaSkobki(string s) { txtCursor.insertText(s).movePosition(QTextCursor.MoveOperation.PreviousCharacter); teEdit.setTextCursor(txtCursor); } // ______________________________________________________________ void* runKeyReleaseEvent(void* ev) { //-> Обработка события отпускания кнопки sQKeyEvent qe = sQKeyEvent(ev); if(editSost == Sost.Normal) { // Переход в левую таблицу подсказки if(qe.key == QtE.Key.Key_Escape) { // ESC editSost = Sost.Change; teHelp.setCurrentCell(pozInTable, 0); qe.ignore(); } // Этот NL обеспечивает выравнивание блоков, отступ // как на предыдущей строке if(qe.key == QtE.Key.Key_Return) { // Надо найти последовательность до первого видимого символа insNewString(getOtstup(strBeforeEnter)); } // Ctrl+Spase вставка верхнего слова с таблицы if( (qe.key == QtE.Key.Key_Space) & (qe.modifiers == QtE.KeyboardModifier.ControlModifier) ) { insWordFromTableByNomer(0, txtCursor); return null; } // Выделяю слово, по которому будет работать парсер sQTextBlock tb = sQTextBlock(txtCursor); string strFromBlock = tb.text!string(); int poz = txtCursor.positionInBlock(); ffWord = getWordLeft(strFromBlock, poz); ffMetod = ""; // Строка под курсором //sbSoob.showMessage("ffWord = " ~ ffWord ~ " = [" ~ strFromBlock ~ "] = " ~ to!string(poz)); // А может в слове есть символ "." и это метод? auto pozPoint = lastIndexOf(ffWord, '.'); if(pozPoint > -1) { // Есть '.' ffMetod = ffWord[pozPoint +1 .. $]; ffWord = ffWord[0 .. pozPoint]; // sbSoob.showMessage("ffWord = " ~ ffWord ~ " - [" ~ ffMetod ~ "]"); // Если в слове после точки стоит '-' то это нечеткий поиск if(ffMetod.length > 2) { if(ffMetod[0] == '-') { if(!teHelp.isHidden) { // Попробовать взять с списка методов // sbSoob.showMessage("ffMetod[1 .. $] = " ~ ffMetod[1 .. $] ~ " - [" ~ ffMetod ~ "]"); setTablHelp(parentMainWin.finder1.getSubFromAll(ffMetod[1 .. $])); } } else { if(!teHelp.isHidden) { setTablHelp(parentMainWin.finder1.getEqMet1(ffMetod[0 .. $] )); } } } } else { // Нет '.' // Если таблица подсказки открыта, то искать слово if(!teHelp.isHidden) setTablHelp(parentMainWin.finder1.getEq(ffWord)); // Добавим в поисковик текущую строку, если введен пробел if((qe.key == QtE.Key.Key_Space) || (qe.key == QtE.Key.Key_Return)) parentMainWin.finder1.addLine(strFromBlock); //sbSoob.showMessage("qe.key == " ~ to!string(qe.key)); } } else { if(editSost == Sost.Change) { if(qe.key == QtE.Key.Key_Escape) { // ESC editSost = Sost.Normal; teHelp.setCurrentCell(100, 0); pozInTable = 0; } if(qe.key == QtE.Key.Key_Down) { // Стрелка вниз if(pozInTable < sizeTabHelp-1) { string str = mTi[pozInTable+1].text!string(); sbSoob.showMessage(parentMainWin.finder1.getRawMet(str)); if( str != "" ) teHelp.setCurrentCell(++pozInTable, 0); } } if(qe.key == QtE.Key.Key_Up) { // Стрелка вверх if(pozInTable > 0) { teHelp.setCurrentCell(--pozInTable, 0); string str = mTi[pozInTable].text!string(); sbSoob.showMessage(parentMainWin.finder1.getRawMet(str)); } } // Space - вернуть выбранное слово из таблицы и уйти в редактор if( (qe.key == QtE.Key.Key_Space) & (qe.modifiers == QtE.KeyboardModifier.NoModifier) ) { insWordFromTableByNomer(pozInTable, txtCursor); } qe.ignore(); } } return ev; // Вернуть событие в C++ Qt для дальнейшей обработки } // ______________________________________________________________ void* runKeyPressEvent(void* ev) { //-> Обработка события нажатия кнопки sQKeyEvent qe = sQKeyEvent(ev); if( editSost == Sost.Normal) { // Ctrl+Del удаление текущей строки if( (qe.key == QtE.Key.Key_Delete) & (qe.modifiers == QtE.KeyboardModifier.ControlModifier) ) { teEdit.textCursor(txtCursor); // Выдернули курсор из QPlainText txtCursor.beginEditBlock(); txtCursor.select(QTextCursor.SelectionType.BlockUnderCursor).removeSelectedText(); // txtCursor.movePosition(QTextCursor.MoveOperation.StartOfBlock); // txtCursor.movePosition(QTextCursor.MoveOperation.NextBlock); txtCursor.endEditBlock(); teEdit.setTextCursor(txtCursor); return null; } switch(qe.key) { case '"': insParaSkobki("\""); break; case '(': insParaSkobki(")"); break; case '[': insParaSkobki("]"); break; case '{': insParaSkobki("}"); break; case QtE.Key.Key_Return: sQTextBlock tb = sQTextBlock(txtCursor); strBeforeEnter = tb.text!string(); break; case QtE.Key.Key_L: if(qe.modifiers == QtE.KeyboardModifier.ControlModifier) { editSost = Sost.Cmd; } break; default: break; } } else { if( editSost == Sost.Change) { qe.ignore(); return null; } else { if( editSost == Sost.Cmd) { if(qe.modifiers == QtE.KeyboardModifier.ControlModifier) { switch(qe.key) { case QtE.Key.Key_L: break; default: break; } } else { // Срабатывает на нажатие символа после Ctrl+L switch(qe.key) { // Вставить комментарий case QtE.Key.Key_Slash: /* teEdit.textCursor(txtCursor); // Выдернули курсор из QPlainText txtCursor.beginEditBlock(); txtCursor.movePosition(QTextCursor.MoveOperation.StartOfBlock); txtCursor.insertText("// "); txtCursor.movePosition(QTextCursor.MoveOperation.StartOfBlock); txtCursor.movePosition(QTextCursor.MoveOperation.NextBlock); txtCursor.endEditBlock(); teEdit.setTextCursor(txtCursor); */ break; // Удаоить строку case QtE.Key.Key_D: /* teEdit.textCursor(txtCursor); // Выдернули курсор из QPlainText txtCursor.beginEditBlock(); txtCursor.select(QTextCursor.SelectionType.BlockUnderCursor).removeSelectedText(); txtCursor.movePosition(QTextCursor.MoveOperation.StartOfBlock); txtCursor.movePosition(QTextCursor.MoveOperation.NextBlock); txtCursor.endEditBlock(); teEdit.setTextCursor(txtCursor); */ break; // Запомнить номер строки для перехода case QtE.Key.Key_T: { auto z = 1 + getNomerLineUnderCursor(); // Проверить, есть ли такой ... если есть убрать bool isTakoy; for(int i; i != mPointMax; i++) { if(mPoint[i] == z) { mPoint[i] = 0; isTakoy = true; } } if(!isTakoy) { // Значит такой надо вставить if(mPoint[0] == 0) { mPoint[0] = z; } } import std.algorithm; mPoint[0..$].sort!(); // (cast(int[])mas).sort!(); } break; default: break; } editSost = Sost.Normal; } return null; } } } return ev; // Вернуть событие в C++ Qt для дальнейшей обработки } // ______________________________________________________________ void openWinEdit(string nameFile) { //-> Открыть на редактирование окно с файлом File fhFile; try { fhFile = File(nameFile, "r"); } catch(Throwable) { msgbox("Не могу открыть: " ~ nameFile, "Внимание! стр: " ~ to!string(__LINE__), QMessageBox.Icon.Critical); return; } try { int ks; foreach(line; fhFile.byLine()) { // Проверка на BOM if(ks++ == 0) if(line.length>2 && line[0]==239 && line[1]==187 && line[2]==191) line = line[3 .. $].dup; string str = to!string(line); // Для Linux надо обрезать символы CR в файлах из Windows version (linux) { if( (str.length > 0) && (str[$-1] == 13) ) str = str[0 .. $-1]; } // Вот тут надо вставить функцию обнаружения импорта // findImport(str); teEdit.appendPlainText(str); parentMainWin.finder1.addLine(str); } sbSoob.showMessage("Загружено: " ~ nameFile, 2000); setNameEditFile(nameFile); } catch(Throwable) { msgbox("Не могу читать: " ~ nameFile, "Внимание! стр: " ~ to!string(__LINE__), QMessageBox.Icon.Critical); } } // ______________________________________________________________ // Обработка изменения размеров редактора. Область нумерации перерисовывается // при изменениии размеров редактора void ResEventEdit(void* ev) { teEdit.contentsRect(RectContens); lineNumberArea.setGeometry(1, 1, 69, RectContens.height() -1 ); } // ______________________________________________________________ // Функция обнаружения импорта void findImport(string str) { long pozImport; string rawStr; pozImport = indexOf(str, "import"); if(pozImport >= 0) { // Искать фразу import rawStr = str.replace("import", ""); rawStr = rawStr.replace(" ", ""); // Нужно выделить список файлов; // На этой строке есть ';' if(indexOf(rawStr, ";") > 0) { // На этой строке есть ';' rawStr = rawStr.replace(";", ""); // auto mas = parentMainWin.getPathSrcDmd(); // writeln("--0--"); // writeln(split(rawStr, ",")); // writeln(parentMainWin.getPathSrcDmd()); // for(int j; j !=5; j++) writeln(parentMainWin.PathForSrcDmd[j]); // writeln(parentMainWin.PathForSrcDmd); //parentMainWin.finder1.addImpPrs(split(rawStr, ","), parentMainWin.PathForSrcDmd); } } } // ______________________________________________________________ void runPaintTeEdit(void* ev, void* qpaint) { //-> // При использовании Paint на QPlainTextEdit пользоваться самим Paint нельзя ... lineNumberArea.update(); } // ______________________________________________________________ // Выдать номер строки на которой стоит визуальный курсор int getNomerLineUnderCursor() { //-> Выдать номер строки с визуальным курсором teEdit.textCursor(txtCursor); // Выдернули курсор из QPlainText return txtCursor.blockNumber; } // ______________________________________________________________ // Перерисовать себя void runPaint(void* ev, void* qpaint) { //-> Перерисовка области if(fYasPaint) { return; } fYasPaint = true; qp = new QPainter('+', qpaint); qp.font(fontPainter); scope QFontMetrics fontMetrics = new QFontMetrics(fontPainter); // Получим список строк с точкам запоминания // ?????? Каждый раз что то вычислять int[] pointSave; foreach(el; mPoint) { if(el > 0) pointSave ~= el; } int blockNumber; // Номер строки (блока) int lineUnderCursor = getNomerLineUnderCursor(); // Вычислим высоту видимой области редактора teEdit.contentsRect(RectContens); int hightTeEdit = RectContens.height(); teEdit.firstVisibleBlock(tb1); // Забрали текстовый блок из ред. int bottomTb; bool fIsPoint; int ts; while( tb1.isValid && tb1.isVisible ) { blockNumber = tb1.blockNumber(); bottomTb = teEdit.bottomTextBlock(tb1); ts = blockNumber + 1; fIsPoint = false; foreach(el; pointSave) { if(el == ts) { fIsPoint = true; break; } } if(fIsPoint) { strNomerStr = format("%5d =>", ts); } else { strNomerStr = format("%5d ", ts); } // Подсветка if(blockNumber == lineUnderCursor) { fontPainter.setOverline(true).setUnderline(true); qp.setFont(fontPainter); qp.setText(0, bottomTb - fontMetrics.descent(), strNomerStr); fontPainter.setOverline(false).setUnderline(false); qp.setFont(fontPainter); } else { qp.setText(0, bottomTb - fontMetrics.descent(), strNomerStr); } tb1.next(tb1); // Если видимая высота блока больше, чем высота окна редактора, то закончить if(hightTeEdit < bottomTb) break; } qp.end(); fYasPaint = false; } // ____________________________________________________________________ string getNameEditFile() { //-> Выдать имя редактируемого в данный момент файла return nameEditFile; } void setNameEditFile(string NameEditFile) { //-> Установить имя редактируемого в данный момент файла nameEditFile = NameEditFile; setWindowTitle(nameEditFile); } // ______________________________________________________________ void runCtrlS() { //-> Сохранить файл на диске File fhFile; try { fhFile = File(nameEditFile, "w"); } catch(Throwable) { msgbox("Не могу создать: " ~ nameEditFile, constMesAhtung ~ to!string(__LINE__), QMessageBox.Icon.Critical); } try { fhFile.write(teEdit.toPlainText!string()); sbSoob.showMessage("Сохранено: " ~ nameEditFile, 2000); } catch(Throwable) { msgbox("Не могу записать: " ~ nameEditFile, constMesAhtung ~ to!string(__LINE__), QMessageBox.Icon.Critical); } } // ______________________________________________________________ void insWordFromTableByNomer(int poz, QTextCursor txtCursor) { //-> Вставить слово из таблицы по номеру в редактируемый текст static import std.utf; // Выключить подсветку таблицы teHelp.setCurrentCell(100, 0); editSost = Sost.Normal; // Слово из таблицы string shabl = mTi[poz].text!string(); pozInTable = 0; // Замена слова для поиска, словом из таблицы txtCursor.beginEditBlock(); if(ffMetod == "") { for(int i; i != std.utf.count(ffWord); i++) { txtCursor.movePosition(QTextCursor.MoveOperation.PreviousCharacter, QTextCursor.MoveMode.KeepAnchor); txtCursor.removeSelectedText(); } } else { for(int i; i != std.utf.count(ffMetod); i++) { txtCursor.movePosition(QTextCursor.MoveOperation.PreviousCharacter, QTextCursor.MoveMode.KeepAnchor); txtCursor.removeSelectedText(); } } txtCursor.insertText(shabl); teEdit.setTextCursor(txtCursor); // вставили курсор опять в QPlainText txtCursor.endEditBlock(); } // ______________________________________________________________ string getWordLeft(string str, int poz) { //-> Выдать строку от курсора до начала слова string rez; char[] rezch; if(poz == 0) return rez; if(poz > str.length) return rez; char[] line = fromUtf8to1251(cast(char[])str); int i; for(i = poz-1; i > -1; i--) { if( (line[i] == ' ') || (line[i] == '\t') || (line[i] == '(')) break; } if(i == -1) { rezch = line[0 .. poz]; } else { rezch = line[i+1 .. poz]; } rez = cast(string)from1251toUtf8(rezch); return rez; } // ____________________________________________________________________ // Заполним таблицу подсказок void setTablHelp(string[] mStr) { //-> Заполнить таблицу подсказок mStr.length = sizeTabHelp; for(int i; i != sizeTabHelp; i++) mTi[i].setText(mStr[i]); } } // ================================================================= // CFormaMain - Главная Форма для работы // ================================================================= extern (C) { void on_knOpenMS(CFormaMain* uk) { (*uk).openDbMinmSrv(); } void on_knOpenM(CFormaMain* uk) { (*uk).openDbMinimono(); } void on_knCloseM(CFormaMain* uk) { (*uk).closeDbMinimono();} void on_knCloseMS(CFormaMain* uk) { (*uk).closeDbMinmSrv(); } void on_knOpen(CFormaMain* uk) { (*uk).runknOpenFile(); } void on_knNew(CFormaMain* uk) { (*uk).runknNew(); } void on_knSave(CFormaMain* uk) { (*uk).SaveFile(); } void on_knSwap(CFormaMain* uk) { (*uk).runknSwap(); } void on_Exit(CFormaMain* uk) { (*uk).runExit(); } void on_helpIde(CFormaMain* uk) { (*uk).runHelpIde(); } void on_about(CFormaMain* uk) { (*uk).about(1); } void on_aboutQt(CFormaMain* uk) { (*uk).about(2); } void onPointN3(CFormaMain* uk, int n) { (*uk).runPointN3(n); } void onGotoNum(CFormaMain* uk) { (*uk).runGotoNum(); } void onFind(CFormaMain* uk) { (*uk).runFind(); } void onFindA(CFormaMain* uk) { (*uk).runFindA(); } void on_DynAct(CFormaMain* uk, int n) { (*uk).runDynAct(n); } void onLoadRou(CFormaMain* uk, int n) { (*uk).runKnAV(n); } void onCreateCon(CFormaMain* uk) { (*uk).runCreateCon(); } void onSaveRou(CFormaMain* uk) { (*uk).runSaveRou(); } } // __________________________________________________________________ class CFormaMain: QMainWindow { //=> Основной MAIN класс приложения public MINIMONOVM vm; public MINIM_STR cmd, rez, strM; string dbMiniMono; const nameCompile = "dmd.exe"; // Имя компилятора string[] listFilesForParser; // Массив с файлами для парсинга 0 .. 9 string[] listFileModul; // Список с файлами модулями 0 .. 9 string[] listPathSourceModul; // Список с путями для 'import xxx' string[] listFileLib; // Список библиотек для компиляции string nameFileShablons; // Имя файла шаблонов string nameMainFile; // Имя main файла string[5] PathForSrcDmd; // Массив путей до Win32, Win64, Linux32, Linux64, MacOSX64 QMdiArea mainWid; // Область дочерних mdi виджетов // CEditWin[] lcd; // Массив редакторов // void*[] lcdp; // Массив Того, что возвращает QMdiArea.activeWindow // CConsoleWin[] lcdcon; // Массив консолей // Обработчики действий QAction acNewFile, acSwapView, acExit, acOpen, acSave, acOnOffHelp, acPoint, acPointA, acHelpIde, acGotoNum, acCompile, acFind, acFindA, acLoadRou, acSaveRou, acAbout, acAboutQt, acOpenM, acOpenMS, acCloseM, acCloseMS; QToolBar tb; // Строка кнопок, часть обработчиков из меню QStatusBar stBar; // Строка сообщений bool fSwap; // Переключатель отображения окон QMenu menu1, menu2, menu3, menu4, menu5; // Меню QAction[] menuActDyn; QMenu[] menuDyn; // Динамическое меню QMenuBar mb1; // Строка меню сверху QCheckBox cbDebug, cb3264; QLineEdit leArgApp, leArgSer; QLabel llArgApp, llArgSer; // string[] swCompile = [ "qte5", "asc1251" ]; CFinder finder1; // Поисковик string[] sShabl; // Массив шаблонов. Первые 2 цифры - индекс CReadDialog dlg; nodeListTypeWin*[string] listWinMdi; // Сервер HMNMConnect ConnectServer; bool isConnectServer; // ______________________________________________________________ this(QWidget parent) { //-> Базовый конструктор super(parent); resize(900, 700); setWindowTitle(nameApp ~ " " ~ verApp ~ " " ~ timeStm); // Область создать mainWid = new QMdiArea(this); mainWid.setViewMode(QMdiArea.ViewMode.TabbedView); mainWid.setTabsClosable(true); mainWid.setTabsMovable(true); setCentralWidget(mainWid); // Актионы создать acAbout = new QAction(this, &on_about, aThis, 1); // 1 - парам в обработчик acAboutQt = new QAction(this, &on_aboutQt, aThis, 2); // 2 - парам в обработчик // Обработчик для About и AboutQt acAbout.setText("About"); acAbout.setIcon("ICONS/about_icon.png"); connects(acAbout, "triggered()", acAbout, "Slot()"); acAboutQt.setText("AboutQt"); acAboutQt.setIcon("ICONS/qt_icon.png"); connects(acAboutQt, "triggered()", acAboutQt, "Slot()"); acNewFile = new QAction(this, &on_knNew, aThis); acNewFile.setText("New").setHotKey(QtE.Key.Key_N | QtE.Key.Key_ControlModifier); acNewFile.setIcon("ICONS/DocAdd.ico").setToolTip("Новый файл ..."); connects(acNewFile, "triggered()", acNewFile, "Slot()"); acOpenM = new QAction(this, &on_knOpenM, aThis); acOpenM.setText("Open M"); acOpenM.setIcon("ICONS/mark.ico").setToolTip("Подключить MiniMono ..."); connects(acOpenM, "triggered()", acOpenM, "Slot()"); acOpenMS= new QAction(this, &on_knOpenMS, aThis); acOpenMS.setText("Open MS"); acOpenMS.setIcon("ICONS/mark.ico").setToolTip("Подключить MiniM сервер ..."); connects(acOpenMS, "triggered()", acOpenMS, "Slot()"); acCloseM = new QAction(this, &on_knCloseM, aThis); acCloseM.setText("Close M"); acCloseM.setIcon("ICONS/unmark.ico").setToolTip("Закрыть и отключить MiniMono ..."); connects(acCloseM, "triggered()", acCloseM, "Slot()"); acCloseMS = new QAction(this, &on_knCloseMS, aThis); acCloseMS.setText("Close MS"); acCloseMS.setIcon("ICONS/unmark.ico").setToolTip("Закрыть и отключить MiniMono ..."); connects(acCloseMS, "triggered()", acCloseMS, "Slot()"); acOpen = new QAction(this, &on_knOpen, aThis); acOpen.setText("Open").setHotKey(QtE.Key.Key_O | QtE.Key.Key_ControlModifier); acOpen.setIcon("ICONS/document_into.ico").setToolTip("Загрузить файл с диска ..."); connects(acOpen, "triggered()", acOpen, "Slot()"); acSwapView = new QAction(this, &on_knSwap, aThis); acSwapView.setText("Swap").setHotKey(QtE.Key.Key_M | QtE.Key.Key_ControlModifier); acSwapView.setToolTip("Переключить интерфейс отображения Вкладок/Окон ..."); connects(acSwapView, "triggered()", acSwapView, "Slot()"); acExit = new QAction(this, &on_Exit, aThis); acExit.setText("Exit").setHotKey(QtE.Key.Key_Q | QtE.Key.Key_ControlModifier); acExit.setIcon("ICONS/exit_icon.png").setToolTip("Выйти из ide5"); connects(acExit, "triggered()", acExit, "Slot()"); acSave = new QAction(this, &on_knSave, aThis); acSave.setText("Save").setHotKey(QtE.Key.Key_S | QtE.Key.Key_ControlModifier); acSave.setIcon("ICONS/save.ico").setToolTip("Сохранить на диск ..."); connects(acSave, "triggered()", acSave, "Slot()"); acHelpIde = new QAction(this, &on_helpIde, aThis); acHelpIde.setText("Help IDE"); connects(acHelpIde, "triggered()", acHelpIde, "Slot()"); acGotoNum = new QAction(this, &onGotoNum, aThis); acGotoNum.setText("На строку №").setHotKey(QtE.Key.Key_G | QtE.Key.Key_ControlModifier); acGotoNum.setIcon("ICONS/nsi.ico").setToolTip("Компилировать и выполнить проект ..."); connects(acGotoNum, "triggered()", acGotoNum, "Slot()"); // ---------------------------------------------------------------- acFind = new QAction(this, &onFind, aThis); acFind.setText("Поиск V").setHotKey( QtE.Key.Key_F | QtE.KeyboardModifier.ControlModifier); // acFind.setIcon("ICONS/nsi.ico").setToolTip("Компилировать и выполнить проект ..."); connects(acFind, "triggered()", acFind, "Slot()"); acFindA = new QAction(this, &onFindA, aThis); acFindA.setText("Поиск A").setHotKey( QtE.Key.Key_F | QtE.KeyboardModifier.ControlModifier | QtE.KeyboardModifier.ShiftModifier); // acFind.setIcon("ICONS/nsi.ico").setToolTip("Компилировать и выполнить проект ..."); connects(acFindA, "triggered()", acFindA, "Slot()"); acCompile = new QAction(this, &onCreateCon, aThis); acCompile.setText("Console").setHotKey(QtE.Key.Key_B | QtE.Key.Key_ControlModifier); acCompile.setIcon("ICONS/krsb.ico").setToolTip("Изготовить консоль ..."); acCompile.setToolTip("Изготовить консоль ..."); connects(acCompile, "triggered()", acCompile, "Slot()"); acLoadRou = new QAction(this, &onLoadRou, aThis, 1); acLoadRou.setText("Load Rou").setHotKey(QtE.Key.Key_I | QtE.Key.Key_ControlModifier); acLoadRou.setIcon("ICONS/ArrowUpGreen.ico").setToolTip("^I - Загрузить роутину ..."); connects(acLoadRou, "triggered()", acLoadRou, "Slot_AN()"); acSaveRou = new QAction(this, &onLoadRou, aThis, 2); acSaveRou.setText("Save Rou").setHotKey(QtE.Key.Key_R | QtE.Key.Key_ControlModifier); acSaveRou.setIcon("ICONS/ArrowDownGreen.ico").setToolTip("^R - Сохранить и компилировать Routine"); connects(acSaveRou, "triggered()", acSaveRou, "Slot_AN()"); acPoint = new QAction(this, &onPointN3, aThis, 2); acPoint.setToolTip("Перейти на позицию вниз ..."); acPoint.setText("Закладка V").setHotKey( QtE.Key.Key_T | QtE.KeyboardModifier.ControlModifier); connects(acPoint, "triggered()", acPoint, "Slot_AN()"); acPointA = new QAction(this, &onPointN3, aThis, 1); acPointA.setToolTip("Перейти на позицию вверх ..."); acPointA.setText("Закладка A").setHotKey( QtE.Key.Key_T | QtE.KeyboardModifier.ControlModifier | QtE.KeyboardModifier.ShiftModifier); connects(acPointA, "triggered()", acPointA, "Slot_AN()"); acOnOffHelp = new QAction(this, &onPointN3, aThis, 3); acOnOffHelp.setText("On/Off Таблица").setHotKey(QtE.Key.Key_H | QtE.Key.Key_ControlModifier); connects(acOnOffHelp, "triggered()", acOnOffHelp, "Slot_AN()"); // ---------------------------------------------------------------- // CheckBox for debug compile options cbDebug = new QCheckBox(this); cbDebug.setText("debug"); cbDebug.setToolTip("-debug --> in parametrs of compile"); // CheckBox for 32 / 64 режима компиляции cb3264 = new QCheckBox(this); cb3264.setText("m64"); cb3264.setToolTip("-m64 --> in parametrs of compile"); leArgApp = new QLineEdit(this); leArgSer = new QLineEdit(this); llArgApp = new QLabel(this); llArgApp.setText(" MiniMono: "); llArgSer = new QLabel(this); llArgSer.setText(" MiniServ: "); // Создать таббы и меню tb = new QToolBar(this); addToolBar(QToolBar.ToolBarArea.TopToolBarArea, tb); tb .addAction(acExit) .addSeparator() .addAction(acOpen) .addAction(acSave) .addSeparator() .addAction( acCompile ) .addAction( acLoadRou ) .addAction( acSaveRou ) .addSeparator() .addWidget(llArgSer) .addWidget(leArgSer) .addAction(acOpenMS) .addAction(acCloseMS) // .addWidget(cbDebug) // .addWidget(cb3264) .addSeparator() .addWidget(llArgApp) .addWidget(leArgApp) .addAction(acOpenM) .addAction(acCloseM) ; // MenuBar mb1 = new QMenuBar(this); // Menu menu5 = new QMenu(this), menu4 = new QMenu(this), menu3 = new QMenu(this), menu2 = new QMenu(this), menu1 = new QMenu(this); // --------------- Настройки меню ----------------- menu1.setTitle("File") .addAction( acNewFile ) .addAction( acOpen ) .addAction( acSave ) .addSeparator() .addAction( acExit ); menu2.setTitle("Edit") .addAction( acGotoNum ) .addAction( acFind ) .addAction( acFindA ) .addAction( acPoint ) .addAction( acPointA ); menu3.setTitle("Build") .addAction( acCompile ) .addAction( acLoadRou ) .addAction( acSaveRou ); menu4.setTitle("View") .addAction( acSwapView ) .addAction( acOnOffHelp ); menu5.setTitle("About") .addAction( acAbout ) .addAction( acAboutQt ) .addAction( acHelpIde ); mb1.addMenu(menu1).addMenu(menu2).addMenu(menu3).addMenu(menu4).addMenu(menu5); setMenuBar(mb1); // Строка сообщений stBar = new QStatusBar(this); // stBar.setStyleSheet(strGreen); setStatusBar(stBar); // Читаем параметры из INI файла readIniFile(); // Настроим парсер finder1 = new CFinder(); loadParser(); // Читаем в парсер файлы проекта dlg = new CReadDialog(this, ""); // dlg.hide(); connects(dlg.leRead, "returnPressed()", dlg, "accept()"); // Читаем файл шаблонов File fhFileSh; if(!exists(nameFileShablons)) { msgbox("Нет файла шаблонов: " ~ "<b>" ~ nameFileShablons ~ "</b>", "Внимание! стр: " ~ to!string(__LINE__), QMessageBox.Icon.Critical); } else { // Читать файл шаблонов try { fhFileSh = File(nameFileShablons, "r"); } catch(Throwable) { msgbox("Не могу открыть: " ~ nameFileShablons, "Внимание! стр: " ~ to!string(__LINE__), QMessageBox.Icon.Critical); return; } } try { int ks, ind; foreach(line; fhFileSh.byLine()) { if(line.length > 0) if((line[0] == '#') || (line[0] == ';')) continue; // Проверка на BOM if(ks++ == 0) if(line.length>2 && line[0]==239 && line[1]==187 && line[2]==191) line = line[3 .. $].dup; string str = to!string(line); // Нужная мне строка с указанием действий if( (str.length > 0) && ( str[0] == '%') ) { auto partStr = split(str, "|"); // Горизонтальное или вертикальное меню? if(str[2] == '|') { // Это описание горизонтального int nomj = to!int(str[1])-48; // Создадим пункт горизонтального меню menuDyn ~= new QMenu(this); menuDyn[nomj].setTitle(to!string(partStr[1])); mb1.addMenu(menuDyn[nomj]); } else { // Это описание вертикального int nomj = to!int(str[1])-48; int nomi = to!int(str[2])-48; // Создадим пункт вертикального меню ind = ((nomj+1) * 10 ) + nomi + 1; QAction tmpAct = new QAction(this, &on_DynAct, aThis, ind); tmpAct.setText(partStr[1]); menuActDyn ~= tmpAct; // writeln("[", partStr[1],"] nomJ = ", nomj, " nomI = ", nomi); menuDyn[nomj].addAction(tmpAct); connects(tmpAct, "triggered()", tmpAct, "Slot_v__A_N_v()"); } } else { if(ind > 0) sShabl ~= format("%2s", ind) ~ str; } } } catch(Throwable) { msgbox("Не могу читать: " ~ nameFileShablons, "Внимание! стр: " ~ to!string(__LINE__), QMessageBox.Icon.Critical); return; } } // __________________________ bool indexIs(_MINIM_STR* buf) { //-> Это индекс? bool rez; if(buf.len == 0) rez = false; else rez = true; return rez; } // __________________________ void runKnAV(int n) { if(!fReadyM) { msgbox("Не открыта база ..."); return; } nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType != WinType.winTypeEdit) { // это не окно Редактора msgbox("Нет активного окна редактора"); return; } scope CEditWin winEd = nd.adrWinEd; // cast(CEditWin)(nd.adrWin); string nameRoutine = strip(winEd.leNameRou.text!string); if(nameRoutine == "") { msgbox("Не задано имя Routine!"); return; } if(n == 1) { // Чтерие routine string mCmd; int r; StopWatch sw; sw.reset(); sw.start(); if(winEd.rbServ.isChecked()) { // Сервер if(isConnectServer) { mCmd = "$O(^|" ~ `"` ~ winEd.leNameTom.text!string ~ `"` ~ "|ROUTINE(\"" ~ nameRoutine ~ "\",-1))"; fromStringToExp(&cmd, mCmd); int ret = MNMRead( ConnectServer, &cmd, &rez); if(ret) { if(!indexIs(&rez)) { msgbox("Не найдена: " ~ nameRoutine); return; } mCmd = "$O(^|" ~ `"` ~ winEd.leNameTom.text!string ~ `"` ~ "|ROUTINE(\"" ~ nameRoutine ~ "\",\"\"),-1)"; fromStringToExp(&cmd, mCmd); ret = MNMRead( ConnectServer, &cmd, &rez); int kolStrokRoutine = to!int(fromResToString( &rez )); winEd.teEdit.clear(); for(int j = 1; j != kolStrokRoutine + 1; j++) { mCmd = "^|" ~ `"` ~ winEd.leNameTom.text!string ~ `"` ~ "|ROUTINE(\"" ~ nameRoutine ~ "\"," ~ to!string(j) ~ ")"; fromStringToExp(&cmd, mCmd); MNMRead( ConnectServer, &cmd, &rez); scope string stmp = fromResToString( &rez ); /* writeln("length = ", stmp.length); if(stmp.length > 0) { if(stmp[0] == '<') break; } if(strip(stmp) == "") break; // stmp = fromResToString( &rez ); */ winEd.parentMainWin.finder1.addLine(stmp); winEd.teEdit.appendPlainText(stmp); } } else { msgbox("Ошибка выполнения MNMRead"); } } else { msgbox("Нет коннекта с сервером"); } } else { // Моно mCmd = "$O(^ROUTINE(\"" ~ nameRoutine ~ "\",-1))"; fromStringToExp(&cmd, mCmd); vm.cbfunc.Eval( &cmd, &rez ); if(!indexIs(&rez)) { msgbox("Не найдена: " ~ nameRoutine); return; } winEd.teEdit.clear(); for(int j = 1; j != 1000; j++) { mCmd = "^ROUTINE(\"" ~ nameRoutine ~ "\"," ~ to!string(j) ~ ")"; fromStringToExp(&cmd, mCmd); vm.cbfunc.Eval( &cmd, &rez ); if(!indexIs(&rez)) break; scope string stmp = fromResToString( &rez ); winEd.parentMainWin.finder1.addLine(stmp); winEd.teEdit.appendPlainText(stmp); } } sw.stop(); Duration t1 = sw.peek(); // winEd.parentMainWin.showInfo("Execute M time: " ~ to!string((t1.total!"usecs")) ~ " микросекунд"); winEd.parentMainWin.showInfo("Load M time: " ~ t1.toString()); } if(n == 2) { // Запись routine // Перебор строк из редактора StopWatch sw; sw.reset(); sw.start(); if(winEd.rbServ.isChecked()) { // --------------------- Сервер int mrez; string rawStr = winEd.teEdit.toPlainText!string(); string[] listMline = split(rawStr, "\n"); string[] listMcod; listMcod ~= ""; bool fpr; foreach(s; listMline) { if(s == "") continue; if(s[0] == ' ') fpr = true; else fpr = false; if(fpr) { listMcod ~= (" " ~ strip(s)); } else { listMcod ~= strip(s); } } // Формируем M команды string mCmd; mCmd = ("k ^ROUTINE(\"" ~ nameRoutine ~ "\")"); fromStringToExp( &cmd, mCmd ); mrez = MNMExecute( ConnectServer, &cmd ); if(mrez ==0 ) msgbox("Ошибка: " ~ mCmd); foreach(int i, s; listMcod) { mCmd = "s ^ROUTINE(\"" ~ nameRoutine ~ "\"," ~ to!string(i) ~ ")=\"" ~ kaw2(s) ~ "\""; fromStringToExp( &cmd, mCmd ); mrez = MNMExecute( ConnectServer, &cmd ); if(mrez ==0 ) msgbox("Ошибка: " ~ mCmd); } // Компиляция mCmd = ("w $V(\"rou\",\"c\",\"" ~ nameRoutine ~ "\"),!"); fromStringToExp( &cmd, mCmd ); mrez = MNMExecuteOutput( ConnectServer, &cmd ); if(mrez ==0 ) msgbox("Ошибка: " ~ mCmd); } else { // ---------------------- Моно string rawStr = winEd.teEdit.toPlainText!string(); string[] listMline = split(rawStr, "\n"); string[] listMcod; listMcod ~= ""; bool fpr; foreach(s; listMline) { if(s == "") continue; if(s[0] == ' ') fpr = true; else fpr = false; if(fpr) { listMcod ~= (" " ~ strip(s)); } else { listMcod ~= strip(s); } } // Формируем M команды string mCmd; mCmd = ("k ^ROUTINE(\"" ~ nameRoutine ~ "\")"); fromStringToExp( &cmd, mCmd ); vm.cbfunc.Execute( &cmd ); foreach(int i, s; listMcod) { mCmd = "s ^ROUTINE(\"" ~ nameRoutine ~ "\"," ~ to!string(i) ~ ")=\"" ~ kaw2(s) ~ "\""; fromStringToExp( &cmd, mCmd ); vm.cbfunc.Execute( &cmd ); } mCmd = ("$VIEW(\"rou\",\"c\",\"" ~ nameRoutine ~ "\")"); fromStringToExp( &cmd, mCmd ); // vm.cbfunc.Execute( &cmd ); vm.cbfunc.Eval( &cmd, &rez ); } sw.stop(); Duration t1 = sw.peek(); // winEd.parentMainWin.showInfo("Execute M time: " ~ to!string((t1.total!"usecs")) ~ " микросекунд"); winEd.parentMainWin.showInfo("Save M time: " ~ t1.toString()); } } // __________________________ string kaw2(string str) { string rez; foreach(ch; str) { if(ch == '"') { rez ~= ch; rez ~= ch; } else { rez ~= ch; } } return rez; } // __________________________ void runDevWriteChar(int ch) { nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType != WinType.winTypeConsole) { // это не окно Консоли msgbox("runDevWriteChar Нет активного окна консоли"); return; } scope CConsoleWin winCon = nd.adrWinCon; // cast(CEditWin)(nd.adrWin); if(ch == 3) { winCon.appHTML = true; } if(ch == 4) { winCon.appHTML = false; } } // __________________________ void runDevWriteNL() { nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType == WinType.winTypeEdit) { return; } if(nd.winType != WinType.winTypeConsole) { // это не окно Консоли msgbox("runDevWriteNL Нет активного окна консоли"); return; } scope CConsoleWin winCon = nd.adrWinCon; // cast(CEditWin)(nd.adrWin); if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); winCon.bufStr = ""; } // __________________________ int runDevReadStr(ZDLLCB *cbfunc, MINIM_STR *result) { nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return 1; if(nd.winType != WinType.winTypeConsole) { // это не окно Консоли msgbox("runDevReadStr Нет активного окна консоли"); return 1; } scope CConsoleWin winCon = nd.adrWinCon; // cast(CEditWin)(nd.adrWin); dlg.setStr(winCon.bufStr); dlg.clearLe(); dlg.show(); dlg.exec(); fromStringToExp( result, dlg.getStr() ); winCon.bufStr = ""; return 0; } // __________________________ void runDevWriteStr(_MINIM_STR* str, _ZDLLCB* buf) { nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; MINIM_STR stmp; // Это обработка компиляции if(nd.winType == WinType.winTypeEdit) { scope CEditWin winEd = nd.adrWinEd; buf.GetStr(str, &stmp); scope string s = fromResToString( &stmp ); // writeln("[",s,"]"); if(s == "<SYNTAX>") { msgbox(winEd.strCompileError, "<SYNTAX>"); winEd.strCompileError = ""; } else { winEd.strCompileError ~= s; } // writeln("{",winEd.strCompileError,"}"); } // Это вывод в консоль if(nd.winType == WinType.winTypeConsole) { scope CConsoleWin winCon = nd.adrWinCon; // cast(CEditWin)(nd.adrWin); buf.GetStr(str, &stmp); winCon.bufStr ~= fromResToString( &stmp ); } /* if(nd.winType != WinType.winTypeConsole) { // это не окно Консоли MINIM_STR stmp; buf.GetStr(str, &stmp); // winCon.bufStr ~= fromResToString( &stmp ); msgbox(fromResToString( &stmp ), "runDevWriteStr Нет активного окна консоли"); return; } scope CConsoleWin winCon = nd.adrWinCon; // cast(CEditWin)(nd.adrWin); MINIM_STR stmp; buf.GetStr(str, &stmp); winCon.bufStr ~= fromResToString( &stmp ); //writeln("M: ", fromResToString( &stmp )); // pteEdit.appendPlainText( fromResToString( &stmp ) ); */ } // __________________________ void runDevCallBack(HMNMConnect pConnect, MINIM_STR* Command, MINIM_STR* Answer) { nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType != WinType.winTypeConsole) { // это не окно Консоли msgbox("runDevCallBack Нет активного окна консоли"); return; } scope CConsoleWin winCon = nd.adrWinCon; // cast(CEditWin)(nd.adrWin); string zapros = fromResToString( Command ); dlg.setStr(zapros); dlg.clearLe(); dlg.show(); dlg.exec(); fromStringToExp( Answer, dlg.getStr() ); winCon.bufStr = ""; } // __________________________ void runDevExOutput(HMNMConnect pConnect, MINIM_STR* str) { nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; // Это обработка компиляции if(nd.winType == WinType.winTypeEdit) { scope CEditWin winEd = nd.adrWinEd; scope string s = fromResToString( str ); if(indexOf(s, "<SYNTAX>") > -1) { msgbox(s); } return; } if(nd.winType != WinType.winTypeConsole) { // это не окно Консоли msgbox("runDevExOutput Нет активного окна консоли"); return; } scope CConsoleWin winCon = nd.adrWinCon; // cast(CEditWin)(nd.adrWin); string strTCP= fromResToString( str ); // Это исходная строка size_t len_sttTCP = strTCP.length; char c1,c2; string outStrTCP; // writeln("len string = ", len_sttTCP); for(int i; i < len_sttTCP;) { // writeln(i, " == [", cast(ubyte)strTCP[i], "] = ", winCon.bufStr); c1 = strTCP[i]; // Проверки if(c1 == 10) { if(i < len_sttTCP) { // Не Последний c2 = strTCP[i+1]; if( c2 == 10 ) { // 2 раза 10, там пустая строка if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); if(winCon.appHTML) winCon.pteEdit.appendHtml( "" ); else winCon.pteEdit.appendPlainText( "" ); winCon.bufStr.length = 0; i = i +2; continue; } else { if( c2 == 13 ) { // 1 раз 10,13 if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); winCon.bufStr.length = 0; i = i + 2; continue; } else { if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); winCon.bufStr.length = 0; i++; continue; } } } else { if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); winCon.bufStr.length = 0; break; } } if(c1 == 13) { if(i < len_sttTCP) { // Не Последний c2 = strTCP[i+1]; if( c2 == 13 ) { // 2 раза 10, там пустая строка if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); if(winCon.appHTML) winCon.pteEdit.appendHtml( "" ); else winCon.pteEdit.appendPlainText( "" ); winCon.bufStr.length = 0; i = i +2; continue; } else { if( c2 == 10 ) { // 1 раз 10,13 if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); winCon.bufStr.length = 0; i = i + 2; continue; } else { if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); winCon.bufStr.length = 0; i++; continue; } } } else { if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); winCon.bufStr.length = 0; break; } } winCon.bufStr ~= c1; i++; } /* writeln("----------------------"); writeln("CALL:", str.len, " -- [",str2,"]"); deb(cast(ubyte*)str2.ptr); auto mStrAll = split(str2, "\n"); int kChankAll = mStrAll.length; writeln(mStrAll); if(str2[$-1] == 10) { writeln("--1--"); string str3 = str2[0 .. $-2]; winCon.bufStr ~= str3; writeln("--11--winCon.bufStr = ", winCon.bufStr); if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); winCon.bufStr = ""; } else { writeln("--2--"); // Возможны чанки auto mStr = split(str2, 10); int kChank = mStr.length; writeln("kChank = ", kChank); for(int i; i != kChank; i++) { writeln("i=", i, " [",mStr[i],"]"); if(mStr[i][$-1] == 10) { if(winCon.appHTML) winCon.pteEdit.appendHtml( winCon.bufStr ); else winCon.pteEdit.appendPlainText( winCon.bufStr ); } else winCon.bufStr ~= mStr[i]; } } */ } // ______________________________________________________________ void runFind2(int n) { //-> Промежуточная для поиска nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType != WinType.winTypeEdit) { // это не окно редактора msgbox("Нет активного окна редактора"); return; } scope CEditWin winEd = nd.adrWinEd; // cast(CEditWin)(nd.adrWin); // scope CEditWin winEd = cast(CEditWin)(nd.adrWin); if(winEd.wdFind.isHidden) { winEd.leFind.setAllSelection(); winEd.wdFind.show(); winEd.leFind.setFocus(); winEd.leFind.setAllSelection(); } else { winEd.wdFind.hide(); winEd.teEdit.find( winEd.leFind.text!QString(), n ); winEd.teEdit.setFocus(); } } // ______________________________________________________________ void runFind() { //-> Запросить строку поиска и аргументы runFind2(0); } // ______________________________________________________________ void runFindA() { //-> Запросить строку поиска и аргументы runFind2(1); } // ______________________________________________________________ // Запросить номер строки и перейти на неё. При этом открывается спин на активном окне void runGotoNum() { //-> переход на строку N nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType != WinType.winTypeEdit) { // это не окно редактора msgbox("Нет активного окна редактора"); return; } scope CEditWin winEd = nd.adrWinEd; // cast(CEditWin)(nd.adrWin); winEd.spNumStr.setMinimum(1).setMaximum(winEd.teEdit.blockCount()); winEd.spNumStr.setValue(1 + winEd.getNomerLineUnderCursor()); winEd.spNumStr.show().setFocus(); winEd.spNumStr.selectAll(); } // ______________________________________________________________ void runknNew() { //-> Запросить файл для редактирования и открыть редактор createEdit(""); } // ______________________________________________________________ void runknOpenFile() { //-> Запросить файл для редактирования и открыть редактор QFileDialog fileDlg = new QFileDialog('+', null); string cmd = fileDlg.getOpenFileNameSt("Open file ...", "", "*.d *.ini *.txt"); if(cmd != "") createEdit(cmd); } // ______________________________________________________________ void createEdit(string nameFile) { //-> Изготовить окно редактора nodeListTypeWin* ukWinMdi = new nodeListTypeWin; // Создана структура в heap ukWinMdi.winType = WinType.winTypeEdit; // Структура запомнила, что это Edit ukWinMdi.adrWinEd = new CEditWin(this, QtE.WindowType.Window); // Есть новое окно редактора // Блок сохранения внутренней информации ukWinMdi.adrWinEd.saveThis(&ukWinMdi.adrWinEd); void* adr = mainWid.addSubWindow(ukWinMdi.adrWinEd); ukWinMdi.adrWinEd.parentMainWin = this; string nameFile2; if(nameFile == "") nameFile2 = "???"; else nameFile2 = nameFile; ukWinMdi.adrWinEd.setNameEditFile(nameFile2); if(nameFile2 != "???") ukWinMdi.adrWinEd.openWinEdit(nameFile2); // Указатель на структуру в heap сохраним в таблице хешей listWinMdi[to!string(adr)] = ukWinMdi; // Покажем окно ukWinMdi.adrWinEd.show(); update(); } // ______________________________________________________________ nodeListTypeWin* getStActiveWin() { //-> Выдать указатель на структуру оп. активное окно void* adr = mainWid.activeSubWindow(); nodeListTypeWin* andu; if(adr is null) andu = null; else andu = listWinMdi[to!string(mainWid.activeSubWindow())]; return andu; } // ______________________________________________________________ // CEditWin getActiveWinEdit() { //-> Выдать активное окно // if(mainWid.activeSubWindow() is null) return null; // void* ind = mainWid.activeSubWindow(); // int nm; foreach(int j, el; lcdp) { if(el == ind) { nm = j; break; } } // return lcd[nm]; // } // ______________________________________________________________ void SaveFile() { //-> Сохранить файл на диске nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType != WinType.winTypeEdit) { // это не окно редактора msgbox("Нет активного окна редактора"); return; } scope CEditWin activeWinEdit = nd.adrWinEd; // cast(CEditWin)(nd.adrWin); string nameFile = activeWinEdit.getNameEditFile(); if(activeWinEdit.getNameEditFile() == "???") { QFileDialog fileDlg = new QFileDialog('+', null); string cmd = fileDlg.getSaveFileNameSt("Save file ...", "", "*.d *.ini *.txt"); if(cmd != "") { activeWinEdit.setNameEditFile(cmd); } else { return; } } activeWinEdit.runCtrlS(); // Осуществить реальное сохранение return; } // ______________________________________________________________ void runknSwap() { //-> Переключает режим отображения Закладки/Окошки if(fSwap) { mainWid.setViewMode(QMdiArea.ViewMode.TabbedView); } else { mainWid.setViewMode(QMdiArea.ViewMode.SubWindowView); } fSwap = !fSwap; update(); } // ______________________________________________________________ void runExit() { //-> Выйти из программы hide(); app.exit(0); } // ______________________________________________________________ void runPointN3(int n) { //-> Переход A и V на точки сохранения и On/Off табл подсказок nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType != WinType.winTypeEdit) return; scope CEditWin activeWinEdit = nd.adrWinEd; // cast(CEditWin)(nd.adrWin); int nomGoTo; switch(n) { case 1: // Переход на точку вверх nomGoTo = activeWinEdit.lineGoTo(1 + activeWinEdit.getNomerLineUnderCursor, false); if(nomGoTo > 0) activeWinEdit.teEdit.setCursorPosition(nomGoTo - 1, 0); break; case 2: // Переход на точку вниз nomGoTo = activeWinEdit.lineGoTo(1 + activeWinEdit.getNomerLineUnderCursor, true); if(nomGoTo > 0) activeWinEdit.teEdit.setCursorPosition(nomGoTo - 1, 0); break; case 3: // On Off таблицы подсказок if(activeWinEdit.teHelp.isHidden) activeWinEdit.teHelp.show(); else activeWinEdit.teHelp.hide(); break; default: break; } } // ______________________________________________________________ void runSaveRou() { //-> Компиляция и выполнение SaveRou msgbox("SaveRou ... не реализовано"); } // ______________________________________________________________ void runCreateCon() { //-> Создание окна Консоли nodeListTypeWin* ukWinMdi = new nodeListTypeWin; // Создана структура в heap ukWinMdi.winType = WinType.winTypeConsole; // Структура запомнила, что это консоль ukWinMdi.adrWinCon = new CConsoleWin(this, QtE.WindowType.Window); // Блок сохранения внутренней информации ukWinMdi.adrWinCon.saveThis(&ukWinMdi.adrWinCon); void* adr = mainWid.addSubWindow(ukWinMdi.adrWinCon); ukWinMdi.adrWinCon.parentMainWin = this; // Указатель на структуру в heap сохраним в таблице хешей ukWinMdi.adrWinCon.show(); listWinMdi[to!string(adr)] = ukWinMdi; // Покажем окно update(); } // ______________________________________________________________ string nameDMDonOs() { //-> Выдать имя компилятора в зависимости от ОС string rez; version (Windows) { rez = nameCompile; } version (linux) { rez = nameCompile[0..$-4]; } version (OSX) { rez = nameCompile[0..$-4]; } return rez; } // ______________________________________________________________ void runHelpIde() { //-> Открыть окно с подсказками по кнопкам string sHtml = ` <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title>Здесь название страницы, отображаемое в верхнем левом углу браузера</title> </head> <body id="help IDE5"> <h2 align="center">Краткий справочник по ide5</h2> <p><font color="red"><b>Вставка слова из таблицы подсказок:</b></font></p> <pre> Esc - Переход и возврат в таблицу подсказок Space - Вставка выделенного слова, если в таблице подсказок Ctrl+Space - Вставка самого верхнего слова, если в редакторе </pre> <p><font color="red"><b>Закладки:</b></font></p> <pre> Закладки отображаются символом ">>" в колонке номеров строк и индивидуальны для каждого окна редактора. Ctrl+L, T - Поставить закладку или снять закладку Ctrl+T - Вниз на след закладку Ctrl+Shift+T - Вверх на пред закладку </pre> <p><font color="red"><b>Разное:</b></font></p> <pre> Ctrl+L, / - Вставить комментарий Ctrl+L, D - Удалить текущ стоку F3 - Список всех похожих слов </pre> <br> </body> </html> `; scope QLabel w1 = new QLabel(this); w1.saveThis(&w1); w1.setText(sHtml); void* rez = mainWid.addSubWindow(w1); w1.show(); // ---------- Сервер ------------ writeln("Server:"); int ret; // create connect to MiniM ConnectServer = MNMCreateConnect( cast(char*)"seramd.mon".ptr, 5000, cast(char*)"user".ptr); writeln("HMNMConnect Connect = ", ConnectServer); // activate connection ret = MNMConnectOpen( ConnectServer ); writeln("ret = MNMConnectOpen( Connect ) = ", ret); string mCmd = "$zversion"; fromStringToExp(&cmd, mCmd); ret = MNMRead( ConnectServer, &cmd, &strM); writeln("MNMRead( Connect, &cmd, &strM) = ", ret); scope string stmp = fromResToString( &strM ); writeln("Read from Server: ", stmp); writeln("--1--"); /* mCmd = "^MGW"; string mm = "Мохов Геннадий Владимирович"; fromStringToExp(&cmd, mCmd); fromStringToExp(&strM, mm); ret = MNMWrite( Connect, &cmd, &strM); writeln("Write to Server: ", ret); */ MNMSetCallback(ConnectServer, &DevCallBack); fromStringToExp(&cmd, "s a=$$cb^%srv(100)"); writeln("--2--"); MNMSetOutput(ConnectServer, null); ret = MNMExecute( ConnectServer, &cmd); writeln("--3--"); MNMSetOutput(ConnectServer, &DevExOutput); mCmd = "^MGW"; mCmd = "$$cb^%srv(100)"; writeln("--4--"); fromStringToExp(&cmd, mCmd); writeln("--5--"); ret = MNMRead( ConnectServer, &cmd, &strM); writeln("--6--"); writeln("MNMRead( Connect, &cmd, &strM) = ", ret); writeln("--7--"); stmp = fromResToString( &strM ); writeln("--8--"); writeln("Read from Server: ", stmp); writeln("--9--"); ret = MNMConnectClose( ConnectServer ); writeln("--10--"); writeln("ret = MNMConnectClose( Connect ) = ", ret); writeln("--11--"); MNMDestroyConnect( ConnectServer ); writeln("MNMDestroyConnect( Connect )"); writeln("--12--"); } // ______________________________________________________________ void runDynAct(int nom) { //-> Процедура обработки меню шаблона nodeListTypeWin* nd = getStActiveWin(); if(nd is null) return; if(nd.winType != WinType.winTypeEdit) { // это не окно редактора msgbox("Нет активного окна редактора"); return; } scope CEditWin activeWinEdit = nd.adrWinEd; // cast(CEditWin)(nd.adrWin); // if(tabbar.count == 0) return; string s = activeWinEdit.getStrUnderCursor(); // крутим массив шаблонов и выводим строки сод индекс foreach(strm; sShabl) { if(strm[0..2] == format("%2s", nom)) { activeWinEdit.teEdit.insertPlainText( getOtstup(s) ~ strm[2..$] ~ "\n"); } } } // ______________________________________________________________ void printArgsIni() { //-> Отладка того, что в ини файле writeln(toCON("Шаблон меню: FileShablons = ["), nameFileShablons, "]"); writeln(toCON("Файлы для парсинга: listFilesForParser = ["), listFilesForParser, "]"); writeln(toCON("main проекта: nameMainFile = ["), nameMainFile, "]"); writeln(toCON("файлы проекта: listFileModul = ["), listFileModul, "]"); writeln(toCON("PathForSrcWin32 = ["), PathForSrcDmd[0], "]"); writeln(toCON("PathForSrcWin64 = ["), PathForSrcDmd[1], "]"); writeln(toCON("PathForSrcLinux32 = ["), PathForSrcDmd[2], "]"); writeln(toCON("PathForSrcLinux64 = ["), PathForSrcDmd[3], "]"); writeln(toCON("PathForSrcOSX64 = ["), PathForSrcDmd[4], "]"); writeln(); writeln(toCON("пути import: listPathSourceModul = ["), listPathSourceModul, "]"); writeln(toCON(" библиотеки: listFileLib = ["), listFileLib, "]"); } // ______________________________________________________________ void readIniFile() { //-> Прочитать INI файл в память const kolFilesFor = 10; Ini ini = new Ini(sIniFile); nameFileShablons = ini["Main"]["FileShablons"]; for(int i; i != kolFilesFor; i++) { string rawStr = strip(ini["ForParser"]["FileParser" ~ to!string(i)]); if(rawStr != "") listFilesForParser ~= rawStr; else break; } nameMainFile = ini["Project"]["FileMain"]; dbMiniMono = ini["Project"]["BdMiniMono"]; leArgApp.setText(dbMiniMono); // writeln("[", dbMiniMono, "]"); for(int i; i != kolFilesFor; i++) { string rawStr = strip(ini["Project"]["FileMod" ~ to!string(i)]); if(rawStr != "") listFileModul ~= rawStr; else break; } for(int i; i != kolFilesFor; i++) { string rawStr = strip(ini["Project"]["PathSourceMod" ~ to!string(i)]); if(rawStr != "") listPathSourceModul ~= rawStr; else break; } for(int i; i != kolFilesFor; i++) { string rawStr = strip(ini["Project"]["FileLib" ~ to!string(i)]); if(rawStr != "") listFileLib ~= rawStr; else break; } // Читаю пути до SRC для парсера for(int i; i != 5; i++) PathForSrcDmd[i] = ""; PathForSrcDmd[0] = strip(ini["PathForSrcDmd"]["PathForSrcWin32"]).dup; PathForSrcDmd[1] = strip(ini["PathForSrcDmd"]["PathForSrcWin64"]).dup; PathForSrcDmd[2] = strip(ini["PathForSrcDmd"]["PathForSrcLinux32"]).dup; PathForSrcDmd[3] = strip(ini["PathForSrcDmd"]["PathForSrcLinux64"]).dup; PathForSrcDmd[4] = strip(ini["PathForSrcDmd"]["PathForSrcOSX64"]).dup; } // ______________________________________________________________ // Открыть соединиение с сервером void openDbMinmSrv() { string soob; // 1 - Прочитать пле соед с сервером string strConnectServerRaw = strip(leArgSer.text!string); if(strConnectServerRaw == "") return; string[] mArgConnect = split(strConnectServerRaw, '|'); // writeln("[", mArgConnect[0],"] - [", to!int(mArgConnect[1]), "] - [", mArgConnect[2], "]"); string adrServer = mArgConnect[0] ~ "\x00"; string nameUser = mArgConnect[2] ~ "\x00"; ConnectServer = MNMCreateConnect( cast(char*)(adrServer.ptr), to!int(mArgConnect[1]), cast(char*)(nameUser.ptr)); if(!ConnectServer) { soob = "Ошибка создания соединения с сервером: <b>" ~ mArgConnect[0] ~ "</b>"; leArgSer.setStyleSheet(strRed); leArgSer.setToolTip(soob); msgbox(soob, "Внимание!"); isConnectServer = false; return; } // Открою сессию с сервером int rezSes = MNMConnectOpen( ConnectServer ); // writeln(ConnectServer, " -- MNMConnectOpen( ConnectServer ) = ", rezSes); if(rezSes == 0) { soob = "Ошибка создания сессии на сервере: <b>" ~ strConnectServerRaw ~ "</b>"; leArgSer.setStyleSheet(strRed); leArgSer.setToolTip(soob); msgbox(soob, "Внимание!"); if(isConnectServer) { // Закроем соединение MNMDestroyConnect( ConnectServer ); } isConnectServer = false; return; } // Вроде всё нормально isConnectServer = true; leArgSer.setStyleSheet(strGrn); MNMSetOutput(ConnectServer, &DevExOutput); MNMSetCallback(ConnectServer, &DevCallBack); // writeln(ConnectServer); } // ______________________________________________________________ void openDbMinimono() { string soob; if(fReadyM) { msgbox("Подключена MiniMono. Отключите, если желаете включить другую!","Внимание!",QMessageBox.Icon.Information); return; } // Проверим, существует ли База string pathDataBase = leArgApp.text!string(); if(!exists( pathDataBase )) { fReadyM = false; soob = "Не найден файл: <b>" ~ pathDataBase ~ "</b>"; leArgApp.setToolTip(soob); leArgApp.setStyleSheet(strRed); msgbox(soob, "Внимание!"); return; } else { // Пытаюсь открыть MiniMono for(int i; i !=vm.sizeof; i++) *((cast(byte*)&vm) + i) = 0; if(loadMiniMonoDll(libMiniMono) != MINIMONO_SUCCESS) { fReadyM = false; soob = "Ошибка загрузки DLL: <b>" ~ libMiniMono ~ "</b>"; leArgApp.setStyleSheet(strRed); leArgApp.setToolTip(soob); msgbox(soob, "Внимание!"); return; } // ----- Функции сервера ----- if(loadMiniMscDll(libMiniMsc) != MINIMONO_SUCCESS) { fReadyM = false; soob = "Ошибка загрузки DLL: <b>" ~ libMiniMsc ~ "</b>"; leArgApp.setStyleSheet(strRed); leArgApp.setToolTip(soob); msgbox(soob, "Внимание!"); return; } // ----- Функции сервера ----- GetDefaultSettingsVM(&vm); vm.DataFile = pathDataBase.ptr; // assign datafile name you are using vm.DBCacheSize = 10; // 10 Mbytes vm.JournalingEnabled = 0; // this example does not require journaling vm.WriteStr = &DevWriteStr; vm.WriteChar = &DevWriteChar; vm.WriteNL = &DevWriteNL; vm.ReadStr = &DevReadStr; int ret = CreateMiniMonoVM( &vm ); switch(ret) { case MINIMONO_SUCCESS: fReadyM = true; break; case MINIMONO_CREATED: soob = "VM уже существует: <b>" ~ pathDataBase ~ "</b>"; leArgApp.setToolTip(soob); leArgApp.setStyleSheet(strRed); fReadyM = false; msgbox(soob, "Внимание!"); break; default: soob = "Ошибка создания VM: <b>" ~ pathDataBase ~ "</b>"; leArgApp.setToolTip(soob); leArgApp.setStyleSheet(strRed); fReadyM = false; msgbox(soob, "Внимание!"); } if(!fReadyM) { leArgApp.setStyleSheet(strRed); return; } leArgApp.setStyleSheet(strGrn); } } // ______________________________________________________________ // Закрыть соединение с сервером void closeDbMinmSrv() { if(isConnectServer) { isConnectServer = false; int ret = MNMConnectClose( ConnectServer ); MNMDestroyConnect( ConnectServer ); leArgSer.setStyleSheet(strRed); } } // ______________________________________________________________ void closeDbMinimono() { if(fReadyM) { fReadyM = false; FreeMiniMonoVM(); // for(int i; i !=vm.sizeof; i++) *((cast(byte*)&vm) + i) = 0; freeMiniMonoDll(); string pathDataBase = leArgApp.text!string(); string soob = "Закрыт: <b>" ~ pathDataBase ~ "</b>"; leArgApp.setToolTip(soob); leArgApp.setStyleSheet(strRed); } } // ______________________________________________________________ string[] listFPrs() { //-> Выдать список имен файлов для парсинга return listFilesForParser; } // ______________________________________________________________ void showInfo(string s) { //-> Отобразить строку состояния stBar.showMessage(s, 10000); } // ______________________________________________________________ string[5] getPathSrcDmd() { //-> Выдать массив с путями до SRC каталога return PathForSrcDmd; } // ______________________________________________________________ void loadParser() { //-> Загрузить парсер файлами из проекта try { foreach(nameFilePrs; listFPrs()) { // Если имя отсутст в списке уже распарсенных, то распарсить и добавить if(nameFilePrs == "") continue; if(!finder1.isFileInParserAfter(nameFilePrs)) { if(exists(nameFilePrs)) { showInfo("Parsing: " ~ strip(join(listFPrs, " "))); finder1.addFile(nameFilePrs); finder1.addParserAfter(nameFilePrs); } } } } catch(Throwable) { msgbox("Не могу загрузить файлы из INI в парсер: ", "Внимание! стр: " ~ to!string(__LINE__), QMessageBox.Icon.Critical); return; } // finder1.printUc(); } void about(int n) { if(n == 1) { msgbox( " <H2>IDE5 - miniIDE for dmd</H2> <H3>MGW 2016 " ~ verApp ~ "</H3> <BR> <IMG src='ICONS/qte5.png'> <BR> <p>miniIDE for dmd + QtE5 + Qt-5</p> <p>It application is only demo work with QtE5</p> " , "About IDE5"); } if(n == 2) { app.aboutQt(); // printArgsIni(); } } } // __________________________________________________________________ // Глобальные, независимые функции string getOtstup(string str) { // Вычислить отступ используя строку string rez; if(str == "") return rez; for(int i; i != str.length; i++) { if( (str[i] == ' ') || (str[i] == '\t') ) { rez ~= str[i]; } else break; } return rez; } // __________________________________________________________________ // Глобальные переменные программы QApplication app; // Само приложение string sIniFile; // Строка с именем файла ini string sFileStyle; bool fReadyM; CFormaMain* ukCMain; // __________________________________________________________________ int main(string[] args) { bool fDebug; // T - выдавать диагностику загрузки QtE5 try { auto helpInformation = getopt(args, std.getopt.config.caseInsensitive, "d|debug", toCON("включить диагностику QtE5"), &fDebug, "s|style", toCON("загрузить файл стилей"), &sFileStyle, "i|ini", toCON("имя INI файла"), &sIniFile); if (helpInformation.helpWanted) defaultGetoptPrinter(helps(), helpInformation.options); } catch(Throwable) { writeln(toCON("Ошибка разбора аргументов командной стоки ...")); return 1; } if (1 == LoadQt(dll.QtE5Widgets, fDebug)) return 1; // Выйти,если ошибка загрузки библиотеки app = new QApplication(&Runtime.cArgs.argc, Runtime.cArgs.argv, 1); // Проверяем путь до файла стилей if(sFileStyle != "") { if(!exists(sFileStyle)) { msgbox("Нет файла Стилей: " ~ "<b>" ~ sFileStyle ~ "</b>", "Внимание! стр: " ~ to!string(__LINE__), QMessageBox.Icon.Critical); return(1); } else { app.setStyleSheet(cast(string) read(sFileStyle)); } } // Проверяем путь до INI файла if(!exists(sIniFile)) { msgbox("Нет INI файла: " ~ "<b>" ~ sIniFile ~ "</b>", "Внимание! стр: " ~ to!string(__LINE__), QMessageBox.Icon.Critical); return(1); } scope CFormaMain w1 = new CFormaMain(null); w1.show().saveThis(&w1); ukCMain = &w1; // Блок работы с MiniMono scope(exit) { w1.closeDbMinimono(); w1.closeDbMinmSrv(); } w1.openDbMinimono(); return app.exec(); } __EOF__ _________________________________________________________________________________ Следует добавить: 1 - Списки путей, для поиска исходников, интерфейсов 2 - Список необходимых библиотек, для включения в командную строку
D
// ************************************************************ // EXIT // ************************************************************ INSTANCE DIA_Hagen_EXIT(C_INFO) { npc = PAL_200_Hagen; nr = 999; condition = DIA_Hagen_EXIT_Condition; information = DIA_Hagen_EXIT_Info; permanent = TRUE; description = DIALOG_ENDE; }; FUNC INT DIA_Hagen_EXIT_Condition() { if (Kapitel < 3) { return TRUE; }; }; FUNC VOID DIA_Hagen_EXIT_Info() { AI_StopProcessInfos (self); }; // ************************************************************ // Petzmaster: Schulden offen // ************************************************************ // --------------------------- var int Hagen_LastPetzCounter; var int Hagen_LastPetzCrime; // --------------------------- INSTANCE DIA_Hagen_PMSchulden (C_INFO) { npc = PAL_200_Hagen; nr = 1; condition = DIA_Hagen_PMSchulden_Condition; information = DIA_Hagen_PMSchulden_Info; permanent = TRUE; important = TRUE; }; FUNC INT DIA_Hagen_PMSchulden_Condition() { if (Npc_IsInState(self, ZS_Talk)) && (Hagen_Schulden > 0) && (B_GetGreatestPetzCrime(self) <= Hagen_LastPetzCrime) { return TRUE; }; }; FUNC VOID DIA_Hagen_PMSchulden_Info() { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_00"); //Dobrze, że jesteś. Możesz od razu zapłacić grzywnę. if (B_GetTotalPetzCounter(self) > Hagen_LastPetzCounter) { var int diff; diff = (B_GetTotalPetzCounter(self) - Hagen_LastPetzCounter); if (diff > 0) { Hagen_Schulden = Hagen_Schulden + (diff * 50); }; if (Hagen_Schulden > 1000) { Hagen_Schulden = 1000; }; AI_Output (self, other, "DIA_Hagen_PMSchulden_04_01"); //Widzę, że lekceważysz prawa tego miasta, co? AI_Output (self, other, "DIA_Hagen_PMSchulden_04_02"); //Lista twoich występków jeszcze się powiększyła! if (Hagen_Schulden < 1000) { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_03"); //Tylko mi tu nie udawaj niewiniątka! } else { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_04"); //Zapłacisz maksymalną grzywnę. B_Say_Gold (self, other, Hagen_Schulden); }; } else if (B_GetGreatestPetzCrime(self) < Hagen_LastPetzCrime) { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_05"); //Cóż, wygląda na to, że sytuacja się zmieniła. if (Hagen_LastPetzCrime == CRIME_MURDER) { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_06"); //Nie ma żadnych świadków morderstwa! }; if (Hagen_LastPetzCrime == CRIME_THEFT) || ( (Hagen_LastPetzCrime > CRIME_THEFT) && (B_GetGreatestPetzCrime(self) < CRIME_THEFT) ) { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_07"); //Nikt nie chce zeznawać, że widział cię podczas kradzieży! }; if (Hagen_LastPetzCrime == CRIME_ATTACK) || ( (Hagen_LastPetzCrime > CRIME_ATTACK) && (B_GetGreatestPetzCrime(self) < CRIME_ATTACK) ) { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_08"); //Nie ma żadnych świadków twojej bijatyki. }; if (B_GetGreatestPetzCrime(self) == CRIME_NONE) { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_09"); //Wszystkie oskarżenia wobec ciebie zostały wycofane. }; AI_Output (self, other, "DIA_Hagen_PMSchulden_04_10"); //Nie wiem, co się stało w mieście i NIE CHCĘ tego wiedzieć. AI_Output (self, other, "DIA_Hagen_PMSchulden_04_11"); //Po prostu staraj się na przyszłość unikać kłopotów. // ------- Schulden erlassen oder trotzdem zahlen ------ if (B_GetGreatestPetzCrime(self) == CRIME_NONE) { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_12"); //W każdym bądź razie - postanowiłem darować ci karę. AI_Output (self, other, "DIA_Hagen_PMSchulden_04_13"); //Staraj się trzymać z dala od podobnych awantur. Hagen_Schulden = 0; Hagen_LastPetzCounter = 0; Hagen_LastPetzCrime = CRIME_NONE; } else { AI_Output (self, other, "DIA_Hagen_PMSchulden_04_14"); //Mimo to zapłacisz należne grzywny. B_Say_Gold (self, other, Hagen_Schulden); AI_Output (self, other, "DIA_Hagen_PMSchulden_04_15"); //Więc jak będzie, płacisz? }; }; // ------ Choices NUR, wenn noch Crime vorliegt ------ if (B_GetGreatestPetzCrime(self) != CRIME_NONE) { Info_ClearChoices (DIA_Hagen_PMSchulden); Info_ClearChoices (DIA_Hagen_PETZMASTER); Info_AddChoice (DIA_Hagen_PMSchulden,"Nie mam tyle pieniędzy!",DIA_Hagen_PETZMASTER_PayLater); Info_AddChoice (DIA_Hagen_PMSchulden,"Ile to miało być?",DIA_Hagen_PMSchulden_HowMuchAgain); if (Npc_HasItems(other, itmi_gold) >= Hagen_Schulden) { Info_AddChoice (DIA_Hagen_PMSchulden,"Chcę zapłacić grzywnę!",DIA_Hagen_PETZMASTER_PayNow); }; }; }; func void DIA_Hagen_PMSchulden_HowMuchAgain() { AI_Output (other, self, "DIA_Hagen_PMSchulden_HowMuchAgain_15_00"); //Ile wynosi grzywna? B_Say_Gold (self, other, Hagen_Schulden); Info_ClearChoices (DIA_Hagen_PMSchulden); Info_ClearChoices (DIA_Hagen_PETZMASTER); Info_AddChoice (DIA_Hagen_PMSchulden,"Nie mam tyle pieniędzy!",DIA_Hagen_PETZMASTER_PayLater); Info_AddChoice (DIA_Hagen_PMSchulden,"Ile to miało być?",DIA_Hagen_PMSchulden_HowMuchAgain); if (Npc_HasItems(other, itmi_gold) >= Hagen_Schulden) { Info_AddChoice (DIA_Hagen_PMSchulden,"Chcę zapłacić grzywnę!",DIA_Hagen_PETZMASTER_PayNow); }; }; // *** weitere Choices siehe unten (DIA_Hagen_PETZMASTER) *** // ************************************************************ // PETZ-MASTER // ************************************************************ instance DIA_Hagen_PETZMASTER (C_INFO) { npc = PAL_200_Hagen; nr = 1; condition = DIA_Hagen_PETZMASTER_Condition; information = DIA_Hagen_PETZMASTER_Info; permanent = TRUE; important = TRUE; }; FUNC INT DIA_Hagen_PETZMASTER_Condition() { if (B_GetGreatestPetzCrime(self) > Hagen_LastPetzCrime) { return TRUE; }; }; FUNC VOID DIA_Hagen_PETZMASTER_Info() { Hagen_Schulden = 0; //weil Funktion nochmal durchlaufen wird, wenn Crime höher ist... // ------ SC hat mit Hagen noch nicht gesprochen ------ if (self.aivar[AIV_TalkedToPlayer] == FALSE) { AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_00"); //Twoja reputacja cię wyprzedza. Słyszałem, że pogwałciłeś prawa tego miasta. }; if (B_GetGreatestPetzCrime(self) == CRIME_MURDER) { AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_01"); //Wplątałeś się w niezłą kabałę. AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_02"); //Morderstwo to poważne przestępstwo! Hagen_Schulden = (B_GetTotalPetzCounter(self) * 50); //Anzahl der Zeugen * 50 Hagen_Schulden = Hagen_Schulden + 500; //PLUS Mörder-Malus if ((PETZCOUNTER_City_Theft + PETZCOUNTER_City_Attack + PETZCOUNTER_City_Sheepkiller) > 0) { AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_03"); //Nie wspominając nawet o twoich pozostałych przewinieniach. }; AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_04"); //Strażnicy otrzymali rozkaz natychmiastowego zabijania każdego mordercy. AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_05"); //Mordercy nie będą tutaj tolerowani. Ale możesz okazać skruchę, płacąc odpowiednią grzywnę. }; if (B_GetGreatestPetzCrime(self) == CRIME_THEFT) { AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_06"); //Oskarżono cię o kradzież! if ((PETZCOUNTER_City_Attack + PETZCOUNTER_City_Sheepkiller) > 0) { AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_07"); //Nie wspominając nawet o twoich pozostałych przewinieniach. }; AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_08"); //To pogwałcenie praw tego miasta. Musisz zapłacić grzywnę. Hagen_Schulden = (B_GetTotalPetzCounter(self) * 50); //Anzahl der Zeugen * 50 }; if (B_GetGreatestPetzCrime(self) == CRIME_ATTACK) { AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_09"); //Wdałeś się w bijatykę, tym samym łamiąc prawo tego miasta. if (PETZCOUNTER_City_Sheepkiller > 0) { AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_10"); //A co to za sprawa z owcami? }; AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_11"); //Pogwałcenie miejskiego prawa to złamanie prawa ustanowionego przez Innosa. AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_12"); //Dlatego musisz zapłacić za swoje przewinienia. Hagen_Schulden = (B_GetTotalPetzCounter(self) * 50); //Anzahl der Zeugen * 50 }; // ------ Schaf getötet (nahezu uninteressant - in der City gibt es keine Schafe) ------ if (B_GetGreatestPetzCrime(self) == CRIME_SHEEPKILLER) { AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_13"); //Zabijałeś nasze owce! Początkowo nie dawałem temu wiary... AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_14"); //Dlaczego muszę zajmować się takimi błahostkami? AI_Output (self, other, "DIA_Hagen_PETZMASTER_04_15"); //Musisz zapłacić grzywnę! Hagen_Schulden = 100; }; AI_Output (other, self, "DIA_Hagen_PETZMASTER_15_16"); //Ile mam zapłacić? if (Hagen_Schulden > 1000) { Hagen_Schulden = 1000; }; B_Say_Gold (self, other, Hagen_Schulden); Info_ClearChoices (DIA_Hagen_PMSchulden); Info_ClearChoices (DIA_Hagen_PETZMASTER); Info_AddChoice (DIA_Hagen_PETZMASTER,"Nie mam tyle pieniędzy!",DIA_Hagen_PETZMASTER_PayLater); if (Npc_HasItems(other, itmi_gold) >= Hagen_Schulden) { Info_AddChoice (DIA_Hagen_PETZMASTER,"Chcę zapłacić grzywnę!",DIA_Hagen_PETZMASTER_PayNow); }; }; func void DIA_Hagen_PETZMASTER_PayNow() { AI_Output (other, self, "DIA_Hagen_PETZMASTER_PayNow_15_00"); //Chcę zapłacić grzywnę! B_GiveInvItems (other, self, itmi_gold, Hagen_Schulden); AI_Output (self, other, "DIA_Hagen_PETZMASTER_PayNow_04_01"); //Świetnie! Dopilnuję, żeby dowiedzieli się o tym wszyscy mieszkańcy miasta. To poprawi trochę twoją reputację. B_GrantAbsolution (LOC_CITY); Hagen_Schulden = 0; Hagen_LastPetzCounter = 0; Hagen_LastPetzCrime = CRIME_NONE; Info_ClearChoices (DIA_Hagen_PETZMASTER); Info_ClearChoices (DIA_Hagen_PMSchulden); //!!! Info-Choice wird noch von anderem Dialog angesteuert! }; func void DIA_Hagen_PETZMASTER_PayLater() { AI_Output (other, self, "DIA_Hagen_PETZMASTER_PayLater_15_00"); //Nie mam tyle złota! AI_Output (self, other, "DIA_Hagen_PETZMASTER_PayLater_04_01"); //Zatem postaraj się szybko je zdobyć. AI_Output (self, other, "DIA_Hagen_PETZMASTER_PayLater_04_02"); //Ale ostrzegam: jeśli popełnisz jeszcze jakieś wykroczenia, nie będzie dla ciebie litości! Hagen_LastPetzCounter = B_GetTotalPetzCounter(self); Hagen_LastPetzCrime = B_GetGreatestPetzCrime(self); AI_StopProcessInfos (self); }; /////////////////////////////////////////////////////////////////////// // Info Hallo /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Lord_Hagen_Hallo (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_Hallo_Condition; information = DIA_Lord_Hagen_Hallo_Info; important = TRUE; permanent = FALSE; }; func int DIA_Lord_Hagen_Hallo_Condition () { if (hero.guild != GIL_NONE) && (self.aivar[AIV_TalkedToPlayer] == FALSE) && (Kapitel < 3) { return TRUE; }; }; func void DIA_Lord_Hagen_Hallo_Info () { AI_Output (self, other, "DIA_Lord_Hagen_Hallo_04_00"); //Słyszałem już o tobie. if (Npc_KnowsInfo (other, DIA_Lothar_EyeInnos)) || (Andre_EyeInnos == TRUE) { AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_03"); //Lothar doniósł mi, że chciałeś ze mną rozmawiać. AI_Output (self, other, "DIA_Lord_Hagen_Hallo_04_01"); //Jesteś tym obcym, który domaga się Oka Innosa. }; AI_Output (self, other, "DIA_Lord_Hagen_Hallo_04_02"); //Jestem Lord Hagen. AI_Output (self, other, "DIA_Lord_Hagen_Hallo_04_03"); //Królewski paladyn, wojownik w służbie Innosa i namiestnik Khorinis. AI_Output (self, other, "DIA_Lord_Hagen_Hallo_04_04"); //Jestem zajętym człowiekiem, więc nie marnuj mojego czasu. Mów od razu, co cię tu sprowadza. }; /////////////////////////////////////////////////////////////////////// // Info Frieden /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Lord_Hagen_Frieden (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_Frieden_Condition; information = DIA_Lord_Hagen_Frieden_Info; permanent = FALSE; description = "Przynoszę propozycję rozejmu od jednego z najemników."; }; func int DIA_Lord_Hagen_Frieden_Condition () { if (MIS_Lee_Friedensangebot == LOG_RUNNING) && (Npc_HasItems (other, itwr_Passage_MIS) > 0) { return TRUE; }; }; func void DIA_Lord_Hagen_Frieden_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Frieden_15_00"); //Przynoszę propozycję rozejmu od jednego z najemników. B_GiveInvItems (other, self, itwr_Passage_MIS, 1); AI_Output (self, other, "DIA_Lord_Hagen_Frieden_04_01"); //Hmmm... Pokaż! B_UseFakeScroll (); AI_Output (self, other, "DIA_Lord_Hagen_Frieden_04_02"); //Znam generała Lee. Znam też okoliczności, w wyniku których trafił jako więzień do Kolonii. AI_Output (self, other, "DIA_Lord_Hagen_Frieden_04_03"); //Uważam go za człowieka honoru. Jestem skłonny go ułaskawić... Ale TYLKO jego. AI_Output (self, other, "DIA_Lord_Hagen_Frieden_04_04"); //Jego ludzie zostaną na miejscu. Większość z nich to pozbawione skrupułów łotry, które trafiły tu zasłużenie. AI_Output (self, other, "DIA_Lord_Hagen_Frieden_04_05"); //Oni nie mogą liczyć na moją łaskę. Hagen_FriedenAbgelehnt = TRUE; if (!Npc_KnowsInfo (other, DIA_Lord_Hagen_Armee)) { AI_Output (self, other, "DIA_Lord_Hagen_Frieden_04_06"); //Czy to wszystko? }; B_LogEntry (Topic_Frieden,"Lord Hagen może wybaczyć Lee, ale nie pozostałym najemnikom."); }; /////////////////////////////////////////////////////////////////////// // Info Armee /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Lord_Hagen_Armee (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_Armee_Condition; information = DIA_Lord_Hagen_Armee_Info; permanent = FALSE; description = "Armie ciemności zbierają się w pobliżu miasta, w Górniczej Dolinie."; }; func int DIA_Lord_Hagen_Armee_Condition () { if (!MIS_Lee_Friedensangebot == LOG_RUNNING) || (Hagen_FriedenAbgelehnt == TRUE) { return TRUE; }; }; func void DIA_Lord_Hagen_Armee_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Armee_15_00"); //Armie ciemności zbierają się w pobliżu miasta, w Górniczej Dolinie. AI_Output (self, other, "DIA_Lord_Hagen_Armee_04_01"); //W Dolinie? Wysłałem tam oddział moich ludzi. Doniesiono mi, że przełęcz jest zajęta przez orków. AI_Output (self, other, "DIA_Lord_Hagen_Armee_04_02"); //Ale pierwsze słyszę o... armiach ciemności. if (Npc_KnowsInfo (other, DIA_Lord_Hagen_Frieden)) { AI_Output (self, other, "DIA_Lord_Hagen_Armee_04_03"); //Czy to jakaś sztuczka, która ma mnie skłonić do zawarcia przymierza z najemnikami? AI_Output (other, self, "DIA_Lord_Hagen_Armee_15_04"); //Nie. }; AI_Output (self, other, "DIA_Lord_Hagen_Armee_04_05"); //A co to niby za armia? AI_Output (other, self, "DIA_Lord_Hagen_Armee_15_06"); //Stado smoków, którym towarzyszy horda równie groźnych istot. AI_Output (self, other, "DIA_Lord_Hagen_Armee_04_07"); //Smoki? Stare pisma głoszą, że ostatnie smoki widziano setki lat temu! AI_Output (self, other, "DIA_Lord_Hagen_Armee_04_08"); //Dlaczego miałbym ci uwierzyć, co? AI_Output (other, self, "DIA_Lord_Hagen_Armee_15_09"); //Tu nie chodzi o to, czy mi wierzysz, tylko czy możesz sobie pozwolić, żeby mi NIE wierzyć. AI_Output (self, other, "DIA_Lord_Hagen_Armee_04_10"); //Dopóki nie przedstawisz mi jakiegoś dowodu, nie wyślę tam żadnych nowych ludzi. }; /////////////////////////////////////////////////////////////////////// // Info Proof /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Lord_Hagen_Proof (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_Proof_Condition; information = DIA_Lord_Hagen_Proof_Info; permanent = TRUE; description = "A więc mam ci dostarczyć dowodów?"; }; func int DIA_Lord_Hagen_Proof_Condition () { if Npc_KnowsInfo (other, DIA_Lord_Hagen_Armee ) && (Hagen_BringProof == FALSE) { return TRUE; }; }; func void DIA_Lord_Hagen_Proof_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Proof_15_00"); //A więc mam ci dostarczyć dowodów? IF (hero.guild != GIL_NONE) && (hero.guild != GIL_NOV) { AI_Output (self, other, "DIA_Lord_Hagen_Proof_04_01"); //Dokładnie tak. Zejdź przełęczą do Górniczej Doliny. Na miejscu poszukaj naszej ekspedycji, a gdy ją znajdziesz - porozmawiaj z kapitanem Garondem. AI_Output (self, other, "DIA_Lord_Hagen_Proof_04_02"); //Jeśli ktoś może coś powiedzieć o tej sytuacji, to właśnie on. AI_Output (self, other, "DIA_Lord_Hagen_Proof_04_03"); //Jeśli Garond potwierdzi twoje słowa, będę skłonny ci zaufać. AI_Output (other, self, "DIA_Lord_Hagen_Proof_15_04"); //Czy to znaczy, że przekażesz mi Oko Innosa? AI_Output (self, other, "DIA_Lord_Hagen_Proof_04_05"); //Oko Innosa... niech będzie. Przynieś mi niezbity dowód, a dopilnuję, żebyś dostał ten amulet. AI_Output (other, self, "DIA_Lord_Hagen_Proof_15_06"); //Mam na to twoje słowo? AI_Output (self, other, "DIA_Lord_Hagen_Proof_04_07"); //Tak, masz moje słowo. Hagen_BringProof = TRUE; } else { if (hero.guild == GIL_NOV) { PrintScreen (PRINT_Addon_GuildNeeded_NOV, -1,-1, FONT_Screen ,2); } else { PrintScreen (PRINT_Addon_GuildNeeded, -1,-1, FONT_Screen ,2); }; B_Say (self, other, "$NOLEARNNOPOINTS"); }; }; /////////////////////////////////////////////////////////////////////// // Info Auge /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Lord_Hagen_Auge (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_Auge_Condition; information = DIA_Lord_Hagen_Auge_Info; permanent = FALSE; description = "Co ci wiadomo na temat Oka Innosa?"; }; func int DIA_Lord_Hagen_Auge_Condition () { return TRUE; }; func void DIA_Lord_Hagen_Auge_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Auge_15_00"); //Co ci wiadomo na temat Oka Innosa? AI_Output (self, other, "DIA_Lord_Hagen_Auge_04_01"); //To święty artefakt... Stare przepowiednie łączą go ze smokami. AI_Output (self, other, "DIA_Lord_Hagen_Auge_04_02"); //Ale głoszą również, że tylko Wybraniec Innosa może nosić ten amulet. if (other.guild == GIL_KDF) { AI_Output (other, self, "DIA_Lord_Hagen_Auge_15_03"); //JA jestem Wybrańcem Innosa. AI_Output (self, other, "DIA_Lord_Hagen_Auge_04_04"); //Więc może będziesz mógł założyć Oko. }; }; /////////////////////////////////////////////////////////////////////// // Info Pass /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Lord_Hagen_Pass (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_Pass_Condition; information = DIA_Lord_Hagen_Pass_Info; permanent = FALSE; description = "Jak mam się dostać na przełęcz?"; }; func int DIA_Lord_Hagen_Pass_Condition () { if (Hagen_BringProof == TRUE) && (Kapitel < 3) { return TRUE; }; }; func void DIA_Lord_Hagen_Pass_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Pass_15_00"); //Jak mam się dostać na przełęcz? AI_Output (self, other, "DIA_Lord_Hagen_Pass_04_01"); //Dam ci klucz do bramy prowadzącej na przełęcz. Dalej musisz jednak radzić sobie sam. Tej drogi pilnują stada orków. AI_Output (self, other, "DIA_Lord_Hagen_Pass_04_02"); //Niech Innos będzie z tobą. AI_StopProcessInfos (self); MIS_OLDWORLD = LOG_RUNNING; B_Kapitelwechsel (2, NEWWORLD_ZEN ); CreateInvItems (self,ItKe_Pass_MIS,1); B_GiveInvItems (self,other,ItKe_Pass_MIS,1); Log_CreateTopic (Topic_MISOLDWORLD,LOG_MISSION); Log_SetTopicStatus (Topic_MISOLDWORLD,LOG_RUNNING); B_LogEntry (Topic_MISOLDWORLD,"Lord Hagen chce, abym dostarczył mu jakiś dowód na istnienie armii Zła. Powinienem się udać do Górniczej Doliny i porozmawiać z Kapitanem Garondem."); if (Fernando_ImKnast == FALSE) { B_StartOtherRoutine (Fernando,"WAIT"); }; Wld_InsertNpc (BDT_1020_Bandit_L, "NW_TROLLAREA_PATH_47"); //Joly: //ADDON stört dann nicht mehr }; /////////////////////////////////////////////////////////////////////// // Info Ornament /////////////////////////////////////////////////////////////////////// instance DIA_Addon_Lord_Hagen_Ornament (C_INFO) { npc = PAL_200_Hagen; nr = 10; condition = DIA_Addon_Lord_Hagen_Ornament_Condition; information = DIA_Addon_Lord_Hagen_Ornament_Info; description = "Szukam metalowego ornamentu."; }; func int DIA_Addon_Lord_Hagen_Ornament_Condition () { if (MIS_Addon_Cavalorn_GetOrnamentFromPAL == LOG_RUNNING) && (Lord_Hagen_GotOrnament == FALSE) { return TRUE; }; }; func void DIA_Addon_Lord_Hagen_Ornament_Info () { AI_Output (other, self, "DIA_Addon_Lord_Hagen_GiveOrnament_15_00"); //Szukam metalowego ornamentu. Powinien być gdzieś w kamiennym kręgu przy farmie Lobarta. AI_Output (self, other, "DIA_Addon_Lord_Hagen_GiveOrnament_04_01"); //Jeśli chodzi ci o to tutaj... Myśleliśmy, że może to być magiczna runa, ale to całkowicie bezwartościowy przedmiot. AI_Output (self, other, "DIA_Addon_Lord_Hagen_GiveOrnament_04_02"); //Weź go sobie, do niczego nam się nie przyda. CreateInvItems (self, ItMi_Ornament_Addon, 1); B_GiveInvItems (self, other, ItMi_Ornament_Addon, 1); Lord_Hagen_GotOrnament = TRUE; B_GivePlayerXP (XP_Ambient); }; /////////////////////////////////////////////////////////////////////// // Info Khorinis /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Lord_Hagen_Khorinis (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_Khorinis_Condition; information = DIA_Lord_Hagen_Khorinis_Info; permanent = FALSE; description = "Co was sprowadza do Khorinis?"; }; func int DIA_Lord_Hagen_Khorinis_Condition () { if (Npc_KnowsInfo (other, DIA_Lord_Hagen_Armee)) && (Kapitel < 3) { return TRUE; }; }; func void DIA_Lord_Hagen_Khorinis_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Khorinis_15_00"); //Co was sprowadza do Khorinis? AI_Output (self, other, "DIA_Lord_Hagen_Khorinis_04_01"); //Wysłano nas z misją wagi państwowej. Otrzymaliśmy rozkaz od samego Króla Rhobara. AI_Output (self, other, "DIA_Lord_Hagen_Khorinis_04_02"); //Mówiłem ci już, że wysłaliśmy ekspedycję do Górniczej Doliny. Po to tu właśnie przybyliśmy. }; /////////////////////////////////////////////////////////////////////// // Info Minental /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Lord_Hagen_Minental (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_Minental_Condition; information = DIA_Lord_Hagen_Minental_Info; permanent = TRUE; description = "Co twoi ludzie robią w Górniczej Dolinie?"; }; func int DIA_Lord_Hagen_Minental_Condition () { if (Npc_KnowsInfo (other, DIA_Lord_Hagen_Khorinis)) && (KnowsPaladins_Ore == FALSE) { return TRUE; }; }; func void DIA_Lord_Hagen_Minental_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Minental_15_00"); //Co twoi ludzie robią w Górniczej Dolinie? if (Hagen_BringProof == FALSE) { AI_Output (self, other, "DIA_Lord_Hagen_Minental_04_01"); //Nie widzę powodu, dla którego miałbym ci to mówić! } else { if (Garond.aivar[AIV_TalkedToPlayer] == TRUE) { AI_Output (self, other, "DIA_Lord_Hagen_Minental_04_02"); //Byłeś tam. Sam powinieneś wiedzieć. } else { AI_Output (self, other, "DIA_Lord_Hagen_Minental_04_03"); //No dobrze. Skoro i tak się tam udajesz, mogę ci chyba powiedzieć. }; AI_Output (self, other, "DIA_Lord_Hagen_Minental_04_04"); //Chodzi o magiczną rudę. Dzięki niej możemy jeszcze wygrać tę wojnę. AI_Output (self, other, "DIA_Lord_Hagen_Minental_04_05"); //Bez oręża wykonanego z tej rudy, królewska armia nie ma żadnych szans w starciu z elitarnymi oddziałami orków. if (other.guild != GIL_SLD) { AI_Output (self, other, "DIA_Lord_Hagen_Minental_04_06"); //A na tej wyspie znajdują się ostatnie kopalnie, do których mamy jeszcze dostęp. }; AI_Output (self, other, "DIA_Lord_Hagen_Minental_04_07"); //Wracamy na kontynent, gdy tylko załadujemy całą rudę na statek. KnowsPaladins_Ore = TRUE; AI_Output (other, self, "DIA_Lord_Hagen_Minental_15_08"); //A więc przegrywamy tę wojnę? AI_Output (self, other, "DIA_Lord_Hagen_Minental_04_09"); //I tak powiedziałem ci zbyt wiele. }; }; /////////////////////////////////////////////////////////////////////// // Can You Teach Me? /////////////////////////////////////////////////////////////////////// instance DIA_Hagen_CanTeach (C_INFO) { npc = PAL_200_Hagen; nr = 5; condition = DIA_Hagen_CanTeach_Condition; information = DIA_Hagen_CanTeach_Info; PERMANENT = FALSE; description = "Szukam jakiegoś mistrza miecza."; }; func int DIA_Hagen_CanTeach_Condition () { if (LordHagen_Teach2H == FALSE) && (other.guild == GIL_PAL) && (other.aivar[REAL_TALENT_2H] >= 90) && (other.aivar[REAL_TALENT_2H] < 100) { return TRUE; }; }; func void DIA_Hagen_CanTeach_Info () { AI_Output (other, self, "DIA_Hagen_CanTeach_15_00"); //Szukam jakiegoś mistrza miecza. AI_Output (self, other, "DIA_Hagen_CanTeach_04_01"); //No to go znalazłeś. LordHagen_Teach2H = TRUE; B_LogEntry (TOPIC_CityTeacher,"Lord Hagen może mnie nauczyć walki orężem dwuręcznym."); }; //************************************** // Ich will trainieren //************************************** INSTANCE DIA_Hagen_Teach(C_INFO) { npc = PAL_200_Hagen; nr = 100; condition = DIA_Hagen_Teach_Condition; information = DIA_Hagen_Teach_Info; permanent = TRUE; description = "Zacznijmy (trening walki broniami dwuręcznymi)."; }; //---------------------------------- var int DIA_Hagen_Teach_permanent; //---------------------------------- FUNC INT DIA_Hagen_Teach_Condition() { if (LordHagen_Teach2H == TRUE) && (DIA_Hagen_Teach_permanent == FALSE) { return TRUE; }; }; FUNC VOID DIA_Hagen_Teach_Info() { AI_Output (other,self ,"DIA_Hagen_Teach_15_00"); //Zaczynajmy. Info_ClearChoices (DIA_Hagen_Teach); Info_AddChoice (DIA_Hagen_Teach, DIALOG_BACK ,DIA_Hagen_Teach_Back); Info_AddChoice (DIA_Hagen_Teach, B_BuildLearnString(PRINT_Learn2h1 , B_GetLearnCostTalent(other, NPC_TALENT_2H, 1)) ,DIA_Hagen_Teach_2H_1); Info_AddChoice (DIA_Hagen_Teach, B_BuildLearnString(PRINT_Learn2h5 , B_GetLearnCostTalent(other, NPC_TALENT_2H, 5)) ,DIA_Hagen_Teach_2H_5); }; FUNC VOID DIA_Hagen_Teach_Back () { if (other.HitChance[NPC_TALENT_2H] >= 100) { AI_Output (self,other,"DIA_Hagen_Teach_04_00"); //Jesteś teraz prawdziwym mistrzem miecza. Więcej nie mogę cię nauczyć. AI_Output (self,other,"DIA_Hagen_Teach_04_01"); //Niech mądrość mistrza miecza zawsze kieruje twoimi czynami. DIA_Hagen_Teach_permanent = TRUE; }; Info_ClearChoices (DIA_Hagen_Teach); }; FUNC VOID DIA_Hagen_Teach_2H_1 () { B_TeachFightTalentPercent (self, other, NPC_TALENT_2H, 1, 100); Info_ClearChoices (DIA_Hagen_Teach); Info_AddChoice (DIA_Hagen_Teach, DIALOG_BACK ,DIA_Hagen_Teach_Back); Info_AddChoice (DIA_Hagen_Teach, B_BuildLearnString(PRINT_Learn2h1 , B_GetLearnCostTalent(other, NPC_TALENT_2H, 1)) ,DIA_Hagen_Teach_2H_1); Info_AddChoice (DIA_Hagen_Teach, B_BuildLearnString(PRINT_Learn2h5 , B_GetLearnCostTalent(other, NPC_TALENT_2H, 5)) ,DIA_Hagen_Teach_2H_5); }; FUNC VOID DIA_Hagen_Teach_2H_5 () { B_TeachFightTalentPercent (self, other, NPC_TALENT_2H, 5, 100); Info_ClearChoices (DIA_Hagen_Teach); Info_AddChoice (DIA_Hagen_Teach, DIALOG_BACK ,DIA_Hagen_Teach_Back); Info_AddChoice (DIA_Hagen_Teach, B_BuildLearnString(PRINT_Learn2h1 , B_GetLearnCostTalent(other, NPC_TALENT_2H, 1)) ,DIA_Hagen_Teach_2H_1); Info_AddChoice (DIA_Hagen_Teach, B_BuildLearnString(PRINT_Learn2h5 , B_GetLearnCostTalent(other, NPC_TALENT_2H, 5)) ,DIA_Hagen_Teach_2H_5); }; //############################################################## //### //### RitterAufnahme //### //############################################################## //************************************************************** // Ich will auch ein Paladin werden. //************************************************************** INSTANCE DIA_Lord_Hagen_Knight (C_INFO) { npc = PAL_200_Hagen; nr = 990; condition = DIA_Lord_Hagen_Knight_Condition; information = DIA_Lord_Hagen_Knight_Info; permanent = TRUE; description = "Chciałbym wstąpić do waszego zakonu."; }; FUNC INT DIA_Lord_Hagen_Knight_Condition () { if (hero.guild == GIL_MIL) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_Knight_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Knight_15_00"); //Chciałbym wstąpić do waszego zakonu. if (MIS_RescueBennet == LOG_SUCCESS) { AI_Output (self, other, "DIA_Lord_Hagen_Knight_04_01"); //Dobrze, ale najpierw musisz udowodnić, że posiadasz odwagę, umiejętności i wiedzę potrzebną słudze Innosa. AI_Output (self ,other, "DIA_Lord_Hagen_Knight_04_02"); //Twoje czyny świadczą, że jesteś człowiekiem honoru. AI_Output (self ,other, "DIA_Lord_Hagen_Knight_04_03"); //Jeśli takie jest twoje życzenie, chętnie powitam cię w naszym zakonie. Info_ClearChoices (DIA_Lord_Hagen_Knight); Info_AddChoice (DIA_Lord_Hagen_Knight,"Nie podjąłem jeszcze ostatecznej decyzji.",DIA_Lord_Hagen_Knight_No); Info_AddChoice (DIA_Lord_Hagen_Knight,"Jestem gotów!",DIA_Lord_Hagen_Knight_Yes); } else { AI_Output (self ,other, "DIA_Lord_Hagen_Knight_04_04"); //Aby zostać wojownikiem Innosa, musisz całkowicie poświęcić się wypełnianiu jego woli. AI_Output (self ,other, "DIA_Lord_Hagen_Knight_04_05"); //W naszym zakonie służyć mogą tylko najmężniejsi i najszlachetniejsi z wojowników. AI_Output (self ,other, "DIA_Lord_Hagen_Knight_04_06"); //Jeśli naprawdę chcesz zostać jednym z nas, musisz dowieść, że jesteś tego godzien. }; Hagen_GaveInfoKnight = TRUE; }; FUNC VOID DIA_Lord_Hagen_Knight_No () { AI_Output (other,self ,"DIA_Lord_Hagen_Knight_No_15_00"); //Nie podjąłem jeszcze ostatecznej decyzji. AI_Output (self ,other,"DIA_Lord_Hagen_Knight_No_04_01"); //Zatem rozważ tę sprawę w swoim sercu i wróć, gdy będziesz gotowy. Info_ClearChoices (DIA_Lord_Hagen_Knight); }; FUNC VOID DIA_Lord_Hagen_Knight_Yes() { AI_Output (other,self ,"DIA_Lord_Hagen_Knight_Yes_15_00"); //Jestem gotów! AI_Output (self ,other,"DIA_Lord_Hagen_Knight_Yes_04_01"); //Niech tak się stanie! AI_Output (self ,other,"DIA_Lord_Hagen_Knight_Yes_04_02"); //Wielu z tych, którzy wstąpili na tę ścieżkę, oddało życie w służbie Innosowi. AI_Output (self ,other,"DIA_Lord_Hagen_Knight_Yes_04_03"); //Czy przysięgasz czcić swymi czynami pamięć po nich i głosić wszem, i wobec chwałę Innosa? AI_Output (other,self ,"DIA_Lord_Hagen_Knight_Yes_15_04"); //Przysięgam! AI_Output (self ,other,"DIA_Lord_Hagen_Knight_Yes_04_05"); //Zatem od tej pory jesteś członkiem naszego zakonu. AI_Output (self ,other,"DIA_Lord_Hagen_Knight_Yes_04_06"); //Niniejszym tytułuję cię wojownikiem Innosa. AI_Output (self ,other,"DIA_Lord_Hagen_Knight_Yes_04_07"); //Daję ci oręż i zbroję godną rycerza. Noś je z dumą! CreateInvItems (self,ITAR_PAL_M,1); B_GiveInvItems (self,other,ITAR_PAL_M,1); if ((other.HitChance[NPC_TALENT_2H]) >= (other.HitChance[NPC_TALENT_1H])) //Damit der SC auch seine Lieblingswaffe bekommt ;-) { CreateInvItems (self,ItMw_2h_Pal_Sword,1); B_GiveInvItems (self,other,ItMw_2h_Pal_Sword,1); } else { CreateInvItems (self,ItMw_1h_Pal_Sword,1); B_GiveInvItems (self,other,ItMw_1h_Pal_Sword,1); }; AI_UnequipArmor (other); AI_EquipArmor (other,ITAR_PAL_M); AI_Output (self ,other,"DIA_Lord_Hagen_Knight_Yes_04_08"); //Zostając jednym z nas, otrzymujesz prawo wstępu do klasztoru. if ((Npc_IsDead(Albrecht))== FALSE) { AI_Output (self ,other,"DIA_Lord_Hagen_Knight_Yes_04_09"); //Albrecht wyuczy cię naszej magii. Idź i porozmawiaj z nim. }; AI_Output (self ,other,"DIA_Lord_Hagen_Add_04_02"); //Nasze kwatery w górnym mieście są oczywiście do twojej dyspozycji. hero.guild = GIL_PAL; Npc_SetTrueGuild (other, GIL_PAL); Info_ClearChoices (DIA_Lord_Hagen_Knight); }; //*********************************************** // Wie kann ich mich würdig erweisen //*********************************************** INSTANCE DIA_Lord_Hagen_WhatProof (C_INFO) { npc = PAL_200_Hagen; nr = 991; condition = DIA_Lord_Hagen_WhatProof_Condition; information = DIA_Lord_Hagen_WhatProof_Info; permanent = FALSE; description = "Jak mam udowodnić, że jestem godny, by do was dołączyć?"; }; FUNC INT DIA_Lord_Hagen_WhatProof_Condition () { if (Hagen_GaveInfoKnight == TRUE) && (MIS_RescueBennet != LOG_SUCCESS) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_WhatProof_Info () { AI_Output (other, self, "DIA_Lord_Hagen_WhatProof_15_00"); //Jak mam udowodnić, że jestem godny, by do was dołączyć? AI_Output (self, other, "DIA_Lord_Hagen_WhatProof_04_01"); //Tylko twoje czyny będą odpowiednim świadectwem. AI_Output (self ,other, "DIA_Lord_Hagen_WhatProof_04_02"); //W imię Innosa walczymy o wolność i sprawiedliwość. AI_Output (self ,other, "DIA_Lord_Hagen_WhatProof_04_03"); //Stawiamy czoła Beliarowi i jego sługom, którzy próbują zniszczyć święty ład Innosa. AI_Output (other, self, "DIA_Lord_Hagen_WhatProof_15_04"); //Rozumiem. AI_Output (self ,other, "DIA_Lord_Hagen_WhatProof_04_05"); //Nic nie rozumiesz! Honor jest całym naszym życiem, a nasze życie należy do Innosa. AI_Output (self ,other, "DIA_Lord_Hagen_WhatProof_04_06"); //Paladyn rusza do boju z imieniem swojego boga na ustach. Wielu z nas złożyło życie na ołtarzu odwiecznej walki Dobra ze Złem. AI_Output (self ,other, "DIA_Lord_Hagen_WhatProof_04_07"); //Każdy paladyn musi pozostać wierny tej tradycji. Jeśli zbłądzimy, zbrukamy pamięć naszych poległych towarzyszy. AI_Output (self ,other, "DIA_Lord_Hagen_WhatProof_04_08"); //Aby zostać paladynem, musisz w pełni zdać sobie z tego sprawę. }; //##################################################################### //## //## //## KAPITEL 3 //## //## //##################################################################### // ************************************************************ // EXIT KAP3 // ************************************************************ INSTANCE DIA_Lord_Hagen_KAP3_EXIT(C_INFO) { npc = PAL_200_Hagen; nr = 999; condition = DIA_Lord_Hagen_KAP3_EXIT_Condition; information = DIA_Lord_Hagen_KAP3_EXIT_Info; permanent = TRUE; description = DIALOG_ENDE; }; FUNC INT DIA_Lord_Hagen_KAP3_EXIT_Condition() { if (Kapitel == 3) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_KAP3_EXIT_Info() { AI_StopProcessInfos (self); }; // ************************************************************ // PERM KAP 3 // ************************************************************ var int Hagen_KnowsEyeKaputt; // -------------------------- INSTANCE DIA_Lord_Hagen_KAP3U4_PERM(C_INFO) { npc = PAL_200_Hagen; nr = 998; condition = DIA_Lord_Hagen_KAP3U4_PERM_Condition; information = DIA_Lord_Hagen_KAP3U4_PERM_Info; permanent = TRUE; description = "Jak wygląda sytuacja?"; }; FUNC INT DIA_Lord_Hagen_KAP3U4_PERM_Condition() { if (Kapitel == 3) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_KAP3U4_PERM_Info() { AI_Output (other,self ,"DIA_Lord_Hagen_KAP3U4_PERM_15_00"); //Jak wygląda sytuacja? if (MIS_OLDWORLD == LOG_SUCCESS) { AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_04"); //Muszę jakoś uratować tę ekspedycję. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_05"); //Musimy coś zrobić w sprawie tych smoków. if (Hagen_KnowsEyeKaputt == FALSE) { AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_06"); //Może Oko Innosa zdoła nas jeszcze ocalić... }; } else { AI_Output (self ,other,"DIA_Lord_Hagen_KAP3U4_PERM_04_01"); //Ja tu chyba oszaleję. Jestem żołnierzem, a nie urzędnikiem! AI_Output (self ,other,"DIA_Lord_Hagen_KAP3U4_PERM_04_02"); //Przez te wszystkie dokumenty, pisma i zarządzenia zapomniałem już chyba, jak się trzyma miecz w garści! }; }; // ************************************************************ // PERM KAP3U4 // ************************************************************ INSTANCE DIA_Lord_Hagen_EyeBroken(C_INFO) { npc = PAL_200_Hagen; nr = 1; condition = DIA_Lord_Hagen_EyeBroken_Condition; information = DIA_Lord_Hagen_EyeBroken_Info; permanent = FALSE; description = "Mam Oko przy sobie. Niestety, jest uszkodzone."; }; FUNC INT DIA_Lord_Hagen_EyeBroken_Condition() { if (Kapitel == 3) && (MIS_ReadyForChapter4 == FALSE) && (((Npc_HasItems (other,ItMi_InnosEye_Broken_MIS)) || (MIS_SCKnowsInnosEyeIsBroken == TRUE) )) && (MIS_Bennet_InnosEyeRepairedSetting != LOG_SUCCESS) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_EyeBroken_Info() { AI_Output (other, self, "DIA_Lord_Hagen_Add_15_07"); //Mam Oko przy sobie. Niestety, jest uszkodzone. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_08"); //CO TAKIEGO?! Cóżeś uczynił?! Bez Oka jesteśmy zgubieni! AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_09"); //Porozmawiaj z Pyrokarem! Musi być jakiś sposób, żeby je naprawić! Hagen_KnowsEyeKaputt = TRUE; }; //********************************************************************* // Info BACKINTOWN //********************************************************************* instance DIA_Lord_Hagen_BACKINTOWN (C_INFO) { npc = PAL_200_Hagen; nr = 2; condition = DIA_Lord_Hagen_BACKINTOWN_Condition; information = DIA_Lord_Hagen_BACKINTOWN_Info; permanent = FALSE; description = "Przynoszę wieści od Garonda."; }; func int DIA_Lord_Hagen_BACKINTOWN_Condition () { if (MIS_OLDWORLD == LOG_RUNNING) && (Npc_HasItems (hero, ItWr_PaladinLetter_MIS) >= 1) && (Kapitel == 3) { return TRUE; }; }; func void DIA_Lord_Hagen_BACKINTOWN_Info () { AI_Output (other, self, "DIA_Lord_Hagen_BACKINTOWN_15_00"); //Przynoszę ci wieści od Garonda. Proszę, kazał mi wręczyć ten list. B_GiveInvItems (other, self,ItWr_PaladinLetter_MIS,1); B_UseFakeScroll (); AI_Output (self, other, "DIA_Lord_Hagen_BACKINTOWN_04_01"); //Sytuacja jest groźniejsza, niż przypuszczałem. Ale mów! Mów, co się dzieje w Górniczej Dolinie! AI_Output (other, self, "DIA_Lord_Hagen_BACKINTOWN_15_02"); //Paladyni zabarykadowali się w tamtejszym zamku. Oblega ich horda orków. AI_Output (other, self, "DIA_Lord_Hagen_BACKINTOWN_15_03"); //Wielu żołnierzy poległo. Zostało też bardzo niewiele rudy. AI_Output (other, self, "DIA_Lord_Hagen_BACKINTOWN_15_04"); //Obawiam się, że bez odpowiedniego wsparcia ci ludzie nie mają szans. AI_Output (self, other, "DIA_Lord_Hagen_BACKINTOWN_04_05"); //Znajdę jakiś sposób, żeby ich stamtąd wyciągnąć. Innos będzie ci wdzięczny... AI_Output (other, self, "DIA_Lord_Hagen_BACKINTOWN_15_06"); //Bardziej niż jego wdzięczność przyda mi się Oko. AI_Output (self, other, "DIA_Lord_Hagen_BACKINTOWN_04_07"); //Tak, naturalnie. Dotrzymam słowa. Weź ten list. On otworzy przed tobą bramy klasztoru. AI_Output (self, other, "DIA_Lord_Hagen_BACKINTOWN_04_08"); //Porozmawiaj z Pyrokarem - najwyższym z Magów Ognia. Pokaż mu to pismo, a on zaprowadzi cię do Oka. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_00"); //Jeszcze jedno, zanim pójdziesz. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_01"); //Weź tę runę jako wyraz mojej wdzięczności. W chwilach potrzeby przeniesie cię ona bezpiecznie do miasta. B_GiveInvItems (self, other, ItRu_TeleportSeaport, 1); CreateInvItems (self, ItWr_PermissionToWearInnosEye_MIS, 1); B_GiveInvItems (self, other,ItWr_PermissionToWearInnosEye_MIS,1); MIS_InnosEyeStolen = TRUE; MIS_OLDWORLD = LOG_SUCCESS; B_LogEntry (TOPIC_INNOSEYE,"Lord Hagen wręczył mi przesyłkę, dzięki której Mistrz Pyrokar dopuści mnie do Oka Innosa."); Wld_InsertNpc (VLK_4250_Jorgen,"NW_MONASTERY_BRIDGE_01"); Wld_InsertNpc (BDT_1050_Landstreicher, "NW_TROLLAREA_NOVCHASE_01"); Wld_InsertNpc (BDT_1051_Wegelagerer, "NW_TROLLAREA_RITUALFOREST_09"); Wld_InsertNpc (BDT_1052_Wegelagerer, "NW_TROLLAREA_RITUALFOREST_09"); B_KillNpc (BDT_1020_Bandit_L); //Joly: macht Platz für DMT_1200_Dementor Wld_InsertNpc (DMT_1200_Dementor, "NW_TROLLAREA_RITUALPATH_01"); //Wld_InsertNpc (DMT_1201_Dementor, "NW_TROLLAREA_RITUALPATH_01"); Wld_InsertNpc (DMT_1202_Dementor, "NW_TROLLAREA_RITUAL_01"); //Wld_InsertNpc (DMT_1203_Dementor, "NW_TROLLAREA_RITUAL_02");//Joly:waren zu viele! Wld_InsertNpc (DMT_1204_Dementor, "NW_TROLLAREA_RITUAL_03"); //Wld_InsertNpc (DMT_1205_Dementor, "NW_TROLLAREA_RITUAL_04"); Wld_InsertNpc (DMT_1206_Dementor, "NW_TROLLAREA_RITUAL_05"); Wld_InsertNpc (DMT_1207_Dementor, "NW_TROLLAREA_RITUALPATH_01"); //Wld_InsertNpc (DMT_1208_Dementor, "NW_TROLLAREA_RITUALPATH_01"); Wld_InsertNpc (DMT_1209_Dementor, "NW_TROLLAREA_RITUALPATH_01"); Wld_InsertNpc (DMT_1210_Dementor, "NW_TROLLAREA_RITUALPATH_01"); Wld_InsertNpc (DMT_1211_Dementor, "NW_TROLLAREA_RITUALPATH_01"); B_StartOtherRoutine (Pedro,"Tot"); if (Npc_IsDead (MiltenNW)) //Wichtig, damit Milten vor dem Kloster steht!!!!! { Wld_InsertNpc (PC_MAGE_NW ,"NW_MONASTERY_ENTRY_01"); B_StartOtherRoutine (MiltenNW,"START"); //zur Sicherheit }; Wld_InsertNpc (NOV_650_ToterNovize, "NW_TROLLAREA_RITUALPATH_01"); B_KillNpc (NOV_650_ToterNovize); Wld_InsertNpc (NOV_651_ToterNovize, "NW_TROLLAREA_RITUALPATH_01"); B_KillNpc (NOV_651_ToterNovize); Wld_InsertNpc (NOV_652_ToterNovize, "NW_TROLLAREA_RITUALPATH_01"); B_KillNpc (NOV_652_ToterNovize); Wld_InsertNpc (NOV_653_ToterNovize, "NW_TROLLAREA_RITUALPATH_01"); B_KillNpc (NOV_653_ToterNovize); Wld_InsertNpc (NOV_654_ToterNovize, "NW_TROLLAREA_RITUALPATH_01"); B_KillNpc (NOV_654_ToterNovize); Wld_InsertNpc (NOV_655_ToterNovize, "NW_TROLLAREA_RITUALPATH_01"); B_KillNpc (NOV_655_ToterNovize); Wld_InsertNpc (NOV_656_ToterNovize, "NW_TROLLAREA_RITUALPATH_01"); B_KillNpc (NOV_656_ToterNovize); TEXT_Innoseye_Setting = TEXT_Innoseye_Setting_Broken; Wld_InsertItem (ItMi_InnosEye_Broken_Mis , "FP_TROLLAREA_RITUAL_ITEM"); }; //--------Hier kommt der gesamte Befreie den schmied Klumpatsch------------- //********************************************************* // Lasse Bennet aus dem Knast //********************************************************* var int Hagen_einmalBennet; // ----------------------- INSTANCE DIA_Lord_Hagen_RescueBennet (C_INFO) { npc = PAL_200_Hagen; nr = 3; condition = DIA_Lord_Hagen_RescueBennet_Condition; information = DIA_Lord_Hagen_RescueBennet_Info; permanent = TRUE; description = "Muszę z tobą porozmawiać o Bennecie."; }; FUNC INT DIA_Lord_Hagen_RescueBennet_Condition () { if (MIS_RescueBennet == LOG_RUNNING) && (Cornelius_IsLiar == FALSE) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_RescueBennet_Info () { AI_Output (other, self, "DIA_Lord_Hagen_RescueBennet_15_00"); //Muszę z tobą porozmawiać o Bennecie. if (Hagen_einmalBennet == FALSE) { AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_04_01"); //Ale to ten najemnik, który zamordował jednego z moich ludzi! Hagen_einmalBennet = TRUE; }; Info_ClearChoices (DIA_Lord_Hagen_RescueBennet); Info_AddChoice (DIA_Lord_Hagen_RescueBennet,DIALOG_BACK,DIA_Lord_Hagen_RescueBennet_Back); Info_AddChoice (DIA_Lord_Hagen_RescueBennet,"Skąd masz pewność, że to Bennet jest mordercą?",DIA_Lord_Hagen_RescueBennet_WhySure); /* if (RescueBennet_KnowsWitness == TRUE) { Info_AddChoice (DIA_Lord_Hagen_RescueBennet,"Wer ist der Zeuge?",DIA_Lord_Hagen_RescueBennet_Witness); }; */ Info_AddChoice (DIA_Lord_Hagen_RescueBennet,"Sądzę, że Bennet jest niewinny.",DIA_Lord_Hagen_RescueBennet_Innoscent); if (MIS_RescueBennet == LOG_RUNNING) && (MIS_RitualInnosEyeRepair == LOG_RUNNING) && (Hagen_KnowsEyeKaputt == TRUE) { Info_AddChoice (DIA_Lord_Hagen_RescueBennet,"Może Bennet mógłby naprawić Oko Innosa.",DIA_Lord_Hagen_RescueBennet_Hilfe); }; }; func void DIA_Lord_Hagen_RescueBennet_Hilfe() { AI_Output (other, self, "DIA_Lord_Hagen_Add_15_16"); //Może Bennet mógłby naprawić Oko Innosa. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_17"); //Choćby nawet mógł ściągnąć na ziemię potęgę samego Innosa... AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_18"); //...ten człowiek zamordował paladyna i zostanie za to stracony. }; FUNC VOID DIA_Lord_Hagen_RescueBennet_Back() { Info_ClearChoices (DIA_Lord_Hagen_RescueBennet); }; FUNC VOID DIA_Lord_Hagen_RescueBennet_WhySure() { AI_Output (other, self, "DIA_Lord_Hagen_RescueBennet_WhySure_15_00"); //Skąd masz pewność, że to Bennet jest mordercą? AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_WhySure_04_01"); //Mamy naocznego świadka. AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_WhySure_04_02"); //Jak widzisz, wina tego najemnika nie podlega dyskusji. //neu zusammengefasst M.F. AI_Output (other, self, "DIA_Lord_Hagen_RescueBennet_Witness_15_00"); //Co to za świadek? AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_Witness_04_01"); //Cornelius, sekretarz gubernatora, widział całe zajście. AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_Witness_04_02"); //Podany przez niego rysopis pasuje jak ulał do Benneta. Z mojego punktu widzenia, sprawa jest zamknięta. AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_Witness_04_03"); //Najemnik zostanie powieszony za zdradę stanu. B_LogEntry (TOPIC_RESCUEBENNET,"Cornelius, sekretarz gubernatora, twierdzi, że był świadkiem morderstwa."); RecueBennet_KnowsCornelius = TRUE; //RescueBennet_KnowsWitness = TRUE; }; /* FUNC VOID DIA_Lord_Hagen_RescueBennet_Witness() { AI_Output (other, self, "DIA_Lord_Hagen_RescueBennet_Witness_15_00"); //Wer ist der Zeuge? AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_Witness_04_01"); //Cornelius, der Sekretär des Statthalters, hat den Mord gesehen. AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_Witness_04_02"); //Seine Beschreibung trifft zweifelsfrei auf Bennet zu. Damit ist die Sache für mich erledigt. AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_Witness_04_03"); //Der Söldner wird wegen Landesverrats hängen. B_LogEntry (TOPIC_RESCUEBENNET,"Cornelius, der Sekretär des Stadthalters, ist also der Zeuge. Er behauptet, den Mord beobachtet zu haben."); RecueBennet_KnowsCornelius = TRUE; }; */ FUNC VOID DIA_Lord_Hagen_RescueBennet_Innoscent() { AI_Output (other, self, "DIA_Lord_Hagen_RescueBennet_Innoscent_15_00"); //Sądzę, że Bennet jest niewinny. AI_Output (self, other, "DIA_Lord_Hagen_RescueBennet_Innoscent_04_01"); //Dowody są jednoznaczne. To on jest sprawcą. AI_Output (other,self , "DIA_Lord_Hagen_RescueBennet_Innoscent_15_02"); //A jeśli dowody zostały sfałszowane? AI_Output (self ,other, "DIA_Lord_Hagen_RescueBennet_Innoscent_04_03"); //Uważaj, co mówisz! To bardzo poważne oskarżenie! AI_Output (self ,other, "DIA_Lord_Hagen_RescueBennet_Innoscent_04_04"); //Jeśli nie masz dowodów, które podważają zeznania mojego świadka, lepiej trzymaj język za zębami. }; //************************************************************** // Cornelius hat gelogen. //************************************************************** INSTANCE DIA_Lord_Hagen_Cornelius (C_INFO) { npc = PAL_200_Hagen; nr = 3; condition = DIA_Lord_Hagen_Cornelius_Condition; information = DIA_Lord_Hagen_Cornelius_Info; permanent = TRUE; description = "Cornelius kłamie."; }; FUNC INT DIA_Lord_Hagen_Cornelius_Condition () { if (Npc_HasItems (other,ItWr_CorneliusTagebuch_Mis) >= 1) && (Cornelius_IsLiar == TRUE) && (MIS_RescueBennet == LOG_RUNNING) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_Cornelius_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Cornelius_15_00"); //Cornelius kłamie. AI_Output (self, other, "DIA_Lord_Hagen_Cornelius_04_01"); //Skąd ta pewność? AI_Output (other,self , "DIA_Lord_Hagen_Cornelius_15_02"); //Mam jego pamiętnik. Są tu wszystkie dowody. AI_Output (self ,other, "DIA_Lord_Hagen_Cornelius_04_03"); //A to podła gnida! AI_Output (self ,other, "DIA_Lord_Hagen_Cornelius_04_04"); //W świetle nowych dowodów mogę zrobić tylko jedno. AI_Output (self ,other, "DIA_Lord_Hagen_Cornelius_04_05"); //Na mocy powierzonej mi przez Jego Wysokość i Świątynię ogłaszam... AI_Output (self ,other, "DIA_Lord_Hagen_Cornelius_04_06"); //...że więzień Bennet zostaje oczyszczony ze wszystkich zarzutów i ma zostać zwolniony. B_StartOtherRoutine (Bennet,"START"); B_StartOtherRoutine (Hodges,"START"); AI_Output (self ,other, "DIA_Lord_Hagen_Cornelius_04_07"); //Za to Cornelius ma zostać pojmany, pod zarzutem krzywoprzysięstwa. if (Npc_IsDead (Cornelius) == TRUE) { AI_Output (other,self , "DIA_Lord_Hagen_Cornelius_15_08"); //Oszczędzę ci kłopotu. Cornelius nie żyje. AI_Output (self ,other, "DIA_Lord_Hagen_Cornelius_04_09"); //Zatem otrzymał już sprawiedliwą karę. Dobra robota. } else if (CorneliusFlee == TRUE) { AI_Output (other,self , "DIA_Lord_Hagen_Cornelius_15_10"); //Cornelius uciekł. AI_Output (self ,other, "DIA_Lord_Hagen_Cornelius_04_11"); //Znajdziemy go, prędzej czy później. Nie wywinie się. B_StartOtherRoutine (Cornelius,"FLED"); } else { B_StartOtherRoutine (Cornelius,"PRISON"); }; MIS_RescueBennet = LOG_SUCCESS; B_GivePlayerXP (XP_RescueBennet); if (hero.guild == GIL_MIL) { AI_Output (self ,other, "DIA_Lord_Hagen_Cornelius_04_12"); //Twoje czyny godne są jednego z nas. }; }; //--------Hier endet der gesamte Befreie den Schmied Klumpatsch------------- //************************************************************** // Auge Innos ganz! //************************************************************** INSTANCE DIA_Lord_Hagen_AugeAmStart (C_INFO) { npc = PAL_200_Hagen; nr = 4; condition = DIA_Lord_Hagen_AugeAmStart_Condition; information = DIA_Lord_Hagen_AugeAmStart_Info; permanent = FALSE; description = "Oko należy do mnie!"; }; FUNC INT DIA_Lord_Hagen_AugeAmStart_Condition () { if (Kapitel <= 4) && (MIS_ReadyForChapter4 == TRUE) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_AugeAmStart_Info () { AI_Output (other, self, "DIA_Lord_Hagen_Add_15_10"); //Oko należy do mnie! AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_11"); //Tak, Oko jest twoje! if (Hagen_KnowsEyeKaputt == TRUE) { AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_12"); //I to ty musisz je naprawić! }; AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_13"); //Zatem musisz być Wybrańcem Innosa. AI_Output (other, self, "DIA_Lord_Hagen_Add_15_14"); //Zamierzam położyć kres zagrożeniu ze strony smoków. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_15"); //Idź więc, i z pomocą Innosa zniszcz Zło w zarodku. }; //##################################################################### //## //## //## KAPITEL 4 //## //## //##################################################################### // ************************************************************ // EXIT KAP4 // ************************************************************ INSTANCE DIA_Lord_Hagen_KAP4_EXIT(C_INFO) { npc = PAL_200_Hagen; nr = 999; condition = DIA_Lord_Hagen_KAP4_EXIT_Condition; information = DIA_Lord_Hagen_KAP4_EXIT_Info; permanent = TRUE; description = DIALOG_ENDE; }; FUNC INT DIA_Lord_Hagen_KAP4_EXIT_Condition() { if (Kapitel == 4) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_KAP4_EXIT_Info() { AI_StopProcessInfos (self); }; /////////////////////////////////////////////////////////////////////// // Info Antipaladine /////////////////////////////////////////////////////////////////////// instance DIA_Lord_Hagen_ANTIPALADINE(C_INFO) { npc = PAL_200_Hagen; nr = 3; condition = DIA_Lord_Hagen_ANTIPALADINE_Condition; information = DIA_Lord_Hagen_ANTIPALADINE_Info; permanent = TRUE; description = "Najlepsi wojownicy orków ruszyli do ataku."; }; func int DIA_Lord_Hagen_ANTIPALADINE_Condition () { if ((TalkedTo_AntiPaladin == TRUE) || (Npc_HasItems (other,ItRi_OrcEliteRing))) && (Hagen_SawOrcRing == FALSE) && (hero.guild == GIL_PAL) { return TRUE; }; }; var int Hagen_SawOrcRing; func void DIA_Lord_Hagen_ANTIPALADINE_Info () { AI_Output (other, self, "DIA_Lord_Hagen_ANTIPALADINE_15_00"); //Najlepsi wojownicy orków ruszyli do ataku. Log_CreateTopic (TOPIC_OrcElite, LOG_MISSION); Log_SetTopicStatus(TOPIC_OrcElite, LOG_RUNNING); B_LogEntry (TOPIC_OrcElite,"Rozmawiałem z Lordem Hagenem na temat zbliżających się hord hersztów orków."); if (TalkedTo_AntiPaladin == TRUE) && (MIS_KillOrkOberst == 0) { AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_01"); //Dlaczego tak sądzisz? AI_Output (other, self, "DIA_Lord_Hagen_ANTIPALADINE_15_02"); //Rozmawiałem z jednym z nich. W rozmowie padło twoje imię. }; AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_03"); //Brednie. Moi ludzie nie donieśli mi o żadnym pospolitym ruszeniu orków. AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_04"); //Może jacyś ich zwiadowcy zabłąkali się do pobliskich lasów. if (Npc_HasItems (other,ItRi_OrcEliteRing)) { AI_Output (other, self, "DIA_Lord_Hagen_ANTIPALADINE_15_05"); //To nie byli zwiadowcy. Przy jednym z nich znalazłem ten pierścień. AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_06"); //Pokaż. B_GiveInvItems (other, self, ItRi_OrcEliteRing,1); AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_07"); //Hmmm... Niepokojące... AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_08"); //To znak ich siły. A więc orkowie porzucili swoje palisady i stanęli do boju w otwartym polu. AI_Output (other, self, "DIA_Lord_Hagen_ANTIPALADINE_15_09"); //Nie widziałem ich jeszcze zbyt wielu. Głównie ich przywódców i kilku wojowników. AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_10"); //Tak? Zatem planują coś innego. To mało podobne do orków, by ich przywódcy wypuszczali się w pojedynkę poza swoje osiedla. AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_11"); //Ale to świetna okazja, by uderzyć w ich czuły punkt. AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_12"); //Gdy stracą swoich przywódców, morale całej armii osłabnie. AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_13"); //Mam dla ciebie nowe zadanie, rycerzu. Masz zabić wszystkich orkowych przywódców, którzy kręcą się po okolicy. AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_14"); //Tylko przynieś mi ich pierścienie! Po takim ciosie szybko się nie podniosą. B_LogEntry (TOPIC_OrcElite,"Na dowód moich słów przyniosłem Hagenowi orkowy pierścień. Kazał sobie dostarczyć wszystkie pierścienie, jakie tylko uda mi się zdobyć."); if (Npc_IsDead(Ingmar)==FALSE) && (MIS_KillOrkOberst == 0) { AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_15"); //Udaj się najpierw do Ingmara. Doradzi ci, jak skutecznie walczyć z takim przeciwnikiem. AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_16"); //Elitarni wojownicy orków to jego specjalność. Często miał z nimi do czynienia. B_LogEntry (TOPIC_OrcElite,"Elitarni orkowi wojownicy są specjalnością Ingmara."); }; Hagen_SawOrcRing = TRUE; B_GivePlayerXP (XP_PAL_OrcRing); } else { if (MIS_KillOrkOberst == LOG_SUCCESS) { AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_17"); //Twoje słowo, że pokonałeś orkowego wodza, to dla mnie za mało! }; AI_Output (self, other, "DIA_Lord_Hagen_ANTIPALADINE_04_18"); //Jeśli mam ci uwierzyć, potrzebuję bardziej wiarygodnych dowodów. B_LogEntry (TOPIC_OrcElite,"Hagen nie chce mi uwierzyć. Zażądał dowodów na to, że orkowi wojownicy faktycznie atakują ludzkie siedziby. Cóż, byłbym zaskoczony, gdyby tego nie zrobił."); }; }; /////////////////////////////////////////////////////////////////////// // Info RingeBringen /////////////////////////////////////////////////////////////////////// instance DIA_Lord_Hagen_RINGEBRINGEN (C_INFO) { npc = PAL_200_Hagen; nr = 5; condition = DIA_Lord_Hagen_RINGEBRINGEN_Condition; information = DIA_Lord_Hagen_RINGEBRINGEN_Info; permanent = TRUE; description = "Mam jeszcze coś do powiedzenia w sprawie orkowych przywódców."; }; func int DIA_Lord_Hagen_RINGEBRINGEN_Condition () { if (Hagen_SawOrcRing == TRUE) && (Npc_HasItems (other,ItRi_OrcEliteRing) >= 1) && (hero.guild == GIL_PAL) { return TRUE; }; }; var int OrkRingCounter; func void DIA_Lord_Hagen_RINGEBRINGEN_Info () { AI_Output (other, self, "DIA_Lord_Hagen_RINGEBRINGEN_15_00"); //Mam jeszcze coś do powiedzenia w sprawie orkowych przywódców. AI_Output (self, other, "DIA_Lord_Hagen_RINGEBRINGEN_04_01"); //Słucham... var int Ringcount; var int XP_PAL_OrcRings; var int OrcRingGeld; var int HagensRingOffer; HagensRingOffer = 150; //Joly: Geld für einen Orkring Ringcount = Npc_HasItems(other, ItRi_OrcEliteRing); if (Ringcount == 1) { AI_Output (other, self, "DIA_Lord_Hagen_RINGEBRINGEN_15_02"); //Mam dla ciebie jeszcze jeden pierścień. B_GivePlayerXP (XP_PAL_OrcRing); B_GiveInvItems (other, self, ItRi_OrcEliteRing,1); OrkRingCounter = OrkRingCounter + 1; } else { AI_Output (other, self, "DIA_Lord_Hagen_RINGEBRINGEN_15_03"); //Mam dla ciebie kolejne pierścienie. B_GiveInvItems (other, self, ItRi_OrcEliteRing, Ringcount); XP_PAL_OrcRings = (Ringcount * XP_PAL_OrcRing); OrkRingCounter = (OrkRingCounter + Ringcount); B_GivePlayerXP (XP_PAL_OrcRings); }; AI_Output (self, other, "DIA_Lord_Hagen_RINGEBRINGEN_04_04"); //Dobra robota! Tak trzymać. if (OrkRingCounter <= 10) { AI_Output (self, other, "DIA_Lord_Hagen_RINGEBRINGEN_04_05"); //W okolicy może się kręcić jeszcze kilku. } else if (OrkRingCounter <= 20) { AI_Output (self, other, "DIA_Lord_Hagen_RINGEBRINGEN_04_06"); //Wkrótce rzucimy te bestie na kolana! } else { AI_Output (self, other, "DIA_Lord_Hagen_RINGEBRINGEN_04_07"); //Zdziwiłbym się, gdyby w okolicy kręciło się ich jeszcze wielu. AI_Output (self, other, "DIA_Lord_Hagen_RINGEBRINGEN_04_08"); //Jeśli chcesz, możesz nadal przynosić mi pierścienie, ale myślę, że orkowie dostali już odpowiednią nauczkę. TOPIC_END_OrcElite = TRUE; }; AI_Output (self, other, "DIA_Lord_Hagen_RINGEBRINGEN_04_09"); //Proszę. Weź to złoto i kup za nie lepsze wyposażenie. OrcRingGeld = (Ringcount * HagensRingOffer); CreateInvItems (self, ItMi_Gold, OrcRingGeld); B_GiveInvItems (self, other, ItMi_Gold, OrcRingGeld); }; //##################################################################### //## //## //## KAPITEL 5 //## //## //##################################################################### // ************************************************************ // EXIT KAP5 // ************************************************************ INSTANCE DIA_Lord_Hagen_KAP5_EXIT(C_INFO) { npc = PAL_200_Hagen; nr = 999; condition = DIA_Lord_Hagen_KAP5_EXIT_Condition; information = DIA_Lord_Hagen_KAP5_EXIT_Info; permanent = TRUE; description = DIALOG_ENDE; }; FUNC INT DIA_Lord_Hagen_KAP5_EXIT_Condition() { if (Kapitel == 5) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_KAP5_EXIT_Info() { AI_StopProcessInfos (self); }; //**************************************************************************** // Die Drachen sind tot //**************************************************************************** INSTANCE DIA_Lord_Hagen_AllDragonsDead(C_INFO) { npc = PAL_200_Hagen; nr = 4; condition = DIA_Lord_Hagen_AllDragonsDead_Condition; information = DIA_Lord_Hagen_AllDragonsDead_Info; permanent = FALSE; description = "Wszystkie smoki nie żyją."; }; FUNC INT DIA_Lord_Hagen_AllDragonsDead_Condition() { if (Kapitel == 5) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_AllDragonsDead_Info() { AI_Output (other,self ,"DIA_Lord_Hagen_AllDragonsDead_15_00"); //Wszystkie smoki nie żyją. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_19"); //Wiedziałem, że Innos doda ci sił w walce ze smokami! AI_Output (self ,other,"DIA_Lord_Hagen_AllDragonsDead_04_02"); //Gdzie jest ruda? AI_Output (other,self ,"DIA_Lord_Hagen_AllDragonsDead_15_03"); //Orkowie wciąż oblegają zamek w Górniczej Dolinie. Garond nie może opuścić twierdzy, póki nie odeprze ich ataku. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_20"); //Niech to szlag! AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_21"); //Jeśli Garond nie potrafi uporać się z tą sytuacją, sam się tym zajmę! AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_22"); //Żadna banda orków nie stanie mi na przeszkodzie! AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_23"); //Powiadomiłem już moich ludzi. Przygotowujemy się do wyruszenia w drogę. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_24"); //Zabieram ich wszystkich. Na straży statku pozostaną nieliczni wartownicy. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_25"); //Pora, by ktoś wreszcie rozprawił się z tymi orkami! MIS_SCVisitShip = LOG_RUNNING; AI_StopProcessInfos (self); Npc_ExchangeRoutine (self,"ShipFree"); }; // ************************************************************ // Ich brauche das Schiff // ************************************************************ INSTANCE DIA_Lord_Hagen_NeedShip(C_INFO) { npc = PAL_200_Hagen; nr = 4; condition = DIA_Lord_Hagen_NeedShip_Condition; information = DIA_Lord_Hagen_NeedShip_Info; permanent = FALSE; description = "Potrzebuję okrętu."; }; FUNC INT DIA_Lord_Hagen_NeedShip_Condition() { if (ItWr_SCReadsHallsofIrdorath == TRUE) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_NeedShip_Info() { AI_Output (other,self ,"DIA_Lord_Hagen_NeedShip_15_00"); //Potrzebuję okrętu. if (hero.guild == GIL_PAL) { AI_Output (self ,other,"DIA_Lord_Hagen_NeedShip_04_01"); //Nie ty jeden, żołnierzu. } else if (hero.guild == GIL_KDF) { AI_Output (self ,other,"DIA_Lord_Hagen_NeedShip_04_02"); //Słyszę to prawie codziennie, przyjacielu. Ale... }; AI_Output (self ,other,"DIA_Lord_Hagen_NeedShip_04_03"); //Nie masz nawet kapitana, nie wspominając już o załodze... AI_Output (other,self ,"DIA_Lord_Hagen_NeedShip_15_04"); //A co z tym statkiem na przystani? AI_Output (self ,other,"DIA_Lord_Hagen_NeedShip_04_05"); //Ten okręt należy do mnie. To na nim przewieziemy rudę. AI_Output (self ,other,"DIA_Lord_Hagen_NeedShip_04_06"); //Mogę ci go użyczyć, dopiero gdy wywiążemy się z zadania. }; // ************************************************************ // Tor auf // ************************************************************ INSTANCE DIA_Lord_Hagen_GateOpen (C_INFO) { npc = PAL_200_Hagen; nr = 5; condition = DIA_Lord_Hagen_GateOpen_Condition; information = DIA_Lord_Hagen_GateOpen_Info; permanent = FALSE; description = "Orkowie przypuścili szturm na zamek w Górniczej Dolinie!"; }; FUNC INT DIA_Lord_Hagen_GateOpen_Condition() { if (MIS_OCGateOpen == TRUE) && (Npc_KnowsInfo (other, DIA_Lord_Hagen_AllDragonsDead)) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_GateOpen_Info() { AI_Output (other, self, "DIA_Lord_Hagen_Add_15_29"); //Orkowie przypuścili szturm na zamek w Górniczej Dolinie! AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_30"); //Na Innosa! Co tam się stało? AI_Output (other, self, "DIA_Lord_Hagen_Add_15_31"); //Wygląda na to, że brama była otwart AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_32"); //Wygląda... Jak to możliwe... W zamku musi być zdrajca! }; // ************************************************************ // PERM // ************************************************************ INSTANCE DIA_Lord_Hagen_Perm5 (C_INFO) { npc = PAL_200_Hagen; nr = 5; condition = DIA_Lord_Hagen_Perm5_Condition; information = DIA_Lord_Hagen_Perm5_Info; permanent = TRUE; description = "Na co czekasz?"; }; FUNC INT DIA_Lord_Hagen_Perm5_Condition() { if (Npc_KnowsInfo (other, DIA_Lord_Hagen_AllDragonsDead)) { return TRUE; }; }; FUNC VOID DIA_Lord_Hagen_Perm5_Info() { AI_Output (other,self, "DIA_Lord_Hagen_Add_15_33"); //Na co czekasz? if (MIS_OCGateOpen == FALSE) { AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_26"); //Czekam tylko na wyposażenie i żywność. Zaraz potem ruszamy! } else { AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_27"); //Po szturmie na zamek potrzebujemy jeszcze więcej zapasów. AI_Output (self ,other, "DIA_Lord_Hagen_Add_04_28"); //Ale to tylko nieznacznie opóźni nasz wymarsz. }; };
D
/++ Compile-time introspection of Godot types +/ module godot.d.meta; import godot.d.udas; import std.meta, std.traits; import godot.core, godot.c; /++ A UDA with which base Godot classes are marked. NOT used by new D classes. +/ package(godot) enum GodotBaseClass; /++ Determine if T is a class originally from the Godot Engine (but *not* a new D class registered to Godot). +/ template isGodotBaseClass(T) { static if(is(T == struct)) enum bool isGodotBaseClass = hasUDA!(T, GodotBaseClass); else enum bool isGodotBaseClass = false; } /++ Determine if T is a D native script (extends a Godot base class). +/ template extendsGodotBaseClass(T) { static if(is(T == class) && hasMember!(T, "owner")) { enum bool extendsGodotBaseClass = isGodotBaseClass!(typeof(T.owner)); } else enum bool extendsGodotBaseClass = false; } /++ Get the Godot class of T (the class of the `owner` for D native scripts) +/ template GodotClass(T) { static if(isGodotBaseClass!T) alias GodotClass = T; else static if(extendsGodotBaseClass!T) alias GodotClass = typeof(T.owner); } /++ Determine if T is any Godot class (base C++ class or D native script, but NOT a godot.core struct) +/ enum bool isGodotClass(T) = extendsGodotBaseClass!T || isGodotBaseClass!T; /++ Get the C++ Godot Object pointer of either a Godot Object OR a D native script. Useful for generic code. +/ godot_object getGodotObject(T)(T t) if(isGodotClass!T) { static if(isGodotBaseClass!T) return cast(godot_object)t._godot_object; static if(extendsGodotBaseClass!T) { return (t) ? cast(godot_object)t.owner._godot_object : godot_object.init; } } package(godot) enum string dName(alias a) = __traits(identifier, a); package(godot) template godotName(alias a) { alias udas = getUDAs!(a, Rename); static if(udas.length == 0) enum string godotName = __traits(identifier, a); else { static assert(udas.length == 1, "Multiple Rename UDAs on "~ fullyQualifiedName!a~"? Why?"); static if(is( udas[0] )) static assert(0, "Construct the UDA with a string: @Rename(\"name\")"); else { enum Rename uda = udas[0]; enum string godotName = uda.name; } } }
D
func int B_TeachAttributePoints(var C_Npc slf,var C_Npc oth,var int attrib,var int points,var int teacherMAX) { var string concatText; var int kosten; var int realAttribute; kosten = B_GetLearnCostAttribute(oth,attrib,points); if((attrib != ATR_STRENGTH) && (attrib != ATR_DEXTERITY) && (attrib != ATR_MANA_MAX)) { Print("*** ERROR: Wrong Parameter ***"); return FALSE; }; if(attrib == ATR_STRENGTH) { realAttribute = oth.attribute[ATR_STRENGTH]; } else if(attrib == ATR_DEXTERITY) { realAttribute = oth.attribute[ATR_DEXTERITY]; } else if(attrib == ATR_MANA_MAX) { realAttribute = oth.attribute[ATR_MANA_MAX]; }; if(realAttribute >= teacherMAX) { concatText = ConcatStrings(PRINT_NoLearnOverPersonalMAX,IntToString(teacherMAX)); PrintScreen(concatText,-1,-1,FONT_Screen,2); B_Say(slf,oth,"$NOLEARNYOUREBETTER"); return FALSE; }; if((realAttribute + points) > teacherMAX) { concatText = ConcatStrings(PRINT_NoLearnOverPersonalMAX,IntToString(teacherMAX)); PrintScreen(concatText,-1,-1,FONT_Screen,2); B_Say(slf,oth,"$NOLEARNOVERPERSONALMAX"); return FALSE; }; if(oth.lp < kosten) { PrintScreen(PRINT_NotEnoughLP,-1,-1,FONT_Screen,2); B_Say(slf,oth,"$NOLEARNNOPOINTS"); return FALSE; }; oth.lp = oth.lp - kosten; B_RaiseAttribute(oth,attrib,points); B_RaiseRealAttributeLearnCounter(oth,attrib,points); return TRUE; };
D
/Users/mprechner/vapor-demo/HelloWorld/.build/debug/Jay.build/Extensions.swift.o : /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ArrayParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/BooleanParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ByteReader.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/CommentParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Consts.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Error.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Extensions.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Formatter.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Jay.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NativeParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NativeTypeConversions.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NullParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NumberParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ObjectParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/OutputStream.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Parser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Reader.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/RootParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/StringParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Types.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/mprechner/vapor-demo/HelloWorld/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Users/mprechner/vapor-demo/HelloWorld/.build/debug/Jay.build/Extensions~partial.swiftmodule : /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ArrayParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/BooleanParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ByteReader.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/CommentParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Consts.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Error.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Extensions.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Formatter.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Jay.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NativeParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NativeTypeConversions.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NullParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NumberParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ObjectParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/OutputStream.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Parser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Reader.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/RootParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/StringParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Types.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/mprechner/vapor-demo/HelloWorld/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Users/mprechner/vapor-demo/HelloWorld/.build/debug/Jay.build/Extensions~partial.swiftdoc : /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ArrayParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/BooleanParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ByteReader.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/CommentParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Consts.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Error.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Extensions.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Formatter.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Jay.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NativeParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NativeTypeConversions.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NullParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/NumberParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ObjectParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/OutputStream.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Parser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Reader.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/RootParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/StringParser.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/Types.swift /Users/mprechner/vapor-demo/HelloWorld/.build/checkouts/Jay.git--595626396716718175/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/mprechner/vapor-demo/HelloWorld/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc
D
extern (C++) int quus(int x, int y); unittest { assert(quus(1, 1) == 2); assert(quus(57, 18) == 5); } void main() {}
D
/* * This file was automatically generated by sel-utils and * released under the MIT License. * * License: https://github.com/sel-project/sel-utils/blob/master/LICENSE * Repository: https://github.com/sel-project/sel-utils * Generated from https://github.com/sel-project/sel-utils/blob/master/xml/protocol/java210.xml */ module sul.protocol.java210.login; import std.bitmanip : write, peek; static import std.conv; import std.system : Endian; import std.typetuple : TypeTuple; import std.typecons : Tuple; import std.uuid : UUID; import sul.utils.buffer; import sul.utils.var; static import sul.protocol.java210.types; static if(__traits(compiles, { import sul.metadata.java210; })) import sul.metadata.java210; alias Packets = TypeTuple!(Disconnect, LoginStart, EncryptionRequest, EncryptionResponse, LoginSuccess, SetCompression); class Disconnect : Buffer { public enum uint ID = 0; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["reason"]; public string reason; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string reason) { this.reason = reason; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBytes(varuint.encode(ID)); } writeBytes(varuint.encode(cast(uint)reason.length)); writeString(reason); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ uint _id; _id=varuint.decode(_buffer, &_index); } uint cvc9=varuint.decode(_buffer, &_index); reason=readString(cvc9); } public static pure nothrow @safe Disconnect fromBuffer(bool readId=true)(ubyte[] buffer) { Disconnect ret = new Disconnect(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Disconnect(reason: " ~ std.conv.to!string(this.reason) ~ ")"; } } class LoginStart : Buffer { public enum uint ID = 0; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["username"]; public string username; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string username) { this.username = username; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBytes(varuint.encode(ID)); } writeBytes(varuint.encode(cast(uint)username.length)); writeString(username); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ uint _id; _id=varuint.decode(_buffer, &_index); } uint dnc5bu=varuint.decode(_buffer, &_index); username=readString(dnc5bu); } public static pure nothrow @safe LoginStart fromBuffer(bool readId=true)(ubyte[] buffer) { LoginStart ret = new LoginStart(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "LoginStart(username: " ~ std.conv.to!string(this.username) ~ ")"; } } class EncryptionRequest : Buffer { public enum uint ID = 1; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["serverId", "publicKey", "verifyToken"]; public string serverId; public ubyte[] publicKey; public ubyte[] verifyToken; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string serverId, ubyte[] publicKey=(ubyte[]).init, ubyte[] verifyToken=(ubyte[]).init) { this.serverId = serverId; this.publicKey = publicKey; this.verifyToken = verifyToken; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBytes(varuint.encode(ID)); } writeBytes(varuint.encode(cast(uint)serverId.length)); writeString(serverId); writeBytes(varuint.encode(cast(uint)publicKey.length)); writeBytes(publicKey); writeBytes(varuint.encode(cast(uint)verifyToken.length)); writeBytes(verifyToken); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ uint _id; _id=varuint.decode(_buffer, &_index); } uint cvdvsq=varuint.decode(_buffer, &_index); serverId=readString(cvdvsq); publicKey.length=varuint.decode(_buffer, &_index); if(_buffer.length>=_index+publicKey.length){ publicKey=_buffer[_index.._index+publicKey.length].dup; _index+=publicKey.length; } verifyToken.length=varuint.decode(_buffer, &_index); if(_buffer.length>=_index+verifyToken.length){ verifyToken=_buffer[_index.._index+verifyToken.length].dup; _index+=verifyToken.length; } } public static pure nothrow @safe EncryptionRequest fromBuffer(bool readId=true)(ubyte[] buffer) { EncryptionRequest ret = new EncryptionRequest(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "EncryptionRequest(serverId: " ~ std.conv.to!string(this.serverId) ~ ", publicKey: " ~ std.conv.to!string(this.publicKey) ~ ", verifyToken: " ~ std.conv.to!string(this.verifyToken) ~ ")"; } } class EncryptionResponse : Buffer { public enum uint ID = 1; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["sharedSecret", "verifyToken"]; public ubyte[] sharedSecret; public ubyte[] verifyToken; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte[] sharedSecret, ubyte[] verifyToken=(ubyte[]).init) { this.sharedSecret = sharedSecret; this.verifyToken = verifyToken; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBytes(varuint.encode(ID)); } writeBytes(varuint.encode(cast(uint)sharedSecret.length)); writeBytes(sharedSecret); writeBytes(varuint.encode(cast(uint)verifyToken.length)); writeBytes(verifyToken); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ uint _id; _id=varuint.decode(_buffer, &_index); } sharedSecret.length=varuint.decode(_buffer, &_index); if(_buffer.length>=_index+sharedSecret.length){ sharedSecret=_buffer[_index.._index+sharedSecret.length].dup; _index+=sharedSecret.length; } verifyToken.length=varuint.decode(_buffer, &_index); if(_buffer.length>=_index+verifyToken.length){ verifyToken=_buffer[_index.._index+verifyToken.length].dup; _index+=verifyToken.length; } } public static pure nothrow @safe EncryptionResponse fromBuffer(bool readId=true)(ubyte[] buffer) { EncryptionResponse ret = new EncryptionResponse(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "EncryptionResponse(sharedSecret: " ~ std.conv.to!string(this.sharedSecret) ~ ", verifyToken: " ~ std.conv.to!string(this.verifyToken) ~ ")"; } } class LoginSuccess : Buffer { public enum uint ID = 2; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["uuid", "username"]; public string uuid; public string username; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string uuid, string username=string.init) { this.uuid = uuid; this.username = username; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBytes(varuint.encode(ID)); } writeBytes(varuint.encode(cast(uint)uuid.length)); writeString(uuid); writeBytes(varuint.encode(cast(uint)username.length)); writeString(username); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ uint _id; _id=varuint.decode(_buffer, &_index); } uint dvz=varuint.decode(_buffer, &_index); uuid=readString(dvz); uint dnc5bu=varuint.decode(_buffer, &_index); username=readString(dnc5bu); } public static pure nothrow @safe LoginSuccess fromBuffer(bool readId=true)(ubyte[] buffer) { LoginSuccess ret = new LoginSuccess(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "LoginSuccess(uuid: " ~ std.conv.to!string(this.uuid) ~ ", username: " ~ std.conv.to!string(this.username) ~ ")"; } } class SetCompression : Buffer { public enum uint ID = 3; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["thresold"]; public uint thresold; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(uint thresold) { this.thresold = thresold; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBytes(varuint.encode(ID)); } writeBytes(varuint.encode(thresold)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ uint _id; _id=varuint.decode(_buffer, &_index); } thresold=varuint.decode(_buffer, &_index); } public static pure nothrow @safe SetCompression fromBuffer(bool readId=true)(ubyte[] buffer) { SetCompression ret = new SetCompression(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetCompression(thresold: " ~ std.conv.to!string(this.thresold) ~ ")"; } }
D
/** HTML character entity escaping. TODO: Make things @safe once Appender is. Copyright: © 2012-2014 RejectedSoftware e.K. License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module vibe.textfilter.html; import std.array; import std.conv; import std.range; /** Returns the HTML escaped version of a given string. */ string htmlEscape(R)(R str) @trusted if (isInputRange!R) { if (__ctfe) { // appender is a performance/memory hog in ctfe StringAppender dst; filterHTMLEscape(dst, str); return dst.data; } else { auto dst = appender!string(); filterHTMLEscape(dst, str); return dst.data; } } /// unittest { assert(htmlEscape(`"Hello", <World>!`) == `"Hello", &lt;World&gt;!`); } /** Writes the HTML escaped version of a given string to an output range. */ void filterHTMLEscape(R, S)(ref R dst, S str, HTMLEscapeFlags flags = HTMLEscapeFlags.escapeNewline) if (isOutputRange!(R, dchar) && isInputRange!S) { for (;!str.empty;str.popFront()) filterHTMLEscape(dst, str.front, flags); } /** Returns the HTML escaped version of a given string (also escapes double quotes). */ string htmlAttribEscape(R)(R str) @trusted if (isInputRange!R) { if (__ctfe) { // appender is a performance/memory hog in ctfe StringAppender dst; filterHTMLAttribEscape(dst, str); return dst.data; } else { auto dst = appender!string(); filterHTMLAttribEscape(dst, str); return dst.data; } } /// unittest { assert(htmlAttribEscape(`"Hello", <World>!`) == `&quot;Hello&quot;, &lt;World&gt;!`); } /** Writes the HTML escaped version of a given string to an output range (also escapes double quotes). */ void filterHTMLAttribEscape(R, S)(ref R dst, S str) if (isOutputRange!(R, dchar) && isInputRange!S) { for (; !str.empty; str.popFront()) filterHTMLEscape(dst, str.front, HTMLEscapeFlags.escapeNewline|HTMLEscapeFlags.escapeQuotes); } /** Returns the HTML escaped version of a given string (escapes every character). */ string htmlAllEscape(R)(R str) @trusted if (isInputRange!R) { if (__ctfe) { // appender is a performance/memory hog in ctfe StringAppender dst; filterHTMLAllEscape(dst, str); return dst.data; } else { auto dst = appender!string(); filterHTMLAllEscape(dst, str); return dst.data; } } /// unittest { assert(htmlAllEscape("Hello!") == "&#72;&#101;&#108;&#108;&#111;&#33;"); } /** Writes the HTML escaped version of a given string to an output range (escapes every character). */ void filterHTMLAllEscape(R, S)(ref R dst, S str) if (isOutputRange!(R, dchar) && isInputRange!S) { for (; !str.empty; str.popFront()) { dst.put("&#"); dst.put(to!string(cast(uint)str.front)); dst.put(';'); } } /** Minimally escapes a text so that no HTML tags appear in it. */ string htmlEscapeMin(R)(R str) @trusted if (isInputRange!R) { auto dst = appender!string(); for (; !str.empty; str.popFront()) filterHTMLEscape(dst, str.front, HTMLEscapeFlags.escapeMinimal); return dst.data(); } /** Writes the HTML escaped version of a character to an output range. */ void filterHTMLEscape(R)(ref R dst, dchar ch, HTMLEscapeFlags flags = HTMLEscapeFlags.escapeNewline ) { switch (ch) { default: if (flags & HTMLEscapeFlags.escapeUnknown) { dst.put("&#"); dst.put(to!string(cast(uint)ch)); dst.put(';'); } else dst.put(ch); break; case '"': if (flags & HTMLEscapeFlags.escapeQuotes) dst.put("&quot;"); else dst.put('"'); break; case '\'': if (flags & HTMLEscapeFlags.escapeQuotes) dst.put("&#39;"); else dst.put('\''); break; case '\r', '\n': if (flags & HTMLEscapeFlags.escapeNewline) { dst.put("&#"); dst.put(to!string(cast(uint)ch)); dst.put(';'); } else dst.put(ch); break; case 'a': .. case 'z': goto case; case 'A': .. case 'Z': goto case; case '0': .. case '9': goto case; case ' ', '\t', '-', '_', '.', ':', ',', ';', '#', '+', '*', '?', '=', '(', ')', '/', '!', '%' , '{', '}', '[', ']', '`', '´', '$', '^', '~': dst.put(cast(char)ch); break; case '<': dst.put("&lt;"); break; case '>': dst.put("&gt;"); break; case '&': dst.put("&amp;"); break; } } enum HTMLEscapeFlags { escapeMinimal = 0, escapeQuotes = 1<<0, escapeNewline = 1<<1, escapeUnknown = 1<<2 } private struct StringAppender { @safe: string data; void put(string s) { data ~= s; } void put(char ch) { data ~= ch; } void put(dchar ch) { import std.utf; char[4] dst; data ~= dst[0 .. encode(dst, ch)]; } }
D
/** * Find side-effects of expressions. * * Copyright: Copyright (C) 1999-2020 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/sideeffect.d, _sideeffect.d) * Documentation: https://dlang.org/phobos/dmd_sideeffect.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/sideeffect.d */ module dmd.sideeffect; import dmd.apply; import dmd.declaration; import dmd.dscope; import dmd.expression; import dmd.expressionsem; import dmd.func; import dmd.globals; import dmd.identifier; import dmd.init; import dmd.mtype; import dmd.tokens; import dmd.visitor; /************************************************** * Front-end expression rewriting should create temporary variables for * non trivial sub-expressions in order to: * 1. save evaluation order * 2. prevent sharing of sub-expression in AST */ extern (C++) bool isTrivialExp(Expression e) { extern (C++) final class IsTrivialExp : StoppableVisitor { alias visit = typeof(super).visit; public: extern (D) this() { } override void visit(Expression e) { /* https://issues.dlang.org/show_bug.cgi?id=11201 * CallExp is always non trivial expression, * especially for inlining. */ if (e.op == TOK.call) { stop = true; return; } // stop walking if we determine this expression has side effects stop = lambdaHasSideEffect(e); } } scope IsTrivialExp v = new IsTrivialExp(); return walkPostorder(e, v) == false; } /******************************************** * Determine if Expression has any side effects. */ extern (C++) bool hasSideEffect(Expression e) { extern (C++) final class LambdaHasSideEffect : StoppableVisitor { alias visit = typeof(super).visit; public: extern (D) this() { } override void visit(Expression e) { // stop walking if we determine this expression has side effects stop = lambdaHasSideEffect(e); } } scope LambdaHasSideEffect v = new LambdaHasSideEffect(); return walkPostorder(e, v); } /******************************************** * Determine if the call of f, or function type or delegate type t1, has any side effects. * Returns: * 0 has any side effects * 1 nothrow + constant purity * 2 nothrow + strong purity */ int callSideEffectLevel(FuncDeclaration f) { /* https://issues.dlang.org/show_bug.cgi?id=12760 * ctor call always has side effects. */ if (f.isCtorDeclaration()) return 0; assert(f.type.ty == Tfunction); TypeFunction tf = cast(TypeFunction)f.type; if (tf.isnothrow) { PURE purity = f.isPure(); if (purity == PURE.strong) return 2; if (purity == PURE.const_) return 1; } return 0; } int callSideEffectLevel(Type t) { t = t.toBasetype(); TypeFunction tf; if (t.ty == Tdelegate) tf = cast(TypeFunction)(cast(TypeDelegate)t).next; else { assert(t.ty == Tfunction); tf = cast(TypeFunction)t; } if (!tf.isnothrow) // function can throw return 0; tf.purityLevel(); PURE purity = tf.purity; if (t.ty == Tdelegate && purity > PURE.weak) { if (tf.isMutable()) purity = PURE.weak; else if (!tf.isImmutable()) purity = PURE.const_; } if (purity == PURE.strong) return 2; if (purity == PURE.const_) return 1; return 0; } private bool lambdaHasSideEffect(Expression e) { switch (e.op) { // Sort the cases by most frequently used first case TOK.assign: case TOK.plusPlus: case TOK.minusMinus: case TOK.declaration: case TOK.construct: case TOK.blit: case TOK.addAssign: case TOK.minAssign: case TOK.concatenateAssign: case TOK.concatenateElemAssign: case TOK.concatenateDcharAssign: case TOK.mulAssign: case TOK.divAssign: case TOK.modAssign: case TOK.leftShiftAssign: case TOK.rightShiftAssign: case TOK.unsignedRightShiftAssign: case TOK.andAssign: case TOK.orAssign: case TOK.xorAssign: case TOK.powAssign: case TOK.in_: case TOK.remove: case TOK.assert_: case TOK.halt: case TOK.delete_: case TOK.new_: case TOK.newAnonymousClass: return true; case TOK.call: { CallExp ce = cast(CallExp)e; /* Calling a function or delegate that is pure nothrow * has no side effects. */ if (ce.e1.type) { Type t = ce.e1.type.toBasetype(); if (t.ty == Tdelegate) t = (cast(TypeDelegate)t).next; if (t.ty == Tfunction && (ce.f ? callSideEffectLevel(ce.f) : callSideEffectLevel(ce.e1.type)) > 0) { } else return true; } break; } case TOK.cast_: { CastExp ce = cast(CastExp)e; /* if: * cast(classtype)func() // because it may throw */ if (ce.to.ty == Tclass && ce.e1.op == TOK.call && ce.e1.type.ty == Tclass) return true; break; } default: break; } return false; } /*********************************** * The result of this expression will be discarded. * Print error messages if the operation has no side effects (and hence is meaningless). * Returns: * true if expression has no side effects */ bool discardValue(Expression e) { if (lambdaHasSideEffect(e)) // check side-effect shallowly return false; switch (e.op) { case TOK.cast_: { CastExp ce = cast(CastExp)e; if (ce.to.equals(Type.tvoid)) { /* * Don't complain about an expression with no effect if it was cast to void */ return false; } break; // complain } case TOK.error: return false; case TOK.variable: { VarDeclaration v = (cast(VarExp)e).var.isVarDeclaration(); if (v && (v.storage_class & STC.temp)) { // https://issues.dlang.org/show_bug.cgi?id=5810 // Don't complain about an internal generated variable. return false; } break; } case TOK.call: /* Issue 3882: */ if (global.params.warnings != DiagnosticReporting.off && !global.gag) { CallExp ce = cast(CallExp)e; if (e.type.ty == Tvoid) { /* Don't complain about calling void-returning functions with no side-effect, * because purity and nothrow are inferred, and because some of the * runtime library depends on it. Needs more investigation. * * One possible solution is to restrict this message to only be called in hierarchies that * never call assert (and or not called from inside unittest blocks) */ } else if (ce.e1.type) { Type t = ce.e1.type.toBasetype(); if (t.ty == Tdelegate) t = (cast(TypeDelegate)t).next; if (t.ty == Tfunction && (ce.f ? callSideEffectLevel(ce.f) : callSideEffectLevel(ce.e1.type)) > 0) { const(char)* s; if (ce.f) s = ce.f.toPrettyChars(); else if (ce.e1.op == TOK.star) { // print 'fp' if ce.e1 is (*fp) s = (cast(PtrExp)ce.e1).e1.toChars(); } else s = ce.e1.toChars(); e.warning("calling %s without side effects discards return value of type %s, prepend a cast(void) if intentional", s, e.type.toChars()); } } } return false; case TOK.andAnd: case TOK.orOr: { LogicalExp aae = cast(LogicalExp)e; return discardValue(aae.e2); } case TOK.question: { CondExp ce = cast(CondExp)e; /* https://issues.dlang.org/show_bug.cgi?id=6178 * https://issues.dlang.org/show_bug.cgi?id=14089 * Either CondExp::e1 or e2 may have * redundant expression to make those types common. For example: * * struct S { this(int n); int v; alias v this; } * S[int] aa; * aa[1] = 0; * * The last assignment statement will be rewitten to: * * 1 in aa ? aa[1].value = 0 : (aa[1] = 0, aa[1].this(0)).value; * * The last DotVarExp is necessary to take assigned value. * * int value = (aa[1] = 0); // value = aa[1].value * * To avoid false error, discardValue() should be called only when * the both tops of e1 and e2 have actually no side effects. */ if (!lambdaHasSideEffect(ce.e1) && !lambdaHasSideEffect(ce.e2)) { return discardValue(ce.e1) | discardValue(ce.e2); } return false; } case TOK.comma: { CommaExp ce = cast(CommaExp)e; /* Check for compiler-generated code of the form auto __tmp, e, __tmp; * In such cases, only check e for side effect (it's OK for __tmp to have * no side effect). * See https://issues.dlang.org/show_bug.cgi?id=4231 for discussion */ auto fc = firstComma(ce); if (fc.op == TOK.declaration && ce.e2.op == TOK.variable && (cast(DeclarationExp)fc).declaration == (cast(VarExp)ce.e2).var) { return false; } // Don't check e1 until we cast(void) the a,b code generation //discardValue(ce.e1); return discardValue(ce.e2); } case TOK.tuple: /* Pass without complaint if any of the tuple elements have side effects. * Ideally any tuple elements with no side effects should raise an error, * this needs more investigation as to what is the right thing to do. */ if (!hasSideEffect(e)) break; return false; default: break; } e.error("`%s` has no effect", e.toChars()); return true; } /************************************************** * Build a temporary variable to copy the value of e into. * Params: * stc = storage classes will be added to the made temporary variable * name = name for temporary variable * e = original expression * Returns: * Newly created temporary variable. */ VarDeclaration copyToTemp(StorageClass stc, const char[] name, Expression e) { assert(name[0] == '_' && name[1] == '_'); auto vd = new VarDeclaration(e.loc, e.type, Identifier.generateId(name), new ExpInitializer(e.loc, e)); vd.storage_class = stc | STC.temp | STC.ctfe; // temporary is always CTFEable return vd; } /************************************************** * Build a temporary variable to extract e's evaluation, if e is not trivial. * Params: * sc = scope * name = name for temporary variable * e0 = a new side effect part will be appended to it. * e = original expression * alwaysCopy = if true, build new temporary variable even if e is trivial. * Returns: * When e is trivial and alwaysCopy == false, e itself is returned. * Otherwise, a new VarExp is returned. * Note: * e's lvalue-ness will be handled well by STC.ref_ or STC.rvalue. */ Expression extractSideEffect(Scope* sc, const char[] name, ref Expression e0, Expression e, bool alwaysCopy = false) { //printf("extractSideEffect(e: %s)\n", e.toChars()); /* The trouble here is that if CTFE is running, extracting the side effect * results in an assignment, and then the interpreter says it cannot evaluate the * side effect assignment variable. But we don't have to worry about side * effects in function calls anyway, because then they won't CTFE. * https://issues.dlang.org/show_bug.cgi?id=17145 */ if (!alwaysCopy && ((sc.flags & SCOPE.ctfe) ? !hasSideEffect(e) : isTrivialExp(e))) return e; auto vd = copyToTemp(0, name, e); vd.storage_class |= e.isLvalue() ? STC.ref_ : STC.rvalue; e0 = Expression.combine(e0, new DeclarationExp(vd.loc, vd) .expressionSemantic(sc)); return new VarExp(vd.loc, vd) .expressionSemantic(sc); }
D
/** Copyright: Copyright (c) 2019, Joakim Brännström. All rights reserved. License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0) Author: Joakim Brännström (joakim.brannstrom@gmx.com) */ module test_test_environment; import config; @("shall setup a test environment") unittest { makeTestArea; }
D
; Copyright (C) 2008 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. .source T_sget_short_3.java .class public dot.junit.opcodes.sget_short.d.T_sget_short_3 .super java/lang/Object .field public static i1 S .method public <init>()V .limit regs 1 invoke-direct {v0}, java/lang/Object/<init>()V return-void .end method .method public run()V .limit regs 3 sget-short v3, dot.junit.opcodes.sget_short.d.T_sget_short_3.i1 S return-void .end method
D
/Users/xda/Desktop/swift_demo/demo/build/demo.build/Debug-iphonesimulator/demo.build/Objects-normal/x86_64/MainBarController.o : /Users/xda/Desktop/swift_demo/demo/demo/Base/AppDelegate.swift /Users/xda/Desktop/swift_demo/demo/demo/Base/MainBarController.swift /Users/xda/Desktop/swift_demo/demo/demo/ViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/HomePage/HomePageViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Message/MessageViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Myself/MyselfViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Discovery/DiscoverViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Base/BaseNavViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/xda/Desktop/swift_demo/demo/build/demo.build/Debug-iphonesimulator/demo.build/Objects-normal/x86_64/MainBarController~partial.swiftmodule : /Users/xda/Desktop/swift_demo/demo/demo/Base/AppDelegate.swift /Users/xda/Desktop/swift_demo/demo/demo/Base/MainBarController.swift /Users/xda/Desktop/swift_demo/demo/demo/ViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/HomePage/HomePageViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Message/MessageViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Myself/MyselfViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Discovery/DiscoverViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Base/BaseNavViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/xda/Desktop/swift_demo/demo/build/demo.build/Debug-iphonesimulator/demo.build/Objects-normal/x86_64/MainBarController~partial.swiftdoc : /Users/xda/Desktop/swift_demo/demo/demo/Base/AppDelegate.swift /Users/xda/Desktop/swift_demo/demo/demo/Base/MainBarController.swift /Users/xda/Desktop/swift_demo/demo/demo/ViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/HomePage/HomePageViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Message/MessageViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Myself/MyselfViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Discovery/DiscoverViewController.swift /Users/xda/Desktop/swift_demo/demo/demo/Base/BaseNavViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
D
(of Catholics) refusing to attend services of the Church of England disagreeing, especially with a majority
D
/** * The vararg module is intended to facilitate vararg manipulation in D. * It should be interface compatible with the C module "stdarg," and the * two modules may share a common implementation if possible (as is done * here). * Copyright: Copyright Digital Mars 2000 - 2009. * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Authors: Walter Bright, Hauke Duden * Source: $(DRUNTIMESRC core/_vararg.d) */ /* Copyright Digital Mars 2000 - 2009. * Distributed under the Boost Software License, Version 1.0. * (See accompanying file LICENSE or copy at * http://www.boost.org/LICENSE_1_0.txt) */ module core.vararg; version( X86 ) { /** * The base vararg list type. */ alias void* va_list; /** * This function initializes the supplied argument pointer for subsequent * use by va_arg and va_end. * * Params: * ap = The argument pointer to initialize. * paramn = The identifier of the rightmost parameter in the function * parameter list. */ void va_start(T)( out va_list ap, ref T parmn ) { ap = cast(va_list)( cast(void*) &parmn + ( ( T.sizeof + int.sizeof - 1 ) & ~( int.sizeof - 1 ) ) ); } /** * This function returns the next argument in the sequence referenced by * the supplied argument pointer. The argument pointer will be adjusted * to point to the next arggument in the sequence. * * Params: * ap = The argument pointer. * * Returns: * The next argument in the sequence. The result is undefined if ap * does not point to a valid argument. */ T va_arg(T)( ref va_list ap ) { T arg = *cast(T*) ap; ap = cast(va_list)( cast(void*) ap + ( ( T.sizeof + int.sizeof - 1 ) & ~( int.sizeof - 1 ) ) ); return arg; } /** * This function cleans up any resources allocated by va_start. It is * currently a no-op and exists mostly for syntax compatibility with * the variadric argument functions for C. * * Params: * ap = The argument pointer. */ void va_end( va_list ap ) { } /** * This function copied the argument pointer src to dst. * * Params: * src = The source pointer. * dst = The destination pointer. */ void va_copy( out va_list dst, va_list src ) { dst = src; } } else { public import core.stdc.stdarg; }
D
/** * This is a set of OpenGL bindings. * * Generated by ./ogl_gen .... * Do not modify. Regenerate if changes are required. * * Macros: * D_CODE = <pre><code class="D">$0</code></pre> */ module opengl.gl3; import std.traits : Unqual; alias int64_t = long; alias uint64_t = ulong; alias int32_t = int; /// alias GLboolean = bool; /// alias GLbyte = byte; /// alias GLubyte = ubyte; /// alias GLshort = short; /// alias GLushort = ushort; /// alias GLhalf = ushort; /// alias GLint = int; /// alias GLuint = uint; /// alias GLfixed = int; /// alias GLint64 = long; /// alias GLuint64 = ulong; /// alias GLsizei = uint; /// alias GLenum = uint; /// alias GLintptr = ptrdiff_t; /// alias GLsizeiptr = ptrdiff_t; /// alias GLsync = void*; /// alias GLbitfield = uint; /// alias GLfloat = float; /// alias GLclampf = float; /// alias GLdouble = double; /// alias GLclampd = double; /// alias GLclampx = int; /// alias GLchar = char; /// alias GLuintptr = size_t; /// alias GLvoid = void; /// alias GLeglImageOES = void*; /// alias GLcharARB = char; /// alias GLhandleARB = uint; /// alias GLhalfARB = ushort; /// alias Glfixed = GLint; /// struct _cl_context; /// struct _cl_event; /// alias GLDEBUGPROC = extern(C) void function(GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const(GLchar)* message, void* userParam); /// alias GLDEBUGPROCARB = extern(C) void function(GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const(GLchar)* message, void* userParam); /// alias GLDEBUGPROCKHR = extern(C) void function(GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const(GLchar)* message, void* userParam); /// alias GLintptrARB = ptrdiff_t; /// alias GLsizeiptrARB = ptrdiff_t; /// alias GLint64EXT = int64_t; /// alias GLuint64EXT = uint64_t; /// alias GLDEBUGPROCAMD = extern(C) void function(GLuint id, GLenum category, GLenum severity, GLsizei length, const(GLchar)* message, void* userParam); /// alias GLhalfNV = ushort; /// alias GLvdpauSurfaceNV = GLintptr; /// struct GLUnurbs; /// struct GLUquadric; /// struct GLUtesselator; /// alias _GLUfuncptr = extern(C) void function(); struct OpenGL_Version { OGLIntroducedIn from; } struct OpenGL_Extension { string name; } enum OGLIntroducedIn : ushort { Unknown, V1P0 = 10, V1P1 = 11, V1P2 = 12, V1P3 = 13, V1P4 = 14, V1P5 = 15, V2P0 = 25, V2P1 = 21, V2P2 = 22, V3P0 = 30, V3P1 = 31, V3P2 = 32, V3P3 = 33, V4P0 = 40, V4P1 = 41, V4P2 = 42, V4P3 = 43, V4P4 = 44, V4P5 = 45, } struct Bitmaskable {} enum GL_1PASS_EXT = 0x80A1; /// enum GL_1PASS_SGIS = 0x80A1; /// enum GL_2D = 0x0600; /// enum GL_2PASS_0_EXT = 0x80A2; /// enum GL_2PASS_0_SGIS = 0x80A2; /// enum GL_2PASS_1_EXT = 0x80A3; /// enum GL_2PASS_1_SGIS = 0x80A3; /// enum GL_2X_BIT_ATI = 0x00000001; /// enum GL_2_BYTES = 0x1407; /// enum GL_2_BYTES_NV = 0x1407; /// enum GL_3D = 0x0601; /// enum GL_3DC_XY_AMD = 0x87FA; /// enum GL_3DC_X_AMD = 0x87F9; /// enum GL_3D_COLOR = 0x0602; /// enum GL_3D_COLOR_TEXTURE = 0x0603; /// enum GL_3_BYTES = 0x1408; /// enum GL_3_BYTES_NV = 0x1408; /// enum GL_422_AVERAGE_EXT = 0x80CE; /// enum GL_422_EXT = 0x80CC; /// enum GL_422_REV_AVERAGE_EXT = 0x80CF; /// enum GL_422_REV_EXT = 0x80CD; /// enum GL_4D_COLOR_TEXTURE = 0x0604; /// enum GL_4PASS_0_EXT = 0x80A4; /// enum GL_4PASS_0_SGIS = 0x80A4; /// enum GL_4PASS_1_EXT = 0x80A5; /// enum GL_4PASS_1_SGIS = 0x80A5; /// enum GL_4PASS_2_EXT = 0x80A6; /// enum GL_4PASS_2_SGIS = 0x80A6; /// enum GL_4PASS_3_EXT = 0x80A7; /// enum GL_4PASS_3_SGIS = 0x80A7; /// enum GL_4X_BIT_ATI = 0x00000002; /// enum GL_4_BYTES = 0x1409; /// enum GL_4_BYTES_NV = 0x1409; /// enum GL_8X_BIT_ATI = 0x00000004; /// enum GL_ABGR_EXT = 0x8000; /// enum GL_ACCUM = 0x0100; /// enum GL_ACCUM_ADJACENT_PAIRS_NV = 0x90AD; /// enum GL_ACCUM_ALPHA_BITS = 0x0D5B; /// enum GL_ACCUM_BLUE_BITS = 0x0D5A; /// enum GL_ACCUM_BUFFER_BIT = 0x00000200; /// enum GL_ACCUM_CLEAR_VALUE = 0x0B80; /// enum GL_ACCUM_GREEN_BITS = 0x0D59; /// enum GL_ACCUM_RED_BITS = 0x0D58; /// enum GL_ACTIVE_ATOMIC_COUNTER_BUFFERS = 0x92D9; /// enum GL_ACTIVE_ATTRIBUTES = 0x8B89; /// enum GL_ACTIVE_ATTRIBUTE_MAX_LENGTH = 0x8B8A; /// enum GL_ACTIVE_PROGRAM = 0x8259; /// enum GL_ACTIVE_PROGRAM_EXT = 0x8B8D; /// enum GL_ACTIVE_RESOURCES = 0x92F5; /// enum GL_ACTIVE_STENCIL_FACE_EXT = 0x8911; /// enum GL_ACTIVE_SUBROUTINES = 0x8DE5; /// enum GL_ACTIVE_SUBROUTINE_MAX_LENGTH = 0x8E48; /// enum GL_ACTIVE_SUBROUTINE_UNIFORMS = 0x8DE6; /// enum GL_ACTIVE_SUBROUTINE_UNIFORM_LOCATIONS = 0x8E47; /// enum GL_ACTIVE_SUBROUTINE_UNIFORM_MAX_LENGTH = 0x8E49; /// enum GL_ACTIVE_TEXTURE = 0x84E0; /// enum GL_ACTIVE_TEXTURE_ARB = 0x84E0; /// enum GL_ACTIVE_UNIFORMS = 0x8B86; /// enum GL_ACTIVE_UNIFORM_BLOCKS = 0x8A36; /// enum GL_ACTIVE_UNIFORM_BLOCK_MAX_NAME_LENGTH = 0x8A35; /// enum GL_ACTIVE_UNIFORM_MAX_LENGTH = 0x8B87; /// enum GL_ACTIVE_VARIABLES = 0x9305; /// enum GL_ACTIVE_VARYINGS_NV = 0x8C81; /// enum GL_ACTIVE_VARYING_MAX_LENGTH_NV = 0x8C82; /// enum GL_ACTIVE_VERTEX_UNITS_ARB = 0x86A5; /// enum GL_ADD = 0x0104; /// enum GL_ADD_ATI = 0x8963; /// enum GL_ADD_BLEND_IMG = 0x8C09; /// enum GL_ADD_SIGNED = 0x8574; /// enum GL_ADD_SIGNED_ARB = 0x8574; /// enum GL_ADD_SIGNED_EXT = 0x8574; /// enum GL_ADJACENT_PAIRS_NV = 0x90AE; /// enum GL_AFFINE_2D_NV = 0x9092; /// enum GL_AFFINE_3D_NV = 0x9094; /// enum GL_ALIASED_LINE_WIDTH_RANGE = 0x846E; /// enum GL_ALIASED_POINT_SIZE_RANGE = 0x846D; /// enum GL_ALLOW_DRAW_FRG_HINT_PGI = 0x1A210; /// enum GL_ALLOW_DRAW_MEM_HINT_PGI = 0x1A211; /// enum GL_ALLOW_DRAW_OBJ_HINT_PGI = 0x1A20E; /// enum GL_ALLOW_DRAW_WIN_HINT_PGI = 0x1A20F; /// enum GL_ALL_ATTRIB_BITS = 0xFFFFFFFF; /// enum GL_ALL_BARRIER_BITS = 0xFFFFFFFF; /// enum GL_ALL_BARRIER_BITS_EXT = 0xFFFFFFFF; /// enum GL_ALL_COMPLETED_NV = 0x84F2; /// enum GL_ALL_SHADER_BITS = 0xFFFFFFFF; /// enum GL_ALL_SHADER_BITS_EXT = 0xFFFFFFFF; /// enum GL_ALL_STATIC_DATA_IBM = 0x103060; /// enum GL_ALPHA = 0x1906; /// enum GL_ALPHA12 = 0x803D; /// enum GL_ALPHA12_EXT = 0x803D; /// enum GL_ALPHA16 = 0x803E; /// enum GL_ALPHA16F_ARB = 0x881C; /// enum GL_ALPHA16F_EXT = 0x881C; /// enum GL_ALPHA16I_EXT = 0x8D8A; /// enum GL_ALPHA16UI_EXT = 0x8D78; /// enum GL_ALPHA16_EXT = 0x803E; /// enum GL_ALPHA16_SNORM = 0x9018; /// enum GL_ALPHA32F_ARB = 0x8816; /// enum GL_ALPHA32F_EXT = 0x8816; /// enum GL_ALPHA32I_EXT = 0x8D84; /// enum GL_ALPHA32UI_EXT = 0x8D72; /// enum GL_ALPHA4 = 0x803B; /// enum GL_ALPHA4_EXT = 0x803B; /// enum GL_ALPHA8 = 0x803C; /// enum GL_ALPHA8I_EXT = 0x8D90; /// enum GL_ALPHA8UI_EXT = 0x8D7E; /// enum GL_ALPHA8_EXT = 0x803C; /// enum GL_ALPHA8_OES = 0x803C; /// enum GL_ALPHA8_SNORM = 0x9014; /// enum GL_ALPHA_BIAS = 0x0D1D; /// enum GL_ALPHA_BITS = 0x0D55; /// enum GL_ALPHA_FLOAT16_APPLE = 0x881C; /// enum GL_ALPHA_FLOAT16_ATI = 0x881C; /// enum GL_ALPHA_FLOAT32_APPLE = 0x8816; /// enum GL_ALPHA_FLOAT32_ATI = 0x8816; /// enum GL_ALPHA_INTEGER = 0x8D97; /// enum GL_ALPHA_INTEGER_EXT = 0x8D97; /// enum GL_ALPHA_MAX_CLAMP_INGR = 0x8567; /// enum GL_ALPHA_MAX_SGIX = 0x8321; /// enum GL_ALPHA_MIN_CLAMP_INGR = 0x8563; /// enum GL_ALPHA_MIN_SGIX = 0x8320; /// enum GL_ALPHA_REF_COMMAND_NV = 0x000F; /// enum GL_ALPHA_SCALE = 0x0D1C; /// enum GL_ALPHA_SNORM = 0x9010; /// enum GL_ALPHA_TEST = 0x0BC0; /// enum GL_ALPHA_TEST_FUNC = 0x0BC1; /// enum GL_ALPHA_TEST_FUNC_QCOM = 0x0BC1; /// enum GL_ALPHA_TEST_QCOM = 0x0BC0; /// enum GL_ALPHA_TEST_REF = 0x0BC2; /// enum GL_ALPHA_TEST_REF_QCOM = 0x0BC2; /// enum GL_ALREADY_SIGNALED = 0x911A; /// enum GL_ALREADY_SIGNALED_APPLE = 0x911A; /// enum GL_ALWAYS = 0x0207; /// enum GL_ALWAYS_FAST_HINT_PGI = 0x1A20C; /// enum GL_ALWAYS_SOFT_HINT_PGI = 0x1A20D; /// enum GL_AMBIENT = 0x1200; /// enum GL_AMBIENT_AND_DIFFUSE = 0x1602; /// enum GL_AND = 0x1501; /// enum GL_AND_INVERTED = 0x1504; /// enum GL_AND_REVERSE = 0x1502; /// enum GL_ANY_SAMPLES_PASSED = 0x8C2F; /// enum GL_ANY_SAMPLES_PASSED_CONSERVATIVE = 0x8D6A; /// enum GL_ANY_SAMPLES_PASSED_CONSERVATIVE_EXT = 0x8D6A; /// enum GL_ANY_SAMPLES_PASSED_EXT = 0x8C2F; /// enum GL_ARC_TO_NV = 0xFE; /// enum GL_ARRAY_BUFFER = 0x8892; /// enum GL_ARRAY_BUFFER_ARB = 0x8892; /// enum GL_ARRAY_BUFFER_BINDING = 0x8894; /// enum GL_ARRAY_BUFFER_BINDING_ARB = 0x8894; /// enum GL_ARRAY_ELEMENT_LOCK_COUNT_EXT = 0x81A9; /// enum GL_ARRAY_ELEMENT_LOCK_FIRST_EXT = 0x81A8; /// enum GL_ARRAY_OBJECT_BUFFER_ATI = 0x8766; /// enum GL_ARRAY_OBJECT_OFFSET_ATI = 0x8767; /// enum GL_ARRAY_SIZE = 0x92FB; /// enum GL_ARRAY_STRIDE = 0x92FE; /// enum GL_ASYNC_DRAW_PIXELS_SGIX = 0x835D; /// enum GL_ASYNC_HISTOGRAM_SGIX = 0x832C; /// enum GL_ASYNC_MARKER_SGIX = 0x8329; /// enum GL_ASYNC_READ_PIXELS_SGIX = 0x835E; /// enum GL_ASYNC_TEX_IMAGE_SGIX = 0x835C; /// enum GL_ATC_RGBA_EXPLICIT_ALPHA_AMD = 0x8C93; /// enum GL_ATC_RGBA_INTERPOLATED_ALPHA_AMD = 0x87EE; /// enum GL_ATC_RGB_AMD = 0x8C92; /// enum GL_ATOMIC_COUNTER_BARRIER_BIT = 0x00001000; /// enum GL_ATOMIC_COUNTER_BARRIER_BIT_EXT = 0x00001000; /// enum GL_ATOMIC_COUNTER_BUFFER = 0x92C0; /// enum GL_ATOMIC_COUNTER_BUFFER_ACTIVE_ATOMIC_COUNTERS = 0x92C5; /// enum GL_ATOMIC_COUNTER_BUFFER_ACTIVE_ATOMIC_COUNTER_INDICES = 0x92C6; /// enum GL_ATOMIC_COUNTER_BUFFER_BINDING = 0x92C1; /// enum GL_ATOMIC_COUNTER_BUFFER_DATA_SIZE = 0x92C4; /// enum GL_ATOMIC_COUNTER_BUFFER_INDEX = 0x9301; /// enum GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_COMPUTE_SHADER = 0x90ED; /// enum GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_FRAGMENT_SHADER = 0x92CB; /// enum GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_GEOMETRY_SHADER = 0x92CA; /// enum GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_TESS_CONTROL_SHADER = 0x92C8; /// enum GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_TESS_EVALUATION_SHADER = 0x92C9; /// enum GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_VERTEX_SHADER = 0x92C7; /// enum GL_ATOMIC_COUNTER_BUFFER_SIZE = 0x92C3; /// enum GL_ATOMIC_COUNTER_BUFFER_START = 0x92C2; /// enum GL_ATTACHED_SHADERS = 0x8B85; /// enum GL_ATTENUATION_EXT = 0x834D; /// enum GL_ATTRIBUTE_ADDRESS_COMMAND_NV = 0x0009; /// enum GL_ATTRIB_ARRAY_POINTER_NV = 0x8645; /// enum GL_ATTRIB_ARRAY_SIZE_NV = 0x8623; /// enum GL_ATTRIB_ARRAY_STRIDE_NV = 0x8624; /// enum GL_ATTRIB_ARRAY_TYPE_NV = 0x8625; /// enum GL_ATTRIB_STACK_DEPTH = 0x0BB0; /// enum GL_AUTO_GENERATE_MIPMAP = 0x8295; /// enum GL_AUTO_NORMAL = 0x0D80; /// enum GL_AUX0 = 0x0409; /// enum GL_AUX1 = 0x040A; /// enum GL_AUX2 = 0x040B; /// enum GL_AUX3 = 0x040C; /// enum GL_AUX_BUFFERS = 0x0C00; /// enum GL_AUX_DEPTH_STENCIL_APPLE = 0x8A14; /// enum GL_AVERAGE_EXT = 0x8335; /// enum GL_AVERAGE_HP = 0x8160; /// enum GL_BACK = 0x0405; /// enum GL_BACK_LEFT = 0x0402; /// enum GL_BACK_NORMALS_HINT_PGI = 0x1A223; /// enum GL_BACK_PRIMARY_COLOR_NV = 0x8C77; /// enum GL_BACK_RIGHT = 0x0403; /// enum GL_BACK_SECONDARY_COLOR_NV = 0x8C78; /// enum GL_BEVEL_NV = 0x90A6; /// enum GL_BGR = 0x80E0; /// enum GL_BGRA = 0x80E1; /// enum GL_BGRA8_EXT = 0x93A1; /// enum GL_BGRA_EXT = 0x80E1; /// enum GL_BGRA_IMG = 0x80E1; /// enum GL_BGRA_INTEGER = 0x8D9B; /// enum GL_BGRA_INTEGER_EXT = 0x8D9B; /// enum GL_BGR_EXT = 0x80E0; /// enum GL_BGR_INTEGER = 0x8D9A; /// enum GL_BGR_INTEGER_EXT = 0x8D9A; /// enum GL_BIAS_BIT_ATI = 0x00000008; /// enum GL_BIAS_BY_NEGATIVE_ONE_HALF_NV = 0x8541; /// enum GL_BINNING_CONTROL_HINT_QCOM = 0x8FB0; /// enum GL_BINORMAL_ARRAY_EXT = 0x843A; /// enum GL_BINORMAL_ARRAY_POINTER_EXT = 0x8443; /// enum GL_BINORMAL_ARRAY_STRIDE_EXT = 0x8441; /// enum GL_BINORMAL_ARRAY_TYPE_EXT = 0x8440; /// enum GL_BITMAP = 0x1A00; /// enum GL_BITMAP_TOKEN = 0x0704; /// enum GL_BLEND = 0x0BE2; /// enum GL_BLEND_ADVANCED_COHERENT_KHR = 0x9285; /// enum GL_BLEND_ADVANCED_COHERENT_NV = 0x9285; /// enum GL_BLEND_COLOR = 0x8005; /// enum GL_BLEND_COLOR_COMMAND_NV = 0x000B; /// enum GL_BLEND_COLOR_EXT = 0x8005; /// enum GL_BLEND_DST = 0x0BE0; /// enum GL_BLEND_DST_ALPHA = 0x80CA; /// enum GL_BLEND_DST_ALPHA_EXT = 0x80CA; /// enum GL_BLEND_DST_ALPHA_OES = 0x80CA; /// enum GL_BLEND_DST_RGB = 0x80C8; /// enum GL_BLEND_DST_RGB_EXT = 0x80C8; /// enum GL_BLEND_DST_RGB_OES = 0x80C8; /// enum GL_BLEND_EQUATION = 0x8009; /// enum GL_BLEND_EQUATION_ALPHA = 0x883D; /// enum GL_BLEND_EQUATION_ALPHA_EXT = 0x883D; /// enum GL_BLEND_EQUATION_ALPHA_OES = 0x883D; /// enum GL_BLEND_EQUATION_EXT = 0x8009; /// enum GL_BLEND_EQUATION_OES = 0x8009; /// enum GL_BLEND_EQUATION_RGB = 0x8009; /// enum GL_BLEND_EQUATION_RGB_EXT = 0x8009; /// enum GL_BLEND_EQUATION_RGB_OES = 0x8009; /// enum GL_BLEND_OVERLAP_NV = 0x9281; /// enum GL_BLEND_PREMULTIPLIED_SRC_NV = 0x9280; /// enum GL_BLEND_SRC = 0x0BE1; /// enum GL_BLEND_SRC_ALPHA = 0x80CB; /// enum GL_BLEND_SRC_ALPHA_EXT = 0x80CB; /// enum GL_BLEND_SRC_ALPHA_OES = 0x80CB; /// enum GL_BLEND_SRC_RGB = 0x80C9; /// enum GL_BLEND_SRC_RGB_EXT = 0x80C9; /// enum GL_BLEND_SRC_RGB_OES = 0x80C9; /// enum GL_BLOCK_INDEX = 0x92FD; /// enum GL_BLUE = 0x1905; /// enum GL_BLUE_BIAS = 0x0D1B; /// enum GL_BLUE_BITS = 0x0D54; /// enum GL_BLUE_BIT_ATI = 0x00000004; /// enum GL_BLUE_INTEGER = 0x8D96; /// enum GL_BLUE_INTEGER_EXT = 0x8D96; /// enum GL_BLUE_MAX_CLAMP_INGR = 0x8566; /// enum GL_BLUE_MIN_CLAMP_INGR = 0x8562; /// enum GL_BLUE_NV = 0x1905; /// enum GL_BLUE_SCALE = 0x0D1A; /// enum GL_BOLD_BIT_NV = 0x01; /// enum GL_BOOL = 0x8B56; /// enum GL_BOOL_ARB = 0x8B56; /// enum GL_BOOL_VEC2 = 0x8B57; /// enum GL_BOOL_VEC2_ARB = 0x8B57; /// enum GL_BOOL_VEC3 = 0x8B58; /// enum GL_BOOL_VEC3_ARB = 0x8B58; /// enum GL_BOOL_VEC4 = 0x8B59; /// enum GL_BOOL_VEC4_ARB = 0x8B59; /// enum GL_BOUNDING_BOX_NV = 0x908D; /// enum GL_BOUNDING_BOX_OF_BOUNDING_BOXES_NV = 0x909C; /// enum GL_BROWSER_DEFAULT_WEBGL = 0x9244; /// enum GL_BUFFER = 0x82E0; /// enum GL_BUFFER_ACCESS = 0x88BB; /// enum GL_BUFFER_ACCESS_ARB = 0x88BB; /// enum GL_BUFFER_ACCESS_FLAGS = 0x911F; /// enum GL_BUFFER_ACCESS_OES = 0x88BB; /// enum GL_BUFFER_BINDING = 0x9302; /// enum GL_BUFFER_DATA_SIZE = 0x9303; /// enum GL_BUFFER_FLUSHING_UNMAP_APPLE = 0x8A13; /// enum GL_BUFFER_GPU_ADDRESS_NV = 0x8F1D; /// enum GL_BUFFER_IMMUTABLE_STORAGE = 0x821F; /// enum GL_BUFFER_IMMUTABLE_STORAGE_EXT = 0x821F; /// enum GL_BUFFER_KHR = 0x82E0; /// enum GL_BUFFER_MAPPED = 0x88BC; /// enum GL_BUFFER_MAPPED_ARB = 0x88BC; /// enum GL_BUFFER_MAPPED_OES = 0x88BC; /// enum GL_BUFFER_MAP_LENGTH = 0x9120; /// enum GL_BUFFER_MAP_OFFSET = 0x9121; /// enum GL_BUFFER_MAP_POINTER = 0x88BD; /// enum GL_BUFFER_MAP_POINTER_ARB = 0x88BD; /// enum GL_BUFFER_MAP_POINTER_OES = 0x88BD; /// enum GL_BUFFER_OBJECT_APPLE = 0x85B3; /// enum GL_BUFFER_OBJECT_EXT = 0x9151; /// enum GL_BUFFER_SERIALIZED_MODIFY_APPLE = 0x8A12; /// enum GL_BUFFER_SIZE = 0x8764; /// enum GL_BUFFER_SIZE_ARB = 0x8764; /// enum GL_BUFFER_STORAGE_FLAGS = 0x8220; /// enum GL_BUFFER_STORAGE_FLAGS_EXT = 0x8220; /// enum GL_BUFFER_UPDATE_BARRIER_BIT = 0x00000200; /// enum GL_BUFFER_UPDATE_BARRIER_BIT_EXT = 0x00000200; /// enum GL_BUFFER_USAGE = 0x8765; /// enum GL_BUFFER_USAGE_ARB = 0x8765; /// enum GL_BUFFER_VARIABLE = 0x92E5; /// enum GL_BUMP_ENVMAP_ATI = 0x877B; /// enum GL_BUMP_NUM_TEX_UNITS_ATI = 0x8777; /// enum GL_BUMP_ROT_MATRIX_ATI = 0x8775; /// enum GL_BUMP_ROT_MATRIX_SIZE_ATI = 0x8776; /// enum GL_BUMP_TARGET_ATI = 0x877C; /// enum GL_BUMP_TEX_UNITS_ATI = 0x8778; /// enum GL_BYTE = 0x1400; /// enum GL_C3F_V3F = 0x2A24; /// enum GL_C4F_N3F_V3F = 0x2A26; /// enum GL_C4UB_V2F = 0x2A22; /// enum GL_C4UB_V3F = 0x2A23; /// enum GL_CALLIGRAPHIC_FRAGMENT_SGIX = 0x8183; /// enum GL_CAVEAT_SUPPORT = 0x82B8; /// enum GL_CCW = 0x0901; /// enum GL_CIRCULAR_CCW_ARC_TO_NV = 0xF8; /// enum GL_CIRCULAR_CW_ARC_TO_NV = 0xFA; /// enum GL_CIRCULAR_TANGENT_ARC_TO_NV = 0xFC; /// enum GL_CLAMP = 0x2900; /// enum GL_CLAMP_FRAGMENT_COLOR = 0x891B; /// enum GL_CLAMP_FRAGMENT_COLOR_ARB = 0x891B; /// enum GL_CLAMP_READ_COLOR = 0x891C; /// enum GL_CLAMP_READ_COLOR_ARB = 0x891C; /// enum GL_CLAMP_TO_BORDER = 0x812D; /// enum GL_CLAMP_TO_BORDER_ARB = 0x812D; /// enum GL_CLAMP_TO_BORDER_EXT = 0x812D; /// enum GL_CLAMP_TO_BORDER_NV = 0x812D; /// enum GL_CLAMP_TO_BORDER_OES = 0x812D; /// enum GL_CLAMP_TO_BORDER_SGIS = 0x812D; /// enum GL_CLAMP_TO_EDGE = 0x812F; /// enum GL_CLAMP_TO_EDGE_SGIS = 0x812F; /// enum GL_CLAMP_VERTEX_COLOR = 0x891A; /// enum GL_CLAMP_VERTEX_COLOR_ARB = 0x891A; /// enum GL_CLEAR = 0x1500; /// enum GL_CLEAR_BUFFER = 0x82B4; /// enum GL_CLEAR_TEXTURE = 0x9365; /// enum GL_CLIENT_ACTIVE_TEXTURE = 0x84E1; /// enum GL_CLIENT_ACTIVE_TEXTURE_ARB = 0x84E1; /// enum GL_CLIENT_ALL_ATTRIB_BITS = 0xFFFFFFFF; /// enum GL_CLIENT_ATTRIB_STACK_DEPTH = 0x0BB1; /// enum GL_CLIENT_MAPPED_BUFFER_BARRIER_BIT = 0x00004000; /// enum GL_CLIENT_MAPPED_BUFFER_BARRIER_BIT_EXT = 0x00004000; /// enum GL_CLIENT_PIXEL_STORE_BIT = 0x00000001; /// enum GL_CLIENT_STORAGE_BIT = 0x0200; /// enum GL_CLIENT_STORAGE_BIT_EXT = 0x0200; /// enum GL_CLIENT_VERTEX_ARRAY_BIT = 0x00000002; /// enum GL_CLIPPING_INPUT_PRIMITIVES_ARB = 0x82F6; /// enum GL_CLIPPING_OUTPUT_PRIMITIVES_ARB = 0x82F7; /// enum GL_CLIP_DEPTH_MODE = 0x935D; /// enum GL_CLIP_DISTANCE0 = 0x3000; /// enum GL_CLIP_DISTANCE0_APPLE = 0x3000; /// enum GL_CLIP_DISTANCE0_EXT = 0x3000; /// enum GL_CLIP_DISTANCE1 = 0x3001; /// enum GL_CLIP_DISTANCE1_APPLE = 0x3001; /// enum GL_CLIP_DISTANCE1_EXT = 0x3001; /// enum GL_CLIP_DISTANCE2 = 0x3002; /// enum GL_CLIP_DISTANCE2_APPLE = 0x3002; /// enum GL_CLIP_DISTANCE2_EXT = 0x3002; /// enum GL_CLIP_DISTANCE3 = 0x3003; /// enum GL_CLIP_DISTANCE3_APPLE = 0x3003; /// enum GL_CLIP_DISTANCE3_EXT = 0x3003; /// enum GL_CLIP_DISTANCE4 = 0x3004; /// enum GL_CLIP_DISTANCE4_APPLE = 0x3004; /// enum GL_CLIP_DISTANCE4_EXT = 0x3004; /// enum GL_CLIP_DISTANCE5 = 0x3005; /// enum GL_CLIP_DISTANCE5_APPLE = 0x3005; /// enum GL_CLIP_DISTANCE5_EXT = 0x3005; /// enum GL_CLIP_DISTANCE6 = 0x3006; /// enum GL_CLIP_DISTANCE6_APPLE = 0x3006; /// enum GL_CLIP_DISTANCE6_EXT = 0x3006; /// enum GL_CLIP_DISTANCE7 = 0x3007; /// enum GL_CLIP_DISTANCE7_APPLE = 0x3007; /// enum GL_CLIP_DISTANCE7_EXT = 0x3007; /// enum GL_CLIP_DISTANCE_NV = 0x8C7A; /// enum GL_CLIP_FAR_HINT_PGI = 0x1A221; /// enum GL_CLIP_NEAR_HINT_PGI = 0x1A220; /// enum GL_CLIP_ORIGIN = 0x935C; /// enum GL_CLIP_PLANE0 = 0x3000; /// enum GL_CLIP_PLANE0_IMG = 0x3000; /// enum GL_CLIP_PLANE1 = 0x3001; /// enum GL_CLIP_PLANE1_IMG = 0x3001; /// enum GL_CLIP_PLANE2 = 0x3002; /// enum GL_CLIP_PLANE2_IMG = 0x3002; /// enum GL_CLIP_PLANE3 = 0x3003; /// enum GL_CLIP_PLANE3_IMG = 0x3003; /// enum GL_CLIP_PLANE4 = 0x3004; /// enum GL_CLIP_PLANE4_IMG = 0x3004; /// enum GL_CLIP_PLANE5 = 0x3005; /// enum GL_CLIP_PLANE5_IMG = 0x3005; /// enum GL_CLIP_VOLUME_CLIPPING_HINT_EXT = 0x80F0; /// enum GL_CLOSE_PATH_NV = 0x00; /// enum GL_CMYKA_EXT = 0x800D; /// enum GL_CMYK_EXT = 0x800C; /// enum GL_CND0_ATI = 0x896B; /// enum GL_CND_ATI = 0x896A; /// enum GL_COEFF = 0x0A00; /// enum GL_COLOR = 0x1800; /// enum GL_COLOR3_BIT_PGI = 0x00010000; /// enum GL_COLOR4_BIT_PGI = 0x00020000; /// enum GL_COLORBURN = 0x929A; /// enum GL_COLORBURN_KHR = 0x929A; /// enum GL_COLORBURN_NV = 0x929A; /// enum GL_COLORDODGE = 0x9299; /// enum GL_COLORDODGE_KHR = 0x9299; /// enum GL_COLORDODGE_NV = 0x9299; /// enum GL_COLOR_ALPHA_PAIRING_ATI = 0x8975; /// enum GL_COLOR_ARRAY = 0x8076; /// enum GL_COLOR_ARRAY_ADDRESS_NV = 0x8F23; /// enum GL_COLOR_ARRAY_BUFFER_BINDING = 0x8898; /// enum GL_COLOR_ARRAY_BUFFER_BINDING_ARB = 0x8898; /// enum GL_COLOR_ARRAY_COUNT_EXT = 0x8084; /// enum GL_COLOR_ARRAY_EXT = 0x8076; /// enum GL_COLOR_ARRAY_LENGTH_NV = 0x8F2D; /// enum GL_COLOR_ARRAY_LIST_IBM = 0x103072; /// enum GL_COLOR_ARRAY_LIST_STRIDE_IBM = 0x103082; /// enum GL_COLOR_ARRAY_PARALLEL_POINTERS_INTEL = 0x83F7; /// enum GL_COLOR_ARRAY_POINTER = 0x8090; /// enum GL_COLOR_ARRAY_POINTER_EXT = 0x8090; /// enum GL_COLOR_ARRAY_SIZE = 0x8081; /// enum GL_COLOR_ARRAY_SIZE_EXT = 0x8081; /// enum GL_COLOR_ARRAY_STRIDE = 0x8083; /// enum GL_COLOR_ARRAY_STRIDE_EXT = 0x8083; /// enum GL_COLOR_ARRAY_TYPE = 0x8082; /// enum GL_COLOR_ARRAY_TYPE_EXT = 0x8082; /// enum GL_COLOR_ATTACHMENT0 = 0x8CE0; /// enum GL_COLOR_ATTACHMENT0_EXT = 0x8CE0; /// enum GL_COLOR_ATTACHMENT0_NV = 0x8CE0; /// enum GL_COLOR_ATTACHMENT0_OES = 0x8CE0; /// enum GL_COLOR_ATTACHMENT1 = 0x8CE1; /// enum GL_COLOR_ATTACHMENT10 = 0x8CEA; /// enum GL_COLOR_ATTACHMENT10_EXT = 0x8CEA; /// enum GL_COLOR_ATTACHMENT10_NV = 0x8CEA; /// enum GL_COLOR_ATTACHMENT11 = 0x8CEB; /// enum GL_COLOR_ATTACHMENT11_EXT = 0x8CEB; /// enum GL_COLOR_ATTACHMENT11_NV = 0x8CEB; /// enum GL_COLOR_ATTACHMENT12 = 0x8CEC; /// enum GL_COLOR_ATTACHMENT12_EXT = 0x8CEC; /// enum GL_COLOR_ATTACHMENT12_NV = 0x8CEC; /// enum GL_COLOR_ATTACHMENT13 = 0x8CED; /// enum GL_COLOR_ATTACHMENT13_EXT = 0x8CED; /// enum GL_COLOR_ATTACHMENT13_NV = 0x8CED; /// enum GL_COLOR_ATTACHMENT14 = 0x8CEE; /// enum GL_COLOR_ATTACHMENT14_EXT = 0x8CEE; /// enum GL_COLOR_ATTACHMENT14_NV = 0x8CEE; /// enum GL_COLOR_ATTACHMENT15 = 0x8CEF; /// enum GL_COLOR_ATTACHMENT15_EXT = 0x8CEF; /// enum GL_COLOR_ATTACHMENT15_NV = 0x8CEF; /// enum GL_COLOR_ATTACHMENT16 = 0x8CF0; /// enum GL_COLOR_ATTACHMENT17 = 0x8CF1; /// enum GL_COLOR_ATTACHMENT18 = 0x8CF2; /// enum GL_COLOR_ATTACHMENT19 = 0x8CF3; /// enum GL_COLOR_ATTACHMENT1_EXT = 0x8CE1; /// enum GL_COLOR_ATTACHMENT1_NV = 0x8CE1; /// enum GL_COLOR_ATTACHMENT2 = 0x8CE2; /// enum GL_COLOR_ATTACHMENT20 = 0x8CF4; /// enum GL_COLOR_ATTACHMENT21 = 0x8CF5; /// enum GL_COLOR_ATTACHMENT22 = 0x8CF6; /// enum GL_COLOR_ATTACHMENT23 = 0x8CF7; /// enum GL_COLOR_ATTACHMENT24 = 0x8CF8; /// enum GL_COLOR_ATTACHMENT25 = 0x8CF9; /// enum GL_COLOR_ATTACHMENT26 = 0x8CFA; /// enum GL_COLOR_ATTACHMENT27 = 0x8CFB; /// enum GL_COLOR_ATTACHMENT28 = 0x8CFC; /// enum GL_COLOR_ATTACHMENT29 = 0x8CFD; /// enum GL_COLOR_ATTACHMENT2_EXT = 0x8CE2; /// enum GL_COLOR_ATTACHMENT2_NV = 0x8CE2; /// enum GL_COLOR_ATTACHMENT3 = 0x8CE3; /// enum GL_COLOR_ATTACHMENT30 = 0x8CFE; /// enum GL_COLOR_ATTACHMENT31 = 0x8CFF; /// enum GL_COLOR_ATTACHMENT3_EXT = 0x8CE3; /// enum GL_COLOR_ATTACHMENT3_NV = 0x8CE3; /// enum GL_COLOR_ATTACHMENT4 = 0x8CE4; /// enum GL_COLOR_ATTACHMENT4_EXT = 0x8CE4; /// enum GL_COLOR_ATTACHMENT4_NV = 0x8CE4; /// enum GL_COLOR_ATTACHMENT5 = 0x8CE5; /// enum GL_COLOR_ATTACHMENT5_EXT = 0x8CE5; /// enum GL_COLOR_ATTACHMENT5_NV = 0x8CE5; /// enum GL_COLOR_ATTACHMENT6 = 0x8CE6; /// enum GL_COLOR_ATTACHMENT6_EXT = 0x8CE6; /// enum GL_COLOR_ATTACHMENT6_NV = 0x8CE6; /// enum GL_COLOR_ATTACHMENT7 = 0x8CE7; /// enum GL_COLOR_ATTACHMENT7_EXT = 0x8CE7; /// enum GL_COLOR_ATTACHMENT7_NV = 0x8CE7; /// enum GL_COLOR_ATTACHMENT8 = 0x8CE8; /// enum GL_COLOR_ATTACHMENT8_EXT = 0x8CE8; /// enum GL_COLOR_ATTACHMENT8_NV = 0x8CE8; /// enum GL_COLOR_ATTACHMENT9 = 0x8CE9; /// enum GL_COLOR_ATTACHMENT9_EXT = 0x8CE9; /// enum GL_COLOR_ATTACHMENT9_NV = 0x8CE9; /// enum GL_COLOR_ATTACHMENT_EXT = 0x90F0; /// enum GL_COLOR_BUFFER_BIT = 0x00004000; /// enum GL_COLOR_BUFFER_BIT0_QCOM = 0x00000001; /// enum GL_COLOR_BUFFER_BIT1_QCOM = 0x00000002; /// enum GL_COLOR_BUFFER_BIT2_QCOM = 0x00000004; /// enum GL_COLOR_BUFFER_BIT3_QCOM = 0x00000008; /// enum GL_COLOR_BUFFER_BIT4_QCOM = 0x00000010; /// enum GL_COLOR_BUFFER_BIT5_QCOM = 0x00000020; /// enum GL_COLOR_BUFFER_BIT6_QCOM = 0x00000040; /// enum GL_COLOR_BUFFER_BIT7_QCOM = 0x00000080; /// enum GL_COLOR_CLEAR_UNCLAMPED_VALUE_ATI = 0x8835; /// enum GL_COLOR_CLEAR_VALUE = 0x0C22; /// enum GL_COLOR_COMPONENTS = 0x8283; /// enum GL_COLOR_ENCODING = 0x8296; /// enum GL_COLOR_EXT = 0x1800; /// enum GL_COLOR_FLOAT_APPLE = 0x8A0F; /// enum GL_COLOR_INDEX = 0x1900; /// enum GL_COLOR_INDEX12_EXT = 0x80E6; /// enum GL_COLOR_INDEX16_EXT = 0x80E7; /// enum GL_COLOR_INDEX1_EXT = 0x80E2; /// enum GL_COLOR_INDEX2_EXT = 0x80E3; /// enum GL_COLOR_INDEX4_EXT = 0x80E4; /// enum GL_COLOR_INDEX8_EXT = 0x80E5; /// enum GL_COLOR_INDEXES = 0x1603; /// enum GL_COLOR_LOGIC_OP = 0x0BF2; /// enum GL_COLOR_MATERIAL = 0x0B57; /// enum GL_COLOR_MATERIAL_FACE = 0x0B55; /// enum GL_COLOR_MATERIAL_PARAMETER = 0x0B56; /// enum GL_COLOR_MATRIX = 0x80B1; /// enum GL_COLOR_MATRIX_SGI = 0x80B1; /// enum GL_COLOR_MATRIX_STACK_DEPTH = 0x80B2; /// enum GL_COLOR_MATRIX_STACK_DEPTH_SGI = 0x80B2; /// enum GL_COLOR_RENDERABLE = 0x8286; /// enum GL_COLOR_SAMPLES_NV = 0x8E20; /// enum GL_COLOR_SUM = 0x8458; /// enum GL_COLOR_SUM_ARB = 0x8458; /// enum GL_COLOR_SUM_CLAMP_NV = 0x854F; /// enum GL_COLOR_SUM_EXT = 0x8458; /// enum GL_COLOR_TABLE = 0x80D0; /// enum GL_COLOR_TABLE_ALPHA_SIZE = 0x80DD; /// enum GL_COLOR_TABLE_ALPHA_SIZE_SGI = 0x80DD; /// enum GL_COLOR_TABLE_BIAS = 0x80D7; /// enum GL_COLOR_TABLE_BIAS_SGI = 0x80D7; /// enum GL_COLOR_TABLE_BLUE_SIZE = 0x80DC; /// enum GL_COLOR_TABLE_BLUE_SIZE_SGI = 0x80DC; /// enum GL_COLOR_TABLE_FORMAT = 0x80D8; /// enum GL_COLOR_TABLE_FORMAT_SGI = 0x80D8; /// enum GL_COLOR_TABLE_GREEN_SIZE = 0x80DB; /// enum GL_COLOR_TABLE_GREEN_SIZE_SGI = 0x80DB; /// enum GL_COLOR_TABLE_INTENSITY_SIZE = 0x80DF; /// enum GL_COLOR_TABLE_INTENSITY_SIZE_SGI = 0x80DF; /// enum GL_COLOR_TABLE_LUMINANCE_SIZE = 0x80DE; /// enum GL_COLOR_TABLE_LUMINANCE_SIZE_SGI = 0x80DE; /// enum GL_COLOR_TABLE_RED_SIZE = 0x80DA; /// enum GL_COLOR_TABLE_RED_SIZE_SGI = 0x80DA; /// enum GL_COLOR_TABLE_SCALE = 0x80D6; /// enum GL_COLOR_TABLE_SCALE_SGI = 0x80D6; /// enum GL_COLOR_TABLE_SGI = 0x80D0; /// enum GL_COLOR_TABLE_WIDTH = 0x80D9; /// enum GL_COLOR_TABLE_WIDTH_SGI = 0x80D9; /// enum GL_COLOR_WRITEMASK = 0x0C23; /// enum GL_COMBINE = 0x8570; /// enum GL_COMBINE4_NV = 0x8503; /// enum GL_COMBINER0_NV = 0x8550; /// enum GL_COMBINER1_NV = 0x8551; /// enum GL_COMBINER2_NV = 0x8552; /// enum GL_COMBINER3_NV = 0x8553; /// enum GL_COMBINER4_NV = 0x8554; /// enum GL_COMBINER5_NV = 0x8555; /// enum GL_COMBINER6_NV = 0x8556; /// enum GL_COMBINER7_NV = 0x8557; /// enum GL_COMBINER_AB_DOT_PRODUCT_NV = 0x8545; /// enum GL_COMBINER_AB_OUTPUT_NV = 0x854A; /// enum GL_COMBINER_BIAS_NV = 0x8549; /// enum GL_COMBINER_CD_DOT_PRODUCT_NV = 0x8546; /// enum GL_COMBINER_CD_OUTPUT_NV = 0x854B; /// enum GL_COMBINER_COMPONENT_USAGE_NV = 0x8544; /// enum GL_COMBINER_INPUT_NV = 0x8542; /// enum GL_COMBINER_MAPPING_NV = 0x8543; /// enum GL_COMBINER_MUX_SUM_NV = 0x8547; /// enum GL_COMBINER_SCALE_NV = 0x8548; /// enum GL_COMBINER_SUM_OUTPUT_NV = 0x854C; /// enum GL_COMBINE_ALPHA = 0x8572; /// enum GL_COMBINE_ALPHA_ARB = 0x8572; /// enum GL_COMBINE_ALPHA_EXT = 0x8572; /// enum GL_COMBINE_ARB = 0x8570; /// enum GL_COMBINE_EXT = 0x8570; /// enum GL_COMBINE_RGB = 0x8571; /// enum GL_COMBINE_RGB_ARB = 0x8571; /// enum GL_COMBINE_RGB_EXT = 0x8571; /// enum GL_COMMAND_BARRIER_BIT = 0x00000040; /// enum GL_COMMAND_BARRIER_BIT_EXT = 0x00000040; /// enum GL_COMPARE_REF_DEPTH_TO_TEXTURE_EXT = 0x884E; /// enum GL_COMPARE_REF_TO_TEXTURE = 0x884E; /// enum GL_COMPARE_REF_TO_TEXTURE_EXT = 0x884E; /// enum GL_COMPARE_R_TO_TEXTURE = 0x884E; /// enum GL_COMPARE_R_TO_TEXTURE_ARB = 0x884E; /// enum GL_COMPATIBLE_SUBROUTINES = 0x8E4B; /// enum GL_COMPILE = 0x1300; /// enum GL_COMPILE_AND_EXECUTE = 0x1301; /// enum GL_COMPILE_STATUS = 0x8B81; /// enum GL_COMPLETION_STATUS_ARB = 0x91B1; /// enum GL_COMPRESSED_ALPHA = 0x84E9; /// enum GL_COMPRESSED_ALPHA_ARB = 0x84E9; /// enum GL_COMPRESSED_INTENSITY = 0x84EC; /// enum GL_COMPRESSED_INTENSITY_ARB = 0x84EC; /// enum GL_COMPRESSED_LUMINANCE = 0x84EA; /// enum GL_COMPRESSED_LUMINANCE_ALPHA = 0x84EB; /// enum GL_COMPRESSED_LUMINANCE_ALPHA_3DC_ATI = 0x8837; /// enum GL_COMPRESSED_LUMINANCE_ALPHA_ARB = 0x84EB; /// enum GL_COMPRESSED_LUMINANCE_ALPHA_LATC2_EXT = 0x8C72; /// enum GL_COMPRESSED_LUMINANCE_ARB = 0x84EA; /// enum GL_COMPRESSED_LUMINANCE_LATC1_EXT = 0x8C70; /// enum GL_COMPRESSED_R11_EAC = 0x9270; /// enum GL_COMPRESSED_R11_EAC_OES = 0x9270; /// enum GL_COMPRESSED_RED = 0x8225; /// enum GL_COMPRESSED_RED_GREEN_RGTC2_EXT = 0x8DBD; /// enum GL_COMPRESSED_RED_RGTC1 = 0x8DBB; /// enum GL_COMPRESSED_RED_RGTC1_EXT = 0x8DBB; /// enum GL_COMPRESSED_RG = 0x8226; /// enum GL_COMPRESSED_RG11_EAC = 0x9272; /// enum GL_COMPRESSED_RG11_EAC_OES = 0x9272; /// enum GL_COMPRESSED_RGB = 0x84ED; /// enum GL_COMPRESSED_RGB8_ETC2 = 0x9274; /// enum GL_COMPRESSED_RGB8_ETC2_OES = 0x9274; /// enum GL_COMPRESSED_RGB8_PUNCHTHROUGH_ALPHA1_ETC2 = 0x9276; /// enum GL_COMPRESSED_RGB8_PUNCHTHROUGH_ALPHA1_ETC2_OES = 0x9276; /// enum GL_COMPRESSED_RGBA = 0x84EE; /// enum GL_COMPRESSED_RGBA8_ETC2_EAC = 0x9278; /// enum GL_COMPRESSED_RGBA8_ETC2_EAC_OES = 0x9278; /// enum GL_COMPRESSED_RGBA_ARB = 0x84EE; /// enum GL_COMPRESSED_RGBA_ASTC_10x10 = 0x93BB; /// enum GL_COMPRESSED_RGBA_ASTC_10x10_KHR = 0x93BB; /// enum GL_COMPRESSED_RGBA_ASTC_10x5 = 0x93B8; /// enum GL_COMPRESSED_RGBA_ASTC_10x5_KHR = 0x93B8; /// enum GL_COMPRESSED_RGBA_ASTC_10x6 = 0x93B9; /// enum GL_COMPRESSED_RGBA_ASTC_10x6_KHR = 0x93B9; /// enum GL_COMPRESSED_RGBA_ASTC_10x8 = 0x93BA; /// enum GL_COMPRESSED_RGBA_ASTC_10x8_KHR = 0x93BA; /// enum GL_COMPRESSED_RGBA_ASTC_12x10 = 0x93BC; /// enum GL_COMPRESSED_RGBA_ASTC_12x10_KHR = 0x93BC; /// enum GL_COMPRESSED_RGBA_ASTC_12x12 = 0x93BD; /// enum GL_COMPRESSED_RGBA_ASTC_12x12_KHR = 0x93BD; /// enum GL_COMPRESSED_RGBA_ASTC_3x3x3_OES = 0x93C0; /// enum GL_COMPRESSED_RGBA_ASTC_4x3x3_OES = 0x93C1; /// enum GL_COMPRESSED_RGBA_ASTC_4x4 = 0x93B0; /// enum GL_COMPRESSED_RGBA_ASTC_4x4_KHR = 0x93B0; /// enum GL_COMPRESSED_RGBA_ASTC_4x4x3_OES = 0x93C2; /// enum GL_COMPRESSED_RGBA_ASTC_4x4x4_OES = 0x93C3; /// enum GL_COMPRESSED_RGBA_ASTC_5x4 = 0x93B1; /// enum GL_COMPRESSED_RGBA_ASTC_5x4_KHR = 0x93B1; /// enum GL_COMPRESSED_RGBA_ASTC_5x4x4_OES = 0x93C4; /// enum GL_COMPRESSED_RGBA_ASTC_5x5 = 0x93B2; /// enum GL_COMPRESSED_RGBA_ASTC_5x5_KHR = 0x93B2; /// enum GL_COMPRESSED_RGBA_ASTC_5x5x4_OES = 0x93C5; /// enum GL_COMPRESSED_RGBA_ASTC_5x5x5_OES = 0x93C6; /// enum GL_COMPRESSED_RGBA_ASTC_6x5 = 0x93B3; /// enum GL_COMPRESSED_RGBA_ASTC_6x5_KHR = 0x93B3; /// enum GL_COMPRESSED_RGBA_ASTC_6x5x5_OES = 0x93C7; /// enum GL_COMPRESSED_RGBA_ASTC_6x6 = 0x93B4; /// enum GL_COMPRESSED_RGBA_ASTC_6x6_KHR = 0x93B4; /// enum GL_COMPRESSED_RGBA_ASTC_6x6x5_OES = 0x93C8; /// enum GL_COMPRESSED_RGBA_ASTC_6x6x6_OES = 0x93C9; /// enum GL_COMPRESSED_RGBA_ASTC_8x5 = 0x93B5; /// enum GL_COMPRESSED_RGBA_ASTC_8x5_KHR = 0x93B5; /// enum GL_COMPRESSED_RGBA_ASTC_8x6 = 0x93B6; /// enum GL_COMPRESSED_RGBA_ASTC_8x6_KHR = 0x93B6; /// enum GL_COMPRESSED_RGBA_ASTC_8x8 = 0x93B7; /// enum GL_COMPRESSED_RGBA_ASTC_8x8_KHR = 0x93B7; /// enum GL_COMPRESSED_RGBA_BPTC_UNORM = 0x8E8C; /// enum GL_COMPRESSED_RGBA_BPTC_UNORM_ARB = 0x8E8C; /// enum GL_COMPRESSED_RGBA_FXT1_3DFX = 0x86B1; /// enum GL_COMPRESSED_RGBA_PVRTC_2BPPV1_IMG = 0x8C03; /// enum GL_COMPRESSED_RGBA_PVRTC_2BPPV2_IMG = 0x9137; /// enum GL_COMPRESSED_RGBA_PVRTC_4BPPV1_IMG = 0x8C02; /// enum GL_COMPRESSED_RGBA_PVRTC_4BPPV2_IMG = 0x9138; /// enum GL_COMPRESSED_RGBA_S3TC_DXT1_EXT = 0x83F1; /// enum GL_COMPRESSED_RGBA_S3TC_DXT3_ANGLE = 0x83F2; /// enum GL_COMPRESSED_RGBA_S3TC_DXT3_EXT = 0x83F2; /// enum GL_COMPRESSED_RGBA_S3TC_DXT5_ANGLE = 0x83F3; /// enum GL_COMPRESSED_RGBA_S3TC_DXT5_EXT = 0x83F3; /// enum GL_COMPRESSED_RGB_ARB = 0x84ED; /// enum GL_COMPRESSED_RGB_BPTC_SIGNED_FLOAT = 0x8E8E; /// enum GL_COMPRESSED_RGB_BPTC_SIGNED_FLOAT_ARB = 0x8E8E; /// enum GL_COMPRESSED_RGB_BPTC_UNSIGNED_FLOAT = 0x8E8F; /// enum GL_COMPRESSED_RGB_BPTC_UNSIGNED_FLOAT_ARB = 0x8E8F; /// enum GL_COMPRESSED_RGB_FXT1_3DFX = 0x86B0; /// enum GL_COMPRESSED_RGB_PVRTC_2BPPV1_IMG = 0x8C01; /// enum GL_COMPRESSED_RGB_PVRTC_4BPPV1_IMG = 0x8C00; /// enum GL_COMPRESSED_RGB_S3TC_DXT1_EXT = 0x83F0; /// enum GL_COMPRESSED_RG_RGTC2 = 0x8DBD; /// enum GL_COMPRESSED_SIGNED_LUMINANCE_ALPHA_LATC2_EXT = 0x8C73; /// enum GL_COMPRESSED_SIGNED_LUMINANCE_LATC1_EXT = 0x8C71; /// enum GL_COMPRESSED_SIGNED_R11_EAC = 0x9271; /// enum GL_COMPRESSED_SIGNED_R11_EAC_OES = 0x9271; /// enum GL_COMPRESSED_SIGNED_RED_GREEN_RGTC2_EXT = 0x8DBE; /// enum GL_COMPRESSED_SIGNED_RED_RGTC1 = 0x8DBC; /// enum GL_COMPRESSED_SIGNED_RED_RGTC1_EXT = 0x8DBC; /// enum GL_COMPRESSED_SIGNED_RG11_EAC = 0x9273; /// enum GL_COMPRESSED_SIGNED_RG11_EAC_OES = 0x9273; /// enum GL_COMPRESSED_SIGNED_RG_RGTC2 = 0x8DBE; /// enum GL_COMPRESSED_SLUMINANCE = 0x8C4A; /// enum GL_COMPRESSED_SLUMINANCE_ALPHA = 0x8C4B; /// enum GL_COMPRESSED_SLUMINANCE_ALPHA_EXT = 0x8C4B; /// enum GL_COMPRESSED_SLUMINANCE_EXT = 0x8C4A; /// enum GL_COMPRESSED_SRGB = 0x8C48; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x10 = 0x93DB; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x10_KHR = 0x93DB; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x5 = 0x93D8; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x5_KHR = 0x93D8; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x6 = 0x93D9; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x6_KHR = 0x93D9; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x8 = 0x93DA; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x8_KHR = 0x93DA; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_12x10 = 0x93DC; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_12x10_KHR = 0x93DC; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_12x12 = 0x93DD; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_12x12_KHR = 0x93DD; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_3x3x3_OES = 0x93E0; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_4x3x3_OES = 0x93E1; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_4x4 = 0x93D0; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_4x4_KHR = 0x93D0; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_4x4x3_OES = 0x93E2; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_4x4x4_OES = 0x93E3; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x4 = 0x93D1; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x4_KHR = 0x93D1; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x4x4_OES = 0x93E4; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x5 = 0x93D2; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x5_KHR = 0x93D2; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x5x4_OES = 0x93E5; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x5x5_OES = 0x93E6; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x5 = 0x93D3; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x5_KHR = 0x93D3; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x5x5_OES = 0x93E7; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x6 = 0x93D4; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x6_KHR = 0x93D4; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x6x5_OES = 0x93E8; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x6x6_OES = 0x93E9; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x5 = 0x93D5; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x5_KHR = 0x93D5; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x6 = 0x93D6; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x6_KHR = 0x93D6; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x8 = 0x93D7; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x8_KHR = 0x93D7; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ETC2_EAC = 0x9279; /// enum GL_COMPRESSED_SRGB8_ALPHA8_ETC2_EAC_OES = 0x9279; /// enum GL_COMPRESSED_SRGB8_ETC2 = 0x9275; /// enum GL_COMPRESSED_SRGB8_ETC2_OES = 0x9275; /// enum GL_COMPRESSED_SRGB8_PUNCHTHROUGH_ALPHA1_ETC2 = 0x9277; /// enum GL_COMPRESSED_SRGB8_PUNCHTHROUGH_ALPHA1_ETC2_OES = 0x9277; /// enum GL_COMPRESSED_SRGB_ALPHA = 0x8C49; /// enum GL_COMPRESSED_SRGB_ALPHA_BPTC_UNORM = 0x8E8D; /// enum GL_COMPRESSED_SRGB_ALPHA_BPTC_UNORM_ARB = 0x8E8D; /// enum GL_COMPRESSED_SRGB_ALPHA_EXT = 0x8C49; /// enum GL_COMPRESSED_SRGB_ALPHA_PVRTC_2BPPV1_EXT = 0x8A56; /// enum GL_COMPRESSED_SRGB_ALPHA_PVRTC_2BPPV2_IMG = 0x93F0; /// enum GL_COMPRESSED_SRGB_ALPHA_PVRTC_4BPPV1_EXT = 0x8A57; /// enum GL_COMPRESSED_SRGB_ALPHA_PVRTC_4BPPV2_IMG = 0x93F1; /// enum GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT1_EXT = 0x8C4D; /// enum GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT1_NV = 0x8C4D; /// enum GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT3_EXT = 0x8C4E; /// enum GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT3_NV = 0x8C4E; /// enum GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT5_EXT = 0x8C4F; /// enum GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT5_NV = 0x8C4F; /// enum GL_COMPRESSED_SRGB_EXT = 0x8C48; /// enum GL_COMPRESSED_SRGB_PVRTC_2BPPV1_EXT = 0x8A54; /// enum GL_COMPRESSED_SRGB_PVRTC_4BPPV1_EXT = 0x8A55; /// enum GL_COMPRESSED_SRGB_S3TC_DXT1_EXT = 0x8C4C; /// enum GL_COMPRESSED_SRGB_S3TC_DXT1_NV = 0x8C4C; /// enum GL_COMPRESSED_TEXTURE_FORMATS = 0x86A3; /// enum GL_COMPRESSED_TEXTURE_FORMATS_ARB = 0x86A3; /// enum GL_COMPUTE_PROGRAM_NV = 0x90FB; /// enum GL_COMPUTE_PROGRAM_PARAMETER_BUFFER_NV = 0x90FC; /// enum GL_COMPUTE_SHADER = 0x91B9; /// enum GL_COMPUTE_SHADER_BIT = 0x00000020; /// enum GL_COMPUTE_SHADER_INVOCATIONS_ARB = 0x82F5; /// enum GL_COMPUTE_SUBROUTINE = 0x92ED; /// enum GL_COMPUTE_SUBROUTINE_UNIFORM = 0x92F3; /// enum GL_COMPUTE_TEXTURE = 0x82A0; /// enum GL_COMPUTE_WORK_GROUP_SIZE = 0x8267; /// enum GL_COMP_BIT_ATI = 0x00000002; /// enum GL_CONDITION_SATISFIED = 0x911C; /// enum GL_CONDITION_SATISFIED_APPLE = 0x911C; /// enum GL_CONFORMANT_NV = 0x9374; /// enum GL_CONIC_CURVE_TO_NV = 0x1A; /// enum GL_CONJOINT_NV = 0x9284; /// enum GL_CONSERVATIVE_RASTERIZATION_INTEL = 0x83FE; /// enum GL_CONSERVATIVE_RASTERIZATION_NV = 0x9346; /// enum GL_CONSERVATIVE_RASTER_DILATE_GRANULARITY_NV = 0x937B; /// enum GL_CONSERVATIVE_RASTER_DILATE_NV = 0x9379; /// enum GL_CONSERVATIVE_RASTER_DILATE_RANGE_NV = 0x937A; /// enum GL_CONSERVATIVE_RASTER_MODE_NV = 0x954D; /// enum GL_CONSERVATIVE_RASTER_MODE_POST_SNAP_NV = 0x954E; /// enum GL_CONSERVATIVE_RASTER_MODE_PRE_SNAP_TRIANGLES_NV = 0x954F; /// enum GL_CONSERVE_MEMORY_HINT_PGI = 0x1A1FD; /// enum GL_CONSTANT = 0x8576; /// enum GL_CONSTANT_ALPHA = 0x8003; /// enum GL_CONSTANT_ALPHA_EXT = 0x8003; /// enum GL_CONSTANT_ARB = 0x8576; /// enum GL_CONSTANT_ATTENUATION = 0x1207; /// enum GL_CONSTANT_BORDER = 0x8151; /// enum GL_CONSTANT_BORDER_HP = 0x8151; /// enum GL_CONSTANT_COLOR = 0x8001; /// enum GL_CONSTANT_COLOR0_NV = 0x852A; /// enum GL_CONSTANT_COLOR1_NV = 0x852B; /// enum GL_CONSTANT_COLOR_EXT = 0x8001; /// enum GL_CONSTANT_EXT = 0x8576; /// enum GL_CONSTANT_NV = 0x8576; /// enum GL_CONST_EYE_NV = 0x86E5; /// enum GL_CONTEXT_COMPATIBILITY_PROFILE_BIT = 0x00000002; /// enum GL_CONTEXT_CORE_PROFILE_BIT = 0x00000001; /// enum GL_CONTEXT_FLAGS = 0x821E; /// enum GL_CONTEXT_FLAG_DEBUG_BIT = 0x00000002; /// enum GL_CONTEXT_FLAG_DEBUG_BIT_KHR = 0x00000002; /// enum GL_CONTEXT_FLAG_FORWARD_COMPATIBLE_BIT = 0x00000001; /// enum GL_CONTEXT_FLAG_NO_ERROR_BIT_KHR = 0x00000008; /// enum GL_CONTEXT_FLAG_PROTECTED_CONTENT_BIT_EXT = 0x00000010; /// enum GL_CONTEXT_FLAG_ROBUST_ACCESS_BIT = 0x00000004; /// enum GL_CONTEXT_FLAG_ROBUST_ACCESS_BIT_ARB = 0x00000004; /// enum GL_CONTEXT_LOST = 0x0507; /// enum GL_CONTEXT_LOST_KHR = 0x0507; /// enum GL_CONTEXT_LOST_WEBGL = 0x9242; /// enum GL_CONTEXT_PROFILE_MASK = 0x9126; /// enum GL_CONTEXT_RELEASE_BEHAVIOR = 0x82FB; /// enum GL_CONTEXT_RELEASE_BEHAVIOR_FLUSH = 0x82FC; /// enum GL_CONTEXT_RELEASE_BEHAVIOR_FLUSH_KHR = 0x82FC; /// enum GL_CONTEXT_RELEASE_BEHAVIOR_KHR = 0x82FB; /// enum GL_CONTEXT_ROBUST_ACCESS = 0x90F3; /// enum GL_CONTEXT_ROBUST_ACCESS_EXT = 0x90F3; /// enum GL_CONTEXT_ROBUST_ACCESS_KHR = 0x90F3; /// enum GL_CONTINUOUS_AMD = 0x9007; /// enum GL_CONTRAST_NV = 0x92A1; /// enum GL_CONVEX_HULL_NV = 0x908B; /// enum GL_CONVOLUTION_1D = 0x8010; /// enum GL_CONVOLUTION_1D_EXT = 0x8010; /// enum GL_CONVOLUTION_2D = 0x8011; /// enum GL_CONVOLUTION_2D_EXT = 0x8011; /// enum GL_CONVOLUTION_BORDER_COLOR = 0x8154; /// enum GL_CONVOLUTION_BORDER_COLOR_HP = 0x8154; /// enum GL_CONVOLUTION_BORDER_MODE = 0x8013; /// enum GL_CONVOLUTION_BORDER_MODE_EXT = 0x8013; /// enum GL_CONVOLUTION_FILTER_BIAS = 0x8015; /// enum GL_CONVOLUTION_FILTER_BIAS_EXT = 0x8015; /// enum GL_CONVOLUTION_FILTER_SCALE = 0x8014; /// enum GL_CONVOLUTION_FILTER_SCALE_EXT = 0x8014; /// enum GL_CONVOLUTION_FORMAT = 0x8017; /// enum GL_CONVOLUTION_FORMAT_EXT = 0x8017; /// enum GL_CONVOLUTION_HEIGHT = 0x8019; /// enum GL_CONVOLUTION_HEIGHT_EXT = 0x8019; /// enum GL_CONVOLUTION_HINT_SGIX = 0x8316; /// enum GL_CONVOLUTION_WIDTH = 0x8018; /// enum GL_CONVOLUTION_WIDTH_EXT = 0x8018; /// enum GL_CON_0_ATI = 0x8941; /// enum GL_CON_10_ATI = 0x894B; /// enum GL_CON_11_ATI = 0x894C; /// enum GL_CON_12_ATI = 0x894D; /// enum GL_CON_13_ATI = 0x894E; /// enum GL_CON_14_ATI = 0x894F; /// enum GL_CON_15_ATI = 0x8950; /// enum GL_CON_16_ATI = 0x8951; /// enum GL_CON_17_ATI = 0x8952; /// enum GL_CON_18_ATI = 0x8953; /// enum GL_CON_19_ATI = 0x8954; /// enum GL_CON_1_ATI = 0x8942; /// enum GL_CON_20_ATI = 0x8955; /// enum GL_CON_21_ATI = 0x8956; /// enum GL_CON_22_ATI = 0x8957; /// enum GL_CON_23_ATI = 0x8958; /// enum GL_CON_24_ATI = 0x8959; /// enum GL_CON_25_ATI = 0x895A; /// enum GL_CON_26_ATI = 0x895B; /// enum GL_CON_27_ATI = 0x895C; /// enum GL_CON_28_ATI = 0x895D; /// enum GL_CON_29_ATI = 0x895E; /// enum GL_CON_2_ATI = 0x8943; /// enum GL_CON_30_ATI = 0x895F; /// enum GL_CON_31_ATI = 0x8960; /// enum GL_CON_3_ATI = 0x8944; /// enum GL_CON_4_ATI = 0x8945; /// enum GL_CON_5_ATI = 0x8946; /// enum GL_CON_6_ATI = 0x8947; /// enum GL_CON_7_ATI = 0x8948; /// enum GL_CON_8_ATI = 0x8949; /// enum GL_CON_9_ATI = 0x894A; /// enum GL_COORD_REPLACE = 0x8862; /// enum GL_COORD_REPLACE_ARB = 0x8862; /// enum GL_COORD_REPLACE_NV = 0x8862; /// enum GL_COORD_REPLACE_OES = 0x8862; /// enum GL_COPY = 0x1503; /// enum GL_COPY_INVERTED = 0x150C; /// enum GL_COPY_PIXEL_TOKEN = 0x0706; /// enum GL_COPY_READ_BUFFER = 0x8F36; /// enum GL_COPY_READ_BUFFER_BINDING = 0x8F36; /// enum GL_COPY_READ_BUFFER_NV = 0x8F36; /// enum GL_COPY_WRITE_BUFFER = 0x8F37; /// enum GL_COPY_WRITE_BUFFER_BINDING = 0x8F37; /// enum GL_COPY_WRITE_BUFFER_NV = 0x8F37; /// enum GL_COUNTER_RANGE_AMD = 0x8BC1; /// enum GL_COUNTER_TYPE_AMD = 0x8BC0; /// enum GL_COUNT_DOWN_NV = 0x9089; /// enum GL_COUNT_UP_NV = 0x9088; /// enum GL_COVERAGE_ALL_FRAGMENTS_NV = 0x8ED5; /// enum GL_COVERAGE_ATTACHMENT_NV = 0x8ED2; /// enum GL_COVERAGE_AUTOMATIC_NV = 0x8ED7; /// enum GL_COVERAGE_BUFFERS_NV = 0x8ED3; /// enum GL_COVERAGE_BUFFER_BIT_NV = 0x00008000; /// enum GL_COVERAGE_COMPONENT4_NV = 0x8ED1; /// enum GL_COVERAGE_COMPONENT_NV = 0x8ED0; /// enum GL_COVERAGE_EDGE_FRAGMENTS_NV = 0x8ED6; /// enum GL_COVERAGE_MODULATION_NV = 0x9332; /// enum GL_COVERAGE_MODULATION_TABLE_NV = 0x9331; /// enum GL_COVERAGE_MODULATION_TABLE_SIZE_NV = 0x9333; /// enum GL_COVERAGE_SAMPLES_NV = 0x8ED4; /// enum GL_CPU_OPTIMIZED_QCOM = 0x8FB1; /// enum GL_CUBIC_CURVE_TO_NV = 0x0C; /// enum GL_CUBIC_EXT = 0x8334; /// enum GL_CUBIC_HP = 0x815F; /// enum GL_CUBIC_IMG = 0x9139; /// enum GL_CUBIC_MIPMAP_LINEAR_IMG = 0x913B; /// enum GL_CUBIC_MIPMAP_NEAREST_IMG = 0x913A; /// enum GL_CULL_FACE = 0x0B44; /// enum GL_CULL_FACE_MODE = 0x0B45; /// enum GL_CULL_FRAGMENT_NV = 0x86E7; /// enum GL_CULL_MODES_NV = 0x86E0; /// enum GL_CULL_VERTEX_EXT = 0x81AA; /// enum GL_CULL_VERTEX_EYE_POSITION_EXT = 0x81AB; /// enum GL_CULL_VERTEX_IBM = 0x103050; /// enum GL_CULL_VERTEX_OBJECT_POSITION_EXT = 0x81AC; /// enum GL_CURRENT_ATTRIB_NV = 0x8626; /// enum GL_CURRENT_BINORMAL_EXT = 0x843C; /// enum GL_CURRENT_BIT = 0x00000001; /// enum GL_CURRENT_COLOR = 0x0B00; /// enum GL_CURRENT_FOG_COORD = 0x8453; /// enum GL_CURRENT_FOG_COORDINATE = 0x8453; /// enum GL_CURRENT_FOG_COORDINATE_EXT = 0x8453; /// enum GL_CURRENT_INDEX = 0x0B01; /// enum GL_CURRENT_MATRIX_ARB = 0x8641; /// enum GL_CURRENT_MATRIX_INDEX_ARB = 0x8845; /// enum GL_CURRENT_MATRIX_NV = 0x8641; /// enum GL_CURRENT_MATRIX_STACK_DEPTH_ARB = 0x8640; /// enum GL_CURRENT_MATRIX_STACK_DEPTH_NV = 0x8640; /// enum GL_CURRENT_NORMAL = 0x0B02; /// enum GL_CURRENT_OCCLUSION_QUERY_ID_NV = 0x8865; /// enum GL_CURRENT_PALETTE_MATRIX_ARB = 0x8843; /// enum GL_CURRENT_PALETTE_MATRIX_OES = 0x8843; /// enum GL_CURRENT_PROGRAM = 0x8B8D; /// enum GL_CURRENT_QUERY = 0x8865; /// enum GL_CURRENT_QUERY_ARB = 0x8865; /// enum GL_CURRENT_QUERY_EXT = 0x8865; /// enum GL_CURRENT_RASTER_COLOR = 0x0B04; /// enum GL_CURRENT_RASTER_DISTANCE = 0x0B09; /// enum GL_CURRENT_RASTER_INDEX = 0x0B05; /// enum GL_CURRENT_RASTER_NORMAL_SGIX = 0x8406; /// enum GL_CURRENT_RASTER_POSITION = 0x0B07; /// enum GL_CURRENT_RASTER_POSITION_VALID = 0x0B08; /// enum GL_CURRENT_RASTER_SECONDARY_COLOR = 0x845F; /// enum GL_CURRENT_RASTER_TEXTURE_COORDS = 0x0B06; /// enum GL_CURRENT_SECONDARY_COLOR = 0x8459; /// enum GL_CURRENT_SECONDARY_COLOR_EXT = 0x8459; /// enum GL_CURRENT_TANGENT_EXT = 0x843B; /// enum GL_CURRENT_TEXTURE_COORDS = 0x0B03; /// enum GL_CURRENT_TIME_NV = 0x8E28; /// enum GL_CURRENT_VERTEX_ATTRIB = 0x8626; /// enum GL_CURRENT_VERTEX_ATTRIB_ARB = 0x8626; /// enum GL_CURRENT_VERTEX_EXT = 0x87E2; /// enum GL_CURRENT_VERTEX_WEIGHT_EXT = 0x850B; /// enum GL_CURRENT_WEIGHT_ARB = 0x86A8; /// enum GL_CW = 0x0900; /// enum GL_DARKEN = 0x9297; /// enum GL_DARKEN_KHR = 0x9297; /// enum GL_DARKEN_NV = 0x9297; /// enum GL_DATA_BUFFER_AMD = 0x9151; /// enum GL_DEBUG_ASSERT_MESA = 0x875B; /// enum GL_DEBUG_CALLBACK_FUNCTION = 0x8244; /// enum GL_DEBUG_CALLBACK_FUNCTION_ARB = 0x8244; /// enum GL_DEBUG_CALLBACK_FUNCTION_KHR = 0x8244; /// enum GL_DEBUG_CALLBACK_USER_PARAM = 0x8245; /// enum GL_DEBUG_CALLBACK_USER_PARAM_ARB = 0x8245; /// enum GL_DEBUG_CALLBACK_USER_PARAM_KHR = 0x8245; /// enum GL_DEBUG_CATEGORY_API_ERROR_AMD = 0x9149; /// enum GL_DEBUG_CATEGORY_APPLICATION_AMD = 0x914F; /// enum GL_DEBUG_CATEGORY_DEPRECATION_AMD = 0x914B; /// enum GL_DEBUG_CATEGORY_OTHER_AMD = 0x9150; /// enum GL_DEBUG_CATEGORY_PERFORMANCE_AMD = 0x914D; /// enum GL_DEBUG_CATEGORY_SHADER_COMPILER_AMD = 0x914E; /// enum GL_DEBUG_CATEGORY_UNDEFINED_BEHAVIOR_AMD = 0x914C; /// enum GL_DEBUG_CATEGORY_WINDOW_SYSTEM_AMD = 0x914A; /// enum GL_DEBUG_GROUP_STACK_DEPTH = 0x826D; /// enum GL_DEBUG_GROUP_STACK_DEPTH_KHR = 0x826D; /// enum GL_DEBUG_LOGGED_MESSAGES = 0x9145; /// enum GL_DEBUG_LOGGED_MESSAGES_AMD = 0x9145; /// enum GL_DEBUG_LOGGED_MESSAGES_ARB = 0x9145; /// enum GL_DEBUG_LOGGED_MESSAGES_KHR = 0x9145; /// enum GL_DEBUG_NEXT_LOGGED_MESSAGE_LENGTH = 0x8243; /// enum GL_DEBUG_NEXT_LOGGED_MESSAGE_LENGTH_ARB = 0x8243; /// enum GL_DEBUG_NEXT_LOGGED_MESSAGE_LENGTH_KHR = 0x8243; /// enum GL_DEBUG_OBJECT_MESA = 0x8759; /// enum GL_DEBUG_OUTPUT = 0x92E0; /// enum GL_DEBUG_OUTPUT_KHR = 0x92E0; /// enum GL_DEBUG_OUTPUT_SYNCHRONOUS = 0x8242; /// enum GL_DEBUG_OUTPUT_SYNCHRONOUS_ARB = 0x8242; /// enum GL_DEBUG_OUTPUT_SYNCHRONOUS_KHR = 0x8242; /// enum GL_DEBUG_PRINT_MESA = 0x875A; /// enum GL_DEBUG_SEVERITY_HIGH = 0x9146; /// enum GL_DEBUG_SEVERITY_HIGH_AMD = 0x9146; /// enum GL_DEBUG_SEVERITY_HIGH_ARB = 0x9146; /// enum GL_DEBUG_SEVERITY_HIGH_KHR = 0x9146; /// enum GL_DEBUG_SEVERITY_LOW = 0x9148; /// enum GL_DEBUG_SEVERITY_LOW_AMD = 0x9148; /// enum GL_DEBUG_SEVERITY_LOW_ARB = 0x9148; /// enum GL_DEBUG_SEVERITY_LOW_KHR = 0x9148; /// enum GL_DEBUG_SEVERITY_MEDIUM = 0x9147; /// enum GL_DEBUG_SEVERITY_MEDIUM_AMD = 0x9147; /// enum GL_DEBUG_SEVERITY_MEDIUM_ARB = 0x9147; /// enum GL_DEBUG_SEVERITY_MEDIUM_KHR = 0x9147; /// enum GL_DEBUG_SEVERITY_NOTIFICATION = 0x826B; /// enum GL_DEBUG_SEVERITY_NOTIFICATION_KHR = 0x826B; /// enum GL_DEBUG_SOURCE_API = 0x8246; /// enum GL_DEBUG_SOURCE_API_ARB = 0x8246; /// enum GL_DEBUG_SOURCE_API_KHR = 0x8246; /// enum GL_DEBUG_SOURCE_APPLICATION = 0x824A; /// enum GL_DEBUG_SOURCE_APPLICATION_ARB = 0x824A; /// enum GL_DEBUG_SOURCE_APPLICATION_KHR = 0x824A; /// enum GL_DEBUG_SOURCE_OTHER = 0x824B; /// enum GL_DEBUG_SOURCE_OTHER_ARB = 0x824B; /// enum GL_DEBUG_SOURCE_OTHER_KHR = 0x824B; /// enum GL_DEBUG_SOURCE_SHADER_COMPILER = 0x8248; /// enum GL_DEBUG_SOURCE_SHADER_COMPILER_ARB = 0x8248; /// enum GL_DEBUG_SOURCE_SHADER_COMPILER_KHR = 0x8248; /// enum GL_DEBUG_SOURCE_THIRD_PARTY = 0x8249; /// enum GL_DEBUG_SOURCE_THIRD_PARTY_ARB = 0x8249; /// enum GL_DEBUG_SOURCE_THIRD_PARTY_KHR = 0x8249; /// enum GL_DEBUG_SOURCE_WINDOW_SYSTEM = 0x8247; /// enum GL_DEBUG_SOURCE_WINDOW_SYSTEM_ARB = 0x8247; /// enum GL_DEBUG_SOURCE_WINDOW_SYSTEM_KHR = 0x8247; /// enum GL_DEBUG_TYPE_DEPRECATED_BEHAVIOR = 0x824D; /// enum GL_DEBUG_TYPE_DEPRECATED_BEHAVIOR_ARB = 0x824D; /// enum GL_DEBUG_TYPE_DEPRECATED_BEHAVIOR_KHR = 0x824D; /// enum GL_DEBUG_TYPE_ERROR = 0x824C; /// enum GL_DEBUG_TYPE_ERROR_ARB = 0x824C; /// enum GL_DEBUG_TYPE_ERROR_KHR = 0x824C; /// enum GL_DEBUG_TYPE_MARKER = 0x8268; /// enum GL_DEBUG_TYPE_MARKER_KHR = 0x8268; /// enum GL_DEBUG_TYPE_OTHER = 0x8251; /// enum GL_DEBUG_TYPE_OTHER_ARB = 0x8251; /// enum GL_DEBUG_TYPE_OTHER_KHR = 0x8251; /// enum GL_DEBUG_TYPE_PERFORMANCE = 0x8250; /// enum GL_DEBUG_TYPE_PERFORMANCE_ARB = 0x8250; /// enum GL_DEBUG_TYPE_PERFORMANCE_KHR = 0x8250; /// enum GL_DEBUG_TYPE_POP_GROUP = 0x826A; /// enum GL_DEBUG_TYPE_POP_GROUP_KHR = 0x826A; /// enum GL_DEBUG_TYPE_PORTABILITY = 0x824F; /// enum GL_DEBUG_TYPE_PORTABILITY_ARB = 0x824F; /// enum GL_DEBUG_TYPE_PORTABILITY_KHR = 0x824F; /// enum GL_DEBUG_TYPE_PUSH_GROUP = 0x8269; /// enum GL_DEBUG_TYPE_PUSH_GROUP_KHR = 0x8269; /// enum GL_DEBUG_TYPE_UNDEFINED_BEHAVIOR = 0x824E; /// enum GL_DEBUG_TYPE_UNDEFINED_BEHAVIOR_ARB = 0x824E; /// enum GL_DEBUG_TYPE_UNDEFINED_BEHAVIOR_KHR = 0x824E; /// enum GL_DECAL = 0x2101; /// enum GL_DECODE_EXT = 0x8A49; /// enum GL_DECR = 0x1E03; /// enum GL_DECR_WRAP = 0x8508; /// enum GL_DECR_WRAP_EXT = 0x8508; /// enum GL_DECR_WRAP_OES = 0x8508; /// enum GL_DEFORMATIONS_MASK_SGIX = 0x8196; /// enum GL_DELETE_STATUS = 0x8B80; /// enum GL_DEPENDENT_AR_TEXTURE_2D_NV = 0x86E9; /// enum GL_DEPENDENT_GB_TEXTURE_2D_NV = 0x86EA; /// enum GL_DEPENDENT_HILO_TEXTURE_2D_NV = 0x8858; /// enum GL_DEPENDENT_RGB_TEXTURE_3D_NV = 0x8859; /// enum GL_DEPENDENT_RGB_TEXTURE_CUBE_MAP_NV = 0x885A; /// enum GL_DEPTH = 0x1801; /// enum GL_DEPTH24_STENCIL8 = 0x88F0; /// enum GL_DEPTH24_STENCIL8_EXT = 0x88F0; /// enum GL_DEPTH24_STENCIL8_OES = 0x88F0; /// enum GL_DEPTH32F_STENCIL8 = 0x8CAD; /// enum GL_DEPTH32F_STENCIL8_NV = 0x8DAC; /// enum GL_DEPTH_ATTACHMENT = 0x8D00; /// enum GL_DEPTH_ATTACHMENT_EXT = 0x8D00; /// enum GL_DEPTH_ATTACHMENT_OES = 0x8D00; /// enum GL_DEPTH_BIAS = 0x0D1F; /// enum GL_DEPTH_BITS = 0x0D56; /// enum GL_DEPTH_BOUNDS_EXT = 0x8891; /// enum GL_DEPTH_BOUNDS_TEST_EXT = 0x8890; /// enum GL_DEPTH_BUFFER_BIT = 0x00000100; /// enum GL_DEPTH_BUFFER_BIT0_QCOM = 0x00000100; /// enum GL_DEPTH_BUFFER_BIT1_QCOM = 0x00000200; /// enum GL_DEPTH_BUFFER_BIT2_QCOM = 0x00000400; /// enum GL_DEPTH_BUFFER_BIT3_QCOM = 0x00000800; /// enum GL_DEPTH_BUFFER_BIT4_QCOM = 0x00001000; /// enum GL_DEPTH_BUFFER_BIT5_QCOM = 0x00002000; /// enum GL_DEPTH_BUFFER_BIT6_QCOM = 0x00004000; /// enum GL_DEPTH_BUFFER_BIT7_QCOM = 0x00008000; /// enum GL_DEPTH_BUFFER_FLOAT_MODE_NV = 0x8DAF; /// enum GL_DEPTH_CLAMP = 0x864F; /// enum GL_DEPTH_CLAMP_FAR_AMD = 0x901F; /// enum GL_DEPTH_CLAMP_NEAR_AMD = 0x901E; /// enum GL_DEPTH_CLAMP_NV = 0x864F; /// enum GL_DEPTH_CLEAR_VALUE = 0x0B73; /// enum GL_DEPTH_COMPONENT = 0x1902; /// enum GL_DEPTH_COMPONENT16 = 0x81A5; /// enum GL_DEPTH_COMPONENT16_ARB = 0x81A5; /// enum GL_DEPTH_COMPONENT16_NONLINEAR_NV = 0x8E2C; /// enum GL_DEPTH_COMPONENT16_OES = 0x81A5; /// enum GL_DEPTH_COMPONENT16_SGIX = 0x81A5; /// enum GL_DEPTH_COMPONENT24 = 0x81A6; /// enum GL_DEPTH_COMPONENT24_ARB = 0x81A6; /// enum GL_DEPTH_COMPONENT24_OES = 0x81A6; /// enum GL_DEPTH_COMPONENT24_SGIX = 0x81A6; /// enum GL_DEPTH_COMPONENT32 = 0x81A7; /// enum GL_DEPTH_COMPONENT32F = 0x8CAC; /// enum GL_DEPTH_COMPONENT32F_NV = 0x8DAB; /// enum GL_DEPTH_COMPONENT32_ARB = 0x81A7; /// enum GL_DEPTH_COMPONENT32_OES = 0x81A7; /// enum GL_DEPTH_COMPONENT32_SGIX = 0x81A7; /// enum GL_DEPTH_COMPONENTS = 0x8284; /// enum GL_DEPTH_EXT = 0x1801; /// enum GL_DEPTH_FUNC = 0x0B74; /// enum GL_DEPTH_PASS_INSTRUMENT_COUNTERS_SGIX = 0x8311; /// enum GL_DEPTH_PASS_INSTRUMENT_MAX_SGIX = 0x8312; /// enum GL_DEPTH_PASS_INSTRUMENT_SGIX = 0x8310; /// enum GL_DEPTH_RANGE = 0x0B70; /// enum GL_DEPTH_RENDERABLE = 0x8287; /// enum GL_DEPTH_SAMPLES_NV = 0x932D; /// enum GL_DEPTH_SCALE = 0x0D1E; /// enum GL_DEPTH_STENCIL = 0x84F9; /// enum GL_DEPTH_STENCIL_ATTACHMENT = 0x821A; /// enum GL_DEPTH_STENCIL_EXT = 0x84F9; /// enum GL_DEPTH_STENCIL_MESA = 0x8750; /// enum GL_DEPTH_STENCIL_NV = 0x84F9; /// enum GL_DEPTH_STENCIL_OES = 0x84F9; /// enum GL_DEPTH_STENCIL_TEXTURE_MODE = 0x90EA; /// enum GL_DEPTH_STENCIL_TO_BGRA_NV = 0x886F; /// enum GL_DEPTH_STENCIL_TO_RGBA_NV = 0x886E; /// enum GL_DEPTH_TEST = 0x0B71; /// enum GL_DEPTH_TEXTURE_MODE = 0x884B; /// enum GL_DEPTH_TEXTURE_MODE_ARB = 0x884B; /// enum GL_DEPTH_WRITEMASK = 0x0B72; /// enum GL_DETAIL_TEXTURE_2D_BINDING_SGIS = 0x8096; /// enum GL_DETAIL_TEXTURE_2D_SGIS = 0x8095; /// enum GL_DETAIL_TEXTURE_FUNC_POINTS_SGIS = 0x809C; /// enum GL_DETAIL_TEXTURE_LEVEL_SGIS = 0x809A; /// enum GL_DETAIL_TEXTURE_MODE_SGIS = 0x809B; /// enum GL_DIFFERENCE = 0x929E; /// enum GL_DIFFERENCE_KHR = 0x929E; /// enum GL_DIFFERENCE_NV = 0x929E; /// enum GL_DIFFUSE = 0x1201; /// enum GL_DISCARD_ATI = 0x8763; /// enum GL_DISCARD_NV = 0x8530; /// enum GL_DISCRETE_AMD = 0x9006; /// enum GL_DISJOINT_NV = 0x9283; /// enum GL_DISPATCH_INDIRECT_BUFFER = 0x90EE; /// enum GL_DISPATCH_INDIRECT_BUFFER_BINDING = 0x90EF; /// enum GL_DISPLAY_LIST = 0x82E7; /// enum GL_DISTANCE_ATTENUATION_EXT = 0x8129; /// enum GL_DISTANCE_ATTENUATION_SGIS = 0x8129; /// enum GL_DITHER = 0x0BD0; /// enum GL_DMP_PROGRAM_BINARY_DMP = 0x9253; /// enum GL_DOMAIN = 0x0A02; /// enum GL_DONT_CARE = 0x1100; /// enum GL_DOT2_ADD_ATI = 0x896C; /// enum GL_DOT3_ATI = 0x8966; /// enum GL_DOT3_RGB = 0x86AE; /// enum GL_DOT3_RGBA = 0x86AF; /// enum GL_DOT3_RGBA_ARB = 0x86AF; /// enum GL_DOT3_RGBA_EXT = 0x8741; /// enum GL_DOT3_RGBA_IMG = 0x86AF; /// enum GL_DOT3_RGB_ARB = 0x86AE; /// enum GL_DOT3_RGB_EXT = 0x8740; /// enum GL_DOT4_ATI = 0x8967; /// enum GL_DOT_PRODUCT_AFFINE_DEPTH_REPLACE_NV = 0x885D; /// enum GL_DOT_PRODUCT_CONST_EYE_REFLECT_CUBE_MAP_NV = 0x86F3; /// enum GL_DOT_PRODUCT_DEPTH_REPLACE_NV = 0x86ED; /// enum GL_DOT_PRODUCT_DIFFUSE_CUBE_MAP_NV = 0x86F1; /// enum GL_DOT_PRODUCT_NV = 0x86EC; /// enum GL_DOT_PRODUCT_PASS_THROUGH_NV = 0x885B; /// enum GL_DOT_PRODUCT_REFLECT_CUBE_MAP_NV = 0x86F2; /// enum GL_DOT_PRODUCT_TEXTURE_1D_NV = 0x885C; /// enum GL_DOT_PRODUCT_TEXTURE_2D_NV = 0x86EE; /// enum GL_DOT_PRODUCT_TEXTURE_3D_NV = 0x86EF; /// enum GL_DOT_PRODUCT_TEXTURE_CUBE_MAP_NV = 0x86F0; /// enum GL_DOT_PRODUCT_TEXTURE_RECTANGLE_NV = 0x864E; /// enum GL_DOUBLE = 0x140A; /// enum GL_DOUBLEBUFFER = 0x0C32; /// enum GL_DOUBLE_EXT = 0x140A; /// enum GL_DOUBLE_MAT2 = 0x8F46; /// enum GL_DOUBLE_MAT2_EXT = 0x8F46; /// enum GL_DOUBLE_MAT2x3 = 0x8F49; /// enum GL_DOUBLE_MAT2x3_EXT = 0x8F49; /// enum GL_DOUBLE_MAT2x4 = 0x8F4A; /// enum GL_DOUBLE_MAT2x4_EXT = 0x8F4A; /// enum GL_DOUBLE_MAT3 = 0x8F47; /// enum GL_DOUBLE_MAT3_EXT = 0x8F47; /// enum GL_DOUBLE_MAT3x2 = 0x8F4B; /// enum GL_DOUBLE_MAT3x2_EXT = 0x8F4B; /// enum GL_DOUBLE_MAT3x4 = 0x8F4C; /// enum GL_DOUBLE_MAT3x4_EXT = 0x8F4C; /// enum GL_DOUBLE_MAT4 = 0x8F48; /// enum GL_DOUBLE_MAT4_EXT = 0x8F48; /// enum GL_DOUBLE_MAT4x2 = 0x8F4D; /// enum GL_DOUBLE_MAT4x2_EXT = 0x8F4D; /// enum GL_DOUBLE_MAT4x3 = 0x8F4E; /// enum GL_DOUBLE_MAT4x3_EXT = 0x8F4E; /// enum GL_DOUBLE_VEC2 = 0x8FFC; /// enum GL_DOUBLE_VEC2_EXT = 0x8FFC; /// enum GL_DOUBLE_VEC3 = 0x8FFD; /// enum GL_DOUBLE_VEC3_EXT = 0x8FFD; /// enum GL_DOUBLE_VEC4 = 0x8FFE; /// enum GL_DOUBLE_VEC4_EXT = 0x8FFE; /// enum GL_DOWNSAMPLE_SCALES_IMG = 0x913E; /// enum GL_DRAW_ARRAYS_COMMAND_NV = 0x0003; /// enum GL_DRAW_ARRAYS_INSTANCED_COMMAND_NV = 0x0007; /// enum GL_DRAW_ARRAYS_STRIP_COMMAND_NV = 0x0005; /// enum GL_DRAW_BUFFER = 0x0C01; /// enum GL_DRAW_BUFFER0 = 0x8825; /// enum GL_DRAW_BUFFER0_ARB = 0x8825; /// enum GL_DRAW_BUFFER0_ATI = 0x8825; /// enum GL_DRAW_BUFFER0_EXT = 0x8825; /// enum GL_DRAW_BUFFER0_NV = 0x8825; /// enum GL_DRAW_BUFFER1 = 0x8826; /// enum GL_DRAW_BUFFER10 = 0x882F; /// enum GL_DRAW_BUFFER10_ARB = 0x882F; /// enum GL_DRAW_BUFFER10_ATI = 0x882F; /// enum GL_DRAW_BUFFER10_EXT = 0x882F; /// enum GL_DRAW_BUFFER10_NV = 0x882F; /// enum GL_DRAW_BUFFER11 = 0x8830; /// enum GL_DRAW_BUFFER11_ARB = 0x8830; /// enum GL_DRAW_BUFFER11_ATI = 0x8830; /// enum GL_DRAW_BUFFER11_EXT = 0x8830; /// enum GL_DRAW_BUFFER11_NV = 0x8830; /// enum GL_DRAW_BUFFER12 = 0x8831; /// enum GL_DRAW_BUFFER12_ARB = 0x8831; /// enum GL_DRAW_BUFFER12_ATI = 0x8831; /// enum GL_DRAW_BUFFER12_EXT = 0x8831; /// enum GL_DRAW_BUFFER12_NV = 0x8831; /// enum GL_DRAW_BUFFER13 = 0x8832; /// enum GL_DRAW_BUFFER13_ARB = 0x8832; /// enum GL_DRAW_BUFFER13_ATI = 0x8832; /// enum GL_DRAW_BUFFER13_EXT = 0x8832; /// enum GL_DRAW_BUFFER13_NV = 0x8832; /// enum GL_DRAW_BUFFER14 = 0x8833; /// enum GL_DRAW_BUFFER14_ARB = 0x8833; /// enum GL_DRAW_BUFFER14_ATI = 0x8833; /// enum GL_DRAW_BUFFER14_EXT = 0x8833; /// enum GL_DRAW_BUFFER14_NV = 0x8833; /// enum GL_DRAW_BUFFER15 = 0x8834; /// enum GL_DRAW_BUFFER15_ARB = 0x8834; /// enum GL_DRAW_BUFFER15_ATI = 0x8834; /// enum GL_DRAW_BUFFER15_EXT = 0x8834; /// enum GL_DRAW_BUFFER15_NV = 0x8834; /// enum GL_DRAW_BUFFER1_ARB = 0x8826; /// enum GL_DRAW_BUFFER1_ATI = 0x8826; /// enum GL_DRAW_BUFFER1_EXT = 0x8826; /// enum GL_DRAW_BUFFER1_NV = 0x8826; /// enum GL_DRAW_BUFFER2 = 0x8827; /// enum GL_DRAW_BUFFER2_ARB = 0x8827; /// enum GL_DRAW_BUFFER2_ATI = 0x8827; /// enum GL_DRAW_BUFFER2_EXT = 0x8827; /// enum GL_DRAW_BUFFER2_NV = 0x8827; /// enum GL_DRAW_BUFFER3 = 0x8828; /// enum GL_DRAW_BUFFER3_ARB = 0x8828; /// enum GL_DRAW_BUFFER3_ATI = 0x8828; /// enum GL_DRAW_BUFFER3_EXT = 0x8828; /// enum GL_DRAW_BUFFER3_NV = 0x8828; /// enum GL_DRAW_BUFFER4 = 0x8829; /// enum GL_DRAW_BUFFER4_ARB = 0x8829; /// enum GL_DRAW_BUFFER4_ATI = 0x8829; /// enum GL_DRAW_BUFFER4_EXT = 0x8829; /// enum GL_DRAW_BUFFER4_NV = 0x8829; /// enum GL_DRAW_BUFFER5 = 0x882A; /// enum GL_DRAW_BUFFER5_ARB = 0x882A; /// enum GL_DRAW_BUFFER5_ATI = 0x882A; /// enum GL_DRAW_BUFFER5_EXT = 0x882A; /// enum GL_DRAW_BUFFER5_NV = 0x882A; /// enum GL_DRAW_BUFFER6 = 0x882B; /// enum GL_DRAW_BUFFER6_ARB = 0x882B; /// enum GL_DRAW_BUFFER6_ATI = 0x882B; /// enum GL_DRAW_BUFFER6_EXT = 0x882B; /// enum GL_DRAW_BUFFER6_NV = 0x882B; /// enum GL_DRAW_BUFFER7 = 0x882C; /// enum GL_DRAW_BUFFER7_ARB = 0x882C; /// enum GL_DRAW_BUFFER7_ATI = 0x882C; /// enum GL_DRAW_BUFFER7_EXT = 0x882C; /// enum GL_DRAW_BUFFER7_NV = 0x882C; /// enum GL_DRAW_BUFFER8 = 0x882D; /// enum GL_DRAW_BUFFER8_ARB = 0x882D; /// enum GL_DRAW_BUFFER8_ATI = 0x882D; /// enum GL_DRAW_BUFFER8_EXT = 0x882D; /// enum GL_DRAW_BUFFER8_NV = 0x882D; /// enum GL_DRAW_BUFFER9 = 0x882E; /// enum GL_DRAW_BUFFER9_ARB = 0x882E; /// enum GL_DRAW_BUFFER9_ATI = 0x882E; /// enum GL_DRAW_BUFFER9_EXT = 0x882E; /// enum GL_DRAW_BUFFER9_NV = 0x882E; /// enum GL_DRAW_BUFFER_EXT = 0x0C01; /// enum GL_DRAW_ELEMENTS_COMMAND_NV = 0x0002; /// enum GL_DRAW_ELEMENTS_INSTANCED_COMMAND_NV = 0x0006; /// enum GL_DRAW_ELEMENTS_STRIP_COMMAND_NV = 0x0004; /// enum GL_DRAW_FRAMEBUFFER = 0x8CA9; /// enum GL_DRAW_FRAMEBUFFER_ANGLE = 0x8CA9; /// enum GL_DRAW_FRAMEBUFFER_APPLE = 0x8CA9; /// enum GL_DRAW_FRAMEBUFFER_BINDING = 0x8CA6; /// enum GL_DRAW_FRAMEBUFFER_BINDING_ANGLE = 0x8CA6; /// enum GL_DRAW_FRAMEBUFFER_BINDING_APPLE = 0x8CA6; /// enum GL_DRAW_FRAMEBUFFER_BINDING_EXT = 0x8CA6; /// enum GL_DRAW_FRAMEBUFFER_BINDING_NV = 0x8CA6; /// enum GL_DRAW_FRAMEBUFFER_EXT = 0x8CA9; /// enum GL_DRAW_FRAMEBUFFER_NV = 0x8CA9; /// enum GL_DRAW_INDIRECT_ADDRESS_NV = 0x8F41; /// enum GL_DRAW_INDIRECT_BUFFER = 0x8F3F; /// enum GL_DRAW_INDIRECT_BUFFER_BINDING = 0x8F43; /// enum GL_DRAW_INDIRECT_LENGTH_NV = 0x8F42; /// enum GL_DRAW_INDIRECT_UNIFIED_NV = 0x8F40; /// enum GL_DRAW_PIXELS_APPLE = 0x8A0A; /// enum GL_DRAW_PIXEL_TOKEN = 0x0705; /// enum GL_DSDT8_MAG8_INTENSITY8_NV = 0x870B; /// enum GL_DSDT8_MAG8_NV = 0x870A; /// enum GL_DSDT8_NV = 0x8709; /// enum GL_DSDT_MAG_INTENSITY_NV = 0x86DC; /// enum GL_DSDT_MAG_NV = 0x86F6; /// enum GL_DSDT_MAG_VIB_NV = 0x86F7; /// enum GL_DSDT_NV = 0x86F5; /// enum GL_DST_ALPHA = 0x0304; /// enum GL_DST_ATOP_NV = 0x928F; /// enum GL_DST_COLOR = 0x0306; /// enum GL_DST_IN_NV = 0x928B; /// enum GL_DST_NV = 0x9287; /// enum GL_DST_OUT_NV = 0x928D; /// enum GL_DST_OVER_NV = 0x9289; /// enum GL_DS_BIAS_NV = 0x8716; /// enum GL_DS_SCALE_NV = 0x8710; /// enum GL_DT_BIAS_NV = 0x8717; /// enum GL_DT_SCALE_NV = 0x8711; /// enum GL_DU8DV8_ATI = 0x877A; /// enum GL_DUAL_ALPHA12_SGIS = 0x8112; /// enum GL_DUAL_ALPHA16_SGIS = 0x8113; /// enum GL_DUAL_ALPHA4_SGIS = 0x8110; /// enum GL_DUAL_ALPHA8_SGIS = 0x8111; /// enum GL_DUAL_INTENSITY12_SGIS = 0x811A; /// enum GL_DUAL_INTENSITY16_SGIS = 0x811B; /// enum GL_DUAL_INTENSITY4_SGIS = 0x8118; /// enum GL_DUAL_INTENSITY8_SGIS = 0x8119; /// enum GL_DUAL_LUMINANCE12_SGIS = 0x8116; /// enum GL_DUAL_LUMINANCE16_SGIS = 0x8117; /// enum GL_DUAL_LUMINANCE4_SGIS = 0x8114; /// enum GL_DUAL_LUMINANCE8_SGIS = 0x8115; /// enum GL_DUAL_LUMINANCE_ALPHA4_SGIS = 0x811C; /// enum GL_DUAL_LUMINANCE_ALPHA8_SGIS = 0x811D; /// enum GL_DUAL_TEXTURE_SELECT_SGIS = 0x8124; /// enum GL_DUDV_ATI = 0x8779; /// enum GL_DUP_FIRST_CUBIC_CURVE_TO_NV = 0xF2; /// enum GL_DUP_LAST_CUBIC_CURVE_TO_NV = 0xF4; /// enum GL_DYNAMIC_ATI = 0x8761; /// enum GL_DYNAMIC_COPY = 0x88EA; /// enum GL_DYNAMIC_COPY_ARB = 0x88EA; /// enum GL_DYNAMIC_DRAW = 0x88E8; /// enum GL_DYNAMIC_DRAW_ARB = 0x88E8; /// enum GL_DYNAMIC_READ = 0x88E9; /// enum GL_DYNAMIC_READ_ARB = 0x88E9; /// enum GL_DYNAMIC_STORAGE_BIT = 0x0100; /// enum GL_DYNAMIC_STORAGE_BIT_EXT = 0x0100; /// enum GL_EDGEFLAG_BIT_PGI = 0x00040000; /// enum GL_EDGE_FLAG = 0x0B43; /// enum GL_EDGE_FLAG_ARRAY = 0x8079; /// enum GL_EDGE_FLAG_ARRAY_ADDRESS_NV = 0x8F26; /// enum GL_EDGE_FLAG_ARRAY_BUFFER_BINDING = 0x889B; /// enum GL_EDGE_FLAG_ARRAY_BUFFER_BINDING_ARB = 0x889B; /// enum GL_EDGE_FLAG_ARRAY_COUNT_EXT = 0x808D; /// enum GL_EDGE_FLAG_ARRAY_EXT = 0x8079; /// enum GL_EDGE_FLAG_ARRAY_LENGTH_NV = 0x8F30; /// enum GL_EDGE_FLAG_ARRAY_LIST_IBM = 0x103075; /// enum GL_EDGE_FLAG_ARRAY_LIST_STRIDE_IBM = 0x103085; /// enum GL_EDGE_FLAG_ARRAY_POINTER = 0x8093; /// enum GL_EDGE_FLAG_ARRAY_POINTER_EXT = 0x8093; /// enum GL_EDGE_FLAG_ARRAY_STRIDE = 0x808C; /// enum GL_EDGE_FLAG_ARRAY_STRIDE_EXT = 0x808C; /// enum GL_EFFECTIVE_RASTER_SAMPLES_EXT = 0x932C; /// enum GL_EIGHTH_BIT_ATI = 0x00000020; /// enum GL_ELEMENT_ADDRESS_COMMAND_NV = 0x0008; /// enum GL_ELEMENT_ARRAY_ADDRESS_NV = 0x8F29; /// enum GL_ELEMENT_ARRAY_APPLE = 0x8A0C; /// enum GL_ELEMENT_ARRAY_ATI = 0x8768; /// enum GL_ELEMENT_ARRAY_BARRIER_BIT = 0x00000002; /// enum GL_ELEMENT_ARRAY_BARRIER_BIT_EXT = 0x00000002; /// enum GL_ELEMENT_ARRAY_BUFFER = 0x8893; /// enum GL_ELEMENT_ARRAY_BUFFER_ARB = 0x8893; /// enum GL_ELEMENT_ARRAY_BUFFER_BINDING = 0x8895; /// enum GL_ELEMENT_ARRAY_BUFFER_BINDING_ARB = 0x8895; /// enum GL_ELEMENT_ARRAY_LENGTH_NV = 0x8F33; /// enum GL_ELEMENT_ARRAY_POINTER_APPLE = 0x8A0E; /// enum GL_ELEMENT_ARRAY_POINTER_ATI = 0x876A; /// enum GL_ELEMENT_ARRAY_TYPE_APPLE = 0x8A0D; /// enum GL_ELEMENT_ARRAY_TYPE_ATI = 0x8769; /// enum GL_ELEMENT_ARRAY_UNIFIED_NV = 0x8F1F; /// enum GL_EMBOSS_CONSTANT_NV = 0x855E; /// enum GL_EMBOSS_LIGHT_NV = 0x855D; /// enum GL_EMBOSS_MAP_NV = 0x855F; /// enum GL_EMISSION = 0x1600; /// enum GL_ENABLE_BIT = 0x00002000; /// enum GL_EQUAL = 0x0202; /// enum GL_EQUIV = 0x1509; /// enum GL_ETC1_RGB8_OES = 0x8D64; /// enum GL_ETC1_SRGB8_NV = 0x88EE; /// enum GL_EVAL_2D_NV = 0x86C0; /// enum GL_EVAL_BIT = 0x00010000; /// enum GL_EVAL_FRACTIONAL_TESSELLATION_NV = 0x86C5; /// enum GL_EVAL_TRIANGULAR_2D_NV = 0x86C1; /// enum GL_EVAL_VERTEX_ATTRIB0_NV = 0x86C6; /// enum GL_EVAL_VERTEX_ATTRIB10_NV = 0x86D0; /// enum GL_EVAL_VERTEX_ATTRIB11_NV = 0x86D1; /// enum GL_EVAL_VERTEX_ATTRIB12_NV = 0x86D2; /// enum GL_EVAL_VERTEX_ATTRIB13_NV = 0x86D3; /// enum GL_EVAL_VERTEX_ATTRIB14_NV = 0x86D4; /// enum GL_EVAL_VERTEX_ATTRIB15_NV = 0x86D5; /// enum GL_EVAL_VERTEX_ATTRIB1_NV = 0x86C7; /// enum GL_EVAL_VERTEX_ATTRIB2_NV = 0x86C8; /// enum GL_EVAL_VERTEX_ATTRIB3_NV = 0x86C9; /// enum GL_EVAL_VERTEX_ATTRIB4_NV = 0x86CA; /// enum GL_EVAL_VERTEX_ATTRIB5_NV = 0x86CB; /// enum GL_EVAL_VERTEX_ATTRIB6_NV = 0x86CC; /// enum GL_EVAL_VERTEX_ATTRIB7_NV = 0x86CD; /// enum GL_EVAL_VERTEX_ATTRIB8_NV = 0x86CE; /// enum GL_EVAL_VERTEX_ATTRIB9_NV = 0x86CF; /// enum GL_EXCLUSION = 0x92A0; /// enum GL_EXCLUSION_KHR = 0x92A0; /// enum GL_EXCLUSION_NV = 0x92A0; /// enum GL_EXCLUSIVE_EXT = 0x8F11; /// enum GL_EXP = 0x0800; /// enum GL_EXP2 = 0x0801; /// enum GL_EXPAND_NEGATE_NV = 0x8539; /// enum GL_EXPAND_NORMAL_NV = 0x8538; /// enum GL_EXTENSIONS = 0x1F03; /// enum GL_EXTERNAL_VIRTUAL_MEMORY_BUFFER_AMD = 0x9160; /// enum GL_EYE_DISTANCE_TO_LINE_SGIS = 0x81F2; /// enum GL_EYE_DISTANCE_TO_POINT_SGIS = 0x81F0; /// enum GL_EYE_LINEAR = 0x2400; /// enum GL_EYE_LINEAR_NV = 0x2400; /// enum GL_EYE_LINE_SGIS = 0x81F6; /// enum GL_EYE_PLANE = 0x2502; /// enum GL_EYE_PLANE_ABSOLUTE_NV = 0x855C; /// enum GL_EYE_POINT_SGIS = 0x81F4; /// enum GL_EYE_RADIAL_NV = 0x855B; /// enum GL_E_TIMES_F_NV = 0x8531; /// enum GL_FACTOR_ALPHA_MODULATE_IMG = 0x8C07; /// enum GL_FACTOR_MAX_AMD = 0x901D; /// enum GL_FACTOR_MIN_AMD = 0x901C; /// enum GL_FAILURE_NV = 0x9030; /// enum GL_FALSE = 0; /// enum GL_FASTEST = 0x1101; /// enum GL_FEEDBACK = 0x1C01; /// enum GL_FEEDBACK_BUFFER_POINTER = 0x0DF0; /// enum GL_FEEDBACK_BUFFER_SIZE = 0x0DF1; /// enum GL_FEEDBACK_BUFFER_TYPE = 0x0DF2; /// enum GL_FENCE_APPLE = 0x8A0B; /// enum GL_FENCE_CONDITION_NV = 0x84F4; /// enum GL_FENCE_STATUS_NV = 0x84F3; /// enum GL_FETCH_PER_SAMPLE_ARM = 0x8F65; /// enum GL_FIELDS_NV = 0x8E27; /// enum GL_FIELD_LOWER_NV = 0x9023; /// enum GL_FIELD_UPPER_NV = 0x9022; /// enum GL_FILE_NAME_NV = 0x9074; /// enum GL_FILL = 0x1B02; /// enum GL_FILL_NV = 0x1B02; /// enum GL_FILL_RECTANGLE_NV = 0x933C; /// enum GL_FILTER = 0x829A; /// enum GL_FILTER4_SGIS = 0x8146; /// enum GL_FIRST_TO_REST_NV = 0x90AF; /// enum GL_FIRST_VERTEX_CONVENTION = 0x8E4D; /// enum GL_FIRST_VERTEX_CONVENTION_EXT = 0x8E4D; /// enum GL_FIRST_VERTEX_CONVENTION_OES = 0x8E4D; /// enum GL_FIXED = 0x140C; /// enum GL_FIXED_OES = 0x140C; /// enum GL_FIXED_ONLY = 0x891D; /// enum GL_FIXED_ONLY_ARB = 0x891D; /// enum GL_FLAT = 0x1D00; /// enum GL_FLOAT = 0x1406; /// enum GL_FLOAT16_MAT2_AMD = 0x91C5; /// enum GL_FLOAT16_MAT2x3_AMD = 0x91C8; /// enum GL_FLOAT16_MAT2x4_AMD = 0x91C9; /// enum GL_FLOAT16_MAT3_AMD = 0x91C6; /// enum GL_FLOAT16_MAT3x2_AMD = 0x91CA; /// enum GL_FLOAT16_MAT3x4_AMD = 0x91CB; /// enum GL_FLOAT16_MAT4_AMD = 0x91C7; /// enum GL_FLOAT16_MAT4x2_AMD = 0x91CC; /// enum GL_FLOAT16_MAT4x3_AMD = 0x91CD; /// enum GL_FLOAT16_NV = 0x8FF8; /// enum GL_FLOAT16_VEC2_NV = 0x8FF9; /// enum GL_FLOAT16_VEC3_NV = 0x8FFA; /// enum GL_FLOAT16_VEC4_NV = 0x8FFB; /// enum GL_FLOAT_32_UNSIGNED_INT_24_8_REV = 0x8DAD; /// enum GL_FLOAT_32_UNSIGNED_INT_24_8_REV_NV = 0x8DAD; /// enum GL_FLOAT_CLEAR_COLOR_VALUE_NV = 0x888D; /// enum GL_FLOAT_MAT2 = 0x8B5A; /// enum GL_FLOAT_MAT2_ARB = 0x8B5A; /// enum GL_FLOAT_MAT2x3 = 0x8B65; /// enum GL_FLOAT_MAT2x3_NV = 0x8B65; /// enum GL_FLOAT_MAT2x4 = 0x8B66; /// enum GL_FLOAT_MAT2x4_NV = 0x8B66; /// enum GL_FLOAT_MAT3 = 0x8B5B; /// enum GL_FLOAT_MAT3_ARB = 0x8B5B; /// enum GL_FLOAT_MAT3x2 = 0x8B67; /// enum GL_FLOAT_MAT3x2_NV = 0x8B67; /// enum GL_FLOAT_MAT3x4 = 0x8B68; /// enum GL_FLOAT_MAT3x4_NV = 0x8B68; /// enum GL_FLOAT_MAT4 = 0x8B5C; /// enum GL_FLOAT_MAT4_ARB = 0x8B5C; /// enum GL_FLOAT_MAT4x2 = 0x8B69; /// enum GL_FLOAT_MAT4x2_NV = 0x8B69; /// enum GL_FLOAT_MAT4x3 = 0x8B6A; /// enum GL_FLOAT_MAT4x3_NV = 0x8B6A; /// enum GL_FLOAT_R16_NV = 0x8884; /// enum GL_FLOAT_R32_NV = 0x8885; /// enum GL_FLOAT_RG16_NV = 0x8886; /// enum GL_FLOAT_RG32_NV = 0x8887; /// enum GL_FLOAT_RGB16_NV = 0x8888; /// enum GL_FLOAT_RGB32_NV = 0x8889; /// enum GL_FLOAT_RGBA16_NV = 0x888A; /// enum GL_FLOAT_RGBA32_NV = 0x888B; /// enum GL_FLOAT_RGBA_MODE_NV = 0x888E; /// enum GL_FLOAT_RGBA_NV = 0x8883; /// enum GL_FLOAT_RGB_NV = 0x8882; /// enum GL_FLOAT_RG_NV = 0x8881; /// enum GL_FLOAT_R_NV = 0x8880; /// enum GL_FLOAT_VEC2 = 0x8B50; /// enum GL_FLOAT_VEC2_ARB = 0x8B50; /// enum GL_FLOAT_VEC3 = 0x8B51; /// enum GL_FLOAT_VEC3_ARB = 0x8B51; /// enum GL_FLOAT_VEC4 = 0x8B52; /// enum GL_FLOAT_VEC4_ARB = 0x8B52; /// enum GL_FOG = 0x0B60; /// enum GL_FOG_BIT = 0x00000080; /// enum GL_FOG_COLOR = 0x0B66; /// enum GL_FOG_COORD = 0x8451; /// enum GL_FOG_COORDINATE = 0x8451; /// enum GL_FOG_COORDINATE_ARRAY = 0x8457; /// enum GL_FOG_COORDINATE_ARRAY_BUFFER_BINDING = 0x889D; /// enum GL_FOG_COORDINATE_ARRAY_BUFFER_BINDING_ARB = 0x889D; /// enum GL_FOG_COORDINATE_ARRAY_EXT = 0x8457; /// enum GL_FOG_COORDINATE_ARRAY_LIST_IBM = 0x103076; /// enum GL_FOG_COORDINATE_ARRAY_LIST_STRIDE_IBM = 0x103086; /// enum GL_FOG_COORDINATE_ARRAY_POINTER = 0x8456; /// enum GL_FOG_COORDINATE_ARRAY_POINTER_EXT = 0x8456; /// enum GL_FOG_COORDINATE_ARRAY_STRIDE = 0x8455; /// enum GL_FOG_COORDINATE_ARRAY_STRIDE_EXT = 0x8455; /// enum GL_FOG_COORDINATE_ARRAY_TYPE = 0x8454; /// enum GL_FOG_COORDINATE_ARRAY_TYPE_EXT = 0x8454; /// enum GL_FOG_COORDINATE_EXT = 0x8451; /// enum GL_FOG_COORDINATE_SOURCE = 0x8450; /// enum GL_FOG_COORDINATE_SOURCE_EXT = 0x8450; /// enum GL_FOG_COORD_ARRAY = 0x8457; /// enum GL_FOG_COORD_ARRAY_ADDRESS_NV = 0x8F28; /// enum GL_FOG_COORD_ARRAY_BUFFER_BINDING = 0x889D; /// enum GL_FOG_COORD_ARRAY_LENGTH_NV = 0x8F32; /// enum GL_FOG_COORD_ARRAY_POINTER = 0x8456; /// enum GL_FOG_COORD_ARRAY_STRIDE = 0x8455; /// enum GL_FOG_COORD_ARRAY_TYPE = 0x8454; /// enum GL_FOG_COORD_SRC = 0x8450; /// enum GL_FOG_DENSITY = 0x0B62; /// enum GL_FOG_DISTANCE_MODE_NV = 0x855A; /// enum GL_FOG_END = 0x0B64; /// enum GL_FOG_FUNC_POINTS_SGIS = 0x812B; /// enum GL_FOG_FUNC_SGIS = 0x812A; /// enum GL_FOG_HINT = 0x0C54; /// enum GL_FOG_INDEX = 0x0B61; /// enum GL_FOG_MODE = 0x0B65; /// enum GL_FOG_OFFSET_SGIX = 0x8198; /// enum GL_FOG_OFFSET_VALUE_SGIX = 0x8199; /// enum GL_FOG_SPECULAR_TEXTURE_WIN = 0x80EC; /// enum GL_FOG_START = 0x0B63; /// enum GL_FONT_ASCENDER_BIT_NV = 0x00200000; /// enum GL_FONT_DESCENDER_BIT_NV = 0x00400000; /// enum GL_FONT_GLYPHS_AVAILABLE_NV = 0x9368; /// enum GL_FONT_HAS_KERNING_BIT_NV = 0x10000000; /// enum GL_FONT_HEIGHT_BIT_NV = 0x00800000; /// enum GL_FONT_MAX_ADVANCE_HEIGHT_BIT_NV = 0x02000000; /// enum GL_FONT_MAX_ADVANCE_WIDTH_BIT_NV = 0x01000000; /// enum GL_FONT_NUM_GLYPH_INDICES_BIT_NV = 0x20000000; /// enum GL_FONT_TARGET_UNAVAILABLE_NV = 0x9369; /// enum GL_FONT_UNAVAILABLE_NV = 0x936A; /// enum GL_FONT_UNDERLINE_POSITION_BIT_NV = 0x04000000; /// enum GL_FONT_UNDERLINE_THICKNESS_BIT_NV = 0x08000000; /// enum GL_FONT_UNINTELLIGIBLE_NV = 0x936B; /// enum GL_FONT_UNITS_PER_EM_BIT_NV = 0x00100000; /// enum GL_FONT_X_MAX_BOUNDS_BIT_NV = 0x00040000; /// enum GL_FONT_X_MIN_BOUNDS_BIT_NV = 0x00010000; /// enum GL_FONT_Y_MAX_BOUNDS_BIT_NV = 0x00080000; /// enum GL_FONT_Y_MIN_BOUNDS_BIT_NV = 0x00020000; /// enum GL_FORCE_BLUE_TO_ONE_NV = 0x8860; /// enum GL_FORMAT_SUBSAMPLE_244_244_OML = 0x8983; /// enum GL_FORMAT_SUBSAMPLE_24_24_OML = 0x8982; /// enum GL_FRACTIONAL_EVEN = 0x8E7C; /// enum GL_FRACTIONAL_EVEN_EXT = 0x8E7C; /// enum GL_FRACTIONAL_EVEN_OES = 0x8E7C; /// enum GL_FRACTIONAL_ODD = 0x8E7B; /// enum GL_FRACTIONAL_ODD_EXT = 0x8E7B; /// enum GL_FRACTIONAL_ODD_OES = 0x8E7B; /// enum GL_FRAGMENTS_INSTRUMENT_COUNTERS_SGIX = 0x8314; /// enum GL_FRAGMENTS_INSTRUMENT_MAX_SGIX = 0x8315; /// enum GL_FRAGMENTS_INSTRUMENT_SGIX = 0x8313; /// enum GL_FRAGMENT_ALPHA_MODULATE_IMG = 0x8C08; /// enum GL_FRAGMENT_COLOR_EXT = 0x834C; /// enum GL_FRAGMENT_COLOR_MATERIAL_FACE_SGIX = 0x8402; /// enum GL_FRAGMENT_COLOR_MATERIAL_PARAMETER_SGIX = 0x8403; /// enum GL_FRAGMENT_COLOR_MATERIAL_SGIX = 0x8401; /// enum GL_FRAGMENT_COVERAGE_COLOR_NV = 0x92DE; /// enum GL_FRAGMENT_COVERAGE_TO_COLOR_NV = 0x92DD; /// enum GL_FRAGMENT_DEPTH = 0x8452; /// enum GL_FRAGMENT_DEPTH_EXT = 0x8452; /// enum GL_FRAGMENT_INPUT_NV = 0x936D; /// enum GL_FRAGMENT_INTERPOLATION_OFFSET_BITS = 0x8E5D; /// enum GL_FRAGMENT_INTERPOLATION_OFFSET_BITS_OES = 0x8E5D; /// enum GL_FRAGMENT_LIGHT0_SGIX = 0x840C; /// enum GL_FRAGMENT_LIGHT1_SGIX = 0x840D; /// enum GL_FRAGMENT_LIGHT2_SGIX = 0x840E; /// enum GL_FRAGMENT_LIGHT3_SGIX = 0x840F; /// enum GL_FRAGMENT_LIGHT4_SGIX = 0x8410; /// enum GL_FRAGMENT_LIGHT5_SGIX = 0x8411; /// enum GL_FRAGMENT_LIGHT6_SGIX = 0x8412; /// enum GL_FRAGMENT_LIGHT7_SGIX = 0x8413; /// enum GL_FRAGMENT_LIGHTING_SGIX = 0x8400; /// enum GL_FRAGMENT_LIGHT_MODEL_AMBIENT_SGIX = 0x840A; /// enum GL_FRAGMENT_LIGHT_MODEL_LOCAL_VIEWER_SGIX = 0x8408; /// enum GL_FRAGMENT_LIGHT_MODEL_NORMAL_INTERPOLATION_SGIX = 0x840B; /// enum GL_FRAGMENT_LIGHT_MODEL_TWO_SIDE_SGIX = 0x8409; /// enum GL_FRAGMENT_MATERIAL_EXT = 0x8349; /// enum GL_FRAGMENT_NORMAL_EXT = 0x834A; /// enum GL_FRAGMENT_PROGRAM_ARB = 0x8804; /// enum GL_FRAGMENT_PROGRAM_BINDING_NV = 0x8873; /// enum GL_FRAGMENT_PROGRAM_CALLBACK_DATA_MESA = 0x8BB3; /// enum GL_FRAGMENT_PROGRAM_CALLBACK_FUNC_MESA = 0x8BB2; /// enum GL_FRAGMENT_PROGRAM_CALLBACK_MESA = 0x8BB1; /// enum GL_FRAGMENT_PROGRAM_INTERPOLATION_OFFSET_BITS_NV = 0x8E5D; /// enum GL_FRAGMENT_PROGRAM_NV = 0x8870; /// enum GL_FRAGMENT_PROGRAM_PARAMETER_BUFFER_NV = 0x8DA4; /// enum GL_FRAGMENT_PROGRAM_POSITION_MESA = 0x8BB0; /// enum GL_FRAGMENT_SHADER = 0x8B30; /// enum GL_FRAGMENT_SHADER_ARB = 0x8B30; /// enum GL_FRAGMENT_SHADER_ATI = 0x8920; /// enum GL_FRAGMENT_SHADER_BIT = 0x00000002; /// enum GL_FRAGMENT_SHADER_BIT_EXT = 0x00000002; /// enum GL_FRAGMENT_SHADER_DERIVATIVE_HINT = 0x8B8B; /// enum GL_FRAGMENT_SHADER_DERIVATIVE_HINT_ARB = 0x8B8B; /// enum GL_FRAGMENT_SHADER_DERIVATIVE_HINT_OES = 0x8B8B; /// enum GL_FRAGMENT_SHADER_DISCARDS_SAMPLES_EXT = 0x8A52; /// enum GL_FRAGMENT_SHADER_FRAMEBUFFER_FETCH_MRT_ARM = 0x8F66; /// enum GL_FRAGMENT_SHADER_INVOCATIONS_ARB = 0x82F4; /// enum GL_FRAGMENT_SUBROUTINE = 0x92EC; /// enum GL_FRAGMENT_SUBROUTINE_UNIFORM = 0x92F2; /// enum GL_FRAGMENT_TEXTURE = 0x829F; /// enum GL_FRAMEBUFFER = 0x8D40; /// enum GL_FRAMEBUFFER_ATTACHMENT_ALPHA_SIZE = 0x8215; /// enum GL_FRAMEBUFFER_ATTACHMENT_ANGLE = 0x93A3; /// enum GL_FRAMEBUFFER_ATTACHMENT_BLUE_SIZE = 0x8214; /// enum GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING = 0x8210; /// enum GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING_EXT = 0x8210; /// enum GL_FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE = 0x8211; /// enum GL_FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE_EXT = 0x8211; /// enum GL_FRAMEBUFFER_ATTACHMENT_DEPTH_SIZE = 0x8216; /// enum GL_FRAMEBUFFER_ATTACHMENT_GREEN_SIZE = 0x8213; /// enum GL_FRAMEBUFFER_ATTACHMENT_LAYERED = 0x8DA7; /// enum GL_FRAMEBUFFER_ATTACHMENT_LAYERED_ARB = 0x8DA7; /// enum GL_FRAMEBUFFER_ATTACHMENT_LAYERED_EXT = 0x8DA7; /// enum GL_FRAMEBUFFER_ATTACHMENT_LAYERED_OES = 0x8DA7; /// enum GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME = 0x8CD1; /// enum GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME_EXT = 0x8CD1; /// enum GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME_OES = 0x8CD1; /// enum GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE = 0x8CD0; /// enum GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE_EXT = 0x8CD0; /// enum GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE_OES = 0x8CD0; /// enum GL_FRAMEBUFFER_ATTACHMENT_RED_SIZE = 0x8212; /// enum GL_FRAMEBUFFER_ATTACHMENT_STENCIL_SIZE = 0x8217; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_3D_ZOFFSET_EXT = 0x8CD4; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_3D_ZOFFSET_OES = 0x8CD4; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_BASE_VIEW_INDEX_OVR = 0x9632; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE = 0x8CD3; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE_EXT = 0x8CD3; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE_OES = 0x8CD3; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER = 0x8CD4; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER_EXT = 0x8CD4; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL = 0x8CD2; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL_EXT = 0x8CD2; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL_OES = 0x8CD2; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_NUM_VIEWS_OVR = 0x9630; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_SAMPLES_EXT = 0x8D6C; /// enum GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_SCALE_IMG = 0x913F; /// enum GL_FRAMEBUFFER_BARRIER_BIT = 0x00000400; /// enum GL_FRAMEBUFFER_BARRIER_BIT_EXT = 0x00000400; /// enum GL_FRAMEBUFFER_BINDING = 0x8CA6; /// enum GL_FRAMEBUFFER_BINDING_ANGLE = 0x8CA6; /// enum GL_FRAMEBUFFER_BINDING_EXT = 0x8CA6; /// enum GL_FRAMEBUFFER_BINDING_OES = 0x8CA6; /// enum GL_FRAMEBUFFER_BLEND = 0x828B; /// enum GL_FRAMEBUFFER_COMPLETE = 0x8CD5; /// enum GL_FRAMEBUFFER_COMPLETE_EXT = 0x8CD5; /// enum GL_FRAMEBUFFER_COMPLETE_OES = 0x8CD5; /// enum GL_FRAMEBUFFER_DEFAULT = 0x8218; /// enum GL_FRAMEBUFFER_DEFAULT_FIXED_SAMPLE_LOCATIONS = 0x9314; /// enum GL_FRAMEBUFFER_DEFAULT_HEIGHT = 0x9311; /// enum GL_FRAMEBUFFER_DEFAULT_LAYERS = 0x9312; /// enum GL_FRAMEBUFFER_DEFAULT_LAYERS_EXT = 0x9312; /// enum GL_FRAMEBUFFER_DEFAULT_LAYERS_OES = 0x9312; /// enum GL_FRAMEBUFFER_DEFAULT_SAMPLES = 0x9313; /// enum GL_FRAMEBUFFER_DEFAULT_WIDTH = 0x9310; /// enum GL_FRAMEBUFFER_EXT = 0x8D40; /// enum GL_FRAMEBUFFER_INCOMPLETE_ATTACHMENT = 0x8CD6; /// enum GL_FRAMEBUFFER_INCOMPLETE_ATTACHMENT_EXT = 0x8CD6; /// enum GL_FRAMEBUFFER_INCOMPLETE_ATTACHMENT_OES = 0x8CD6; /// enum GL_FRAMEBUFFER_INCOMPLETE_DIMENSIONS = 0x8CD9; /// enum GL_FRAMEBUFFER_INCOMPLETE_DIMENSIONS_EXT = 0x8CD9; /// enum GL_FRAMEBUFFER_INCOMPLETE_DIMENSIONS_OES = 0x8CD9; /// enum GL_FRAMEBUFFER_INCOMPLETE_DRAW_BUFFER = 0x8CDB; /// enum GL_FRAMEBUFFER_INCOMPLETE_DRAW_BUFFER_EXT = 0x8CDB; /// enum GL_FRAMEBUFFER_INCOMPLETE_DRAW_BUFFER_OES = 0x8CDB; /// enum GL_FRAMEBUFFER_INCOMPLETE_FORMATS_EXT = 0x8CDA; /// enum GL_FRAMEBUFFER_INCOMPLETE_FORMATS_OES = 0x8CDA; /// enum GL_FRAMEBUFFER_INCOMPLETE_INSUFFICIENT_SHADER_COMBINED_LOCAL_STORAGE_EXT = 0x9652; /// enum GL_FRAMEBUFFER_INCOMPLETE_LAYER_COUNT_ARB = 0x8DA9; /// enum GL_FRAMEBUFFER_INCOMPLETE_LAYER_COUNT_EXT = 0x8DA9; /// enum GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS = 0x8DA8; /// enum GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS_ARB = 0x8DA8; /// enum GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS_EXT = 0x8DA8; /// enum GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS_OES = 0x8DA8; /// enum GL_FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT = 0x8CD7; /// enum GL_FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT_EXT = 0x8CD7; /// enum GL_FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT_OES = 0x8CD7; /// enum GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE = 0x8D56; /// enum GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_AND_DOWNSAMPLE_IMG = 0x913C; /// enum GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_ANGLE = 0x8D56; /// enum GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_APPLE = 0x8D56; /// enum GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_EXT = 0x8D56; /// enum GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_IMG = 0x9134; /// enum GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_NV = 0x8D56; /// enum GL_FRAMEBUFFER_INCOMPLETE_READ_BUFFER = 0x8CDC; /// enum GL_FRAMEBUFFER_INCOMPLETE_READ_BUFFER_EXT = 0x8CDC; /// enum GL_FRAMEBUFFER_INCOMPLETE_READ_BUFFER_OES = 0x8CDC; /// enum GL_FRAMEBUFFER_INCOMPLETE_VIEW_TARGETS_OVR = 0x9633; /// enum GL_FRAMEBUFFER_OES = 0x8D40; /// enum GL_FRAMEBUFFER_PROGRAMMABLE_SAMPLE_LOCATIONS_ARB = 0x9342; /// enum GL_FRAMEBUFFER_PROGRAMMABLE_SAMPLE_LOCATIONS_NV = 0x9342; /// enum GL_FRAMEBUFFER_RENDERABLE = 0x8289; /// enum GL_FRAMEBUFFER_RENDERABLE_LAYERED = 0x828A; /// enum GL_FRAMEBUFFER_SAMPLE_LOCATION_PIXEL_GRID_ARB = 0x9343; /// enum GL_FRAMEBUFFER_SAMPLE_LOCATION_PIXEL_GRID_NV = 0x9343; /// enum GL_FRAMEBUFFER_SRGB = 0x8DB9; /// enum GL_FRAMEBUFFER_SRGB_CAPABLE_EXT = 0x8DBA; /// enum GL_FRAMEBUFFER_SRGB_EXT = 0x8DB9; /// enum GL_FRAMEBUFFER_UNDEFINED = 0x8219; /// enum GL_FRAMEBUFFER_UNDEFINED_OES = 0x8219; /// enum GL_FRAMEBUFFER_UNSUPPORTED = 0x8CDD; /// enum GL_FRAMEBUFFER_UNSUPPORTED_EXT = 0x8CDD; /// enum GL_FRAMEBUFFER_UNSUPPORTED_OES = 0x8CDD; /// enum GL_FRAMEZOOM_FACTOR_SGIX = 0x818C; /// enum GL_FRAMEZOOM_SGIX = 0x818B; /// enum GL_FRAME_NV = 0x8E26; /// enum GL_FRONT = 0x0404; /// enum GL_FRONT_AND_BACK = 0x0408; /// enum GL_FRONT_FACE = 0x0B46; /// enum GL_FRONT_FACE_COMMAND_NV = 0x0012; /// enum GL_FRONT_LEFT = 0x0400; /// enum GL_FRONT_RIGHT = 0x0401; /// enum GL_FULL_RANGE_EXT = 0x87E1; /// enum GL_FULL_STIPPLE_HINT_PGI = 0x1A219; /// enum GL_FULL_SUPPORT = 0x82B7; /// enum GL_FUNC_ADD = 0x8006; /// enum GL_FUNC_ADD_EXT = 0x8006; /// enum GL_FUNC_ADD_OES = 0x8006; /// enum GL_FUNC_REVERSE_SUBTRACT = 0x800B; /// enum GL_FUNC_REVERSE_SUBTRACT_EXT = 0x800B; /// enum GL_FUNC_REVERSE_SUBTRACT_OES = 0x800B; /// enum GL_FUNC_SUBTRACT = 0x800A; /// enum GL_FUNC_SUBTRACT_EXT = 0x800A; /// enum GL_FUNC_SUBTRACT_OES = 0x800A; /// enum GL_GCCSO_SHADER_BINARY_FJ = 0x9260; /// enum GL_GENERATE_MIPMAP = 0x8191; /// enum GL_GENERATE_MIPMAP_HINT = 0x8192; /// enum GL_GENERATE_MIPMAP_HINT_SGIS = 0x8192; /// enum GL_GENERATE_MIPMAP_SGIS = 0x8191; /// enum GL_GENERIC_ATTRIB_NV = 0x8C7D; /// enum GL_GEOMETRY_DEFORMATION_BIT_SGIX = 0x00000002; /// enum GL_GEOMETRY_DEFORMATION_SGIX = 0x8194; /// enum GL_GEOMETRY_INPUT_TYPE = 0x8917; /// enum GL_GEOMETRY_INPUT_TYPE_ARB = 0x8DDB; /// enum GL_GEOMETRY_INPUT_TYPE_EXT = 0x8DDB; /// enum GL_GEOMETRY_LINKED_INPUT_TYPE_EXT = 0x8917; /// enum GL_GEOMETRY_LINKED_INPUT_TYPE_OES = 0x8917; /// enum GL_GEOMETRY_LINKED_OUTPUT_TYPE_EXT = 0x8918; /// enum GL_GEOMETRY_LINKED_OUTPUT_TYPE_OES = 0x8918; /// enum GL_GEOMETRY_LINKED_VERTICES_OUT_EXT = 0x8916; /// enum GL_GEOMETRY_LINKED_VERTICES_OUT_OES = 0x8916; /// enum GL_GEOMETRY_OUTPUT_TYPE = 0x8918; /// enum GL_GEOMETRY_OUTPUT_TYPE_ARB = 0x8DDC; /// enum GL_GEOMETRY_OUTPUT_TYPE_EXT = 0x8DDC; /// enum GL_GEOMETRY_PROGRAM_NV = 0x8C26; /// enum GL_GEOMETRY_PROGRAM_PARAMETER_BUFFER_NV = 0x8DA3; /// enum GL_GEOMETRY_SHADER = 0x8DD9; /// enum GL_GEOMETRY_SHADER_ARB = 0x8DD9; /// enum GL_GEOMETRY_SHADER_BIT = 0x00000004; /// enum GL_GEOMETRY_SHADER_BIT_EXT = 0x00000004; /// enum GL_GEOMETRY_SHADER_BIT_OES = 0x00000004; /// enum GL_GEOMETRY_SHADER_EXT = 0x8DD9; /// enum GL_GEOMETRY_SHADER_INVOCATIONS = 0x887F; /// enum GL_GEOMETRY_SHADER_INVOCATIONS_EXT = 0x887F; /// enum GL_GEOMETRY_SHADER_INVOCATIONS_OES = 0x887F; /// enum GL_GEOMETRY_SHADER_OES = 0x8DD9; /// enum GL_GEOMETRY_SHADER_PRIMITIVES_EMITTED_ARB = 0x82F3; /// enum GL_GEOMETRY_SUBROUTINE = 0x92EB; /// enum GL_GEOMETRY_SUBROUTINE_UNIFORM = 0x92F1; /// enum GL_GEOMETRY_TEXTURE = 0x829E; /// enum GL_GEOMETRY_VERTICES_OUT = 0x8916; /// enum GL_GEOMETRY_VERTICES_OUT_ARB = 0x8DDA; /// enum GL_GEOMETRY_VERTICES_OUT_EXT = 0x8DDA; /// enum GL_GEQUAL = 0x0206; /// enum GL_GET_TEXTURE_IMAGE_FORMAT = 0x8291; /// enum GL_GET_TEXTURE_IMAGE_TYPE = 0x8292; /// enum GL_GLOBAL_ALPHA_FACTOR_SUN = 0x81DA; /// enum GL_GLOBAL_ALPHA_SUN = 0x81D9; /// enum GL_GLYPH_HAS_KERNING_BIT_NV = 0x100; /// enum GL_GLYPH_HEIGHT_BIT_NV = 0x02; /// enum GL_GLYPH_HORIZONTAL_BEARING_ADVANCE_BIT_NV = 0x10; /// enum GL_GLYPH_HORIZONTAL_BEARING_X_BIT_NV = 0x04; /// enum GL_GLYPH_HORIZONTAL_BEARING_Y_BIT_NV = 0x08; /// enum GL_GLYPH_VERTICAL_BEARING_ADVANCE_BIT_NV = 0x80; /// enum GL_GLYPH_VERTICAL_BEARING_X_BIT_NV = 0x20; /// enum GL_GLYPH_VERTICAL_BEARING_Y_BIT_NV = 0x40; /// enum GL_GLYPH_WIDTH_BIT_NV = 0x01; /// enum GL_GPU_ADDRESS_NV = 0x8F34; /// enum GL_GPU_DISJOINT_EXT = 0x8FBB; /// enum GL_GPU_MEMORY_INFO_CURRENT_AVAILABLE_VIDMEM_NVX = 0x9049; /// enum GL_GPU_MEMORY_INFO_DEDICATED_VIDMEM_NVX = 0x9047; /// enum GL_GPU_MEMORY_INFO_EVICTED_MEMORY_NVX = 0x904B; /// enum GL_GPU_MEMORY_INFO_EVICTION_COUNT_NVX = 0x904A; /// enum GL_GPU_MEMORY_INFO_TOTAL_AVAILABLE_MEMORY_NVX = 0x9048; /// enum GL_GPU_OPTIMIZED_QCOM = 0x8FB2; /// enum GL_GREATER = 0x0204; /// enum GL_GREEN = 0x1904; /// enum GL_GREEN_BIAS = 0x0D19; /// enum GL_GREEN_BITS = 0x0D53; /// enum GL_GREEN_BIT_ATI = 0x00000002; /// enum GL_GREEN_INTEGER = 0x8D95; /// enum GL_GREEN_INTEGER_EXT = 0x8D95; /// enum GL_GREEN_MAX_CLAMP_INGR = 0x8565; /// enum GL_GREEN_MIN_CLAMP_INGR = 0x8561; /// enum GL_GREEN_NV = 0x1904; /// enum GL_GREEN_SCALE = 0x0D18; /// enum GL_GS_PROGRAM_BINARY_MTK = 0x9641; /// enum GL_GS_SHADER_BINARY_MTK = 0x9640; /// enum GL_GUILTY_CONTEXT_RESET = 0x8253; /// enum GL_GUILTY_CONTEXT_RESET_ARB = 0x8253; /// enum GL_GUILTY_CONTEXT_RESET_EXT = 0x8253; /// enum GL_GUILTY_CONTEXT_RESET_KHR = 0x8253; /// enum GL_HALF_APPLE = 0x140B; /// enum GL_HALF_BIAS_NEGATE_NV = 0x853B; /// enum GL_HALF_BIAS_NORMAL_NV = 0x853A; /// enum GL_HALF_BIT_ATI = 0x00000008; /// enum GL_HALF_FLOAT = 0x140B; /// enum GL_HALF_FLOAT_ARB = 0x140B; /// enum GL_HALF_FLOAT_NV = 0x140B; /// enum GL_HALF_FLOAT_OES = 0x8D61; /// enum GL_HARDLIGHT = 0x929B; /// enum GL_HARDLIGHT_KHR = 0x929B; /// enum GL_HARDLIGHT_NV = 0x929B; /// enum GL_HARDMIX_NV = 0x92A9; /// enum GL_HIGH_FLOAT = 0x8DF2; /// enum GL_HIGH_INT = 0x8DF5; /// enum GL_HILO16_NV = 0x86F8; /// enum GL_HILO8_NV = 0x885E; /// enum GL_HILO_NV = 0x86F4; /// enum GL_HINT_BIT = 0x00008000; /// enum GL_HISTOGRAM = 0x8024; /// enum GL_HISTOGRAM_ALPHA_SIZE = 0x802B; /// enum GL_HISTOGRAM_ALPHA_SIZE_EXT = 0x802B; /// enum GL_HISTOGRAM_BLUE_SIZE = 0x802A; /// enum GL_HISTOGRAM_BLUE_SIZE_EXT = 0x802A; /// enum GL_HISTOGRAM_EXT = 0x8024; /// enum GL_HISTOGRAM_FORMAT = 0x8027; /// enum GL_HISTOGRAM_FORMAT_EXT = 0x8027; /// enum GL_HISTOGRAM_GREEN_SIZE = 0x8029; /// enum GL_HISTOGRAM_GREEN_SIZE_EXT = 0x8029; /// enum GL_HISTOGRAM_LUMINANCE_SIZE = 0x802C; /// enum GL_HISTOGRAM_LUMINANCE_SIZE_EXT = 0x802C; /// enum GL_HISTOGRAM_RED_SIZE = 0x8028; /// enum GL_HISTOGRAM_RED_SIZE_EXT = 0x8028; /// enum GL_HISTOGRAM_SINK = 0x802D; /// enum GL_HISTOGRAM_SINK_EXT = 0x802D; /// enum GL_HISTOGRAM_WIDTH = 0x8026; /// enum GL_HISTOGRAM_WIDTH_EXT = 0x8026; /// enum GL_HI_BIAS_NV = 0x8714; /// enum GL_HI_SCALE_NV = 0x870E; /// enum GL_HORIZONTAL_LINE_TO_NV = 0x06; /// enum GL_HSL_COLOR = 0x92AF; /// enum GL_HSL_COLOR_KHR = 0x92AF; /// enum GL_HSL_COLOR_NV = 0x92AF; /// enum GL_HSL_HUE = 0x92AD; /// enum GL_HSL_HUE_KHR = 0x92AD; /// enum GL_HSL_HUE_NV = 0x92AD; /// enum GL_HSL_LUMINOSITY = 0x92B0; /// enum GL_HSL_LUMINOSITY_KHR = 0x92B0; /// enum GL_HSL_LUMINOSITY_NV = 0x92B0; /// enum GL_HSL_SATURATION = 0x92AE; /// enum GL_HSL_SATURATION_KHR = 0x92AE; /// enum GL_HSL_SATURATION_NV = 0x92AE; /// enum GL_IDENTITY_NV = 0x862A; /// enum GL_IGNORE_BORDER_HP = 0x8150; /// enum GL_IMAGE_1D = 0x904C; /// enum GL_IMAGE_1D_ARRAY = 0x9052; /// enum GL_IMAGE_1D_ARRAY_EXT = 0x9052; /// enum GL_IMAGE_1D_EXT = 0x904C; /// enum GL_IMAGE_2D = 0x904D; /// enum GL_IMAGE_2D_ARRAY = 0x9053; /// enum GL_IMAGE_2D_ARRAY_EXT = 0x9053; /// enum GL_IMAGE_2D_EXT = 0x904D; /// enum GL_IMAGE_2D_MULTISAMPLE = 0x9055; /// enum GL_IMAGE_2D_MULTISAMPLE_ARRAY = 0x9056; /// enum GL_IMAGE_2D_MULTISAMPLE_ARRAY_EXT = 0x9056; /// enum GL_IMAGE_2D_MULTISAMPLE_EXT = 0x9055; /// enum GL_IMAGE_2D_RECT = 0x904F; /// enum GL_IMAGE_2D_RECT_EXT = 0x904F; /// enum GL_IMAGE_3D = 0x904E; /// enum GL_IMAGE_3D_EXT = 0x904E; /// enum GL_IMAGE_BINDING_ACCESS = 0x8F3E; /// enum GL_IMAGE_BINDING_ACCESS_EXT = 0x8F3E; /// enum GL_IMAGE_BINDING_FORMAT = 0x906E; /// enum GL_IMAGE_BINDING_FORMAT_EXT = 0x906E; /// enum GL_IMAGE_BINDING_LAYER = 0x8F3D; /// enum GL_IMAGE_BINDING_LAYERED = 0x8F3C; /// enum GL_IMAGE_BINDING_LAYERED_EXT = 0x8F3C; /// enum GL_IMAGE_BINDING_LAYER_EXT = 0x8F3D; /// enum GL_IMAGE_BINDING_LEVEL = 0x8F3B; /// enum GL_IMAGE_BINDING_LEVEL_EXT = 0x8F3B; /// enum GL_IMAGE_BINDING_NAME = 0x8F3A; /// enum GL_IMAGE_BINDING_NAME_EXT = 0x8F3A; /// enum GL_IMAGE_BUFFER = 0x9051; /// enum GL_IMAGE_BUFFER_EXT = 0x9051; /// enum GL_IMAGE_BUFFER_OES = 0x9051; /// enum GL_IMAGE_CLASS_10_10_10_2 = 0x82C3; /// enum GL_IMAGE_CLASS_11_11_10 = 0x82C2; /// enum GL_IMAGE_CLASS_1_X_16 = 0x82BE; /// enum GL_IMAGE_CLASS_1_X_32 = 0x82BB; /// enum GL_IMAGE_CLASS_1_X_8 = 0x82C1; /// enum GL_IMAGE_CLASS_2_X_16 = 0x82BD; /// enum GL_IMAGE_CLASS_2_X_32 = 0x82BA; /// enum GL_IMAGE_CLASS_2_X_8 = 0x82C0; /// enum GL_IMAGE_CLASS_4_X_16 = 0x82BC; /// enum GL_IMAGE_CLASS_4_X_32 = 0x82B9; /// enum GL_IMAGE_CLASS_4_X_8 = 0x82BF; /// enum GL_IMAGE_COMPATIBILITY_CLASS = 0x82A8; /// enum GL_IMAGE_CUBE = 0x9050; /// enum GL_IMAGE_CUBE_EXT = 0x9050; /// enum GL_IMAGE_CUBE_MAP_ARRAY = 0x9054; /// enum GL_IMAGE_CUBE_MAP_ARRAY_EXT = 0x9054; /// enum GL_IMAGE_CUBE_MAP_ARRAY_OES = 0x9054; /// enum GL_IMAGE_CUBIC_WEIGHT_HP = 0x815E; /// enum GL_IMAGE_FORMAT_COMPATIBILITY_BY_CLASS = 0x90C9; /// enum GL_IMAGE_FORMAT_COMPATIBILITY_BY_SIZE = 0x90C8; /// enum GL_IMAGE_FORMAT_COMPATIBILITY_TYPE = 0x90C7; /// enum GL_IMAGE_MAG_FILTER_HP = 0x815C; /// enum GL_IMAGE_MIN_FILTER_HP = 0x815D; /// enum GL_IMAGE_PIXEL_FORMAT = 0x82A9; /// enum GL_IMAGE_PIXEL_TYPE = 0x82AA; /// enum GL_IMAGE_ROTATE_ANGLE_HP = 0x8159; /// enum GL_IMAGE_ROTATE_ORIGIN_X_HP = 0x815A; /// enum GL_IMAGE_ROTATE_ORIGIN_Y_HP = 0x815B; /// enum GL_IMAGE_SCALE_X_HP = 0x8155; /// enum GL_IMAGE_SCALE_Y_HP = 0x8156; /// enum GL_IMAGE_TEXEL_SIZE = 0x82A7; /// enum GL_IMAGE_TRANSFORM_2D_HP = 0x8161; /// enum GL_IMAGE_TRANSLATE_X_HP = 0x8157; /// enum GL_IMAGE_TRANSLATE_Y_HP = 0x8158; /// enum GL_IMPLEMENTATION_COLOR_READ_FORMAT = 0x8B9B; /// enum GL_IMPLEMENTATION_COLOR_READ_FORMAT_OES = 0x8B9B; /// enum GL_IMPLEMENTATION_COLOR_READ_TYPE = 0x8B9A; /// enum GL_IMPLEMENTATION_COLOR_READ_TYPE_OES = 0x8B9A; /// enum GL_INCLUSIVE_EXT = 0x8F10; /// enum GL_INCR = 0x1E02; /// enum GL_INCR_WRAP = 0x8507; /// enum GL_INCR_WRAP_EXT = 0x8507; /// enum GL_INCR_WRAP_OES = 0x8507; /// enum GL_INDEX = 0x8222; /// enum GL_INDEX_ARRAY = 0x8077; /// enum GL_INDEX_ARRAY_ADDRESS_NV = 0x8F24; /// enum GL_INDEX_ARRAY_BUFFER_BINDING = 0x8899; /// enum GL_INDEX_ARRAY_BUFFER_BINDING_ARB = 0x8899; /// enum GL_INDEX_ARRAY_COUNT_EXT = 0x8087; /// enum GL_INDEX_ARRAY_EXT = 0x8077; /// enum GL_INDEX_ARRAY_LENGTH_NV = 0x8F2E; /// enum GL_INDEX_ARRAY_LIST_IBM = 0x103073; /// enum GL_INDEX_ARRAY_LIST_STRIDE_IBM = 0x103083; /// enum GL_INDEX_ARRAY_POINTER = 0x8091; /// enum GL_INDEX_ARRAY_POINTER_EXT = 0x8091; /// enum GL_INDEX_ARRAY_STRIDE = 0x8086; /// enum GL_INDEX_ARRAY_STRIDE_EXT = 0x8086; /// enum GL_INDEX_ARRAY_TYPE = 0x8085; /// enum GL_INDEX_ARRAY_TYPE_EXT = 0x8085; /// enum GL_INDEX_BITS = 0x0D51; /// enum GL_INDEX_BIT_PGI = 0x00080000; /// enum GL_INDEX_CLEAR_VALUE = 0x0C20; /// enum GL_INDEX_LOGIC_OP = 0x0BF1; /// enum GL_INDEX_MATERIAL_EXT = 0x81B8; /// enum GL_INDEX_MATERIAL_FACE_EXT = 0x81BA; /// enum GL_INDEX_MATERIAL_PARAMETER_EXT = 0x81B9; /// enum GL_INDEX_MODE = 0x0C30; /// enum GL_INDEX_OFFSET = 0x0D13; /// enum GL_INDEX_SHIFT = 0x0D12; /// enum GL_INDEX_TEST_EXT = 0x81B5; /// enum GL_INDEX_TEST_FUNC_EXT = 0x81B6; /// enum GL_INDEX_TEST_REF_EXT = 0x81B7; /// enum GL_INDEX_WRITEMASK = 0x0C21; /// enum GL_INFO_LOG_LENGTH = 0x8B84; /// enum GL_INNOCENT_CONTEXT_RESET = 0x8254; /// enum GL_INNOCENT_CONTEXT_RESET_ARB = 0x8254; /// enum GL_INNOCENT_CONTEXT_RESET_EXT = 0x8254; /// enum GL_INNOCENT_CONTEXT_RESET_KHR = 0x8254; /// enum GL_INSTRUMENT_BUFFER_POINTER_SGIX = 0x8180; /// enum GL_INSTRUMENT_MEASUREMENTS_SGIX = 0x8181; /// enum GL_INT = 0x1404; /// enum GL_INT16_NV = 0x8FE4; /// enum GL_INT16_VEC2_NV = 0x8FE5; /// enum GL_INT16_VEC3_NV = 0x8FE6; /// enum GL_INT16_VEC4_NV = 0x8FE7; /// enum GL_INT64_ARB = 0x140E; /// enum GL_INT64_NV = 0x140E; /// enum GL_INT64_VEC2_ARB = 0x8FE9; /// enum GL_INT64_VEC2_NV = 0x8FE9; /// enum GL_INT64_VEC3_ARB = 0x8FEA; /// enum GL_INT64_VEC3_NV = 0x8FEA; /// enum GL_INT64_VEC4_ARB = 0x8FEB; /// enum GL_INT64_VEC4_NV = 0x8FEB; /// enum GL_INT8_NV = 0x8FE0; /// enum GL_INT8_VEC2_NV = 0x8FE1; /// enum GL_INT8_VEC3_NV = 0x8FE2; /// enum GL_INT8_VEC4_NV = 0x8FE3; /// enum GL_INTENSITY = 0x8049; /// enum GL_INTENSITY12 = 0x804C; /// enum GL_INTENSITY12_EXT = 0x804C; /// enum GL_INTENSITY16 = 0x804D; /// enum GL_INTENSITY16F_ARB = 0x881D; /// enum GL_INTENSITY16I_EXT = 0x8D8B; /// enum GL_INTENSITY16UI_EXT = 0x8D79; /// enum GL_INTENSITY16_EXT = 0x804D; /// enum GL_INTENSITY16_SNORM = 0x901B; /// enum GL_INTENSITY32F_ARB = 0x8817; /// enum GL_INTENSITY32I_EXT = 0x8D85; /// enum GL_INTENSITY32UI_EXT = 0x8D73; /// enum GL_INTENSITY4 = 0x804A; /// enum GL_INTENSITY4_EXT = 0x804A; /// enum GL_INTENSITY8 = 0x804B; /// enum GL_INTENSITY8I_EXT = 0x8D91; /// enum GL_INTENSITY8UI_EXT = 0x8D7F; /// enum GL_INTENSITY8_EXT = 0x804B; /// enum GL_INTENSITY8_SNORM = 0x9017; /// enum GL_INTENSITY_EXT = 0x8049; /// enum GL_INTENSITY_FLOAT16_APPLE = 0x881D; /// enum GL_INTENSITY_FLOAT16_ATI = 0x881D; /// enum GL_INTENSITY_FLOAT32_APPLE = 0x8817; /// enum GL_INTENSITY_FLOAT32_ATI = 0x8817; /// enum GL_INTENSITY_SNORM = 0x9013; /// enum GL_INTERLACE_OML = 0x8980; /// enum GL_INTERLACE_READ_INGR = 0x8568; /// enum GL_INTERLACE_READ_OML = 0x8981; /// enum GL_INTERLACE_SGIX = 0x8094; /// enum GL_INTERLEAVED_ATTRIBS = 0x8C8C; /// enum GL_INTERLEAVED_ATTRIBS_EXT = 0x8C8C; /// enum GL_INTERLEAVED_ATTRIBS_NV = 0x8C8C; /// enum GL_INTERNALFORMAT_ALPHA_SIZE = 0x8274; /// enum GL_INTERNALFORMAT_ALPHA_TYPE = 0x827B; /// enum GL_INTERNALFORMAT_BLUE_SIZE = 0x8273; /// enum GL_INTERNALFORMAT_BLUE_TYPE = 0x827A; /// enum GL_INTERNALFORMAT_DEPTH_SIZE = 0x8275; /// enum GL_INTERNALFORMAT_DEPTH_TYPE = 0x827C; /// enum GL_INTERNALFORMAT_GREEN_SIZE = 0x8272; /// enum GL_INTERNALFORMAT_GREEN_TYPE = 0x8279; /// enum GL_INTERNALFORMAT_PREFERRED = 0x8270; /// enum GL_INTERNALFORMAT_RED_SIZE = 0x8271; /// enum GL_INTERNALFORMAT_RED_TYPE = 0x8278; /// enum GL_INTERNALFORMAT_SHARED_SIZE = 0x8277; /// enum GL_INTERNALFORMAT_STENCIL_SIZE = 0x8276; /// enum GL_INTERNALFORMAT_STENCIL_TYPE = 0x827D; /// enum GL_INTERNALFORMAT_SUPPORTED = 0x826F; /// enum GL_INTERPOLATE = 0x8575; /// enum GL_INTERPOLATE_ARB = 0x8575; /// enum GL_INTERPOLATE_EXT = 0x8575; /// enum GL_INT_10_10_10_2_OES = 0x8DF7; /// enum GL_INT_2_10_10_10_REV = 0x8D9F; /// enum GL_INT_IMAGE_1D = 0x9057; /// enum GL_INT_IMAGE_1D_ARRAY = 0x905D; /// enum GL_INT_IMAGE_1D_ARRAY_EXT = 0x905D; /// enum GL_INT_IMAGE_1D_EXT = 0x9057; /// enum GL_INT_IMAGE_2D = 0x9058; /// enum GL_INT_IMAGE_2D_ARRAY = 0x905E; /// enum GL_INT_IMAGE_2D_ARRAY_EXT = 0x905E; /// enum GL_INT_IMAGE_2D_EXT = 0x9058; /// enum GL_INT_IMAGE_2D_MULTISAMPLE = 0x9060; /// enum GL_INT_IMAGE_2D_MULTISAMPLE_ARRAY = 0x9061; /// enum GL_INT_IMAGE_2D_MULTISAMPLE_ARRAY_EXT = 0x9061; /// enum GL_INT_IMAGE_2D_MULTISAMPLE_EXT = 0x9060; /// enum GL_INT_IMAGE_2D_RECT = 0x905A; /// enum GL_INT_IMAGE_2D_RECT_EXT = 0x905A; /// enum GL_INT_IMAGE_3D = 0x9059; /// enum GL_INT_IMAGE_3D_EXT = 0x9059; /// enum GL_INT_IMAGE_BUFFER = 0x905C; /// enum GL_INT_IMAGE_BUFFER_EXT = 0x905C; /// enum GL_INT_IMAGE_BUFFER_OES = 0x905C; /// enum GL_INT_IMAGE_CUBE = 0x905B; /// enum GL_INT_IMAGE_CUBE_EXT = 0x905B; /// enum GL_INT_IMAGE_CUBE_MAP_ARRAY = 0x905F; /// enum GL_INT_IMAGE_CUBE_MAP_ARRAY_EXT = 0x905F; /// enum GL_INT_IMAGE_CUBE_MAP_ARRAY_OES = 0x905F; /// enum GL_INT_SAMPLER_1D = 0x8DC9; /// enum GL_INT_SAMPLER_1D_ARRAY = 0x8DCE; /// enum GL_INT_SAMPLER_1D_ARRAY_EXT = 0x8DCE; /// enum GL_INT_SAMPLER_1D_EXT = 0x8DC9; /// enum GL_INT_SAMPLER_2D = 0x8DCA; /// enum GL_INT_SAMPLER_2D_ARRAY = 0x8DCF; /// enum GL_INT_SAMPLER_2D_ARRAY_EXT = 0x8DCF; /// enum GL_INT_SAMPLER_2D_EXT = 0x8DCA; /// enum GL_INT_SAMPLER_2D_MULTISAMPLE = 0x9109; /// enum GL_INT_SAMPLER_2D_MULTISAMPLE_ARRAY = 0x910C; /// enum GL_INT_SAMPLER_2D_MULTISAMPLE_ARRAY_OES = 0x910C; /// enum GL_INT_SAMPLER_2D_RECT = 0x8DCD; /// enum GL_INT_SAMPLER_2D_RECT_EXT = 0x8DCD; /// enum GL_INT_SAMPLER_3D = 0x8DCB; /// enum GL_INT_SAMPLER_3D_EXT = 0x8DCB; /// enum GL_INT_SAMPLER_BUFFER = 0x8DD0; /// enum GL_INT_SAMPLER_BUFFER_AMD = 0x9002; /// enum GL_INT_SAMPLER_BUFFER_EXT = 0x8DD0; /// enum GL_INT_SAMPLER_BUFFER_OES = 0x8DD0; /// enum GL_INT_SAMPLER_CUBE = 0x8DCC; /// enum GL_INT_SAMPLER_CUBE_EXT = 0x8DCC; /// enum GL_INT_SAMPLER_CUBE_MAP_ARRAY = 0x900E; /// enum GL_INT_SAMPLER_CUBE_MAP_ARRAY_ARB = 0x900E; /// enum GL_INT_SAMPLER_CUBE_MAP_ARRAY_EXT = 0x900E; /// enum GL_INT_SAMPLER_CUBE_MAP_ARRAY_OES = 0x900E; /// enum GL_INT_SAMPLER_RENDERBUFFER_NV = 0x8E57; /// enum GL_INT_VEC2 = 0x8B53; /// enum GL_INT_VEC2_ARB = 0x8B53; /// enum GL_INT_VEC3 = 0x8B54; /// enum GL_INT_VEC3_ARB = 0x8B54; /// enum GL_INT_VEC4 = 0x8B55; /// enum GL_INT_VEC4_ARB = 0x8B55; /// enum GL_INVALID_ENUM = 0x0500; /// enum GL_INVALID_FRAMEBUFFER_OPERATION = 0x0506; /// enum GL_INVALID_FRAMEBUFFER_OPERATION_EXT = 0x0506; /// enum GL_INVALID_FRAMEBUFFER_OPERATION_OES = 0x0506; /// enum GL_INVALID_INDEX = 0xFFFFFFFF; /// enum GL_INVALID_OPERATION = 0x0502; /// enum GL_INVALID_VALUE = 0x0501; /// enum GL_INVARIANT_DATATYPE_EXT = 0x87EB; /// enum GL_INVARIANT_EXT = 0x87C2; /// enum GL_INVARIANT_VALUE_EXT = 0x87EA; /// enum GL_INVERSE_NV = 0x862B; /// enum GL_INVERSE_TRANSPOSE_NV = 0x862D; /// enum GL_INVERT = 0x150A; /// enum GL_INVERTED_SCREEN_W_REND = 0x8491; /// enum GL_INVERT_OVG_NV = 0x92B4; /// enum GL_INVERT_RGB_NV = 0x92A3; /// enum GL_IR_INSTRUMENT1_SGIX = 0x817F; /// enum GL_ISOLINES = 0x8E7A; /// enum GL_ISOLINES_EXT = 0x8E7A; /// enum GL_ISOLINES_OES = 0x8E7A; /// enum GL_IS_PER_PATCH = 0x92E7; /// enum GL_IS_PER_PATCH_EXT = 0x92E7; /// enum GL_IS_PER_PATCH_OES = 0x92E7; /// enum GL_IS_ROW_MAJOR = 0x9300; /// enum GL_ITALIC_BIT_NV = 0x02; /// enum GL_IUI_N3F_V2F_EXT = 0x81AF; /// enum GL_IUI_N3F_V3F_EXT = 0x81B0; /// enum GL_IUI_V2F_EXT = 0x81AD; /// enum GL_IUI_V3F_EXT = 0x81AE; /// enum GL_KEEP = 0x1E00; /// enum GL_LARGE_CCW_ARC_TO_NV = 0x16; /// enum GL_LARGE_CW_ARC_TO_NV = 0x18; /// enum GL_LAST_VERTEX_CONVENTION = 0x8E4E; /// enum GL_LAST_VERTEX_CONVENTION_EXT = 0x8E4E; /// enum GL_LAST_VERTEX_CONVENTION_OES = 0x8E4E; /// enum GL_LAST_VIDEO_CAPTURE_STATUS_NV = 0x9027; /// enum GL_LAYER_NV = 0x8DAA; /// enum GL_LAYER_PROVOKING_VERTEX = 0x825E; /// enum GL_LAYER_PROVOKING_VERTEX_EXT = 0x825E; /// enum GL_LAYER_PROVOKING_VERTEX_OES = 0x825E; /// enum GL_LAYOUT_DEFAULT_INTEL = 0; /// enum GL_LAYOUT_LINEAR_CPU_CACHED_INTEL = 2; /// enum GL_LAYOUT_LINEAR_INTEL = 1; /// enum GL_LEFT = 0x0406; /// enum GL_LEQUAL = 0x0203; /// enum GL_LERP_ATI = 0x8969; /// enum GL_LESS = 0x0201; /// enum GL_LIGHT0 = 0x4000; /// enum GL_LIGHT1 = 0x4001; /// enum GL_LIGHT2 = 0x4002; /// enum GL_LIGHT3 = 0x4003; /// enum GL_LIGHT4 = 0x4004; /// enum GL_LIGHT5 = 0x4005; /// enum GL_LIGHT6 = 0x4006; /// enum GL_LIGHT7 = 0x4007; /// enum GL_LIGHTEN = 0x9298; /// enum GL_LIGHTEN_KHR = 0x9298; /// enum GL_LIGHTEN_NV = 0x9298; /// enum GL_LIGHTING = 0x0B50; /// enum GL_LIGHTING_BIT = 0x00000040; /// enum GL_LIGHT_ENV_MODE_SGIX = 0x8407; /// enum GL_LIGHT_MODEL_AMBIENT = 0x0B53; /// enum GL_LIGHT_MODEL_COLOR_CONTROL = 0x81F8; /// enum GL_LIGHT_MODEL_COLOR_CONTROL_EXT = 0x81F8; /// enum GL_LIGHT_MODEL_LOCAL_VIEWER = 0x0B51; /// enum GL_LIGHT_MODEL_SPECULAR_VECTOR_APPLE = 0x85B0; /// enum GL_LIGHT_MODEL_TWO_SIDE = 0x0B52; /// enum GL_LINE = 0x1B01; /// enum GL_LINEAR = 0x2601; /// enum GL_LINEARBURN_NV = 0x92A5; /// enum GL_LINEARDODGE_NV = 0x92A4; /// enum GL_LINEARLIGHT_NV = 0x92A7; /// enum GL_LINEAR_ATTENUATION = 0x1208; /// enum GL_LINEAR_CLIPMAP_LINEAR_SGIX = 0x8170; /// enum GL_LINEAR_CLIPMAP_NEAREST_SGIX = 0x844F; /// enum GL_LINEAR_DETAIL_ALPHA_SGIS = 0x8098; /// enum GL_LINEAR_DETAIL_COLOR_SGIS = 0x8099; /// enum GL_LINEAR_DETAIL_SGIS = 0x8097; /// enum GL_LINEAR_MIPMAP_LINEAR = 0x2703; /// enum GL_LINEAR_MIPMAP_NEAREST = 0x2701; /// enum GL_LINEAR_SHARPEN_ALPHA_SGIS = 0x80AE; /// enum GL_LINEAR_SHARPEN_COLOR_SGIS = 0x80AF; /// enum GL_LINEAR_SHARPEN_SGIS = 0x80AD; /// enum GL_LINES = 0x0001; /// enum GL_LINES_ADJACENCY = 0x000A; /// enum GL_LINES_ADJACENCY_ARB = 0x000A; /// enum GL_LINES_ADJACENCY_EXT = 0x000A; /// enum GL_LINES_ADJACENCY_OES = 0x000A; /// enum GL_LINE_BIT = 0x00000004; /// enum GL_LINE_LOOP = 0x0002; /// enum GL_LINE_NV = 0x1B01; /// enum GL_LINE_QUALITY_HINT_SGIX = 0x835B; /// enum GL_LINE_RESET_TOKEN = 0x0707; /// enum GL_LINE_SMOOTH = 0x0B20; /// enum GL_LINE_SMOOTH_HINT = 0x0C52; /// enum GL_LINE_STIPPLE = 0x0B24; /// enum GL_LINE_STIPPLE_PATTERN = 0x0B25; /// enum GL_LINE_STIPPLE_REPEAT = 0x0B26; /// enum GL_LINE_STRIP = 0x0003; /// enum GL_LINE_STRIP_ADJACENCY = 0x000B; /// enum GL_LINE_STRIP_ADJACENCY_ARB = 0x000B; /// enum GL_LINE_STRIP_ADJACENCY_EXT = 0x000B; /// enum GL_LINE_STRIP_ADJACENCY_OES = 0x000B; /// enum GL_LINE_TOKEN = 0x0702; /// enum GL_LINE_TO_NV = 0x04; /// enum GL_LINE_WIDTH = 0x0B21; /// enum GL_LINE_WIDTH_COMMAND_NV = 0x000D; /// enum GL_LINE_WIDTH_GRANULARITY = 0x0B23; /// enum GL_LINE_WIDTH_RANGE = 0x0B22; /// enum GL_LINK_STATUS = 0x8B82; /// enum GL_LIST_BASE = 0x0B32; /// enum GL_LIST_BIT = 0x00020000; /// enum GL_LIST_INDEX = 0x0B33; /// enum GL_LIST_MODE = 0x0B30; /// enum GL_LIST_PRIORITY_SGIX = 0x8182; /// enum GL_LOAD = 0x0101; /// enum GL_LOCAL_CONSTANT_DATATYPE_EXT = 0x87ED; /// enum GL_LOCAL_CONSTANT_EXT = 0x87C3; /// enum GL_LOCAL_CONSTANT_VALUE_EXT = 0x87EC; /// enum GL_LOCAL_EXT = 0x87C4; /// enum GL_LOCATION = 0x930E; /// enum GL_LOCATION_COMPONENT = 0x934A; /// enum GL_LOCATION_INDEX = 0x930F; /// enum GL_LOCATION_INDEX_EXT = 0x930F; /// enum GL_LOGIC_OP = 0x0BF1; /// enum GL_LOGIC_OP_MODE = 0x0BF0; /// enum GL_LOSE_CONTEXT_ON_RESET = 0x8252; /// enum GL_LOSE_CONTEXT_ON_RESET_ARB = 0x8252; /// enum GL_LOSE_CONTEXT_ON_RESET_EXT = 0x8252; /// enum GL_LOSE_CONTEXT_ON_RESET_KHR = 0x8252; /// enum GL_LOWER_LEFT = 0x8CA1; /// enum GL_LOW_FLOAT = 0x8DF0; /// enum GL_LOW_INT = 0x8DF3; /// enum GL_LO_BIAS_NV = 0x8715; /// enum GL_LO_SCALE_NV = 0x870F; /// enum GL_LUMINANCE = 0x1909; /// enum GL_LUMINANCE12 = 0x8041; /// enum GL_LUMINANCE12_ALPHA12 = 0x8047; /// enum GL_LUMINANCE12_ALPHA12_EXT = 0x8047; /// enum GL_LUMINANCE12_ALPHA4 = 0x8046; /// enum GL_LUMINANCE12_ALPHA4_EXT = 0x8046; /// enum GL_LUMINANCE12_EXT = 0x8041; /// enum GL_LUMINANCE16 = 0x8042; /// enum GL_LUMINANCE16F_ARB = 0x881E; /// enum GL_LUMINANCE16F_EXT = 0x881E; /// enum GL_LUMINANCE16I_EXT = 0x8D8C; /// enum GL_LUMINANCE16UI_EXT = 0x8D7A; /// enum GL_LUMINANCE16_ALPHA16 = 0x8048; /// enum GL_LUMINANCE16_ALPHA16_EXT = 0x8048; /// enum GL_LUMINANCE16_ALPHA16_SNORM = 0x901A; /// enum GL_LUMINANCE16_EXT = 0x8042; /// enum GL_LUMINANCE16_SNORM = 0x9019; /// enum GL_LUMINANCE32F_ARB = 0x8818; /// enum GL_LUMINANCE32F_EXT = 0x8818; /// enum GL_LUMINANCE32I_EXT = 0x8D86; /// enum GL_LUMINANCE32UI_EXT = 0x8D74; /// enum GL_LUMINANCE4 = 0x803F; /// enum GL_LUMINANCE4_ALPHA4 = 0x8043; /// enum GL_LUMINANCE4_ALPHA4_EXT = 0x8043; /// enum GL_LUMINANCE4_ALPHA4_OES = 0x8043; /// enum GL_LUMINANCE4_EXT = 0x803F; /// enum GL_LUMINANCE6_ALPHA2 = 0x8044; /// enum GL_LUMINANCE6_ALPHA2_EXT = 0x8044; /// enum GL_LUMINANCE8 = 0x8040; /// enum GL_LUMINANCE8I_EXT = 0x8D92; /// enum GL_LUMINANCE8UI_EXT = 0x8D80; /// enum GL_LUMINANCE8_ALPHA8 = 0x8045; /// enum GL_LUMINANCE8_ALPHA8_EXT = 0x8045; /// enum GL_LUMINANCE8_ALPHA8_OES = 0x8045; /// enum GL_LUMINANCE8_ALPHA8_SNORM = 0x9016; /// enum GL_LUMINANCE8_EXT = 0x8040; /// enum GL_LUMINANCE8_OES = 0x8040; /// enum GL_LUMINANCE8_SNORM = 0x9015; /// enum GL_LUMINANCE_ALPHA = 0x190A; /// enum GL_LUMINANCE_ALPHA16F_ARB = 0x881F; /// enum GL_LUMINANCE_ALPHA16F_EXT = 0x881F; /// enum GL_LUMINANCE_ALPHA16I_EXT = 0x8D8D; /// enum GL_LUMINANCE_ALPHA16UI_EXT = 0x8D7B; /// enum GL_LUMINANCE_ALPHA32F_ARB = 0x8819; /// enum GL_LUMINANCE_ALPHA32F_EXT = 0x8819; /// enum GL_LUMINANCE_ALPHA32I_EXT = 0x8D87; /// enum GL_LUMINANCE_ALPHA32UI_EXT = 0x8D75; /// enum GL_LUMINANCE_ALPHA8I_EXT = 0x8D93; /// enum GL_LUMINANCE_ALPHA8UI_EXT = 0x8D81; /// enum GL_LUMINANCE_ALPHA_FLOAT16_APPLE = 0x881F; /// enum GL_LUMINANCE_ALPHA_FLOAT16_ATI = 0x881F; /// enum GL_LUMINANCE_ALPHA_FLOAT32_APPLE = 0x8819; /// enum GL_LUMINANCE_ALPHA_FLOAT32_ATI = 0x8819; /// enum GL_LUMINANCE_ALPHA_INTEGER_EXT = 0x8D9D; /// enum GL_LUMINANCE_ALPHA_SNORM = 0x9012; /// enum GL_LUMINANCE_FLOAT16_APPLE = 0x881E; /// enum GL_LUMINANCE_FLOAT16_ATI = 0x881E; /// enum GL_LUMINANCE_FLOAT32_APPLE = 0x8818; /// enum GL_LUMINANCE_FLOAT32_ATI = 0x8818; /// enum GL_LUMINANCE_INTEGER_EXT = 0x8D9C; /// enum GL_LUMINANCE_SNORM = 0x9011; /// enum GL_MAD_ATI = 0x8968; /// enum GL_MAGNITUDE_BIAS_NV = 0x8718; /// enum GL_MAGNITUDE_SCALE_NV = 0x8712; /// enum GL_MAJOR_VERSION = 0x821B; /// enum GL_MALI_PROGRAM_BINARY_ARM = 0x8F61; /// enum GL_MALI_SHADER_BINARY_ARM = 0x8F60; /// enum GL_MANUAL_GENERATE_MIPMAP = 0x8294; /// enum GL_MAP1_BINORMAL_EXT = 0x8446; /// enum GL_MAP1_COLOR_4 = 0x0D90; /// enum GL_MAP1_GRID_DOMAIN = 0x0DD0; /// enum GL_MAP1_GRID_SEGMENTS = 0x0DD1; /// enum GL_MAP1_INDEX = 0x0D91; /// enum GL_MAP1_NORMAL = 0x0D92; /// enum GL_MAP1_TANGENT_EXT = 0x8444; /// enum GL_MAP1_TEXTURE_COORD_1 = 0x0D93; /// enum GL_MAP1_TEXTURE_COORD_2 = 0x0D94; /// enum GL_MAP1_TEXTURE_COORD_3 = 0x0D95; /// enum GL_MAP1_TEXTURE_COORD_4 = 0x0D96; /// enum GL_MAP1_VERTEX_3 = 0x0D97; /// enum GL_MAP1_VERTEX_4 = 0x0D98; /// enum GL_MAP1_VERTEX_ATTRIB0_4_NV = 0x8660; /// enum GL_MAP1_VERTEX_ATTRIB10_4_NV = 0x866A; /// enum GL_MAP1_VERTEX_ATTRIB11_4_NV = 0x866B; /// enum GL_MAP1_VERTEX_ATTRIB12_4_NV = 0x866C; /// enum GL_MAP1_VERTEX_ATTRIB13_4_NV = 0x866D; /// enum GL_MAP1_VERTEX_ATTRIB14_4_NV = 0x866E; /// enum GL_MAP1_VERTEX_ATTRIB15_4_NV = 0x866F; /// enum GL_MAP1_VERTEX_ATTRIB1_4_NV = 0x8661; /// enum GL_MAP1_VERTEX_ATTRIB2_4_NV = 0x8662; /// enum GL_MAP1_VERTEX_ATTRIB3_4_NV = 0x8663; /// enum GL_MAP1_VERTEX_ATTRIB4_4_NV = 0x8664; /// enum GL_MAP1_VERTEX_ATTRIB5_4_NV = 0x8665; /// enum GL_MAP1_VERTEX_ATTRIB6_4_NV = 0x8666; /// enum GL_MAP1_VERTEX_ATTRIB7_4_NV = 0x8667; /// enum GL_MAP1_VERTEX_ATTRIB8_4_NV = 0x8668; /// enum GL_MAP1_VERTEX_ATTRIB9_4_NV = 0x8669; /// enum GL_MAP2_BINORMAL_EXT = 0x8447; /// enum GL_MAP2_COLOR_4 = 0x0DB0; /// enum GL_MAP2_GRID_DOMAIN = 0x0DD2; /// enum GL_MAP2_GRID_SEGMENTS = 0x0DD3; /// enum GL_MAP2_INDEX = 0x0DB1; /// enum GL_MAP2_NORMAL = 0x0DB2; /// enum GL_MAP2_TANGENT_EXT = 0x8445; /// enum GL_MAP2_TEXTURE_COORD_1 = 0x0DB3; /// enum GL_MAP2_TEXTURE_COORD_2 = 0x0DB4; /// enum GL_MAP2_TEXTURE_COORD_3 = 0x0DB5; /// enum GL_MAP2_TEXTURE_COORD_4 = 0x0DB6; /// enum GL_MAP2_VERTEX_3 = 0x0DB7; /// enum GL_MAP2_VERTEX_4 = 0x0DB8; /// enum GL_MAP2_VERTEX_ATTRIB0_4_NV = 0x8670; /// enum GL_MAP2_VERTEX_ATTRIB10_4_NV = 0x867A; /// enum GL_MAP2_VERTEX_ATTRIB11_4_NV = 0x867B; /// enum GL_MAP2_VERTEX_ATTRIB12_4_NV = 0x867C; /// enum GL_MAP2_VERTEX_ATTRIB13_4_NV = 0x867D; /// enum GL_MAP2_VERTEX_ATTRIB14_4_NV = 0x867E; /// enum GL_MAP2_VERTEX_ATTRIB15_4_NV = 0x867F; /// enum GL_MAP2_VERTEX_ATTRIB1_4_NV = 0x8671; /// enum GL_MAP2_VERTEX_ATTRIB2_4_NV = 0x8672; /// enum GL_MAP2_VERTEX_ATTRIB3_4_NV = 0x8673; /// enum GL_MAP2_VERTEX_ATTRIB4_4_NV = 0x8674; /// enum GL_MAP2_VERTEX_ATTRIB5_4_NV = 0x8675; /// enum GL_MAP2_VERTEX_ATTRIB6_4_NV = 0x8676; /// enum GL_MAP2_VERTEX_ATTRIB7_4_NV = 0x8677; /// enum GL_MAP2_VERTEX_ATTRIB8_4_NV = 0x8678; /// enum GL_MAP2_VERTEX_ATTRIB9_4_NV = 0x8679; /// enum GL_MAP_ATTRIB_U_ORDER_NV = 0x86C3; /// enum GL_MAP_ATTRIB_V_ORDER_NV = 0x86C4; /// enum GL_MAP_COHERENT_BIT = 0x0080; /// enum GL_MAP_COHERENT_BIT_EXT = 0x0080; /// enum GL_MAP_COLOR = 0x0D10; /// enum GL_MAP_FLUSH_EXPLICIT_BIT = 0x0010; /// enum GL_MAP_FLUSH_EXPLICIT_BIT_EXT = 0x0010; /// enum GL_MAP_INVALIDATE_BUFFER_BIT = 0x0008; /// enum GL_MAP_INVALIDATE_BUFFER_BIT_EXT = 0x0008; /// enum GL_MAP_INVALIDATE_RANGE_BIT = 0x0004; /// enum GL_MAP_INVALIDATE_RANGE_BIT_EXT = 0x0004; /// enum GL_MAP_PERSISTENT_BIT = 0x0040; /// enum GL_MAP_PERSISTENT_BIT_EXT = 0x0040; /// enum GL_MAP_READ_BIT = 0x0001; /// enum GL_MAP_READ_BIT_EXT = 0x0001; /// enum GL_MAP_STENCIL = 0x0D11; /// enum GL_MAP_TESSELLATION_NV = 0x86C2; /// enum GL_MAP_UNSYNCHRONIZED_BIT = 0x0020; /// enum GL_MAP_UNSYNCHRONIZED_BIT_EXT = 0x0020; /// enum GL_MAP_WRITE_BIT = 0x0002; /// enum GL_MAP_WRITE_BIT_EXT = 0x0002; /// enum GL_MATERIAL_SIDE_HINT_PGI = 0x1A22C; /// enum GL_MATRIX0_ARB = 0x88C0; /// enum GL_MATRIX0_NV = 0x8630; /// enum GL_MATRIX10_ARB = 0x88CA; /// enum GL_MATRIX11_ARB = 0x88CB; /// enum GL_MATRIX12_ARB = 0x88CC; /// enum GL_MATRIX13_ARB = 0x88CD; /// enum GL_MATRIX14_ARB = 0x88CE; /// enum GL_MATRIX15_ARB = 0x88CF; /// enum GL_MATRIX16_ARB = 0x88D0; /// enum GL_MATRIX17_ARB = 0x88D1; /// enum GL_MATRIX18_ARB = 0x88D2; /// enum GL_MATRIX19_ARB = 0x88D3; /// enum GL_MATRIX1_ARB = 0x88C1; /// enum GL_MATRIX1_NV = 0x8631; /// enum GL_MATRIX20_ARB = 0x88D4; /// enum GL_MATRIX21_ARB = 0x88D5; /// enum GL_MATRIX22_ARB = 0x88D6; /// enum GL_MATRIX23_ARB = 0x88D7; /// enum GL_MATRIX24_ARB = 0x88D8; /// enum GL_MATRIX25_ARB = 0x88D9; /// enum GL_MATRIX26_ARB = 0x88DA; /// enum GL_MATRIX27_ARB = 0x88DB; /// enum GL_MATRIX28_ARB = 0x88DC; /// enum GL_MATRIX29_ARB = 0x88DD; /// enum GL_MATRIX2_ARB = 0x88C2; /// enum GL_MATRIX2_NV = 0x8632; /// enum GL_MATRIX30_ARB = 0x88DE; /// enum GL_MATRIX31_ARB = 0x88DF; /// enum GL_MATRIX3_ARB = 0x88C3; /// enum GL_MATRIX3_NV = 0x8633; /// enum GL_MATRIX4_ARB = 0x88C4; /// enum GL_MATRIX4_NV = 0x8634; /// enum GL_MATRIX5_ARB = 0x88C5; /// enum GL_MATRIX5_NV = 0x8635; /// enum GL_MATRIX6_ARB = 0x88C6; /// enum GL_MATRIX6_NV = 0x8636; /// enum GL_MATRIX7_ARB = 0x88C7; /// enum GL_MATRIX7_NV = 0x8637; /// enum GL_MATRIX8_ARB = 0x88C8; /// enum GL_MATRIX9_ARB = 0x88C9; /// enum GL_MATRIX_EXT = 0x87C0; /// enum GL_MATRIX_INDEX_ARRAY_ARB = 0x8844; /// enum GL_MATRIX_INDEX_ARRAY_BUFFER_BINDING_OES = 0x8B9E; /// enum GL_MATRIX_INDEX_ARRAY_OES = 0x8844; /// enum GL_MATRIX_INDEX_ARRAY_POINTER_ARB = 0x8849; /// enum GL_MATRIX_INDEX_ARRAY_POINTER_OES = 0x8849; /// enum GL_MATRIX_INDEX_ARRAY_SIZE_ARB = 0x8846; /// enum GL_MATRIX_INDEX_ARRAY_SIZE_OES = 0x8846; /// enum GL_MATRIX_INDEX_ARRAY_STRIDE_ARB = 0x8848; /// enum GL_MATRIX_INDEX_ARRAY_STRIDE_OES = 0x8848; /// enum GL_MATRIX_INDEX_ARRAY_TYPE_ARB = 0x8847; /// enum GL_MATRIX_INDEX_ARRAY_TYPE_OES = 0x8847; /// enum GL_MATRIX_MODE = 0x0BA0; /// enum GL_MATRIX_PALETTE_ARB = 0x8840; /// enum GL_MATRIX_PALETTE_OES = 0x8840; /// enum GL_MATRIX_STRIDE = 0x92FF; /// enum GL_MAT_AMBIENT_AND_DIFFUSE_BIT_PGI = 0x00200000; /// enum GL_MAT_AMBIENT_BIT_PGI = 0x00100000; /// enum GL_MAT_COLOR_INDEXES_BIT_PGI = 0x01000000; /// enum GL_MAT_DIFFUSE_BIT_PGI = 0x00400000; /// enum GL_MAT_EMISSION_BIT_PGI = 0x00800000; /// enum GL_MAT_SHININESS_BIT_PGI = 0x02000000; /// enum GL_MAT_SPECULAR_BIT_PGI = 0x04000000; /// enum GL_MAX = 0x8008; /// enum GL_MAX_3D_TEXTURE_SIZE = 0x8073; /// enum GL_MAX_3D_TEXTURE_SIZE_EXT = 0x8073; /// enum GL_MAX_3D_TEXTURE_SIZE_OES = 0x8073; /// enum GL_MAX_4D_TEXTURE_SIZE_SGIS = 0x8138; /// enum GL_MAX_ACTIVE_LIGHTS_SGIX = 0x8405; /// enum GL_MAX_ARRAY_TEXTURE_LAYERS = 0x88FF; /// enum GL_MAX_ARRAY_TEXTURE_LAYERS_EXT = 0x88FF; /// enum GL_MAX_ASYNC_DRAW_PIXELS_SGIX = 0x8360; /// enum GL_MAX_ASYNC_HISTOGRAM_SGIX = 0x832D; /// enum GL_MAX_ASYNC_READ_PIXELS_SGIX = 0x8361; /// enum GL_MAX_ASYNC_TEX_IMAGE_SGIX = 0x835F; /// enum GL_MAX_ATOMIC_COUNTER_BUFFER_BINDINGS = 0x92DC; /// enum GL_MAX_ATOMIC_COUNTER_BUFFER_SIZE = 0x92D8; /// enum GL_MAX_ATTRIB_STACK_DEPTH = 0x0D35; /// enum GL_MAX_BINDABLE_UNIFORM_SIZE_EXT = 0x8DED; /// enum GL_MAX_CLIENT_ATTRIB_STACK_DEPTH = 0x0D3B; /// enum GL_MAX_CLIPMAP_DEPTH_SGIX = 0x8177; /// enum GL_MAX_CLIPMAP_VIRTUAL_DEPTH_SGIX = 0x8178; /// enum GL_MAX_CLIP_DISTANCES = 0x0D32; /// enum GL_MAX_CLIP_DISTANCES_APPLE = 0x0D32; /// enum GL_MAX_CLIP_DISTANCES_EXT = 0x0D32; /// enum GL_MAX_CLIP_PLANES = 0x0D32; /// enum GL_MAX_CLIP_PLANES_IMG = 0x0D32; /// enum GL_MAX_COLOR_ATTACHMENTS = 0x8CDF; /// enum GL_MAX_COLOR_ATTACHMENTS_EXT = 0x8CDF; /// enum GL_MAX_COLOR_ATTACHMENTS_NV = 0x8CDF; /// enum GL_MAX_COLOR_MATRIX_STACK_DEPTH = 0x80B3; /// enum GL_MAX_COLOR_MATRIX_STACK_DEPTH_SGI = 0x80B3; /// enum GL_MAX_COLOR_TEXTURE_SAMPLES = 0x910E; /// enum GL_MAX_COMBINED_ATOMIC_COUNTERS = 0x92D7; /// enum GL_MAX_COMBINED_ATOMIC_COUNTER_BUFFERS = 0x92D1; /// enum GL_MAX_COMBINED_CLIP_AND_CULL_DISTANCES = 0x82FA; /// enum GL_MAX_COMBINED_CLIP_AND_CULL_DISTANCES_EXT = 0x82FA; /// enum GL_MAX_COMBINED_COMPUTE_UNIFORM_COMPONENTS = 0x8266; /// enum GL_MAX_COMBINED_DIMENSIONS = 0x8282; /// enum GL_MAX_COMBINED_FRAGMENT_UNIFORM_COMPONENTS = 0x8A33; /// enum GL_MAX_COMBINED_GEOMETRY_UNIFORM_COMPONENTS = 0x8A32; /// enum GL_MAX_COMBINED_GEOMETRY_UNIFORM_COMPONENTS_EXT = 0x8A32; /// enum GL_MAX_COMBINED_GEOMETRY_UNIFORM_COMPONENTS_OES = 0x8A32; /// enum GL_MAX_COMBINED_IMAGE_UNIFORMS = 0x90CF; /// enum GL_MAX_COMBINED_IMAGE_UNITS_AND_FRAGMENT_OUTPUTS = 0x8F39; /// enum GL_MAX_COMBINED_IMAGE_UNITS_AND_FRAGMENT_OUTPUTS_EXT = 0x8F39; /// enum GL_MAX_COMBINED_SHADER_OUTPUT_RESOURCES = 0x8F39; /// enum GL_MAX_COMBINED_SHADER_STORAGE_BLOCKS = 0x90DC; /// enum GL_MAX_COMBINED_TESS_CONTROL_UNIFORM_COMPONENTS = 0x8E1E; /// enum GL_MAX_COMBINED_TESS_CONTROL_UNIFORM_COMPONENTS_EXT = 0x8E1E; /// enum GL_MAX_COMBINED_TESS_CONTROL_UNIFORM_COMPONENTS_OES = 0x8E1E; /// enum GL_MAX_COMBINED_TESS_EVALUATION_UNIFORM_COMPONENTS = 0x8E1F; /// enum GL_MAX_COMBINED_TESS_EVALUATION_UNIFORM_COMPONENTS_EXT = 0x8E1F; /// enum GL_MAX_COMBINED_TESS_EVALUATION_UNIFORM_COMPONENTS_OES = 0x8E1F; /// enum GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS = 0x8B4D; /// enum GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS_ARB = 0x8B4D; /// enum GL_MAX_COMBINED_UNIFORM_BLOCKS = 0x8A2E; /// enum GL_MAX_COMBINED_VERTEX_UNIFORM_COMPONENTS = 0x8A31; /// enum GL_MAX_COMPUTE_ATOMIC_COUNTERS = 0x8265; /// enum GL_MAX_COMPUTE_ATOMIC_COUNTER_BUFFERS = 0x8264; /// enum GL_MAX_COMPUTE_FIXED_GROUP_INVOCATIONS_ARB = 0x90EB; /// enum GL_MAX_COMPUTE_FIXED_GROUP_SIZE_ARB = 0x91BF; /// enum GL_MAX_COMPUTE_IMAGE_UNIFORMS = 0x91BD; /// enum GL_MAX_COMPUTE_SHADER_STORAGE_BLOCKS = 0x90DB; /// enum GL_MAX_COMPUTE_SHARED_MEMORY_SIZE = 0x8262; /// enum GL_MAX_COMPUTE_TEXTURE_IMAGE_UNITS = 0x91BC; /// enum GL_MAX_COMPUTE_UNIFORM_BLOCKS = 0x91BB; /// enum GL_MAX_COMPUTE_UNIFORM_COMPONENTS = 0x8263; /// enum GL_MAX_COMPUTE_VARIABLE_GROUP_INVOCATIONS_ARB = 0x9344; /// enum GL_MAX_COMPUTE_VARIABLE_GROUP_SIZE_ARB = 0x9345; /// enum GL_MAX_COMPUTE_WORK_GROUP_COUNT = 0x91BE; /// enum GL_MAX_COMPUTE_WORK_GROUP_INVOCATIONS = 0x90EB; /// enum GL_MAX_COMPUTE_WORK_GROUP_SIZE = 0x91BF; /// enum GL_MAX_CONVOLUTION_HEIGHT = 0x801B; /// enum GL_MAX_CONVOLUTION_HEIGHT_EXT = 0x801B; /// enum GL_MAX_CONVOLUTION_WIDTH = 0x801A; /// enum GL_MAX_CONVOLUTION_WIDTH_EXT = 0x801A; /// enum GL_MAX_CUBE_MAP_TEXTURE_SIZE = 0x851C; /// enum GL_MAX_CUBE_MAP_TEXTURE_SIZE_ARB = 0x851C; /// enum GL_MAX_CUBE_MAP_TEXTURE_SIZE_EXT = 0x851C; /// enum GL_MAX_CUBE_MAP_TEXTURE_SIZE_OES = 0x851C; /// enum GL_MAX_CULL_DISTANCES = 0x82F9; /// enum GL_MAX_CULL_DISTANCES_EXT = 0x82F9; /// enum GL_MAX_DEBUG_GROUP_STACK_DEPTH = 0x826C; /// enum GL_MAX_DEBUG_GROUP_STACK_DEPTH_KHR = 0x826C; /// enum GL_MAX_DEBUG_LOGGED_MESSAGES = 0x9144; /// enum GL_MAX_DEBUG_LOGGED_MESSAGES_AMD = 0x9144; /// enum GL_MAX_DEBUG_LOGGED_MESSAGES_ARB = 0x9144; /// enum GL_MAX_DEBUG_LOGGED_MESSAGES_KHR = 0x9144; /// enum GL_MAX_DEBUG_MESSAGE_LENGTH = 0x9143; /// enum GL_MAX_DEBUG_MESSAGE_LENGTH_AMD = 0x9143; /// enum GL_MAX_DEBUG_MESSAGE_LENGTH_ARB = 0x9143; /// enum GL_MAX_DEBUG_MESSAGE_LENGTH_KHR = 0x9143; /// enum GL_MAX_DEEP_3D_TEXTURE_DEPTH_NV = 0x90D1; /// enum GL_MAX_DEEP_3D_TEXTURE_WIDTH_HEIGHT_NV = 0x90D0; /// enum GL_MAX_DEFORMATION_ORDER_SGIX = 0x8197; /// enum GL_MAX_DEPTH = 0x8280; /// enum GL_MAX_DEPTH_TEXTURE_SAMPLES = 0x910F; /// enum GL_MAX_DRAW_BUFFERS = 0x8824; /// enum GL_MAX_DRAW_BUFFERS_ARB = 0x8824; /// enum GL_MAX_DRAW_BUFFERS_ATI = 0x8824; /// enum GL_MAX_DRAW_BUFFERS_EXT = 0x8824; /// enum GL_MAX_DRAW_BUFFERS_NV = 0x8824; /// enum GL_MAX_DUAL_SOURCE_DRAW_BUFFERS = 0x88FC; /// enum GL_MAX_DUAL_SOURCE_DRAW_BUFFERS_EXT = 0x88FC; /// enum GL_MAX_ELEMENTS_INDICES = 0x80E9; /// enum GL_MAX_ELEMENTS_INDICES_EXT = 0x80E9; /// enum GL_MAX_ELEMENTS_VERTICES = 0x80E8; /// enum GL_MAX_ELEMENTS_VERTICES_EXT = 0x80E8; /// enum GL_MAX_ELEMENT_INDEX = 0x8D6B; /// enum GL_MAX_EVAL_ORDER = 0x0D30; /// enum GL_MAX_EXT = 0x8008; /// enum GL_MAX_FOG_FUNC_POINTS_SGIS = 0x812C; /// enum GL_MAX_FRAGMENT_ATOMIC_COUNTERS = 0x92D6; /// enum GL_MAX_FRAGMENT_ATOMIC_COUNTER_BUFFERS = 0x92D0; /// enum GL_MAX_FRAGMENT_BINDABLE_UNIFORMS_EXT = 0x8DE3; /// enum GL_MAX_FRAGMENT_IMAGE_UNIFORMS = 0x90CE; /// enum GL_MAX_FRAGMENT_INPUT_COMPONENTS = 0x9125; /// enum GL_MAX_FRAGMENT_INTERPOLATION_OFFSET = 0x8E5C; /// enum GL_MAX_FRAGMENT_INTERPOLATION_OFFSET_NV = 0x8E5C; /// enum GL_MAX_FRAGMENT_INTERPOLATION_OFFSET_OES = 0x8E5C; /// enum GL_MAX_FRAGMENT_LIGHTS_SGIX = 0x8404; /// enum GL_MAX_FRAGMENT_PROGRAM_LOCAL_PARAMETERS_NV = 0x8868; /// enum GL_MAX_FRAGMENT_SHADER_STORAGE_BLOCKS = 0x90DA; /// enum GL_MAX_FRAGMENT_UNIFORM_BLOCKS = 0x8A2D; /// enum GL_MAX_FRAGMENT_UNIFORM_COMPONENTS = 0x8B49; /// enum GL_MAX_FRAGMENT_UNIFORM_COMPONENTS_ARB = 0x8B49; /// enum GL_MAX_FRAGMENT_UNIFORM_VECTORS = 0x8DFD; /// enum GL_MAX_FRAMEBUFFER_HEIGHT = 0x9316; /// enum GL_MAX_FRAMEBUFFER_LAYERS = 0x9317; /// enum GL_MAX_FRAMEBUFFER_LAYERS_EXT = 0x9317; /// enum GL_MAX_FRAMEBUFFER_LAYERS_OES = 0x9317; /// enum GL_MAX_FRAMEBUFFER_SAMPLES = 0x9318; /// enum GL_MAX_FRAMEBUFFER_WIDTH = 0x9315; /// enum GL_MAX_FRAMEZOOM_FACTOR_SGIX = 0x818D; /// enum GL_MAX_GENERAL_COMBINERS_NV = 0x854D; /// enum GL_MAX_GEOMETRY_ATOMIC_COUNTERS = 0x92D5; /// enum GL_MAX_GEOMETRY_ATOMIC_COUNTERS_EXT = 0x92D5; /// enum GL_MAX_GEOMETRY_ATOMIC_COUNTERS_OES = 0x92D5; /// enum GL_MAX_GEOMETRY_ATOMIC_COUNTER_BUFFERS = 0x92CF; /// enum GL_MAX_GEOMETRY_ATOMIC_COUNTER_BUFFERS_EXT = 0x92CF; /// enum GL_MAX_GEOMETRY_ATOMIC_COUNTER_BUFFERS_OES = 0x92CF; /// enum GL_MAX_GEOMETRY_BINDABLE_UNIFORMS_EXT = 0x8DE4; /// enum GL_MAX_GEOMETRY_IMAGE_UNIFORMS = 0x90CD; /// enum GL_MAX_GEOMETRY_IMAGE_UNIFORMS_EXT = 0x90CD; /// enum GL_MAX_GEOMETRY_IMAGE_UNIFORMS_OES = 0x90CD; /// enum GL_MAX_GEOMETRY_INPUT_COMPONENTS = 0x9123; /// enum GL_MAX_GEOMETRY_INPUT_COMPONENTS_EXT = 0x9123; /// enum GL_MAX_GEOMETRY_INPUT_COMPONENTS_OES = 0x9123; /// enum GL_MAX_GEOMETRY_OUTPUT_COMPONENTS = 0x9124; /// enum GL_MAX_GEOMETRY_OUTPUT_COMPONENTS_EXT = 0x9124; /// enum GL_MAX_GEOMETRY_OUTPUT_COMPONENTS_OES = 0x9124; /// enum GL_MAX_GEOMETRY_OUTPUT_VERTICES = 0x8DE0; /// enum GL_MAX_GEOMETRY_OUTPUT_VERTICES_ARB = 0x8DE0; /// enum GL_MAX_GEOMETRY_OUTPUT_VERTICES_EXT = 0x8DE0; /// enum GL_MAX_GEOMETRY_OUTPUT_VERTICES_OES = 0x8DE0; /// enum GL_MAX_GEOMETRY_PROGRAM_INVOCATIONS_NV = 0x8E5A; /// enum GL_MAX_GEOMETRY_SHADER_INVOCATIONS = 0x8E5A; /// enum GL_MAX_GEOMETRY_SHADER_INVOCATIONS_EXT = 0x8E5A; /// enum GL_MAX_GEOMETRY_SHADER_INVOCATIONS_OES = 0x8E5A; /// enum GL_MAX_GEOMETRY_SHADER_STORAGE_BLOCKS = 0x90D7; /// enum GL_MAX_GEOMETRY_SHADER_STORAGE_BLOCKS_EXT = 0x90D7; /// enum GL_MAX_GEOMETRY_SHADER_STORAGE_BLOCKS_OES = 0x90D7; /// enum GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS = 0x8C29; /// enum GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS_ARB = 0x8C29; /// enum GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS_EXT = 0x8C29; /// enum GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS_OES = 0x8C29; /// enum GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS = 0x8DE1; /// enum GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS_ARB = 0x8DE1; /// enum GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS_EXT = 0x8DE1; /// enum GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS_OES = 0x8DE1; /// enum GL_MAX_GEOMETRY_UNIFORM_BLOCKS = 0x8A2C; /// enum GL_MAX_GEOMETRY_UNIFORM_BLOCKS_EXT = 0x8A2C; /// enum GL_MAX_GEOMETRY_UNIFORM_BLOCKS_OES = 0x8A2C; /// enum GL_MAX_GEOMETRY_UNIFORM_COMPONENTS = 0x8DDF; /// enum GL_MAX_GEOMETRY_UNIFORM_COMPONENTS_ARB = 0x8DDF; /// enum GL_MAX_GEOMETRY_UNIFORM_COMPONENTS_EXT = 0x8DDF; /// enum GL_MAX_GEOMETRY_UNIFORM_COMPONENTS_OES = 0x8DDF; /// enum GL_MAX_GEOMETRY_VARYING_COMPONENTS_ARB = 0x8DDD; /// enum GL_MAX_GEOMETRY_VARYING_COMPONENTS_EXT = 0x8DDD; /// enum GL_MAX_HEIGHT = 0x827F; /// enum GL_MAX_IMAGE_SAMPLES = 0x906D; /// enum GL_MAX_IMAGE_SAMPLES_EXT = 0x906D; /// enum GL_MAX_IMAGE_UNITS = 0x8F38; /// enum GL_MAX_IMAGE_UNITS_EXT = 0x8F38; /// enum GL_MAX_INTEGER_SAMPLES = 0x9110; /// enum GL_MAX_LABEL_LENGTH = 0x82E8; /// enum GL_MAX_LABEL_LENGTH_KHR = 0x82E8; /// enum GL_MAX_LAYERS = 0x8281; /// enum GL_MAX_LIGHTS = 0x0D31; /// enum GL_MAX_LIST_NESTING = 0x0B31; /// enum GL_MAX_MAP_TESSELLATION_NV = 0x86D6; /// enum GL_MAX_MATRIX_PALETTE_STACK_DEPTH_ARB = 0x8841; /// enum GL_MAX_MODELVIEW_STACK_DEPTH = 0x0D36; /// enum GL_MAX_MULTISAMPLE_COVERAGE_MODES_NV = 0x8E11; /// enum GL_MAX_MULTIVIEW_BUFFERS_EXT = 0x90F2; /// enum GL_MAX_NAME_LENGTH = 0x92F6; /// enum GL_MAX_NAME_STACK_DEPTH = 0x0D37; /// enum GL_MAX_NUM_ACTIVE_VARIABLES = 0x92F7; /// enum GL_MAX_NUM_COMPATIBLE_SUBROUTINES = 0x92F8; /// enum GL_MAX_OPTIMIZED_VERTEX_SHADER_INSTRUCTIONS_EXT = 0x87CA; /// enum GL_MAX_OPTIMIZED_VERTEX_SHADER_INVARIANTS_EXT = 0x87CD; /// enum GL_MAX_OPTIMIZED_VERTEX_SHADER_LOCALS_EXT = 0x87CE; /// enum GL_MAX_OPTIMIZED_VERTEX_SHADER_LOCAL_CONSTANTS_EXT = 0x87CC; /// enum GL_MAX_OPTIMIZED_VERTEX_SHADER_VARIANTS_EXT = 0x87CB; /// enum GL_MAX_PALETTE_MATRICES_ARB = 0x8842; /// enum GL_MAX_PALETTE_MATRICES_OES = 0x8842; /// enum GL_MAX_PATCH_VERTICES = 0x8E7D; /// enum GL_MAX_PATCH_VERTICES_EXT = 0x8E7D; /// enum GL_MAX_PATCH_VERTICES_OES = 0x8E7D; /// enum GL_MAX_PIXEL_MAP_TABLE = 0x0D34; /// enum GL_MAX_PIXEL_TRANSFORM_2D_STACK_DEPTH_EXT = 0x8337; /// enum GL_MAX_PN_TRIANGLES_TESSELATION_LEVEL_ATI = 0x87F1; /// enum GL_MAX_PROGRAM_ADDRESS_REGISTERS_ARB = 0x88B1; /// enum GL_MAX_PROGRAM_ALU_INSTRUCTIONS_ARB = 0x880B; /// enum GL_MAX_PROGRAM_ATTRIBS_ARB = 0x88AD; /// enum GL_MAX_PROGRAM_ATTRIB_COMPONENTS_NV = 0x8908; /// enum GL_MAX_PROGRAM_CALL_DEPTH_NV = 0x88F5; /// enum GL_MAX_PROGRAM_ENV_PARAMETERS_ARB = 0x88B5; /// enum GL_MAX_PROGRAM_EXEC_INSTRUCTIONS_NV = 0x88F4; /// enum GL_MAX_PROGRAM_GENERIC_ATTRIBS_NV = 0x8DA5; /// enum GL_MAX_PROGRAM_GENERIC_RESULTS_NV = 0x8DA6; /// enum GL_MAX_PROGRAM_IF_DEPTH_NV = 0x88F6; /// enum GL_MAX_PROGRAM_INSTRUCTIONS_ARB = 0x88A1; /// enum GL_MAX_PROGRAM_LOCAL_PARAMETERS_ARB = 0x88B4; /// enum GL_MAX_PROGRAM_LOOP_COUNT_NV = 0x88F8; /// enum GL_MAX_PROGRAM_LOOP_DEPTH_NV = 0x88F7; /// enum GL_MAX_PROGRAM_MATRICES_ARB = 0x862F; /// enum GL_MAX_PROGRAM_MATRIX_STACK_DEPTH_ARB = 0x862E; /// enum GL_MAX_PROGRAM_NATIVE_ADDRESS_REGISTERS_ARB = 0x88B3; /// enum GL_MAX_PROGRAM_NATIVE_ALU_INSTRUCTIONS_ARB = 0x880E; /// enum GL_MAX_PROGRAM_NATIVE_ATTRIBS_ARB = 0x88AF; /// enum GL_MAX_PROGRAM_NATIVE_INSTRUCTIONS_ARB = 0x88A3; /// enum GL_MAX_PROGRAM_NATIVE_PARAMETERS_ARB = 0x88AB; /// enum GL_MAX_PROGRAM_NATIVE_TEMPORARIES_ARB = 0x88A7; /// enum GL_MAX_PROGRAM_NATIVE_TEX_INDIRECTIONS_ARB = 0x8810; /// enum GL_MAX_PROGRAM_NATIVE_TEX_INSTRUCTIONS_ARB = 0x880F; /// enum GL_MAX_PROGRAM_OUTPUT_VERTICES_NV = 0x8C27; /// enum GL_MAX_PROGRAM_PARAMETERS_ARB = 0x88A9; /// enum GL_MAX_PROGRAM_PARAMETER_BUFFER_BINDINGS_NV = 0x8DA0; /// enum GL_MAX_PROGRAM_PARAMETER_BUFFER_SIZE_NV = 0x8DA1; /// enum GL_MAX_PROGRAM_PATCH_ATTRIBS_NV = 0x86D8; /// enum GL_MAX_PROGRAM_RESULT_COMPONENTS_NV = 0x8909; /// enum GL_MAX_PROGRAM_SUBROUTINE_NUM_NV = 0x8F45; /// enum GL_MAX_PROGRAM_SUBROUTINE_PARAMETERS_NV = 0x8F44; /// enum GL_MAX_PROGRAM_TEMPORARIES_ARB = 0x88A5; /// enum GL_MAX_PROGRAM_TEXEL_OFFSET = 0x8905; /// enum GL_MAX_PROGRAM_TEXEL_OFFSET_EXT = 0x8905; /// enum GL_MAX_PROGRAM_TEXEL_OFFSET_NV = 0x8905; /// enum GL_MAX_PROGRAM_TEXTURE_GATHER_COMPONENTS_ARB = 0x8F9F; /// enum GL_MAX_PROGRAM_TEXTURE_GATHER_OFFSET = 0x8E5F; /// enum GL_MAX_PROGRAM_TEXTURE_GATHER_OFFSET_ARB = 0x8E5F; /// enum GL_MAX_PROGRAM_TEXTURE_GATHER_OFFSET_NV = 0x8E5F; /// enum GL_MAX_PROGRAM_TEX_INDIRECTIONS_ARB = 0x880D; /// enum GL_MAX_PROGRAM_TEX_INSTRUCTIONS_ARB = 0x880C; /// enum GL_MAX_PROGRAM_TOTAL_OUTPUT_COMPONENTS_NV = 0x8C28; /// enum GL_MAX_PROJECTION_STACK_DEPTH = 0x0D38; /// enum GL_MAX_RASTER_SAMPLES_EXT = 0x9329; /// enum GL_MAX_RATIONAL_EVAL_ORDER_NV = 0x86D7; /// enum GL_MAX_RECTANGLE_TEXTURE_SIZE = 0x84F8; /// enum GL_MAX_RECTANGLE_TEXTURE_SIZE_ARB = 0x84F8; /// enum GL_MAX_RECTANGLE_TEXTURE_SIZE_NV = 0x84F8; /// enum GL_MAX_RENDERBUFFER_SIZE = 0x84E8; /// enum GL_MAX_RENDERBUFFER_SIZE_EXT = 0x84E8; /// enum GL_MAX_RENDERBUFFER_SIZE_OES = 0x84E8; /// enum GL_MAX_SAMPLES = 0x8D57; /// enum GL_MAX_SAMPLES_ANGLE = 0x8D57; /// enum GL_MAX_SAMPLES_APPLE = 0x8D57; /// enum GL_MAX_SAMPLES_EXT = 0x8D57; /// enum GL_MAX_SAMPLES_IMG = 0x9135; /// enum GL_MAX_SAMPLES_NV = 0x8D57; /// enum GL_MAX_SAMPLE_MASK_WORDS = 0x8E59; /// enum GL_MAX_SAMPLE_MASK_WORDS_NV = 0x8E59; /// enum GL_MAX_SERVER_WAIT_TIMEOUT = 0x9111; /// enum GL_MAX_SERVER_WAIT_TIMEOUT_APPLE = 0x9111; /// enum GL_MAX_SHADER_BUFFER_ADDRESS_NV = 0x8F35; /// enum GL_MAX_SHADER_COMBINED_LOCAL_STORAGE_FAST_SIZE_EXT = 0x9650; /// enum GL_MAX_SHADER_COMBINED_LOCAL_STORAGE_SIZE_EXT = 0x9651; /// enum GL_MAX_SHADER_COMPILER_THREADS_ARB = 0x91B0; /// enum GL_MAX_SHADER_PIXEL_LOCAL_STORAGE_FAST_SIZE_EXT = 0x8F63; /// enum GL_MAX_SHADER_PIXEL_LOCAL_STORAGE_SIZE_EXT = 0x8F67; /// enum GL_MAX_SHADER_STORAGE_BLOCK_SIZE = 0x90DE; /// enum GL_MAX_SHADER_STORAGE_BUFFER_BINDINGS = 0x90DD; /// enum GL_MAX_SHININESS_NV = 0x8504; /// enum GL_MAX_SPARSE_3D_TEXTURE_SIZE_AMD = 0x9199; /// enum GL_MAX_SPARSE_3D_TEXTURE_SIZE_ARB = 0x9199; /// enum GL_MAX_SPARSE_3D_TEXTURE_SIZE_EXT = 0x9199; /// enum GL_MAX_SPARSE_ARRAY_TEXTURE_LAYERS = 0x919A; /// enum GL_MAX_SPARSE_ARRAY_TEXTURE_LAYERS_ARB = 0x919A; /// enum GL_MAX_SPARSE_ARRAY_TEXTURE_LAYERS_EXT = 0x919A; /// enum GL_MAX_SPARSE_TEXTURE_SIZE_AMD = 0x9198; /// enum GL_MAX_SPARSE_TEXTURE_SIZE_ARB = 0x9198; /// enum GL_MAX_SPARSE_TEXTURE_SIZE_EXT = 0x9198; /// enum GL_MAX_SPOT_EXPONENT_NV = 0x8505; /// enum GL_MAX_SUBPIXEL_PRECISION_BIAS_BITS_NV = 0x9349; /// enum GL_MAX_SUBROUTINES = 0x8DE7; /// enum GL_MAX_SUBROUTINE_UNIFORM_LOCATIONS = 0x8DE8; /// enum GL_MAX_TESS_CONTROL_ATOMIC_COUNTERS = 0x92D3; /// enum GL_MAX_TESS_CONTROL_ATOMIC_COUNTERS_EXT = 0x92D3; /// enum GL_MAX_TESS_CONTROL_ATOMIC_COUNTERS_OES = 0x92D3; /// enum GL_MAX_TESS_CONTROL_ATOMIC_COUNTER_BUFFERS = 0x92CD; /// enum GL_MAX_TESS_CONTROL_ATOMIC_COUNTER_BUFFERS_EXT = 0x92CD; /// enum GL_MAX_TESS_CONTROL_ATOMIC_COUNTER_BUFFERS_OES = 0x92CD; /// enum GL_MAX_TESS_CONTROL_IMAGE_UNIFORMS = 0x90CB; /// enum GL_MAX_TESS_CONTROL_IMAGE_UNIFORMS_EXT = 0x90CB; /// enum GL_MAX_TESS_CONTROL_IMAGE_UNIFORMS_OES = 0x90CB; /// enum GL_MAX_TESS_CONTROL_INPUT_COMPONENTS = 0x886C; /// enum GL_MAX_TESS_CONTROL_INPUT_COMPONENTS_EXT = 0x886C; /// enum GL_MAX_TESS_CONTROL_INPUT_COMPONENTS_OES = 0x886C; /// enum GL_MAX_TESS_CONTROL_OUTPUT_COMPONENTS = 0x8E83; /// enum GL_MAX_TESS_CONTROL_OUTPUT_COMPONENTS_EXT = 0x8E83; /// enum GL_MAX_TESS_CONTROL_OUTPUT_COMPONENTS_OES = 0x8E83; /// enum GL_MAX_TESS_CONTROL_SHADER_STORAGE_BLOCKS = 0x90D8; /// enum GL_MAX_TESS_CONTROL_SHADER_STORAGE_BLOCKS_EXT = 0x90D8; /// enum GL_MAX_TESS_CONTROL_SHADER_STORAGE_BLOCKS_OES = 0x90D8; /// enum GL_MAX_TESS_CONTROL_TEXTURE_IMAGE_UNITS = 0x8E81; /// enum GL_MAX_TESS_CONTROL_TEXTURE_IMAGE_UNITS_EXT = 0x8E81; /// enum GL_MAX_TESS_CONTROL_TEXTURE_IMAGE_UNITS_OES = 0x8E81; /// enum GL_MAX_TESS_CONTROL_TOTAL_OUTPUT_COMPONENTS = 0x8E85; /// enum GL_MAX_TESS_CONTROL_TOTAL_OUTPUT_COMPONENTS_EXT = 0x8E85; /// enum GL_MAX_TESS_CONTROL_TOTAL_OUTPUT_COMPONENTS_OES = 0x8E85; /// enum GL_MAX_TESS_CONTROL_UNIFORM_BLOCKS = 0x8E89; /// enum GL_MAX_TESS_CONTROL_UNIFORM_BLOCKS_EXT = 0x8E89; /// enum GL_MAX_TESS_CONTROL_UNIFORM_BLOCKS_OES = 0x8E89; /// enum GL_MAX_TESS_CONTROL_UNIFORM_COMPONENTS = 0x8E7F; /// enum GL_MAX_TESS_CONTROL_UNIFORM_COMPONENTS_EXT = 0x8E7F; /// enum GL_MAX_TESS_CONTROL_UNIFORM_COMPONENTS_OES = 0x8E7F; /// enum GL_MAX_TESS_EVALUATION_ATOMIC_COUNTERS = 0x92D4; /// enum GL_MAX_TESS_EVALUATION_ATOMIC_COUNTERS_EXT = 0x92D4; /// enum GL_MAX_TESS_EVALUATION_ATOMIC_COUNTERS_OES = 0x92D4; /// enum GL_MAX_TESS_EVALUATION_ATOMIC_COUNTER_BUFFERS = 0x92CE; /// enum GL_MAX_TESS_EVALUATION_ATOMIC_COUNTER_BUFFERS_EXT = 0x92CE; /// enum GL_MAX_TESS_EVALUATION_ATOMIC_COUNTER_BUFFERS_OES = 0x92CE; /// enum GL_MAX_TESS_EVALUATION_IMAGE_UNIFORMS = 0x90CC; /// enum GL_MAX_TESS_EVALUATION_IMAGE_UNIFORMS_EXT = 0x90CC; /// enum GL_MAX_TESS_EVALUATION_IMAGE_UNIFORMS_OES = 0x90CC; /// enum GL_MAX_TESS_EVALUATION_INPUT_COMPONENTS = 0x886D; /// enum GL_MAX_TESS_EVALUATION_INPUT_COMPONENTS_EXT = 0x886D; /// enum GL_MAX_TESS_EVALUATION_INPUT_COMPONENTS_OES = 0x886D; /// enum GL_MAX_TESS_EVALUATION_OUTPUT_COMPONENTS = 0x8E86; /// enum GL_MAX_TESS_EVALUATION_OUTPUT_COMPONENTS_EXT = 0x8E86; /// enum GL_MAX_TESS_EVALUATION_OUTPUT_COMPONENTS_OES = 0x8E86; /// enum GL_MAX_TESS_EVALUATION_SHADER_STORAGE_BLOCKS = 0x90D9; /// enum GL_MAX_TESS_EVALUATION_SHADER_STORAGE_BLOCKS_EXT = 0x90D9; /// enum GL_MAX_TESS_EVALUATION_SHADER_STORAGE_BLOCKS_OES = 0x90D9; /// enum GL_MAX_TESS_EVALUATION_TEXTURE_IMAGE_UNITS = 0x8E82; /// enum GL_MAX_TESS_EVALUATION_TEXTURE_IMAGE_UNITS_EXT = 0x8E82; /// enum GL_MAX_TESS_EVALUATION_TEXTURE_IMAGE_UNITS_OES = 0x8E82; /// enum GL_MAX_TESS_EVALUATION_UNIFORM_BLOCKS = 0x8E8A; /// enum GL_MAX_TESS_EVALUATION_UNIFORM_BLOCKS_EXT = 0x8E8A; /// enum GL_MAX_TESS_EVALUATION_UNIFORM_BLOCKS_OES = 0x8E8A; /// enum GL_MAX_TESS_EVALUATION_UNIFORM_COMPONENTS = 0x8E80; /// enum GL_MAX_TESS_EVALUATION_UNIFORM_COMPONENTS_EXT = 0x8E80; /// enum GL_MAX_TESS_EVALUATION_UNIFORM_COMPONENTS_OES = 0x8E80; /// enum GL_MAX_TESS_GEN_LEVEL = 0x8E7E; /// enum GL_MAX_TESS_GEN_LEVEL_EXT = 0x8E7E; /// enum GL_MAX_TESS_GEN_LEVEL_OES = 0x8E7E; /// enum GL_MAX_TESS_PATCH_COMPONENTS = 0x8E84; /// enum GL_MAX_TESS_PATCH_COMPONENTS_EXT = 0x8E84; /// enum GL_MAX_TESS_PATCH_COMPONENTS_OES = 0x8E84; /// enum GL_MAX_TEXTURE_BUFFER_SIZE = 0x8C2B; /// enum GL_MAX_TEXTURE_BUFFER_SIZE_ARB = 0x8C2B; /// enum GL_MAX_TEXTURE_BUFFER_SIZE_EXT = 0x8C2B; /// enum GL_MAX_TEXTURE_BUFFER_SIZE_OES = 0x8C2B; /// enum GL_MAX_TEXTURE_COORDS = 0x8871; /// enum GL_MAX_TEXTURE_COORDS_ARB = 0x8871; /// enum GL_MAX_TEXTURE_COORDS_NV = 0x8871; /// enum GL_MAX_TEXTURE_IMAGE_UNITS = 0x8872; /// enum GL_MAX_TEXTURE_IMAGE_UNITS_ARB = 0x8872; /// enum GL_MAX_TEXTURE_IMAGE_UNITS_NV = 0x8872; /// enum GL_MAX_TEXTURE_LOD_BIAS = 0x84FD; /// enum GL_MAX_TEXTURE_LOD_BIAS_EXT = 0x84FD; /// enum GL_MAX_TEXTURE_MAX_ANISOTROPY_EXT = 0x84FF; /// enum GL_MAX_TEXTURE_SIZE = 0x0D33; /// enum GL_MAX_TEXTURE_STACK_DEPTH = 0x0D39; /// enum GL_MAX_TEXTURE_UNITS = 0x84E2; /// enum GL_MAX_TEXTURE_UNITS_ARB = 0x84E2; /// enum GL_MAX_TRACK_MATRICES_NV = 0x862F; /// enum GL_MAX_TRACK_MATRIX_STACK_DEPTH_NV = 0x862E; /// enum GL_MAX_TRANSFORM_FEEDBACK_BUFFERS = 0x8E70; /// enum GL_MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS = 0x8C8A; /// enum GL_MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS_EXT = 0x8C8A; /// enum GL_MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS_NV = 0x8C8A; /// enum GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_ATTRIBS = 0x8C8B; /// enum GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_ATTRIBS_EXT = 0x8C8B; /// enum GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_ATTRIBS_NV = 0x8C8B; /// enum GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS = 0x8C80; /// enum GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS_EXT = 0x8C80; /// enum GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS_NV = 0x8C80; /// enum GL_MAX_UNIFORM_BLOCK_SIZE = 0x8A30; /// enum GL_MAX_UNIFORM_BUFFER_BINDINGS = 0x8A2F; /// enum GL_MAX_UNIFORM_LOCATIONS = 0x826E; /// enum GL_MAX_VARYING_COMPONENTS = 0x8B4B; /// enum GL_MAX_VARYING_COMPONENTS_EXT = 0x8B4B; /// enum GL_MAX_VARYING_FLOATS = 0x8B4B; /// enum GL_MAX_VARYING_FLOATS_ARB = 0x8B4B; /// enum GL_MAX_VARYING_VECTORS = 0x8DFC; /// enum GL_MAX_VERTEX_ARRAY_RANGE_ELEMENT_NV = 0x8520; /// enum GL_MAX_VERTEX_ATOMIC_COUNTERS = 0x92D2; /// enum GL_MAX_VERTEX_ATOMIC_COUNTER_BUFFERS = 0x92CC; /// enum GL_MAX_VERTEX_ATTRIBS = 0x8869; /// enum GL_MAX_VERTEX_ATTRIBS_ARB = 0x8869; /// enum GL_MAX_VERTEX_ATTRIB_BINDINGS = 0x82DA; /// enum GL_MAX_VERTEX_ATTRIB_RELATIVE_OFFSET = 0x82D9; /// enum GL_MAX_VERTEX_ATTRIB_STRIDE = 0x82E5; /// enum GL_MAX_VERTEX_BINDABLE_UNIFORMS_EXT = 0x8DE2; /// enum GL_MAX_VERTEX_HINT_PGI = 0x1A22D; /// enum GL_MAX_VERTEX_IMAGE_UNIFORMS = 0x90CA; /// enum GL_MAX_VERTEX_OUTPUT_COMPONENTS = 0x9122; /// enum GL_MAX_VERTEX_SHADER_INSTRUCTIONS_EXT = 0x87C5; /// enum GL_MAX_VERTEX_SHADER_INVARIANTS_EXT = 0x87C7; /// enum GL_MAX_VERTEX_SHADER_LOCALS_EXT = 0x87C9; /// enum GL_MAX_VERTEX_SHADER_LOCAL_CONSTANTS_EXT = 0x87C8; /// enum GL_MAX_VERTEX_SHADER_STORAGE_BLOCKS = 0x90D6; /// enum GL_MAX_VERTEX_SHADER_VARIANTS_EXT = 0x87C6; /// enum GL_MAX_VERTEX_STREAMS = 0x8E71; /// enum GL_MAX_VERTEX_STREAMS_ATI = 0x876B; /// enum GL_MAX_VERTEX_TEXTURE_IMAGE_UNITS = 0x8B4C; /// enum GL_MAX_VERTEX_TEXTURE_IMAGE_UNITS_ARB = 0x8B4C; /// enum GL_MAX_VERTEX_UNIFORM_BLOCKS = 0x8A2B; /// enum GL_MAX_VERTEX_UNIFORM_COMPONENTS = 0x8B4A; /// enum GL_MAX_VERTEX_UNIFORM_COMPONENTS_ARB = 0x8B4A; /// enum GL_MAX_VERTEX_UNIFORM_VECTORS = 0x8DFB; /// enum GL_MAX_VERTEX_UNITS_ARB = 0x86A4; /// enum GL_MAX_VERTEX_UNITS_OES = 0x86A4; /// enum GL_MAX_VERTEX_VARYING_COMPONENTS_ARB = 0x8DDE; /// enum GL_MAX_VERTEX_VARYING_COMPONENTS_EXT = 0x8DDE; /// enum GL_MAX_VIEWPORTS = 0x825B; /// enum GL_MAX_VIEWPORTS_NV = 0x825B; /// enum GL_MAX_VIEWPORTS_OES = 0x825B; /// enum GL_MAX_VIEWPORT_DIMS = 0x0D3A; /// enum GL_MAX_VIEWS_OVR = 0x9631; /// enum GL_MAX_WIDTH = 0x827E; /// enum GL_MAX_WINDOW_RECTANGLES_EXT = 0x8F14; /// enum GL_MEDIUM_FLOAT = 0x8DF1; /// enum GL_MEDIUM_INT = 0x8DF4; /// enum GL_MIN = 0x8007; /// enum GL_MINMAX = 0x802E; /// enum GL_MINMAX_EXT = 0x802E; /// enum GL_MINMAX_FORMAT = 0x802F; /// enum GL_MINMAX_FORMAT_EXT = 0x802F; /// enum GL_MINMAX_SINK = 0x8030; /// enum GL_MINMAX_SINK_EXT = 0x8030; /// enum GL_MINOR_VERSION = 0x821C; /// enum GL_MINUS_CLAMPED_NV = 0x92B3; /// enum GL_MINUS_NV = 0x929F; /// enum GL_MIN_EXT = 0x8007; /// enum GL_MIN_FRAGMENT_INTERPOLATION_OFFSET = 0x8E5B; /// enum GL_MIN_FRAGMENT_INTERPOLATION_OFFSET_NV = 0x8E5B; /// enum GL_MIN_FRAGMENT_INTERPOLATION_OFFSET_OES = 0x8E5B; /// enum GL_MIN_LOD_WARNING_AMD = 0x919C; /// enum GL_MIN_MAP_BUFFER_ALIGNMENT = 0x90BC; /// enum GL_MIN_PROGRAM_TEXEL_OFFSET = 0x8904; /// enum GL_MIN_PROGRAM_TEXEL_OFFSET_EXT = 0x8904; /// enum GL_MIN_PROGRAM_TEXEL_OFFSET_NV = 0x8904; /// enum GL_MIN_PROGRAM_TEXTURE_GATHER_OFFSET = 0x8E5E; /// enum GL_MIN_PROGRAM_TEXTURE_GATHER_OFFSET_ARB = 0x8E5E; /// enum GL_MIN_PROGRAM_TEXTURE_GATHER_OFFSET_NV = 0x8E5E; /// enum GL_MIN_SAMPLE_SHADING_VALUE = 0x8C37; /// enum GL_MIN_SAMPLE_SHADING_VALUE_ARB = 0x8C37; /// enum GL_MIN_SAMPLE_SHADING_VALUE_OES = 0x8C37; /// enum GL_MIN_SPARSE_LEVEL_AMD = 0x919B; /// enum GL_MIPMAP = 0x8293; /// enum GL_MIRRORED_REPEAT = 0x8370; /// enum GL_MIRRORED_REPEAT_ARB = 0x8370; /// enum GL_MIRRORED_REPEAT_IBM = 0x8370; /// enum GL_MIRRORED_REPEAT_OES = 0x8370; /// enum GL_MIRROR_CLAMP_ATI = 0x8742; /// enum GL_MIRROR_CLAMP_EXT = 0x8742; /// enum GL_MIRROR_CLAMP_TO_BORDER_EXT = 0x8912; /// enum GL_MIRROR_CLAMP_TO_EDGE = 0x8743; /// enum GL_MIRROR_CLAMP_TO_EDGE_ATI = 0x8743; /// enum GL_MIRROR_CLAMP_TO_EDGE_EXT = 0x8743; /// enum GL_MITER_REVERT_NV = 0x90A7; /// enum GL_MITER_TRUNCATE_NV = 0x90A8; /// enum GL_MIXED_DEPTH_SAMPLES_SUPPORTED_NV = 0x932F; /// enum GL_MIXED_STENCIL_SAMPLES_SUPPORTED_NV = 0x9330; /// enum GL_MODELVIEW = 0x1700; /// enum GL_MODELVIEW0_ARB = 0x1700; /// enum GL_MODELVIEW0_EXT = 0x1700; /// enum GL_MODELVIEW0_MATRIX_EXT = 0x0BA6; /// enum GL_MODELVIEW0_STACK_DEPTH_EXT = 0x0BA3; /// enum GL_MODELVIEW10_ARB = 0x872A; /// enum GL_MODELVIEW11_ARB = 0x872B; /// enum GL_MODELVIEW12_ARB = 0x872C; /// enum GL_MODELVIEW13_ARB = 0x872D; /// enum GL_MODELVIEW14_ARB = 0x872E; /// enum GL_MODELVIEW15_ARB = 0x872F; /// enum GL_MODELVIEW16_ARB = 0x8730; /// enum GL_MODELVIEW17_ARB = 0x8731; /// enum GL_MODELVIEW18_ARB = 0x8732; /// enum GL_MODELVIEW19_ARB = 0x8733; /// enum GL_MODELVIEW1_ARB = 0x850A; /// enum GL_MODELVIEW1_EXT = 0x850A; /// enum GL_MODELVIEW1_MATRIX_EXT = 0x8506; /// enum GL_MODELVIEW1_STACK_DEPTH_EXT = 0x8502; /// enum GL_MODELVIEW20_ARB = 0x8734; /// enum GL_MODELVIEW21_ARB = 0x8735; /// enum GL_MODELVIEW22_ARB = 0x8736; /// enum GL_MODELVIEW23_ARB = 0x8737; /// enum GL_MODELVIEW24_ARB = 0x8738; /// enum GL_MODELVIEW25_ARB = 0x8739; /// enum GL_MODELVIEW26_ARB = 0x873A; /// enum GL_MODELVIEW27_ARB = 0x873B; /// enum GL_MODELVIEW28_ARB = 0x873C; /// enum GL_MODELVIEW29_ARB = 0x873D; /// enum GL_MODELVIEW2_ARB = 0x8722; /// enum GL_MODELVIEW30_ARB = 0x873E; /// enum GL_MODELVIEW31_ARB = 0x873F; /// enum GL_MODELVIEW3_ARB = 0x8723; /// enum GL_MODELVIEW4_ARB = 0x8724; /// enum GL_MODELVIEW5_ARB = 0x8725; /// enum GL_MODELVIEW6_ARB = 0x8726; /// enum GL_MODELVIEW7_ARB = 0x8727; /// enum GL_MODELVIEW8_ARB = 0x8728; /// enum GL_MODELVIEW9_ARB = 0x8729; /// enum GL_MODELVIEW_MATRIX = 0x0BA6; /// enum GL_MODELVIEW_MATRIX_FLOAT_AS_INT_BITS_OES = 0x898D; /// enum GL_MODELVIEW_PROJECTION_NV = 0x8629; /// enum GL_MODELVIEW_STACK_DEPTH = 0x0BA3; /// enum GL_MODULATE = 0x2100; /// enum GL_MODULATE_ADD_ATI = 0x8744; /// enum GL_MODULATE_COLOR_IMG = 0x8C04; /// enum GL_MODULATE_SIGNED_ADD_ATI = 0x8745; /// enum GL_MODULATE_SUBTRACT_ATI = 0x8746; /// enum GL_MOVE_TO_CONTINUES_NV = 0x90B6; /// enum GL_MOVE_TO_NV = 0x02; /// enum GL_MOVE_TO_RESETS_NV = 0x90B5; /// enum GL_MOV_ATI = 0x8961; /// enum GL_MULT = 0x0103; /// enum GL_MULTIPLY = 0x9294; /// enum GL_MULTIPLY_KHR = 0x9294; /// enum GL_MULTIPLY_NV = 0x9294; /// enum GL_MULTISAMPLE = 0x809D; /// enum GL_MULTISAMPLES_NV = 0x9371; /// enum GL_MULTISAMPLE_3DFX = 0x86B2; /// enum GL_MULTISAMPLE_ARB = 0x809D; /// enum GL_MULTISAMPLE_BIT = 0x20000000; /// enum GL_MULTISAMPLE_BIT_3DFX = 0x20000000; /// enum GL_MULTISAMPLE_BIT_ARB = 0x20000000; /// enum GL_MULTISAMPLE_BIT_EXT = 0x20000000; /// enum GL_MULTISAMPLE_BUFFER_BIT0_QCOM = 0x01000000; /// enum GL_MULTISAMPLE_BUFFER_BIT1_QCOM = 0x02000000; /// enum GL_MULTISAMPLE_BUFFER_BIT2_QCOM = 0x04000000; /// enum GL_MULTISAMPLE_BUFFER_BIT3_QCOM = 0x08000000; /// enum GL_MULTISAMPLE_BUFFER_BIT4_QCOM = 0x10000000; /// enum GL_MULTISAMPLE_BUFFER_BIT5_QCOM = 0x20000000; /// enum GL_MULTISAMPLE_BUFFER_BIT6_QCOM = 0x40000000; /// enum GL_MULTISAMPLE_BUFFER_BIT7_QCOM = 0x80000000; /// enum GL_MULTISAMPLE_COVERAGE_MODES_NV = 0x8E12; /// enum GL_MULTISAMPLE_EXT = 0x809D; /// enum GL_MULTISAMPLE_FILTER_HINT_NV = 0x8534; /// enum GL_MULTISAMPLE_LINE_WIDTH_GRANULARITY = 0x9382; /// enum GL_MULTISAMPLE_LINE_WIDTH_GRANULARITY_ARB = 0x9382; /// enum GL_MULTISAMPLE_LINE_WIDTH_RANGE = 0x9381; /// enum GL_MULTISAMPLE_LINE_WIDTH_RANGE_ARB = 0x9381; /// enum GL_MULTISAMPLE_RASTERIZATION_ALLOWED_EXT = 0x932B; /// enum GL_MULTISAMPLE_SGIS = 0x809D; /// enum GL_MULTIVIEW_EXT = 0x90F1; /// enum GL_MUL_ATI = 0x8964; /// enum GL_MVP_MATRIX_EXT = 0x87E3; /// enum GL_N3F_V3F = 0x2A25; /// enum GL_NAMED_STRING_LENGTH_ARB = 0x8DE9; /// enum GL_NAMED_STRING_TYPE_ARB = 0x8DEA; /// enum GL_NAME_LENGTH = 0x92F9; /// enum GL_NAME_STACK_DEPTH = 0x0D70; /// enum GL_NAND = 0x150E; /// enum GL_NATIVE_GRAPHICS_BEGIN_HINT_PGI = 0x1A203; /// enum GL_NATIVE_GRAPHICS_END_HINT_PGI = 0x1A204; /// enum GL_NATIVE_GRAPHICS_HANDLE_PGI = 0x1A202; /// enum GL_NEAREST = 0x2600; /// enum GL_NEAREST_CLIPMAP_LINEAR_SGIX = 0x844E; /// enum GL_NEAREST_CLIPMAP_NEAREST_SGIX = 0x844D; /// enum GL_NEAREST_MIPMAP_LINEAR = 0x2702; /// enum GL_NEAREST_MIPMAP_NEAREST = 0x2700; /// enum GL_NEGATE_BIT_ATI = 0x00000004; /// enum GL_NEGATIVE_ONE_EXT = 0x87DF; /// enum GL_NEGATIVE_ONE_TO_ONE = 0x935E; /// enum GL_NEGATIVE_W_EXT = 0x87DC; /// enum GL_NEGATIVE_X_EXT = 0x87D9; /// enum GL_NEGATIVE_Y_EXT = 0x87DA; /// enum GL_NEGATIVE_Z_EXT = 0x87DB; /// enum GL_NEVER = 0x0200; /// enum GL_NEXT_BUFFER_NV = -2; /// enum GL_NEXT_VIDEO_CAPTURE_BUFFER_STATUS_NV = 0x9025; /// enum GL_NICEST = 0x1102; /// enum GL_NONE = 0; /// enum GL_NONE_OES = 0; /// enum GL_NOOP = 0x1505; /// enum GL_NOP_COMMAND_NV = 0x0001; /// enum GL_NOR = 0x1508; /// enum GL_NORMALIZE = 0x0BA1; /// enum GL_NORMALIZED_RANGE_EXT = 0x87E0; /// enum GL_NORMAL_ARRAY = 0x8075; /// enum GL_NORMAL_ARRAY_ADDRESS_NV = 0x8F22; /// enum GL_NORMAL_ARRAY_BUFFER_BINDING = 0x8897; /// enum GL_NORMAL_ARRAY_BUFFER_BINDING_ARB = 0x8897; /// enum GL_NORMAL_ARRAY_COUNT_EXT = 0x8080; /// enum GL_NORMAL_ARRAY_EXT = 0x8075; /// enum GL_NORMAL_ARRAY_LENGTH_NV = 0x8F2C; /// enum GL_NORMAL_ARRAY_LIST_IBM = 0x103071; /// enum GL_NORMAL_ARRAY_LIST_STRIDE_IBM = 0x103081; /// enum GL_NORMAL_ARRAY_PARALLEL_POINTERS_INTEL = 0x83F6; /// enum GL_NORMAL_ARRAY_POINTER = 0x808F; /// enum GL_NORMAL_ARRAY_POINTER_EXT = 0x808F; /// enum GL_NORMAL_ARRAY_STRIDE = 0x807F; /// enum GL_NORMAL_ARRAY_STRIDE_EXT = 0x807F; /// enum GL_NORMAL_ARRAY_TYPE = 0x807E; /// enum GL_NORMAL_ARRAY_TYPE_EXT = 0x807E; /// enum GL_NORMAL_BIT_PGI = 0x08000000; /// enum GL_NORMAL_MAP = 0x8511; /// enum GL_NORMAL_MAP_ARB = 0x8511; /// enum GL_NORMAL_MAP_EXT = 0x8511; /// enum GL_NORMAL_MAP_NV = 0x8511; /// enum GL_NORMAL_MAP_OES = 0x8511; /// enum GL_NOTEQUAL = 0x0205; /// enum GL_NO_ERROR = 0; /// enum GL_NO_RESET_NOTIFICATION = 0x8261; /// enum GL_NO_RESET_NOTIFICATION_ARB = 0x8261; /// enum GL_NO_RESET_NOTIFICATION_EXT = 0x8261; /// enum GL_NO_RESET_NOTIFICATION_KHR = 0x8261; /// enum GL_NUM_ACTIVE_VARIABLES = 0x9304; /// enum GL_NUM_COMPATIBLE_SUBROUTINES = 0x8E4A; /// enum GL_NUM_COMPRESSED_TEXTURE_FORMATS = 0x86A2; /// enum GL_NUM_COMPRESSED_TEXTURE_FORMATS_ARB = 0x86A2; /// enum GL_NUM_DOWNSAMPLE_SCALES_IMG = 0x913D; /// enum GL_NUM_EXTENSIONS = 0x821D; /// enum GL_NUM_FILL_STREAMS_NV = 0x8E29; /// enum GL_NUM_FRAGMENT_CONSTANTS_ATI = 0x896F; /// enum GL_NUM_FRAGMENT_REGISTERS_ATI = 0x896E; /// enum GL_NUM_GENERAL_COMBINERS_NV = 0x854E; /// enum GL_NUM_INPUT_INTERPOLATOR_COMPONENTS_ATI = 0x8973; /// enum GL_NUM_INSTRUCTIONS_PER_PASS_ATI = 0x8971; /// enum GL_NUM_INSTRUCTIONS_TOTAL_ATI = 0x8972; /// enum GL_NUM_LOOPBACK_COMPONENTS_ATI = 0x8974; /// enum GL_NUM_PASSES_ATI = 0x8970; /// enum GL_NUM_PROGRAM_BINARY_FORMATS = 0x87FE; /// enum GL_NUM_PROGRAM_BINARY_FORMATS_OES = 0x87FE; /// enum GL_NUM_SAMPLE_COUNTS = 0x9380; /// enum GL_NUM_SHADER_BINARY_FORMATS = 0x8DF9; /// enum GL_NUM_SHADING_LANGUAGE_VERSIONS = 0x82E9; /// enum GL_NUM_SPARSE_LEVELS_ARB = 0x91AA; /// enum GL_NUM_SPARSE_LEVELS_EXT = 0x91AA; /// enum GL_NUM_VIDEO_CAPTURE_STREAMS_NV = 0x9024; /// enum GL_NUM_VIRTUAL_PAGE_SIZES_ARB = 0x91A8; /// enum GL_NUM_VIRTUAL_PAGE_SIZES_EXT = 0x91A8; /// enum GL_NUM_WINDOW_RECTANGLES_EXT = 0x8F15; /// enum GL_OBJECT_ACTIVE_ATTRIBUTES_ARB = 0x8B89; /// enum GL_OBJECT_ACTIVE_ATTRIBUTE_MAX_LENGTH_ARB = 0x8B8A; /// enum GL_OBJECT_ACTIVE_UNIFORMS_ARB = 0x8B86; /// enum GL_OBJECT_ACTIVE_UNIFORM_MAX_LENGTH_ARB = 0x8B87; /// enum GL_OBJECT_ATTACHED_OBJECTS_ARB = 0x8B85; /// enum GL_OBJECT_BUFFER_SIZE_ATI = 0x8764; /// enum GL_OBJECT_BUFFER_USAGE_ATI = 0x8765; /// enum GL_OBJECT_COMPILE_STATUS_ARB = 0x8B81; /// enum GL_OBJECT_DELETE_STATUS_ARB = 0x8B80; /// enum GL_OBJECT_DISTANCE_TO_LINE_SGIS = 0x81F3; /// enum GL_OBJECT_DISTANCE_TO_POINT_SGIS = 0x81F1; /// enum GL_OBJECT_INFO_LOG_LENGTH_ARB = 0x8B84; /// enum GL_OBJECT_LINEAR = 0x2401; /// enum GL_OBJECT_LINEAR_NV = 0x2401; /// enum GL_OBJECT_LINE_SGIS = 0x81F7; /// enum GL_OBJECT_LINK_STATUS_ARB = 0x8B82; /// enum GL_OBJECT_PLANE = 0x2501; /// enum GL_OBJECT_POINT_SGIS = 0x81F5; /// enum GL_OBJECT_SHADER_SOURCE_LENGTH_ARB = 0x8B88; /// enum GL_OBJECT_SUBTYPE_ARB = 0x8B4F; /// enum GL_OBJECT_TYPE = 0x9112; /// enum GL_OBJECT_TYPE_APPLE = 0x9112; /// enum GL_OBJECT_TYPE_ARB = 0x8B4E; /// enum GL_OBJECT_VALIDATE_STATUS_ARB = 0x8B83; /// enum GL_OCCLUSION_QUERY_EVENT_MASK_AMD = 0x874F; /// enum GL_OCCLUSION_TEST_HP = 0x8165; /// enum GL_OCCLUSION_TEST_RESULT_HP = 0x8166; /// enum GL_OFFSET = 0x92FC; /// enum GL_OFFSET_HILO_PROJECTIVE_TEXTURE_2D_NV = 0x8856; /// enum GL_OFFSET_HILO_PROJECTIVE_TEXTURE_RECTANGLE_NV = 0x8857; /// enum GL_OFFSET_HILO_TEXTURE_2D_NV = 0x8854; /// enum GL_OFFSET_HILO_TEXTURE_RECTANGLE_NV = 0x8855; /// enum GL_OFFSET_PROJECTIVE_TEXTURE_2D_NV = 0x8850; /// enum GL_OFFSET_PROJECTIVE_TEXTURE_2D_SCALE_NV = 0x8851; /// enum GL_OFFSET_PROJECTIVE_TEXTURE_RECTANGLE_NV = 0x8852; /// enum GL_OFFSET_PROJECTIVE_TEXTURE_RECTANGLE_SCALE_NV = 0x8853; /// enum GL_OFFSET_TEXTURE_2D_BIAS_NV = 0x86E3; /// enum GL_OFFSET_TEXTURE_2D_MATRIX_NV = 0x86E1; /// enum GL_OFFSET_TEXTURE_2D_NV = 0x86E8; /// enum GL_OFFSET_TEXTURE_2D_SCALE_NV = 0x86E2; /// enum GL_OFFSET_TEXTURE_BIAS_NV = 0x86E3; /// enum GL_OFFSET_TEXTURE_MATRIX_NV = 0x86E1; /// enum GL_OFFSET_TEXTURE_RECTANGLE_NV = 0x864C; /// enum GL_OFFSET_TEXTURE_RECTANGLE_SCALE_NV = 0x864D; /// enum GL_OFFSET_TEXTURE_SCALE_NV = 0x86E2; /// enum GL_ONE = 1; /// enum GL_ONE_EXT = 0x87DE; /// enum GL_ONE_MINUS_CONSTANT_ALPHA = 0x8004; /// enum GL_ONE_MINUS_CONSTANT_ALPHA_EXT = 0x8004; /// enum GL_ONE_MINUS_CONSTANT_COLOR = 0x8002; /// enum GL_ONE_MINUS_CONSTANT_COLOR_EXT = 0x8002; /// enum GL_ONE_MINUS_DST_ALPHA = 0x0305; /// enum GL_ONE_MINUS_DST_COLOR = 0x0307; /// enum GL_ONE_MINUS_SRC1_ALPHA = 0x88FB; /// enum GL_ONE_MINUS_SRC1_ALPHA_EXT = 0x88FB; /// enum GL_ONE_MINUS_SRC1_COLOR = 0x88FA; /// enum GL_ONE_MINUS_SRC1_COLOR_EXT = 0x88FA; /// enum GL_ONE_MINUS_SRC_ALPHA = 0x0303; /// enum GL_ONE_MINUS_SRC_COLOR = 0x0301; /// enum GL_OPERAND0_ALPHA = 0x8598; /// enum GL_OPERAND0_ALPHA_ARB = 0x8598; /// enum GL_OPERAND0_ALPHA_EXT = 0x8598; /// enum GL_OPERAND0_RGB = 0x8590; /// enum GL_OPERAND0_RGB_ARB = 0x8590; /// enum GL_OPERAND0_RGB_EXT = 0x8590; /// enum GL_OPERAND1_ALPHA = 0x8599; /// enum GL_OPERAND1_ALPHA_ARB = 0x8599; /// enum GL_OPERAND1_ALPHA_EXT = 0x8599; /// enum GL_OPERAND1_RGB = 0x8591; /// enum GL_OPERAND1_RGB_ARB = 0x8591; /// enum GL_OPERAND1_RGB_EXT = 0x8591; /// enum GL_OPERAND2_ALPHA = 0x859A; /// enum GL_OPERAND2_ALPHA_ARB = 0x859A; /// enum GL_OPERAND2_ALPHA_EXT = 0x859A; /// enum GL_OPERAND2_RGB = 0x8592; /// enum GL_OPERAND2_RGB_ARB = 0x8592; /// enum GL_OPERAND2_RGB_EXT = 0x8592; /// enum GL_OPERAND3_ALPHA_NV = 0x859B; /// enum GL_OPERAND3_RGB_NV = 0x8593; /// enum GL_OP_ADD_EXT = 0x8787; /// enum GL_OP_CLAMP_EXT = 0x878E; /// enum GL_OP_CROSS_PRODUCT_EXT = 0x8797; /// enum GL_OP_DOT3_EXT = 0x8784; /// enum GL_OP_DOT4_EXT = 0x8785; /// enum GL_OP_EXP_BASE_2_EXT = 0x8791; /// enum GL_OP_FLOOR_EXT = 0x878F; /// enum GL_OP_FRAC_EXT = 0x8789; /// enum GL_OP_INDEX_EXT = 0x8782; /// enum GL_OP_LOG_BASE_2_EXT = 0x8792; /// enum GL_OP_MADD_EXT = 0x8788; /// enum GL_OP_MAX_EXT = 0x878A; /// enum GL_OP_MIN_EXT = 0x878B; /// enum GL_OP_MOV_EXT = 0x8799; /// enum GL_OP_MULTIPLY_MATRIX_EXT = 0x8798; /// enum GL_OP_MUL_EXT = 0x8786; /// enum GL_OP_NEGATE_EXT = 0x8783; /// enum GL_OP_POWER_EXT = 0x8793; /// enum GL_OP_RECIP_EXT = 0x8794; /// enum GL_OP_RECIP_SQRT_EXT = 0x8795; /// enum GL_OP_ROUND_EXT = 0x8790; /// enum GL_OP_SET_GE_EXT = 0x878C; /// enum GL_OP_SET_LT_EXT = 0x878D; /// enum GL_OP_SUB_EXT = 0x8796; /// enum GL_OR = 0x1507; /// enum GL_ORDER = 0x0A01; /// enum GL_OR_INVERTED = 0x150D; /// enum GL_OR_REVERSE = 0x150B; /// enum GL_OUTPUT_COLOR0_EXT = 0x879B; /// enum GL_OUTPUT_COLOR1_EXT = 0x879C; /// enum GL_OUTPUT_FOG_EXT = 0x87BD; /// enum GL_OUTPUT_TEXTURE_COORD0_EXT = 0x879D; /// enum GL_OUTPUT_TEXTURE_COORD10_EXT = 0x87A7; /// enum GL_OUTPUT_TEXTURE_COORD11_EXT = 0x87A8; /// enum GL_OUTPUT_TEXTURE_COORD12_EXT = 0x87A9; /// enum GL_OUTPUT_TEXTURE_COORD13_EXT = 0x87AA; /// enum GL_OUTPUT_TEXTURE_COORD14_EXT = 0x87AB; /// enum GL_OUTPUT_TEXTURE_COORD15_EXT = 0x87AC; /// enum GL_OUTPUT_TEXTURE_COORD16_EXT = 0x87AD; /// enum GL_OUTPUT_TEXTURE_COORD17_EXT = 0x87AE; /// enum GL_OUTPUT_TEXTURE_COORD18_EXT = 0x87AF; /// enum GL_OUTPUT_TEXTURE_COORD19_EXT = 0x87B0; /// enum GL_OUTPUT_TEXTURE_COORD1_EXT = 0x879E; /// enum GL_OUTPUT_TEXTURE_COORD20_EXT = 0x87B1; /// enum GL_OUTPUT_TEXTURE_COORD21_EXT = 0x87B2; /// enum GL_OUTPUT_TEXTURE_COORD22_EXT = 0x87B3; /// enum GL_OUTPUT_TEXTURE_COORD23_EXT = 0x87B4; /// enum GL_OUTPUT_TEXTURE_COORD24_EXT = 0x87B5; /// enum GL_OUTPUT_TEXTURE_COORD25_EXT = 0x87B6; /// enum GL_OUTPUT_TEXTURE_COORD26_EXT = 0x87B7; /// enum GL_OUTPUT_TEXTURE_COORD27_EXT = 0x87B8; /// enum GL_OUTPUT_TEXTURE_COORD28_EXT = 0x87B9; /// enum GL_OUTPUT_TEXTURE_COORD29_EXT = 0x87BA; /// enum GL_OUTPUT_TEXTURE_COORD2_EXT = 0x879F; /// enum GL_OUTPUT_TEXTURE_COORD30_EXT = 0x87BB; /// enum GL_OUTPUT_TEXTURE_COORD31_EXT = 0x87BC; /// enum GL_OUTPUT_TEXTURE_COORD3_EXT = 0x87A0; /// enum GL_OUTPUT_TEXTURE_COORD4_EXT = 0x87A1; /// enum GL_OUTPUT_TEXTURE_COORD5_EXT = 0x87A2; /// enum GL_OUTPUT_TEXTURE_COORD6_EXT = 0x87A3; /// enum GL_OUTPUT_TEXTURE_COORD7_EXT = 0x87A4; /// enum GL_OUTPUT_TEXTURE_COORD8_EXT = 0x87A5; /// enum GL_OUTPUT_TEXTURE_COORD9_EXT = 0x87A6; /// enum GL_OUTPUT_VERTEX_EXT = 0x879A; /// enum GL_OUT_OF_MEMORY = 0x0505; /// enum GL_OVERLAY = 0x9296; /// enum GL_OVERLAY_KHR = 0x9296; /// enum GL_OVERLAY_NV = 0x9296; /// enum GL_PACK_ALIGNMENT = 0x0D05; /// enum GL_PACK_CMYK_HINT_EXT = 0x800E; /// enum GL_PACK_COMPRESSED_BLOCK_DEPTH = 0x912D; /// enum GL_PACK_COMPRESSED_BLOCK_HEIGHT = 0x912C; /// enum GL_PACK_COMPRESSED_BLOCK_SIZE = 0x912E; /// enum GL_PACK_COMPRESSED_BLOCK_WIDTH = 0x912B; /// enum GL_PACK_COMPRESSED_SIZE_SGIX = 0x831C; /// enum GL_PACK_IMAGE_DEPTH_SGIS = 0x8131; /// enum GL_PACK_IMAGE_HEIGHT = 0x806C; /// enum GL_PACK_IMAGE_HEIGHT_EXT = 0x806C; /// enum GL_PACK_INVERT_MESA = 0x8758; /// enum GL_PACK_LSB_FIRST = 0x0D01; /// enum GL_PACK_MAX_COMPRESSED_SIZE_SGIX = 0x831B; /// enum GL_PACK_RESAMPLE_OML = 0x8984; /// enum GL_PACK_RESAMPLE_SGIX = 0x842E; /// enum GL_PACK_REVERSE_ROW_ORDER_ANGLE = 0x93A4; /// enum GL_PACK_ROW_BYTES_APPLE = 0x8A15; /// enum GL_PACK_ROW_LENGTH = 0x0D02; /// enum GL_PACK_SKIP_IMAGES = 0x806B; /// enum GL_PACK_SKIP_IMAGES_EXT = 0x806B; /// enum GL_PACK_SKIP_PIXELS = 0x0D04; /// enum GL_PACK_SKIP_ROWS = 0x0D03; /// enum GL_PACK_SKIP_VOLUMES_SGIS = 0x8130; /// enum GL_PACK_SUBSAMPLE_RATE_SGIX = 0x85A0; /// enum GL_PACK_SWAP_BYTES = 0x0D00; /// enum GL_PALETTE4_R5_G6_B5_OES = 0x8B92; /// enum GL_PALETTE4_RGB5_A1_OES = 0x8B94; /// enum GL_PALETTE4_RGB8_OES = 0x8B90; /// enum GL_PALETTE4_RGBA4_OES = 0x8B93; /// enum GL_PALETTE4_RGBA8_OES = 0x8B91; /// enum GL_PALETTE8_R5_G6_B5_OES = 0x8B97; /// enum GL_PALETTE8_RGB5_A1_OES = 0x8B99; /// enum GL_PALETTE8_RGB8_OES = 0x8B95; /// enum GL_PALETTE8_RGBA4_OES = 0x8B98; /// enum GL_PALETTE8_RGBA8_OES = 0x8B96; /// enum GL_PARALLEL_ARRAYS_INTEL = 0x83F4; /// enum GL_PARAMETER_BUFFER_ARB = 0x80EE; /// enum GL_PARAMETER_BUFFER_BINDING_ARB = 0x80EF; /// enum GL_PARTIAL_SUCCESS_NV = 0x902E; /// enum GL_PASS_THROUGH_NV = 0x86E6; /// enum GL_PASS_THROUGH_TOKEN = 0x0700; /// enum GL_PATCHES = 0x000E; /// enum GL_PATCHES_EXT = 0x000E; /// enum GL_PATCHES_OES = 0x000E; /// enum GL_PATCH_DEFAULT_INNER_LEVEL = 0x8E73; /// enum GL_PATCH_DEFAULT_INNER_LEVEL_EXT = 0x8E73; /// enum GL_PATCH_DEFAULT_OUTER_LEVEL = 0x8E74; /// enum GL_PATCH_DEFAULT_OUTER_LEVEL_EXT = 0x8E74; /// enum GL_PATCH_VERTICES = 0x8E72; /// enum GL_PATCH_VERTICES_EXT = 0x8E72; /// enum GL_PATCH_VERTICES_OES = 0x8E72; /// enum GL_PATH_CLIENT_LENGTH_NV = 0x907F; /// enum GL_PATH_COMMAND_COUNT_NV = 0x909D; /// enum GL_PATH_COMPUTED_LENGTH_NV = 0x90A0; /// enum GL_PATH_COORD_COUNT_NV = 0x909E; /// enum GL_PATH_COVER_DEPTH_FUNC_NV = 0x90BF; /// enum GL_PATH_DASH_ARRAY_COUNT_NV = 0x909F; /// enum GL_PATH_DASH_CAPS_NV = 0x907B; /// enum GL_PATH_DASH_OFFSET_NV = 0x907E; /// enum GL_PATH_DASH_OFFSET_RESET_NV = 0x90B4; /// enum GL_PATH_END_CAPS_NV = 0x9076; /// enum GL_PATH_ERROR_POSITION_NV = 0x90AB; /// enum GL_PATH_FILL_BOUNDING_BOX_NV = 0x90A1; /// enum GL_PATH_FILL_COVER_MODE_NV = 0x9082; /// enum GL_PATH_FILL_MASK_NV = 0x9081; /// enum GL_PATH_FILL_MODE_NV = 0x9080; /// enum GL_PATH_FOG_GEN_MODE_NV = 0x90AC; /// enum GL_PATH_FORMAT_PS_NV = 0x9071; /// enum GL_PATH_FORMAT_SVG_NV = 0x9070; /// enum GL_PATH_GEN_COEFF_NV = 0x90B1; /// enum GL_PATH_GEN_COLOR_FORMAT_NV = 0x90B2; /// enum GL_PATH_GEN_COMPONENTS_NV = 0x90B3; /// enum GL_PATH_GEN_MODE_NV = 0x90B0; /// enum GL_PATH_INITIAL_DASH_CAP_NV = 0x907C; /// enum GL_PATH_INITIAL_END_CAP_NV = 0x9077; /// enum GL_PATH_JOIN_STYLE_NV = 0x9079; /// enum GL_PATH_MAX_MODELVIEW_STACK_DEPTH_NV = 0x0D36; /// enum GL_PATH_MAX_PROJECTION_STACK_DEPTH_NV = 0x0D38; /// enum GL_PATH_MITER_LIMIT_NV = 0x907A; /// enum GL_PATH_MODELVIEW_MATRIX_NV = 0x0BA6; /// enum GL_PATH_MODELVIEW_NV = 0x1700; /// enum GL_PATH_MODELVIEW_STACK_DEPTH_NV = 0x0BA3; /// enum GL_PATH_OBJECT_BOUNDING_BOX_NV = 0x908A; /// enum GL_PATH_PROJECTION_MATRIX_NV = 0x0BA7; /// enum GL_PATH_PROJECTION_NV = 0x1701; /// enum GL_PATH_PROJECTION_STACK_DEPTH_NV = 0x0BA4; /// enum GL_PATH_STENCIL_DEPTH_OFFSET_FACTOR_NV = 0x90BD; /// enum GL_PATH_STENCIL_DEPTH_OFFSET_UNITS_NV = 0x90BE; /// enum GL_PATH_STENCIL_FUNC_NV = 0x90B7; /// enum GL_PATH_STENCIL_REF_NV = 0x90B8; /// enum GL_PATH_STENCIL_VALUE_MASK_NV = 0x90B9; /// enum GL_PATH_STROKE_BOUNDING_BOX_NV = 0x90A2; /// enum GL_PATH_STROKE_COVER_MODE_NV = 0x9083; /// enum GL_PATH_STROKE_MASK_NV = 0x9084; /// enum GL_PATH_STROKE_WIDTH_NV = 0x9075; /// enum GL_PATH_TERMINAL_DASH_CAP_NV = 0x907D; /// enum GL_PATH_TERMINAL_END_CAP_NV = 0x9078; /// enum GL_PATH_TRANSPOSE_MODELVIEW_MATRIX_NV = 0x84E3; /// enum GL_PATH_TRANSPOSE_PROJECTION_MATRIX_NV = 0x84E4; /// enum GL_PERCENTAGE_AMD = 0x8BC3; /// enum GL_PERFMON_GLOBAL_MODE_QCOM = 0x8FA0; /// enum GL_PERFMON_RESULT_AMD = 0x8BC6; /// enum GL_PERFMON_RESULT_AVAILABLE_AMD = 0x8BC4; /// enum GL_PERFMON_RESULT_SIZE_AMD = 0x8BC5; /// enum GL_PERFORMANCE_MONITOR_AMD = 0x9152; /// enum GL_PERFQUERY_COUNTER_DATA_BOOL32_INTEL = 0x94FC; /// enum GL_PERFQUERY_COUNTER_DATA_DOUBLE_INTEL = 0x94FB; /// enum GL_PERFQUERY_COUNTER_DATA_FLOAT_INTEL = 0x94FA; /// enum GL_PERFQUERY_COUNTER_DATA_UINT32_INTEL = 0x94F8; /// enum GL_PERFQUERY_COUNTER_DATA_UINT64_INTEL = 0x94F9; /// enum GL_PERFQUERY_COUNTER_DESC_LENGTH_MAX_INTEL = 0x94FF; /// enum GL_PERFQUERY_COUNTER_DURATION_NORM_INTEL = 0x94F1; /// enum GL_PERFQUERY_COUNTER_DURATION_RAW_INTEL = 0x94F2; /// enum GL_PERFQUERY_COUNTER_EVENT_INTEL = 0x94F0; /// enum GL_PERFQUERY_COUNTER_NAME_LENGTH_MAX_INTEL = 0x94FE; /// enum GL_PERFQUERY_COUNTER_RAW_INTEL = 0x94F4; /// enum GL_PERFQUERY_COUNTER_THROUGHPUT_INTEL = 0x94F3; /// enum GL_PERFQUERY_COUNTER_TIMESTAMP_INTEL = 0x94F5; /// enum GL_PERFQUERY_DONOT_FLUSH_INTEL = 0x83F9; /// enum GL_PERFQUERY_FLUSH_INTEL = 0x83FA; /// enum GL_PERFQUERY_GLOBAL_CONTEXT_INTEL = 0x00000001; /// enum GL_PERFQUERY_GPA_EXTENDED_COUNTERS_INTEL = 0x9500; /// enum GL_PERFQUERY_QUERY_NAME_LENGTH_MAX_INTEL = 0x94FD; /// enum GL_PERFQUERY_SINGLE_CONTEXT_INTEL = 0x00000000; /// enum GL_PERFQUERY_WAIT_INTEL = 0x83FB; /// enum GL_PERSPECTIVE_CORRECTION_HINT = 0x0C50; /// enum GL_PERTURB_EXT = 0x85AE; /// enum GL_PER_STAGE_CONSTANTS_NV = 0x8535; /// enum GL_PHONG_HINT_WIN = 0x80EB; /// enum GL_PHONG_WIN = 0x80EA; /// enum GL_PINLIGHT_NV = 0x92A8; /// enum GL_PIXEL_BUFFER_BARRIER_BIT = 0x00000080; /// enum GL_PIXEL_BUFFER_BARRIER_BIT_EXT = 0x00000080; /// enum GL_PIXEL_COUNTER_BITS_NV = 0x8864; /// enum GL_PIXEL_COUNT_AVAILABLE_NV = 0x8867; /// enum GL_PIXEL_COUNT_NV = 0x8866; /// enum GL_PIXEL_CUBIC_WEIGHT_EXT = 0x8333; /// enum GL_PIXEL_FRAGMENT_ALPHA_SOURCE_SGIS = 0x8355; /// enum GL_PIXEL_FRAGMENT_RGB_SOURCE_SGIS = 0x8354; /// enum GL_PIXEL_GROUP_COLOR_SGIS = 0x8356; /// enum GL_PIXEL_MAG_FILTER_EXT = 0x8331; /// enum GL_PIXEL_MAP_A_TO_A = 0x0C79; /// enum GL_PIXEL_MAP_A_TO_A_SIZE = 0x0CB9; /// enum GL_PIXEL_MAP_B_TO_B = 0x0C78; /// enum GL_PIXEL_MAP_B_TO_B_SIZE = 0x0CB8; /// enum GL_PIXEL_MAP_G_TO_G = 0x0C77; /// enum GL_PIXEL_MAP_G_TO_G_SIZE = 0x0CB7; /// enum GL_PIXEL_MAP_I_TO_A = 0x0C75; /// enum GL_PIXEL_MAP_I_TO_A_SIZE = 0x0CB5; /// enum GL_PIXEL_MAP_I_TO_B = 0x0C74; /// enum GL_PIXEL_MAP_I_TO_B_SIZE = 0x0CB4; /// enum GL_PIXEL_MAP_I_TO_G = 0x0C73; /// enum GL_PIXEL_MAP_I_TO_G_SIZE = 0x0CB3; /// enum GL_PIXEL_MAP_I_TO_I = 0x0C70; /// enum GL_PIXEL_MAP_I_TO_I_SIZE = 0x0CB0; /// enum GL_PIXEL_MAP_I_TO_R = 0x0C72; /// enum GL_PIXEL_MAP_I_TO_R_SIZE = 0x0CB2; /// enum GL_PIXEL_MAP_R_TO_R = 0x0C76; /// enum GL_PIXEL_MAP_R_TO_R_SIZE = 0x0CB6; /// enum GL_PIXEL_MAP_S_TO_S = 0x0C71; /// enum GL_PIXEL_MAP_S_TO_S_SIZE = 0x0CB1; /// enum GL_PIXEL_MIN_FILTER_EXT = 0x8332; /// enum GL_PIXEL_MODE_BIT = 0x00000020; /// enum GL_PIXEL_PACK_BUFFER = 0x88EB; /// enum GL_PIXEL_PACK_BUFFER_ARB = 0x88EB; /// enum GL_PIXEL_PACK_BUFFER_BINDING = 0x88ED; /// enum GL_PIXEL_PACK_BUFFER_BINDING_ARB = 0x88ED; /// enum GL_PIXEL_PACK_BUFFER_BINDING_EXT = 0x88ED; /// enum GL_PIXEL_PACK_BUFFER_EXT = 0x88EB; /// enum GL_PIXEL_SUBSAMPLE_2424_SGIX = 0x85A3; /// enum GL_PIXEL_SUBSAMPLE_4242_SGIX = 0x85A4; /// enum GL_PIXEL_SUBSAMPLE_4444_SGIX = 0x85A2; /// enum GL_PIXEL_TEXTURE_SGIS = 0x8353; /// enum GL_PIXEL_TEX_GEN_ALPHA_LS_SGIX = 0x8189; /// enum GL_PIXEL_TEX_GEN_ALPHA_MS_SGIX = 0x818A; /// enum GL_PIXEL_TEX_GEN_ALPHA_NO_REPLACE_SGIX = 0x8188; /// enum GL_PIXEL_TEX_GEN_ALPHA_REPLACE_SGIX = 0x8187; /// enum GL_PIXEL_TEX_GEN_MODE_SGIX = 0x832B; /// enum GL_PIXEL_TEX_GEN_Q_CEILING_SGIX = 0x8184; /// enum GL_PIXEL_TEX_GEN_Q_FLOOR_SGIX = 0x8186; /// enum GL_PIXEL_TEX_GEN_Q_ROUND_SGIX = 0x8185; /// enum GL_PIXEL_TEX_GEN_SGIX = 0x8139; /// enum GL_PIXEL_TILE_BEST_ALIGNMENT_SGIX = 0x813E; /// enum GL_PIXEL_TILE_CACHE_INCREMENT_SGIX = 0x813F; /// enum GL_PIXEL_TILE_CACHE_SIZE_SGIX = 0x8145; /// enum GL_PIXEL_TILE_GRID_DEPTH_SGIX = 0x8144; /// enum GL_PIXEL_TILE_GRID_HEIGHT_SGIX = 0x8143; /// enum GL_PIXEL_TILE_GRID_WIDTH_SGIX = 0x8142; /// enum GL_PIXEL_TILE_HEIGHT_SGIX = 0x8141; /// enum GL_PIXEL_TILE_WIDTH_SGIX = 0x8140; /// enum GL_PIXEL_TRANSFORM_2D_EXT = 0x8330; /// enum GL_PIXEL_TRANSFORM_2D_MATRIX_EXT = 0x8338; /// enum GL_PIXEL_TRANSFORM_2D_STACK_DEPTH_EXT = 0x8336; /// enum GL_PIXEL_UNPACK_BUFFER = 0x88EC; /// enum GL_PIXEL_UNPACK_BUFFER_ARB = 0x88EC; /// enum GL_PIXEL_UNPACK_BUFFER_BINDING = 0x88EF; /// enum GL_PIXEL_UNPACK_BUFFER_BINDING_ARB = 0x88EF; /// enum GL_PIXEL_UNPACK_BUFFER_BINDING_EXT = 0x88EF; /// enum GL_PIXEL_UNPACK_BUFFER_EXT = 0x88EC; /// enum GL_PLUS_CLAMPED_ALPHA_NV = 0x92B2; /// enum GL_PLUS_CLAMPED_NV = 0x92B1; /// enum GL_PLUS_DARKER_NV = 0x9292; /// enum GL_PLUS_NV = 0x9291; /// enum GL_PN_TRIANGLES_ATI = 0x87F0; /// enum GL_PN_TRIANGLES_NORMAL_MODE_ATI = 0x87F3; /// enum GL_PN_TRIANGLES_NORMAL_MODE_LINEAR_ATI = 0x87F7; /// enum GL_PN_TRIANGLES_NORMAL_MODE_QUADRATIC_ATI = 0x87F8; /// enum GL_PN_TRIANGLES_POINT_MODE_ATI = 0x87F2; /// enum GL_PN_TRIANGLES_POINT_MODE_CUBIC_ATI = 0x87F6; /// enum GL_PN_TRIANGLES_POINT_MODE_LINEAR_ATI = 0x87F5; /// enum GL_PN_TRIANGLES_TESSELATION_LEVEL_ATI = 0x87F4; /// enum GL_POINT = 0x1B00; /// enum GL_POINTS = 0x0000; /// enum GL_POINT_BIT = 0x00000002; /// enum GL_POINT_DISTANCE_ATTENUATION = 0x8129; /// enum GL_POINT_DISTANCE_ATTENUATION_ARB = 0x8129; /// enum GL_POINT_FADE_THRESHOLD_SIZE = 0x8128; /// enum GL_POINT_FADE_THRESHOLD_SIZE_ARB = 0x8128; /// enum GL_POINT_FADE_THRESHOLD_SIZE_EXT = 0x8128; /// enum GL_POINT_FADE_THRESHOLD_SIZE_SGIS = 0x8128; /// enum GL_POINT_NV = 0x1B00; /// enum GL_POINT_SIZE = 0x0B11; /// enum GL_POINT_SIZE_ARRAY_BUFFER_BINDING_OES = 0x8B9F; /// enum GL_POINT_SIZE_ARRAY_OES = 0x8B9C; /// enum GL_POINT_SIZE_ARRAY_POINTER_OES = 0x898C; /// enum GL_POINT_SIZE_ARRAY_STRIDE_OES = 0x898B; /// enum GL_POINT_SIZE_ARRAY_TYPE_OES = 0x898A; /// enum GL_POINT_SIZE_GRANULARITY = 0x0B13; /// enum GL_POINT_SIZE_MAX = 0x8127; /// enum GL_POINT_SIZE_MAX_ARB = 0x8127; /// enum GL_POINT_SIZE_MAX_EXT = 0x8127; /// enum GL_POINT_SIZE_MAX_SGIS = 0x8127; /// enum GL_POINT_SIZE_MIN = 0x8126; /// enum GL_POINT_SIZE_MIN_ARB = 0x8126; /// enum GL_POINT_SIZE_MIN_EXT = 0x8126; /// enum GL_POINT_SIZE_MIN_SGIS = 0x8126; /// enum GL_POINT_SIZE_RANGE = 0x0B12; /// enum GL_POINT_SMOOTH = 0x0B10; /// enum GL_POINT_SMOOTH_HINT = 0x0C51; /// enum GL_POINT_SPRITE = 0x8861; /// enum GL_POINT_SPRITE_ARB = 0x8861; /// enum GL_POINT_SPRITE_COORD_ORIGIN = 0x8CA0; /// enum GL_POINT_SPRITE_NV = 0x8861; /// enum GL_POINT_SPRITE_OES = 0x8861; /// enum GL_POINT_SPRITE_R_MODE_NV = 0x8863; /// enum GL_POINT_TOKEN = 0x0701; /// enum GL_POLYGON = 0x0009; /// enum GL_POLYGON_BIT = 0x00000008; /// enum GL_POLYGON_MODE = 0x0B40; /// enum GL_POLYGON_MODE_NV = 0x0B40; /// enum GL_POLYGON_OFFSET_BIAS_EXT = 0x8039; /// enum GL_POLYGON_OFFSET_CLAMP_EXT = 0x8E1B; /// enum GL_POLYGON_OFFSET_COMMAND_NV = 0x000E; /// enum GL_POLYGON_OFFSET_EXT = 0x8037; /// enum GL_POLYGON_OFFSET_FACTOR = 0x8038; /// enum GL_POLYGON_OFFSET_FACTOR_EXT = 0x8038; /// enum GL_POLYGON_OFFSET_FILL = 0x8037; /// enum GL_POLYGON_OFFSET_LINE = 0x2A02; /// enum GL_POLYGON_OFFSET_LINE_NV = 0x2A02; /// enum GL_POLYGON_OFFSET_POINT = 0x2A01; /// enum GL_POLYGON_OFFSET_POINT_NV = 0x2A01; /// enum GL_POLYGON_OFFSET_UNITS = 0x2A00; /// enum GL_POLYGON_SMOOTH = 0x0B41; /// enum GL_POLYGON_SMOOTH_HINT = 0x0C53; /// enum GL_POLYGON_STIPPLE = 0x0B42; /// enum GL_POLYGON_STIPPLE_BIT = 0x00000010; /// enum GL_POLYGON_TOKEN = 0x0703; /// enum GL_POSITION = 0x1203; /// enum GL_POST_COLOR_MATRIX_ALPHA_BIAS = 0x80BB; /// enum GL_POST_COLOR_MATRIX_ALPHA_BIAS_SGI = 0x80BB; /// enum GL_POST_COLOR_MATRIX_ALPHA_SCALE = 0x80B7; /// enum GL_POST_COLOR_MATRIX_ALPHA_SCALE_SGI = 0x80B7; /// enum GL_POST_COLOR_MATRIX_BLUE_BIAS = 0x80BA; /// enum GL_POST_COLOR_MATRIX_BLUE_BIAS_SGI = 0x80BA; /// enum GL_POST_COLOR_MATRIX_BLUE_SCALE = 0x80B6; /// enum GL_POST_COLOR_MATRIX_BLUE_SCALE_SGI = 0x80B6; /// enum GL_POST_COLOR_MATRIX_COLOR_TABLE = 0x80D2; /// enum GL_POST_COLOR_MATRIX_COLOR_TABLE_SGI = 0x80D2; /// enum GL_POST_COLOR_MATRIX_GREEN_BIAS = 0x80B9; /// enum GL_POST_COLOR_MATRIX_GREEN_BIAS_SGI = 0x80B9; /// enum GL_POST_COLOR_MATRIX_GREEN_SCALE = 0x80B5; /// enum GL_POST_COLOR_MATRIX_GREEN_SCALE_SGI = 0x80B5; /// enum GL_POST_COLOR_MATRIX_RED_BIAS = 0x80B8; /// enum GL_POST_COLOR_MATRIX_RED_BIAS_SGI = 0x80B8; /// enum GL_POST_COLOR_MATRIX_RED_SCALE = 0x80B4; /// enum GL_POST_COLOR_MATRIX_RED_SCALE_SGI = 0x80B4; /// enum GL_POST_CONVOLUTION_ALPHA_BIAS = 0x8023; /// enum GL_POST_CONVOLUTION_ALPHA_BIAS_EXT = 0x8023; /// enum GL_POST_CONVOLUTION_ALPHA_SCALE = 0x801F; /// enum GL_POST_CONVOLUTION_ALPHA_SCALE_EXT = 0x801F; /// enum GL_POST_CONVOLUTION_BLUE_BIAS = 0x8022; /// enum GL_POST_CONVOLUTION_BLUE_BIAS_EXT = 0x8022; /// enum GL_POST_CONVOLUTION_BLUE_SCALE = 0x801E; /// enum GL_POST_CONVOLUTION_BLUE_SCALE_EXT = 0x801E; /// enum GL_POST_CONVOLUTION_COLOR_TABLE = 0x80D1; /// enum GL_POST_CONVOLUTION_COLOR_TABLE_SGI = 0x80D1; /// enum GL_POST_CONVOLUTION_GREEN_BIAS = 0x8021; /// enum GL_POST_CONVOLUTION_GREEN_BIAS_EXT = 0x8021; /// enum GL_POST_CONVOLUTION_GREEN_SCALE = 0x801D; /// enum GL_POST_CONVOLUTION_GREEN_SCALE_EXT = 0x801D; /// enum GL_POST_CONVOLUTION_RED_BIAS = 0x8020; /// enum GL_POST_CONVOLUTION_RED_BIAS_EXT = 0x8020; /// enum GL_POST_CONVOLUTION_RED_SCALE = 0x801C; /// enum GL_POST_CONVOLUTION_RED_SCALE_EXT = 0x801C; /// enum GL_POST_IMAGE_TRANSFORM_COLOR_TABLE_HP = 0x8162; /// enum GL_POST_TEXTURE_FILTER_BIAS_RANGE_SGIX = 0x817B; /// enum GL_POST_TEXTURE_FILTER_BIAS_SGIX = 0x8179; /// enum GL_POST_TEXTURE_FILTER_SCALE_RANGE_SGIX = 0x817C; /// enum GL_POST_TEXTURE_FILTER_SCALE_SGIX = 0x817A; /// enum GL_PREFER_DOUBLEBUFFER_HINT_PGI = 0x1A1F8; /// enum GL_PRESENT_DURATION_NV = 0x8E2B; /// enum GL_PRESENT_TIME_NV = 0x8E2A; /// enum GL_PRESERVE_ATI = 0x8762; /// enum GL_PREVIOUS = 0x8578; /// enum GL_PREVIOUS_ARB = 0x8578; /// enum GL_PREVIOUS_EXT = 0x8578; /// enum GL_PREVIOUS_TEXTURE_INPUT_NV = 0x86E4; /// enum GL_PRIMARY_COLOR = 0x8577; /// enum GL_PRIMARY_COLOR_ARB = 0x8577; /// enum GL_PRIMARY_COLOR_EXT = 0x8577; /// enum GL_PRIMARY_COLOR_NV = 0x852C; /// enum GL_PRIMITIVES_GENERATED = 0x8C87; /// enum GL_PRIMITIVES_GENERATED_EXT = 0x8C87; /// enum GL_PRIMITIVES_GENERATED_NV = 0x8C87; /// enum GL_PRIMITIVES_GENERATED_OES = 0x8C87; /// enum GL_PRIMITIVES_SUBMITTED_ARB = 0x82EF; /// enum GL_PRIMITIVE_BOUNDING_BOX = 0x92BE; /// enum GL_PRIMITIVE_BOUNDING_BOX_ARB = 0x92BE; /// enum GL_PRIMITIVE_BOUNDING_BOX_EXT = 0x92BE; /// enum GL_PRIMITIVE_BOUNDING_BOX_OES = 0x92BE; /// enum GL_PRIMITIVE_ID_NV = 0x8C7C; /// enum GL_PRIMITIVE_RESTART = 0x8F9D; /// enum GL_PRIMITIVE_RESTART_FIXED_INDEX = 0x8D69; /// enum GL_PRIMITIVE_RESTART_FOR_PATCHES_SUPPORTED = 0x8221; /// enum GL_PRIMITIVE_RESTART_FOR_PATCHES_SUPPORTED_OES = 0x8221; /// enum GL_PRIMITIVE_RESTART_INDEX = 0x8F9E; /// enum GL_PRIMITIVE_RESTART_INDEX_NV = 0x8559; /// enum GL_PRIMITIVE_RESTART_NV = 0x8558; /// enum GL_PROGRAM = 0x82E2; /// enum GL_PROGRAMMABLE_SAMPLE_LOCATION_ARB = 0x9341; /// enum GL_PROGRAMMABLE_SAMPLE_LOCATION_NV = 0x9341; /// enum GL_PROGRAMMABLE_SAMPLE_LOCATION_TABLE_SIZE_ARB = 0x9340; /// enum GL_PROGRAMMABLE_SAMPLE_LOCATION_TABLE_SIZE_NV = 0x9340; /// enum GL_PROGRAM_ADDRESS_REGISTERS_ARB = 0x88B0; /// enum GL_PROGRAM_ALU_INSTRUCTIONS_ARB = 0x8805; /// enum GL_PROGRAM_ATTRIBS_ARB = 0x88AC; /// enum GL_PROGRAM_ATTRIB_COMPONENTS_NV = 0x8906; /// enum GL_PROGRAM_BINARY_ANGLE = 0x93A6; /// enum GL_PROGRAM_BINARY_FORMATS = 0x87FF; /// enum GL_PROGRAM_BINARY_FORMATS_OES = 0x87FF; /// enum GL_PROGRAM_BINARY_LENGTH = 0x8741; /// enum GL_PROGRAM_BINARY_LENGTH_OES = 0x8741; /// enum GL_PROGRAM_BINARY_RETRIEVABLE_HINT = 0x8257; /// enum GL_PROGRAM_BINDING_ARB = 0x8677; /// enum GL_PROGRAM_ERROR_POSITION_ARB = 0x864B; /// enum GL_PROGRAM_ERROR_POSITION_NV = 0x864B; /// enum GL_PROGRAM_ERROR_STRING_ARB = 0x8874; /// enum GL_PROGRAM_ERROR_STRING_NV = 0x8874; /// enum GL_PROGRAM_FORMAT_ARB = 0x8876; /// enum GL_PROGRAM_FORMAT_ASCII_ARB = 0x8875; /// enum GL_PROGRAM_INPUT = 0x92E3; /// enum GL_PROGRAM_INSTRUCTIONS_ARB = 0x88A0; /// enum GL_PROGRAM_KHR = 0x82E2; /// enum GL_PROGRAM_LENGTH_ARB = 0x8627; /// enum GL_PROGRAM_LENGTH_NV = 0x8627; /// enum GL_PROGRAM_MATRIX_EXT = 0x8E2D; /// enum GL_PROGRAM_MATRIX_STACK_DEPTH_EXT = 0x8E2F; /// enum GL_PROGRAM_NATIVE_ADDRESS_REGISTERS_ARB = 0x88B2; /// enum GL_PROGRAM_NATIVE_ALU_INSTRUCTIONS_ARB = 0x8808; /// enum GL_PROGRAM_NATIVE_ATTRIBS_ARB = 0x88AE; /// enum GL_PROGRAM_NATIVE_INSTRUCTIONS_ARB = 0x88A2; /// enum GL_PROGRAM_NATIVE_PARAMETERS_ARB = 0x88AA; /// enum GL_PROGRAM_NATIVE_TEMPORARIES_ARB = 0x88A6; /// enum GL_PROGRAM_NATIVE_TEX_INDIRECTIONS_ARB = 0x880A; /// enum GL_PROGRAM_NATIVE_TEX_INSTRUCTIONS_ARB = 0x8809; /// enum GL_PROGRAM_OBJECT_ARB = 0x8B40; /// enum GL_PROGRAM_OBJECT_EXT = 0x8B40; /// enum GL_PROGRAM_OUTPUT = 0x92E4; /// enum GL_PROGRAM_PARAMETERS_ARB = 0x88A8; /// enum GL_PROGRAM_PARAMETER_NV = 0x8644; /// enum GL_PROGRAM_PIPELINE = 0x82E4; /// enum GL_PROGRAM_PIPELINE_BINDING = 0x825A; /// enum GL_PROGRAM_PIPELINE_BINDING_EXT = 0x825A; /// enum GL_PROGRAM_PIPELINE_KHR = 0x82E4; /// enum GL_PROGRAM_PIPELINE_OBJECT_EXT = 0x8A4F; /// enum GL_PROGRAM_POINT_SIZE = 0x8642; /// enum GL_PROGRAM_POINT_SIZE_ARB = 0x8642; /// enum GL_PROGRAM_POINT_SIZE_EXT = 0x8642; /// enum GL_PROGRAM_RESIDENT_NV = 0x8647; /// enum GL_PROGRAM_RESULT_COMPONENTS_NV = 0x8907; /// enum GL_PROGRAM_SEPARABLE = 0x8258; /// enum GL_PROGRAM_SEPARABLE_EXT = 0x8258; /// enum GL_PROGRAM_STRING_ARB = 0x8628; /// enum GL_PROGRAM_STRING_NV = 0x8628; /// enum GL_PROGRAM_TARGET_NV = 0x8646; /// enum GL_PROGRAM_TEMPORARIES_ARB = 0x88A4; /// enum GL_PROGRAM_TEX_INDIRECTIONS_ARB = 0x8807; /// enum GL_PROGRAM_TEX_INSTRUCTIONS_ARB = 0x8806; /// enum GL_PROGRAM_UNDER_NATIVE_LIMITS_ARB = 0x88B6; /// enum GL_PROJECTION = 0x1701; /// enum GL_PROJECTION_MATRIX = 0x0BA7; /// enum GL_PROJECTION_MATRIX_FLOAT_AS_INT_BITS_OES = 0x898E; /// enum GL_PROJECTION_STACK_DEPTH = 0x0BA4; /// enum GL_PROVOKING_VERTEX = 0x8E4F; /// enum GL_PROVOKING_VERTEX_EXT = 0x8E4F; /// enum GL_PROXY_COLOR_TABLE = 0x80D3; /// enum GL_PROXY_COLOR_TABLE_SGI = 0x80D3; /// enum GL_PROXY_HISTOGRAM = 0x8025; /// enum GL_PROXY_HISTOGRAM_EXT = 0x8025; /// enum GL_PROXY_POST_COLOR_MATRIX_COLOR_TABLE = 0x80D5; /// enum GL_PROXY_POST_COLOR_MATRIX_COLOR_TABLE_SGI = 0x80D5; /// enum GL_PROXY_POST_CONVOLUTION_COLOR_TABLE = 0x80D4; /// enum GL_PROXY_POST_CONVOLUTION_COLOR_TABLE_SGI = 0x80D4; /// enum GL_PROXY_POST_IMAGE_TRANSFORM_COLOR_TABLE_HP = 0x8163; /// enum GL_PROXY_TEXTURE_1D = 0x8063; /// enum GL_PROXY_TEXTURE_1D_ARRAY = 0x8C19; /// enum GL_PROXY_TEXTURE_1D_ARRAY_EXT = 0x8C19; /// enum GL_PROXY_TEXTURE_1D_EXT = 0x8063; /// enum GL_PROXY_TEXTURE_1D_STACK_MESAX = 0x875B; /// enum GL_PROXY_TEXTURE_2D = 0x8064; /// enum GL_PROXY_TEXTURE_2D_ARRAY = 0x8C1B; /// enum GL_PROXY_TEXTURE_2D_ARRAY_EXT = 0x8C1B; /// enum GL_PROXY_TEXTURE_2D_EXT = 0x8064; /// enum GL_PROXY_TEXTURE_2D_MULTISAMPLE = 0x9101; /// enum GL_PROXY_TEXTURE_2D_MULTISAMPLE_ARRAY = 0x9103; /// enum GL_PROXY_TEXTURE_2D_STACK_MESAX = 0x875C; /// enum GL_PROXY_TEXTURE_3D = 0x8070; /// enum GL_PROXY_TEXTURE_3D_EXT = 0x8070; /// enum GL_PROXY_TEXTURE_4D_SGIS = 0x8135; /// enum GL_PROXY_TEXTURE_COLOR_TABLE_SGI = 0x80BD; /// enum GL_PROXY_TEXTURE_CUBE_MAP = 0x851B; /// enum GL_PROXY_TEXTURE_CUBE_MAP_ARB = 0x851B; /// enum GL_PROXY_TEXTURE_CUBE_MAP_ARRAY = 0x900B; /// enum GL_PROXY_TEXTURE_CUBE_MAP_ARRAY_ARB = 0x900B; /// enum GL_PROXY_TEXTURE_CUBE_MAP_EXT = 0x851B; /// enum GL_PROXY_TEXTURE_RECTANGLE = 0x84F7; /// enum GL_PROXY_TEXTURE_RECTANGLE_ARB = 0x84F7; /// enum GL_PROXY_TEXTURE_RECTANGLE_NV = 0x84F7; /// enum GL_PURGEABLE_APPLE = 0x8A1D; /// enum GL_PURGED_CONTEXT_RESET_NV = 0x92BB; /// enum GL_Q = 0x2003; /// enum GL_QUADRATIC_ATTENUATION = 0x1209; /// enum GL_QUADRATIC_CURVE_TO_NV = 0x0A; /// enum GL_QUADS = 0x0007; /// enum GL_QUADS_EXT = 0x0007; /// enum GL_QUADS_FOLLOW_PROVOKING_VERTEX_CONVENTION = 0x8E4C; /// enum GL_QUADS_FOLLOW_PROVOKING_VERTEX_CONVENTION_EXT = 0x8E4C; /// enum GL_QUADS_OES = 0x0007; /// enum GL_QUAD_ALPHA4_SGIS = 0x811E; /// enum GL_QUAD_ALPHA8_SGIS = 0x811F; /// enum GL_QUAD_INTENSITY4_SGIS = 0x8122; /// enum GL_QUAD_INTENSITY8_SGIS = 0x8123; /// enum GL_QUAD_LUMINANCE4_SGIS = 0x8120; /// enum GL_QUAD_LUMINANCE8_SGIS = 0x8121; /// enum GL_QUAD_MESH_SUN = 0x8614; /// enum GL_QUAD_STRIP = 0x0008; /// enum GL_QUAD_TEXTURE_SELECT_SGIS = 0x8125; /// enum GL_QUARTER_BIT_ATI = 0x00000010; /// enum GL_QUERY = 0x82E3; /// enum GL_QUERY_ALL_EVENT_BITS_AMD = 0xFFFFFFFF; /// enum GL_QUERY_BUFFER = 0x9192; /// enum GL_QUERY_BUFFER_AMD = 0x9192; /// enum GL_QUERY_BUFFER_BARRIER_BIT = 0x00008000; /// enum GL_QUERY_BUFFER_BINDING = 0x9193; /// enum GL_QUERY_BUFFER_BINDING_AMD = 0x9193; /// enum GL_QUERY_BY_REGION_NO_WAIT = 0x8E16; /// enum GL_QUERY_BY_REGION_NO_WAIT_INVERTED = 0x8E1A; /// enum GL_QUERY_BY_REGION_NO_WAIT_NV = 0x8E16; /// enum GL_QUERY_BY_REGION_WAIT = 0x8E15; /// enum GL_QUERY_BY_REGION_WAIT_INVERTED = 0x8E19; /// enum GL_QUERY_BY_REGION_WAIT_NV = 0x8E15; /// enum GL_QUERY_COUNTER_BITS = 0x8864; /// enum GL_QUERY_COUNTER_BITS_ARB = 0x8864; /// enum GL_QUERY_COUNTER_BITS_EXT = 0x8864; /// enum GL_QUERY_DEPTH_BOUNDS_FAIL_EVENT_BIT_AMD = 0x00000008; /// enum GL_QUERY_DEPTH_FAIL_EVENT_BIT_AMD = 0x00000002; /// enum GL_QUERY_DEPTH_PASS_EVENT_BIT_AMD = 0x00000001; /// enum GL_QUERY_KHR = 0x82E3; /// enum GL_QUERY_NO_WAIT = 0x8E14; /// enum GL_QUERY_NO_WAIT_INVERTED = 0x8E18; /// enum GL_QUERY_NO_WAIT_NV = 0x8E14; /// enum GL_QUERY_OBJECT_AMD = 0x9153; /// enum GL_QUERY_OBJECT_EXT = 0x9153; /// enum GL_QUERY_RESULT = 0x8866; /// enum GL_QUERY_RESULT_ARB = 0x8866; /// enum GL_QUERY_RESULT_AVAILABLE = 0x8867; /// enum GL_QUERY_RESULT_AVAILABLE_ARB = 0x8867; /// enum GL_QUERY_RESULT_AVAILABLE_EXT = 0x8867; /// enum GL_QUERY_RESULT_EXT = 0x8866; /// enum GL_QUERY_RESULT_NO_WAIT = 0x9194; /// enum GL_QUERY_RESULT_NO_WAIT_AMD = 0x9194; /// enum GL_QUERY_STENCIL_FAIL_EVENT_BIT_AMD = 0x00000004; /// enum GL_QUERY_TARGET = 0x82EA; /// enum GL_QUERY_WAIT = 0x8E13; /// enum GL_QUERY_WAIT_INVERTED = 0x8E17; /// enum GL_QUERY_WAIT_NV = 0x8E13; /// enum GL_R = 0x2002; /// enum GL_R11F_G11F_B10F = 0x8C3A; /// enum GL_R11F_G11F_B10F_APPLE = 0x8C3A; /// enum GL_R11F_G11F_B10F_EXT = 0x8C3A; /// enum GL_R16 = 0x822A; /// enum GL_R16F = 0x822D; /// enum GL_R16F_EXT = 0x822D; /// enum GL_R16I = 0x8233; /// enum GL_R16UI = 0x8234; /// enum GL_R16_EXT = 0x822A; /// enum GL_R16_SNORM = 0x8F98; /// enum GL_R16_SNORM_EXT = 0x8F98; /// enum GL_R1UI_C3F_V3F_SUN = 0x85C6; /// enum GL_R1UI_C4F_N3F_V3F_SUN = 0x85C8; /// enum GL_R1UI_C4UB_V3F_SUN = 0x85C5; /// enum GL_R1UI_N3F_V3F_SUN = 0x85C7; /// enum GL_R1UI_T2F_C4F_N3F_V3F_SUN = 0x85CB; /// enum GL_R1UI_T2F_N3F_V3F_SUN = 0x85CA; /// enum GL_R1UI_T2F_V3F_SUN = 0x85C9; /// enum GL_R1UI_V3F_SUN = 0x85C4; /// enum GL_R32F = 0x822E; /// enum GL_R32F_EXT = 0x822E; /// enum GL_R32I = 0x8235; /// enum GL_R32UI = 0x8236; /// enum GL_R3_G3_B2 = 0x2A10; /// enum GL_R8 = 0x8229; /// enum GL_R8I = 0x8231; /// enum GL_R8UI = 0x8232; /// enum GL_R8_EXT = 0x8229; /// enum GL_R8_SNORM = 0x8F94; /// enum GL_RASTERIZER_DISCARD = 0x8C89; /// enum GL_RASTERIZER_DISCARD_EXT = 0x8C89; /// enum GL_RASTERIZER_DISCARD_NV = 0x8C89; /// enum GL_RASTER_FIXED_SAMPLE_LOCATIONS_EXT = 0x932A; /// enum GL_RASTER_MULTISAMPLE_EXT = 0x9327; /// enum GL_RASTER_POSITION_UNCLIPPED_IBM = 0x19262; /// enum GL_RASTER_SAMPLES_EXT = 0x9328; /// enum GL_READ_BUFFER = 0x0C02; /// enum GL_READ_BUFFER_EXT = 0x0C02; /// enum GL_READ_BUFFER_NV = 0x0C02; /// enum GL_READ_FRAMEBUFFER = 0x8CA8; /// enum GL_READ_FRAMEBUFFER_ANGLE = 0x8CA8; /// enum GL_READ_FRAMEBUFFER_APPLE = 0x8CA8; /// enum GL_READ_FRAMEBUFFER_BINDING = 0x8CAA; /// enum GL_READ_FRAMEBUFFER_BINDING_ANGLE = 0x8CAA; /// enum GL_READ_FRAMEBUFFER_BINDING_APPLE = 0x8CAA; /// enum GL_READ_FRAMEBUFFER_BINDING_EXT = 0x8CAA; /// enum GL_READ_FRAMEBUFFER_BINDING_NV = 0x8CAA; /// enum GL_READ_FRAMEBUFFER_EXT = 0x8CA8; /// enum GL_READ_FRAMEBUFFER_NV = 0x8CA8; /// enum GL_READ_ONLY = 0x88B8; /// enum GL_READ_ONLY_ARB = 0x88B8; /// enum GL_READ_PIXELS = 0x828C; /// enum GL_READ_PIXELS_FORMAT = 0x828D; /// enum GL_READ_PIXELS_TYPE = 0x828E; /// enum GL_READ_PIXEL_DATA_RANGE_LENGTH_NV = 0x887B; /// enum GL_READ_PIXEL_DATA_RANGE_NV = 0x8879; /// enum GL_READ_PIXEL_DATA_RANGE_POINTER_NV = 0x887D; /// enum GL_READ_WRITE = 0x88BA; /// enum GL_READ_WRITE_ARB = 0x88BA; /// enum GL_RECIP_ADD_SIGNED_ALPHA_IMG = 0x8C05; /// enum GL_RECLAIM_MEMORY_HINT_PGI = 0x1A1FE; /// enum GL_RECT_NV = 0xF6; /// enum GL_RED = 0x1903; /// enum GL_REDUCE = 0x8016; /// enum GL_REDUCE_EXT = 0x8016; /// enum GL_RED_BIAS = 0x0D15; /// enum GL_RED_BITS = 0x0D52; /// enum GL_RED_BIT_ATI = 0x00000001; /// enum GL_RED_EXT = 0x1903; /// enum GL_RED_INTEGER = 0x8D94; /// enum GL_RED_INTEGER_EXT = 0x8D94; /// enum GL_RED_MAX_CLAMP_INGR = 0x8564; /// enum GL_RED_MIN_CLAMP_INGR = 0x8560; /// enum GL_RED_NV = 0x1903; /// enum GL_RED_SCALE = 0x0D14; /// enum GL_RED_SNORM = 0x8F90; /// enum GL_REFERENCED_BY_COMPUTE_SHADER = 0x930B; /// enum GL_REFERENCED_BY_FRAGMENT_SHADER = 0x930A; /// enum GL_REFERENCED_BY_GEOMETRY_SHADER = 0x9309; /// enum GL_REFERENCED_BY_GEOMETRY_SHADER_EXT = 0x9309; /// enum GL_REFERENCED_BY_GEOMETRY_SHADER_OES = 0x9309; /// enum GL_REFERENCED_BY_TESS_CONTROL_SHADER = 0x9307; /// enum GL_REFERENCED_BY_TESS_CONTROL_SHADER_EXT = 0x9307; /// enum GL_REFERENCED_BY_TESS_CONTROL_SHADER_OES = 0x9307; /// enum GL_REFERENCED_BY_TESS_EVALUATION_SHADER = 0x9308; /// enum GL_REFERENCED_BY_TESS_EVALUATION_SHADER_EXT = 0x9308; /// enum GL_REFERENCED_BY_TESS_EVALUATION_SHADER_OES = 0x9308; /// enum GL_REFERENCED_BY_VERTEX_SHADER = 0x9306; /// enum GL_REFERENCE_PLANE_EQUATION_SGIX = 0x817E; /// enum GL_REFERENCE_PLANE_SGIX = 0x817D; /// enum GL_REFLECTION_MAP = 0x8512; /// enum GL_REFLECTION_MAP_ARB = 0x8512; /// enum GL_REFLECTION_MAP_EXT = 0x8512; /// enum GL_REFLECTION_MAP_NV = 0x8512; /// enum GL_REFLECTION_MAP_OES = 0x8512; /// enum GL_REGISTER_COMBINERS_NV = 0x8522; /// enum GL_REG_0_ATI = 0x8921; /// enum GL_REG_10_ATI = 0x892B; /// enum GL_REG_11_ATI = 0x892C; /// enum GL_REG_12_ATI = 0x892D; /// enum GL_REG_13_ATI = 0x892E; /// enum GL_REG_14_ATI = 0x892F; /// enum GL_REG_15_ATI = 0x8930; /// enum GL_REG_16_ATI = 0x8931; /// enum GL_REG_17_ATI = 0x8932; /// enum GL_REG_18_ATI = 0x8933; /// enum GL_REG_19_ATI = 0x8934; /// enum GL_REG_1_ATI = 0x8922; /// enum GL_REG_20_ATI = 0x8935; /// enum GL_REG_21_ATI = 0x8936; /// enum GL_REG_22_ATI = 0x8937; /// enum GL_REG_23_ATI = 0x8938; /// enum GL_REG_24_ATI = 0x8939; /// enum GL_REG_25_ATI = 0x893A; /// enum GL_REG_26_ATI = 0x893B; /// enum GL_REG_27_ATI = 0x893C; /// enum GL_REG_28_ATI = 0x893D; /// enum GL_REG_29_ATI = 0x893E; /// enum GL_REG_2_ATI = 0x8923; /// enum GL_REG_30_ATI = 0x893F; /// enum GL_REG_31_ATI = 0x8940; /// enum GL_REG_3_ATI = 0x8924; /// enum GL_REG_4_ATI = 0x8925; /// enum GL_REG_5_ATI = 0x8926; /// enum GL_REG_6_ATI = 0x8927; /// enum GL_REG_7_ATI = 0x8928; /// enum GL_REG_8_ATI = 0x8929; /// enum GL_REG_9_ATI = 0x892A; /// enum GL_RELATIVE_ARC_TO_NV = 0xFF; /// enum GL_RELATIVE_CONIC_CURVE_TO_NV = 0x1B; /// enum GL_RELATIVE_CUBIC_CURVE_TO_NV = 0x0D; /// enum GL_RELATIVE_HORIZONTAL_LINE_TO_NV = 0x07; /// enum GL_RELATIVE_LARGE_CCW_ARC_TO_NV = 0x17; /// enum GL_RELATIVE_LARGE_CW_ARC_TO_NV = 0x19; /// enum GL_RELATIVE_LINE_TO_NV = 0x05; /// enum GL_RELATIVE_MOVE_TO_NV = 0x03; /// enum GL_RELATIVE_QUADRATIC_CURVE_TO_NV = 0x0B; /// enum GL_RELATIVE_RECT_NV = 0xF7; /// enum GL_RELATIVE_ROUNDED_RECT2_NV = 0xEB; /// enum GL_RELATIVE_ROUNDED_RECT4_NV = 0xED; /// enum GL_RELATIVE_ROUNDED_RECT8_NV = 0xEF; /// enum GL_RELATIVE_ROUNDED_RECT_NV = 0xE9; /// enum GL_RELATIVE_SMALL_CCW_ARC_TO_NV = 0x13; /// enum GL_RELATIVE_SMALL_CW_ARC_TO_NV = 0x15; /// enum GL_RELATIVE_SMOOTH_CUBIC_CURVE_TO_NV = 0x11; /// enum GL_RELATIVE_SMOOTH_QUADRATIC_CURVE_TO_NV = 0x0F; /// enum GL_RELATIVE_VERTICAL_LINE_TO_NV = 0x09; /// enum GL_RELEASED_APPLE = 0x8A19; /// enum GL_RENDER = 0x1C00; /// enum GL_RENDERBUFFER = 0x8D41; /// enum GL_RENDERBUFFER_ALPHA_SIZE = 0x8D53; /// enum GL_RENDERBUFFER_ALPHA_SIZE_EXT = 0x8D53; /// enum GL_RENDERBUFFER_ALPHA_SIZE_OES = 0x8D53; /// enum GL_RENDERBUFFER_BINDING = 0x8CA7; /// enum GL_RENDERBUFFER_BINDING_ANGLE = 0x8CA7; /// enum GL_RENDERBUFFER_BINDING_EXT = 0x8CA7; /// enum GL_RENDERBUFFER_BINDING_OES = 0x8CA7; /// enum GL_RENDERBUFFER_BLUE_SIZE = 0x8D52; /// enum GL_RENDERBUFFER_BLUE_SIZE_EXT = 0x8D52; /// enum GL_RENDERBUFFER_BLUE_SIZE_OES = 0x8D52; /// enum GL_RENDERBUFFER_COLOR_SAMPLES_NV = 0x8E10; /// enum GL_RENDERBUFFER_COVERAGE_SAMPLES_NV = 0x8CAB; /// enum GL_RENDERBUFFER_DEPTH_SIZE = 0x8D54; /// enum GL_RENDERBUFFER_DEPTH_SIZE_EXT = 0x8D54; /// enum GL_RENDERBUFFER_DEPTH_SIZE_OES = 0x8D54; /// enum GL_RENDERBUFFER_EXT = 0x8D41; /// enum GL_RENDERBUFFER_FREE_MEMORY_ATI = 0x87FD; /// enum GL_RENDERBUFFER_GREEN_SIZE = 0x8D51; /// enum GL_RENDERBUFFER_GREEN_SIZE_EXT = 0x8D51; /// enum GL_RENDERBUFFER_GREEN_SIZE_OES = 0x8D51; /// enum GL_RENDERBUFFER_HEIGHT = 0x8D43; /// enum GL_RENDERBUFFER_HEIGHT_EXT = 0x8D43; /// enum GL_RENDERBUFFER_HEIGHT_OES = 0x8D43; /// enum GL_RENDERBUFFER_INTERNAL_FORMAT = 0x8D44; /// enum GL_RENDERBUFFER_INTERNAL_FORMAT_EXT = 0x8D44; /// enum GL_RENDERBUFFER_INTERNAL_FORMAT_OES = 0x8D44; /// enum GL_RENDERBUFFER_OES = 0x8D41; /// enum GL_RENDERBUFFER_RED_SIZE = 0x8D50; /// enum GL_RENDERBUFFER_RED_SIZE_EXT = 0x8D50; /// enum GL_RENDERBUFFER_RED_SIZE_OES = 0x8D50; /// enum GL_RENDERBUFFER_SAMPLES = 0x8CAB; /// enum GL_RENDERBUFFER_SAMPLES_ANGLE = 0x8CAB; /// enum GL_RENDERBUFFER_SAMPLES_APPLE = 0x8CAB; /// enum GL_RENDERBUFFER_SAMPLES_EXT = 0x8CAB; /// enum GL_RENDERBUFFER_SAMPLES_IMG = 0x9133; /// enum GL_RENDERBUFFER_SAMPLES_NV = 0x8CAB; /// enum GL_RENDERBUFFER_STENCIL_SIZE = 0x8D55; /// enum GL_RENDERBUFFER_STENCIL_SIZE_EXT = 0x8D55; /// enum GL_RENDERBUFFER_STENCIL_SIZE_OES = 0x8D55; /// enum GL_RENDERBUFFER_WIDTH = 0x8D42; /// enum GL_RENDERBUFFER_WIDTH_EXT = 0x8D42; /// enum GL_RENDERBUFFER_WIDTH_OES = 0x8D42; /// enum GL_RENDERER = 0x1F01; /// enum GL_RENDER_DIRECT_TO_FRAMEBUFFER_QCOM = 0x8FB3; /// enum GL_RENDER_MODE = 0x0C40; /// enum GL_REPEAT = 0x2901; /// enum GL_REPLACE = 0x1E01; /// enum GL_REPLACEMENT_CODE_ARRAY_POINTER_SUN = 0x85C3; /// enum GL_REPLACEMENT_CODE_ARRAY_STRIDE_SUN = 0x85C2; /// enum GL_REPLACEMENT_CODE_ARRAY_SUN = 0x85C0; /// enum GL_REPLACEMENT_CODE_ARRAY_TYPE_SUN = 0x85C1; /// enum GL_REPLACEMENT_CODE_SUN = 0x81D8; /// enum GL_REPLACE_EXT = 0x8062; /// enum GL_REPLACE_MIDDLE_SUN = 0x0002; /// enum GL_REPLACE_OLDEST_SUN = 0x0003; /// enum GL_REPLACE_VALUE_AMD = 0x874B; /// enum GL_REPLICATE_BORDER = 0x8153; /// enum GL_REPLICATE_BORDER_HP = 0x8153; /// enum GL_REQUIRED_TEXTURE_IMAGE_UNITS_OES = 0x8D68; /// enum GL_RESAMPLE_AVERAGE_OML = 0x8988; /// enum GL_RESAMPLE_DECIMATE_OML = 0x8989; /// enum GL_RESAMPLE_DECIMATE_SGIX = 0x8430; /// enum GL_RESAMPLE_REPLICATE_OML = 0x8986; /// enum GL_RESAMPLE_REPLICATE_SGIX = 0x8433; /// enum GL_RESAMPLE_ZERO_FILL_OML = 0x8987; /// enum GL_RESAMPLE_ZERO_FILL_SGIX = 0x8434; /// enum GL_RESCALE_NORMAL = 0x803A; /// enum GL_RESCALE_NORMAL_EXT = 0x803A; /// enum GL_RESET_NOTIFICATION_STRATEGY = 0x8256; /// enum GL_RESET_NOTIFICATION_STRATEGY_ARB = 0x8256; /// enum GL_RESET_NOTIFICATION_STRATEGY_EXT = 0x8256; /// enum GL_RESET_NOTIFICATION_STRATEGY_KHR = 0x8256; /// enum GL_RESTART_PATH_NV = 0xF0; /// enum GL_RESTART_SUN = 0x0001; /// enum GL_RETAINED_APPLE = 0x8A1B; /// enum GL_RETURN = 0x0102; /// enum GL_RG = 0x8227; /// enum GL_RG16 = 0x822C; /// enum GL_RG16F = 0x822F; /// enum GL_RG16F_EXT = 0x822F; /// enum GL_RG16I = 0x8239; /// enum GL_RG16UI = 0x823A; /// enum GL_RG16_EXT = 0x822C; /// enum GL_RG16_SNORM = 0x8F99; /// enum GL_RG16_SNORM_EXT = 0x8F99; /// enum GL_RG32F = 0x8230; /// enum GL_RG32F_EXT = 0x8230; /// enum GL_RG32I = 0x823B; /// enum GL_RG32UI = 0x823C; /// enum GL_RG8 = 0x822B; /// enum GL_RG8I = 0x8237; /// enum GL_RG8UI = 0x8238; /// enum GL_RG8_EXT = 0x822B; /// enum GL_RG8_SNORM = 0x8F95; /// enum GL_RGB = 0x1907; /// enum GL_RGB10 = 0x8052; /// enum GL_RGB10_A2 = 0x8059; /// enum GL_RGB10_A2UI = 0x906F; /// enum GL_RGB10_A2_EXT = 0x8059; /// enum GL_RGB10_EXT = 0x8052; /// enum GL_RGB12 = 0x8053; /// enum GL_RGB12_EXT = 0x8053; /// enum GL_RGB16 = 0x8054; /// enum GL_RGB16F = 0x881B; /// enum GL_RGB16F_ARB = 0x881B; /// enum GL_RGB16F_EXT = 0x881B; /// enum GL_RGB16I = 0x8D89; /// enum GL_RGB16I_EXT = 0x8D89; /// enum GL_RGB16UI = 0x8D77; /// enum GL_RGB16UI_EXT = 0x8D77; /// enum GL_RGB16_EXT = 0x8054; /// enum GL_RGB16_SNORM = 0x8F9A; /// enum GL_RGB16_SNORM_EXT = 0x8F9A; /// enum GL_RGB2_EXT = 0x804E; /// enum GL_RGB32F = 0x8815; /// enum GL_RGB32F_ARB = 0x8815; /// enum GL_RGB32F_EXT = 0x8815; /// enum GL_RGB32I = 0x8D83; /// enum GL_RGB32I_EXT = 0x8D83; /// enum GL_RGB32UI = 0x8D71; /// enum GL_RGB32UI_EXT = 0x8D71; /// enum GL_RGB4 = 0x804F; /// enum GL_RGB4_EXT = 0x804F; /// enum GL_RGB4_S3TC = 0x83A1; /// enum GL_RGB5 = 0x8050; /// enum GL_RGB565 = 0x8D62; /// enum GL_RGB565_OES = 0x8D62; /// enum GL_RGB5_A1 = 0x8057; /// enum GL_RGB5_A1_EXT = 0x8057; /// enum GL_RGB5_A1_OES = 0x8057; /// enum GL_RGB5_EXT = 0x8050; /// enum GL_RGB8 = 0x8051; /// enum GL_RGB8I = 0x8D8F; /// enum GL_RGB8I_EXT = 0x8D8F; /// enum GL_RGB8UI = 0x8D7D; /// enum GL_RGB8UI_EXT = 0x8D7D; /// enum GL_RGB8_EXT = 0x8051; /// enum GL_RGB8_OES = 0x8051; /// enum GL_RGB8_SNORM = 0x8F96; /// enum GL_RGB9_E5 = 0x8C3D; /// enum GL_RGB9_E5_APPLE = 0x8C3D; /// enum GL_RGB9_E5_EXT = 0x8C3D; /// enum GL_RGBA = 0x1908; /// enum GL_RGBA12 = 0x805A; /// enum GL_RGBA12_EXT = 0x805A; /// enum GL_RGBA16 = 0x805B; /// enum GL_RGBA16F = 0x881A; /// enum GL_RGBA16F_ARB = 0x881A; /// enum GL_RGBA16F_EXT = 0x881A; /// enum GL_RGBA16I = 0x8D88; /// enum GL_RGBA16I_EXT = 0x8D88; /// enum GL_RGBA16UI = 0x8D76; /// enum GL_RGBA16UI_EXT = 0x8D76; /// enum GL_RGBA16_EXT = 0x805B; /// enum GL_RGBA16_SNORM = 0x8F9B; /// enum GL_RGBA16_SNORM_EXT = 0x8F9B; /// enum GL_RGBA2 = 0x8055; /// enum GL_RGBA2_EXT = 0x8055; /// enum GL_RGBA32F = 0x8814; /// enum GL_RGBA32F_ARB = 0x8814; /// enum GL_RGBA32F_EXT = 0x8814; /// enum GL_RGBA32I = 0x8D82; /// enum GL_RGBA32I_EXT = 0x8D82; /// enum GL_RGBA32UI = 0x8D70; /// enum GL_RGBA32UI_EXT = 0x8D70; /// enum GL_RGBA4 = 0x8056; /// enum GL_RGBA4_DXT5_S3TC = 0x83A5; /// enum GL_RGBA4_EXT = 0x8056; /// enum GL_RGBA4_OES = 0x8056; /// enum GL_RGBA4_S3TC = 0x83A3; /// enum GL_RGBA8 = 0x8058; /// enum GL_RGBA8I = 0x8D8E; /// enum GL_RGBA8I_EXT = 0x8D8E; /// enum GL_RGBA8UI = 0x8D7C; /// enum GL_RGBA8UI_EXT = 0x8D7C; /// enum GL_RGBA8_EXT = 0x8058; /// enum GL_RGBA8_OES = 0x8058; /// enum GL_RGBA8_SNORM = 0x8F97; /// enum GL_RGBA_DXT5_S3TC = 0x83A4; /// enum GL_RGBA_FLOAT16_APPLE = 0x881A; /// enum GL_RGBA_FLOAT16_ATI = 0x881A; /// enum GL_RGBA_FLOAT32_APPLE = 0x8814; /// enum GL_RGBA_FLOAT32_ATI = 0x8814; /// enum GL_RGBA_FLOAT_MODE_ARB = 0x8820; /// enum GL_RGBA_FLOAT_MODE_ATI = 0x8820; /// enum GL_RGBA_INTEGER = 0x8D99; /// enum GL_RGBA_INTEGER_EXT = 0x8D99; /// enum GL_RGBA_INTEGER_MODE_EXT = 0x8D9E; /// enum GL_RGBA_MODE = 0x0C31; /// enum GL_RGBA_S3TC = 0x83A2; /// enum GL_RGBA_SIGNED_COMPONENTS_EXT = 0x8C3C; /// enum GL_RGBA_SNORM = 0x8F93; /// enum GL_RGBA_UNSIGNED_DOT_PRODUCT_MAPPING_NV = 0x86D9; /// enum GL_RGB_422_APPLE = 0x8A1F; /// enum GL_RGB_FLOAT16_APPLE = 0x881B; /// enum GL_RGB_FLOAT16_ATI = 0x881B; /// enum GL_RGB_FLOAT32_APPLE = 0x8815; /// enum GL_RGB_FLOAT32_ATI = 0x8815; /// enum GL_RGB_INTEGER = 0x8D98; /// enum GL_RGB_INTEGER_EXT = 0x8D98; /// enum GL_RGB_RAW_422_APPLE = 0x8A51; /// enum GL_RGB_S3TC = 0x83A0; /// enum GL_RGB_SCALE = 0x8573; /// enum GL_RGB_SCALE_ARB = 0x8573; /// enum GL_RGB_SCALE_EXT = 0x8573; /// enum GL_RGB_SNORM = 0x8F92; /// enum GL_RG_EXT = 0x8227; /// enum GL_RG_INTEGER = 0x8228; /// enum GL_RG_SNORM = 0x8F91; /// enum GL_RIGHT = 0x0407; /// enum GL_ROUNDED_RECT2_NV = 0xEA; /// enum GL_ROUNDED_RECT4_NV = 0xEC; /// enum GL_ROUNDED_RECT8_NV = 0xEE; /// enum GL_ROUNDED_RECT_NV = 0xE8; /// enum GL_ROUND_NV = 0x90A4; /// enum GL_S = 0x2000; /// enum GL_SAMPLER = 0x82E6; /// enum GL_SAMPLER_1D = 0x8B5D; /// enum GL_SAMPLER_1D_ARB = 0x8B5D; /// enum GL_SAMPLER_1D_ARRAY = 0x8DC0; /// enum GL_SAMPLER_1D_ARRAY_EXT = 0x8DC0; /// enum GL_SAMPLER_1D_ARRAY_SHADOW = 0x8DC3; /// enum GL_SAMPLER_1D_ARRAY_SHADOW_EXT = 0x8DC3; /// enum GL_SAMPLER_1D_SHADOW = 0x8B61; /// enum GL_SAMPLER_1D_SHADOW_ARB = 0x8B61; /// enum GL_SAMPLER_2D = 0x8B5E; /// enum GL_SAMPLER_2D_ARB = 0x8B5E; /// enum GL_SAMPLER_2D_ARRAY = 0x8DC1; /// enum GL_SAMPLER_2D_ARRAY_EXT = 0x8DC1; /// enum GL_SAMPLER_2D_ARRAY_SHADOW = 0x8DC4; /// enum GL_SAMPLER_2D_ARRAY_SHADOW_EXT = 0x8DC4; /// enum GL_SAMPLER_2D_ARRAY_SHADOW_NV = 0x8DC4; /// enum GL_SAMPLER_2D_MULTISAMPLE = 0x9108; /// enum GL_SAMPLER_2D_MULTISAMPLE_ARRAY = 0x910B; /// enum GL_SAMPLER_2D_MULTISAMPLE_ARRAY_OES = 0x910B; /// enum GL_SAMPLER_2D_RECT = 0x8B63; /// enum GL_SAMPLER_2D_RECT_ARB = 0x8B63; /// enum GL_SAMPLER_2D_RECT_SHADOW = 0x8B64; /// enum GL_SAMPLER_2D_RECT_SHADOW_ARB = 0x8B64; /// enum GL_SAMPLER_2D_SHADOW = 0x8B62; /// enum GL_SAMPLER_2D_SHADOW_ARB = 0x8B62; /// enum GL_SAMPLER_2D_SHADOW_EXT = 0x8B62; /// enum GL_SAMPLER_3D = 0x8B5F; /// enum GL_SAMPLER_3D_ARB = 0x8B5F; /// enum GL_SAMPLER_3D_OES = 0x8B5F; /// enum GL_SAMPLER_BINDING = 0x8919; /// enum GL_SAMPLER_BUFFER = 0x8DC2; /// enum GL_SAMPLER_BUFFER_AMD = 0x9001; /// enum GL_SAMPLER_BUFFER_EXT = 0x8DC2; /// enum GL_SAMPLER_BUFFER_OES = 0x8DC2; /// enum GL_SAMPLER_CUBE = 0x8B60; /// enum GL_SAMPLER_CUBE_ARB = 0x8B60; /// enum GL_SAMPLER_CUBE_MAP_ARRAY = 0x900C; /// enum GL_SAMPLER_CUBE_MAP_ARRAY_ARB = 0x900C; /// enum GL_SAMPLER_CUBE_MAP_ARRAY_EXT = 0x900C; /// enum GL_SAMPLER_CUBE_MAP_ARRAY_OES = 0x900C; /// enum GL_SAMPLER_CUBE_MAP_ARRAY_SHADOW = 0x900D; /// enum GL_SAMPLER_CUBE_MAP_ARRAY_SHADOW_ARB = 0x900D; /// enum GL_SAMPLER_CUBE_MAP_ARRAY_SHADOW_EXT = 0x900D; /// enum GL_SAMPLER_CUBE_MAP_ARRAY_SHADOW_OES = 0x900D; /// enum GL_SAMPLER_CUBE_SHADOW = 0x8DC5; /// enum GL_SAMPLER_CUBE_SHADOW_EXT = 0x8DC5; /// enum GL_SAMPLER_CUBE_SHADOW_NV = 0x8DC5; /// enum GL_SAMPLER_EXTERNAL_2D_Y2Y_EXT = 0x8BE7; /// enum GL_SAMPLER_EXTERNAL_OES = 0x8D66; /// enum GL_SAMPLER_KHR = 0x82E6; /// enum GL_SAMPLER_OBJECT_AMD = 0x9155; /// enum GL_SAMPLER_RENDERBUFFER_NV = 0x8E56; /// enum GL_SAMPLES = 0x80A9; /// enum GL_SAMPLES_3DFX = 0x86B4; /// enum GL_SAMPLES_ARB = 0x80A9; /// enum GL_SAMPLES_EXT = 0x80A9; /// enum GL_SAMPLES_PASSED = 0x8914; /// enum GL_SAMPLES_PASSED_ARB = 0x8914; /// enum GL_SAMPLES_SGIS = 0x80A9; /// enum GL_SAMPLE_ALPHA_TO_COVERAGE = 0x809E; /// enum GL_SAMPLE_ALPHA_TO_COVERAGE_ARB = 0x809E; /// enum GL_SAMPLE_ALPHA_TO_MASK_EXT = 0x809E; /// enum GL_SAMPLE_ALPHA_TO_MASK_SGIS = 0x809E; /// enum GL_SAMPLE_ALPHA_TO_ONE = 0x809F; /// enum GL_SAMPLE_ALPHA_TO_ONE_ARB = 0x809F; /// enum GL_SAMPLE_ALPHA_TO_ONE_EXT = 0x809F; /// enum GL_SAMPLE_ALPHA_TO_ONE_SGIS = 0x809F; /// enum GL_SAMPLE_BUFFERS = 0x80A8; /// enum GL_SAMPLE_BUFFERS_3DFX = 0x86B3; /// enum GL_SAMPLE_BUFFERS_ARB = 0x80A8; /// enum GL_SAMPLE_BUFFERS_EXT = 0x80A8; /// enum GL_SAMPLE_BUFFERS_SGIS = 0x80A8; /// enum GL_SAMPLE_COVERAGE = 0x80A0; /// enum GL_SAMPLE_COVERAGE_ARB = 0x80A0; /// enum GL_SAMPLE_COVERAGE_INVERT = 0x80AB; /// enum GL_SAMPLE_COVERAGE_INVERT_ARB = 0x80AB; /// enum GL_SAMPLE_COVERAGE_VALUE = 0x80AA; /// enum GL_SAMPLE_COVERAGE_VALUE_ARB = 0x80AA; /// enum GL_SAMPLE_LOCATION_ARB = 0x8E50; /// enum GL_SAMPLE_LOCATION_NV = 0x8E50; /// enum GL_SAMPLE_LOCATION_PIXEL_GRID_HEIGHT_ARB = 0x933F; /// enum GL_SAMPLE_LOCATION_PIXEL_GRID_HEIGHT_NV = 0x933F; /// enum GL_SAMPLE_LOCATION_PIXEL_GRID_WIDTH_ARB = 0x933E; /// enum GL_SAMPLE_LOCATION_PIXEL_GRID_WIDTH_NV = 0x933E; /// enum GL_SAMPLE_LOCATION_SUBPIXEL_BITS_ARB = 0x933D; /// enum GL_SAMPLE_LOCATION_SUBPIXEL_BITS_NV = 0x933D; /// enum GL_SAMPLE_MASK = 0x8E51; /// enum GL_SAMPLE_MASK_EXT = 0x80A0; /// enum GL_SAMPLE_MASK_INVERT_EXT = 0x80AB; /// enum GL_SAMPLE_MASK_INVERT_SGIS = 0x80AB; /// enum GL_SAMPLE_MASK_NV = 0x8E51; /// enum GL_SAMPLE_MASK_SGIS = 0x80A0; /// enum GL_SAMPLE_MASK_VALUE = 0x8E52; /// enum GL_SAMPLE_MASK_VALUE_EXT = 0x80AA; /// enum GL_SAMPLE_MASK_VALUE_NV = 0x8E52; /// enum GL_SAMPLE_MASK_VALUE_SGIS = 0x80AA; /// enum GL_SAMPLE_PATTERN_EXT = 0x80AC; /// enum GL_SAMPLE_PATTERN_SGIS = 0x80AC; /// enum GL_SAMPLE_POSITION = 0x8E50; /// enum GL_SAMPLE_POSITION_NV = 0x8E50; /// enum GL_SAMPLE_SHADING = 0x8C36; /// enum GL_SAMPLE_SHADING_ARB = 0x8C36; /// enum GL_SAMPLE_SHADING_OES = 0x8C36; /// enum GL_SATURATE_BIT_ATI = 0x00000040; /// enum GL_SCALAR_EXT = 0x87BE; /// enum GL_SCALEBIAS_HINT_SGIX = 0x8322; /// enum GL_SCALED_RESOLVE_FASTEST_EXT = 0x90BA; /// enum GL_SCALED_RESOLVE_NICEST_EXT = 0x90BB; /// enum GL_SCALE_BY_FOUR_NV = 0x853F; /// enum GL_SCALE_BY_ONE_HALF_NV = 0x8540; /// enum GL_SCALE_BY_TWO_NV = 0x853E; /// enum GL_SCISSOR_BIT = 0x00080000; /// enum GL_SCISSOR_BOX = 0x0C10; /// enum GL_SCISSOR_COMMAND_NV = 0x0011; /// enum GL_SCISSOR_TEST = 0x0C11; /// enum GL_SCREEN = 0x9295; /// enum GL_SCREEN_COORDINATES_REND = 0x8490; /// enum GL_SCREEN_KHR = 0x9295; /// enum GL_SCREEN_NV = 0x9295; /// enum GL_SECONDARY_COLOR_ARRAY = 0x845E; /// enum GL_SECONDARY_COLOR_ARRAY_ADDRESS_NV = 0x8F27; /// enum GL_SECONDARY_COLOR_ARRAY_BUFFER_BINDING = 0x889C; /// enum GL_SECONDARY_COLOR_ARRAY_BUFFER_BINDING_ARB = 0x889C; /// enum GL_SECONDARY_COLOR_ARRAY_EXT = 0x845E; /// enum GL_SECONDARY_COLOR_ARRAY_LENGTH_NV = 0x8F31; /// enum GL_SECONDARY_COLOR_ARRAY_LIST_IBM = 0x103077; /// enum GL_SECONDARY_COLOR_ARRAY_LIST_STRIDE_IBM = 0x103087; /// enum GL_SECONDARY_COLOR_ARRAY_POINTER = 0x845D; /// enum GL_SECONDARY_COLOR_ARRAY_POINTER_EXT = 0x845D; /// enum GL_SECONDARY_COLOR_ARRAY_SIZE = 0x845A; /// enum GL_SECONDARY_COLOR_ARRAY_SIZE_EXT = 0x845A; /// enum GL_SECONDARY_COLOR_ARRAY_STRIDE = 0x845C; /// enum GL_SECONDARY_COLOR_ARRAY_STRIDE_EXT = 0x845C; /// enum GL_SECONDARY_COLOR_ARRAY_TYPE = 0x845B; /// enum GL_SECONDARY_COLOR_ARRAY_TYPE_EXT = 0x845B; /// enum GL_SECONDARY_COLOR_NV = 0x852D; /// enum GL_SECONDARY_INTERPOLATOR_ATI = 0x896D; /// enum GL_SELECT = 0x1C02; /// enum GL_SELECTION_BUFFER_POINTER = 0x0DF3; /// enum GL_SELECTION_BUFFER_SIZE = 0x0DF4; /// enum GL_SEPARABLE_2D = 0x8012; /// enum GL_SEPARABLE_2D_EXT = 0x8012; /// enum GL_SEPARATE_ATTRIBS = 0x8C8D; /// enum GL_SEPARATE_ATTRIBS_EXT = 0x8C8D; /// enum GL_SEPARATE_ATTRIBS_NV = 0x8C8D; /// enum GL_SEPARATE_SPECULAR_COLOR = 0x81FA; /// enum GL_SEPARATE_SPECULAR_COLOR_EXT = 0x81FA; /// enum GL_SET = 0x150F; /// enum GL_SET_AMD = 0x874A; /// enum GL_SGX_BINARY_IMG = 0x8C0A; /// enum GL_SGX_PROGRAM_BINARY_IMG = 0x9130; /// enum GL_SHADER = 0x82E1; /// enum GL_SHADER_BINARY_DMP = 0x9250; /// enum GL_SHADER_BINARY_FORMATS = 0x8DF8; /// enum GL_SHADER_BINARY_VIV = 0x8FC4; /// enum GL_SHADER_COMPILER = 0x8DFA; /// enum GL_SHADER_CONSISTENT_NV = 0x86DD; /// enum GL_SHADER_GLOBAL_ACCESS_BARRIER_BIT_NV = 0x00000010; /// enum GL_SHADER_IMAGE_ACCESS_BARRIER_BIT = 0x00000020; /// enum GL_SHADER_IMAGE_ACCESS_BARRIER_BIT_EXT = 0x00000020; /// enum GL_SHADER_IMAGE_ATOMIC = 0x82A6; /// enum GL_SHADER_IMAGE_LOAD = 0x82A4; /// enum GL_SHADER_IMAGE_STORE = 0x82A5; /// enum GL_SHADER_INCLUDE_ARB = 0x8DAE; /// enum GL_SHADER_KHR = 0x82E1; /// enum GL_SHADER_OBJECT_ARB = 0x8B48; /// enum GL_SHADER_OBJECT_EXT = 0x8B48; /// enum GL_SHADER_OPERATION_NV = 0x86DF; /// enum GL_SHADER_PIXEL_LOCAL_STORAGE_EXT = 0x8F64; /// enum GL_SHADER_SOURCE_LENGTH = 0x8B88; /// enum GL_SHADER_STORAGE_BARRIER_BIT = 0x00002000; /// enum GL_SHADER_STORAGE_BLOCK = 0x92E6; /// enum GL_SHADER_STORAGE_BUFFER = 0x90D2; /// enum GL_SHADER_STORAGE_BUFFER_BINDING = 0x90D3; /// enum GL_SHADER_STORAGE_BUFFER_OFFSET_ALIGNMENT = 0x90DF; /// enum GL_SHADER_STORAGE_BUFFER_SIZE = 0x90D5; /// enum GL_SHADER_STORAGE_BUFFER_START = 0x90D4; /// enum GL_SHADER_TYPE = 0x8B4F; /// enum GL_SHADE_MODEL = 0x0B54; /// enum GL_SHADING_LANGUAGE_VERSION = 0x8B8C; /// enum GL_SHADING_LANGUAGE_VERSION_ARB = 0x8B8C; /// enum GL_SHADOW_AMBIENT_SGIX = 0x80BF; /// enum GL_SHADOW_ATTENUATION_EXT = 0x834E; /// enum GL_SHARED_EDGE_NV = 0xC0; /// enum GL_SHARED_TEXTURE_PALETTE_EXT = 0x81FB; /// enum GL_SHARPEN_TEXTURE_FUNC_POINTS_SGIS = 0x80B0; /// enum GL_SHININESS = 0x1601; /// enum GL_SHORT = 0x1402; /// enum GL_SIGNALED = 0x9119; /// enum GL_SIGNALED_APPLE = 0x9119; /// enum GL_SIGNED_ALPHA8_NV = 0x8706; /// enum GL_SIGNED_ALPHA_NV = 0x8705; /// enum GL_SIGNED_HILO16_NV = 0x86FA; /// enum GL_SIGNED_HILO8_NV = 0x885F; /// enum GL_SIGNED_HILO_NV = 0x86F9; /// enum GL_SIGNED_IDENTITY_NV = 0x853C; /// enum GL_SIGNED_INTENSITY8_NV = 0x8708; /// enum GL_SIGNED_INTENSITY_NV = 0x8707; /// enum GL_SIGNED_LUMINANCE8_ALPHA8_NV = 0x8704; /// enum GL_SIGNED_LUMINANCE8_NV = 0x8702; /// enum GL_SIGNED_LUMINANCE_ALPHA_NV = 0x8703; /// enum GL_SIGNED_LUMINANCE_NV = 0x8701; /// enum GL_SIGNED_NEGATE_NV = 0x853D; /// enum GL_SIGNED_NORMALIZED = 0x8F9C; /// enum GL_SIGNED_RGB8_NV = 0x86FF; /// enum GL_SIGNED_RGB8_UNSIGNED_ALPHA8_NV = 0x870D; /// enum GL_SIGNED_RGBA8_NV = 0x86FC; /// enum GL_SIGNED_RGBA_NV = 0x86FB; /// enum GL_SIGNED_RGB_NV = 0x86FE; /// enum GL_SIGNED_RGB_UNSIGNED_ALPHA_NV = 0x870C; /// enum GL_SIMULTANEOUS_TEXTURE_AND_DEPTH_TEST = 0x82AC; /// enum GL_SIMULTANEOUS_TEXTURE_AND_DEPTH_WRITE = 0x82AE; /// enum GL_SIMULTANEOUS_TEXTURE_AND_STENCIL_TEST = 0x82AD; /// enum GL_SIMULTANEOUS_TEXTURE_AND_STENCIL_WRITE = 0x82AF; /// enum GL_SINGLE_COLOR = 0x81F9; /// enum GL_SINGLE_COLOR_EXT = 0x81F9; /// enum GL_SKIP_COMPONENTS1_NV = -6; /// enum GL_SKIP_COMPONENTS2_NV = -5; /// enum GL_SKIP_COMPONENTS3_NV = -4; /// enum GL_SKIP_COMPONENTS4_NV = -3; /// enum GL_SKIP_DECODE_EXT = 0x8A4A; /// enum GL_SKIP_MISSING_GLYPH_NV = 0x90A9; /// enum GL_SLICE_ACCUM_SUN = 0x85CC; /// enum GL_SLIM10U_SGIX = 0x831E; /// enum GL_SLIM12S_SGIX = 0x831F; /// enum GL_SLIM8U_SGIX = 0x831D; /// enum GL_SLUMINANCE = 0x8C46; /// enum GL_SLUMINANCE8 = 0x8C47; /// enum GL_SLUMINANCE8_ALPHA8 = 0x8C45; /// enum GL_SLUMINANCE8_ALPHA8_EXT = 0x8C45; /// enum GL_SLUMINANCE8_ALPHA8_NV = 0x8C45; /// enum GL_SLUMINANCE8_EXT = 0x8C47; /// enum GL_SLUMINANCE8_NV = 0x8C47; /// enum GL_SLUMINANCE_ALPHA = 0x8C44; /// enum GL_SLUMINANCE_ALPHA_EXT = 0x8C44; /// enum GL_SLUMINANCE_ALPHA_NV = 0x8C44; /// enum GL_SLUMINANCE_EXT = 0x8C46; /// enum GL_SLUMINANCE_NV = 0x8C46; /// enum GL_SMALL_CCW_ARC_TO_NV = 0x12; /// enum GL_SMALL_CW_ARC_TO_NV = 0x14; /// enum GL_SMAPHS30_PROGRAM_BINARY_DMP = 0x9251; /// enum GL_SMAPHS_PROGRAM_BINARY_DMP = 0x9252; /// enum GL_SMOOTH = 0x1D01; /// enum GL_SMOOTH_CUBIC_CURVE_TO_NV = 0x10; /// enum GL_SMOOTH_LINE_WIDTH_GRANULARITY = 0x0B23; /// enum GL_SMOOTH_LINE_WIDTH_RANGE = 0x0B22; /// enum GL_SMOOTH_POINT_SIZE_GRANULARITY = 0x0B13; /// enum GL_SMOOTH_POINT_SIZE_RANGE = 0x0B12; /// enum GL_SMOOTH_QUADRATIC_CURVE_TO_NV = 0x0E; /// enum GL_SM_COUNT_NV = 0x933B; /// enum GL_SOFTLIGHT = 0x929C; /// enum GL_SOFTLIGHT_KHR = 0x929C; /// enum GL_SOFTLIGHT_NV = 0x929C; /// enum GL_SOURCE0_ALPHA = 0x8588; /// enum GL_SOURCE0_ALPHA_ARB = 0x8588; /// enum GL_SOURCE0_ALPHA_EXT = 0x8588; /// enum GL_SOURCE0_RGB = 0x8580; /// enum GL_SOURCE0_RGB_ARB = 0x8580; /// enum GL_SOURCE0_RGB_EXT = 0x8580; /// enum GL_SOURCE1_ALPHA = 0x8589; /// enum GL_SOURCE1_ALPHA_ARB = 0x8589; /// enum GL_SOURCE1_ALPHA_EXT = 0x8589; /// enum GL_SOURCE1_RGB = 0x8581; /// enum GL_SOURCE1_RGB_ARB = 0x8581; /// enum GL_SOURCE1_RGB_EXT = 0x8581; /// enum GL_SOURCE2_ALPHA = 0x858A; /// enum GL_SOURCE2_ALPHA_ARB = 0x858A; /// enum GL_SOURCE2_ALPHA_EXT = 0x858A; /// enum GL_SOURCE2_RGB = 0x8582; /// enum GL_SOURCE2_RGB_ARB = 0x8582; /// enum GL_SOURCE2_RGB_EXT = 0x8582; /// enum GL_SOURCE3_ALPHA_NV = 0x858B; /// enum GL_SOURCE3_RGB_NV = 0x8583; /// enum GL_SPARE0_NV = 0x852E; /// enum GL_SPARE0_PLUS_SECONDARY_COLOR_NV = 0x8532; /// enum GL_SPARE1_NV = 0x852F; /// enum GL_SPARSE_BUFFER_PAGE_SIZE_ARB = 0x82F8; /// enum GL_SPARSE_STORAGE_BIT_ARB = 0x0400; /// enum GL_SPARSE_TEXTURE_FULL_ARRAY_CUBE_MIPMAPS_ARB = 0x91A9; /// enum GL_SPARSE_TEXTURE_FULL_ARRAY_CUBE_MIPMAPS_EXT = 0x91A9; /// enum GL_SPECULAR = 0x1202; /// enum GL_SPHERE_MAP = 0x2402; /// enum GL_SPOT_CUTOFF = 0x1206; /// enum GL_SPOT_DIRECTION = 0x1204; /// enum GL_SPOT_EXPONENT = 0x1205; /// enum GL_SPRITE_AXIAL_SGIX = 0x814C; /// enum GL_SPRITE_AXIS_SGIX = 0x814A; /// enum GL_SPRITE_EYE_ALIGNED_SGIX = 0x814E; /// enum GL_SPRITE_MODE_SGIX = 0x8149; /// enum GL_SPRITE_OBJECT_ALIGNED_SGIX = 0x814D; /// enum GL_SPRITE_SGIX = 0x8148; /// enum GL_SPRITE_TRANSLATION_SGIX = 0x814B; /// enum GL_SQUARE_NV = 0x90A3; /// enum GL_SR8_EXT = 0x8FBD; /// enum GL_SRC0_ALPHA = 0x8588; /// enum GL_SRC0_RGB = 0x8580; /// enum GL_SRC1_ALPHA = 0x8589; /// enum GL_SRC1_ALPHA_EXT = 0x8589; /// enum GL_SRC1_COLOR = 0x88F9; /// enum GL_SRC1_COLOR_EXT = 0x88F9; /// enum GL_SRC1_RGB = 0x8581; /// enum GL_SRC2_ALPHA = 0x858A; /// enum GL_SRC2_RGB = 0x8582; /// enum GL_SRC_ALPHA = 0x0302; /// enum GL_SRC_ALPHA_SATURATE = 0x0308; /// enum GL_SRC_ALPHA_SATURATE_EXT = 0x0308; /// enum GL_SRC_ATOP_NV = 0x928E; /// enum GL_SRC_COLOR = 0x0300; /// enum GL_SRC_IN_NV = 0x928A; /// enum GL_SRC_NV = 0x9286; /// enum GL_SRC_OUT_NV = 0x928C; /// enum GL_SRC_OVER_NV = 0x9288; /// enum GL_SRG8_EXT = 0x8FBE; /// enum GL_SRGB = 0x8C40; /// enum GL_SRGB8 = 0x8C41; /// enum GL_SRGB8_ALPHA8 = 0x8C43; /// enum GL_SRGB8_ALPHA8_EXT = 0x8C43; /// enum GL_SRGB8_EXT = 0x8C41; /// enum GL_SRGB8_NV = 0x8C41; /// enum GL_SRGB_ALPHA = 0x8C42; /// enum GL_SRGB_ALPHA_EXT = 0x8C42; /// enum GL_SRGB_DECODE_ARB = 0x8299; /// enum GL_SRGB_EXT = 0x8C40; /// enum GL_SRGB_READ = 0x8297; /// enum GL_SRGB_WRITE = 0x8298; /// enum GL_STACK_OVERFLOW = 0x0503; /// enum GL_STACK_OVERFLOW_KHR = 0x0503; /// enum GL_STACK_UNDERFLOW = 0x0504; /// enum GL_STACK_UNDERFLOW_KHR = 0x0504; /// enum GL_STANDARD_FONT_FORMAT_NV = 0x936C; /// enum GL_STANDARD_FONT_NAME_NV = 0x9072; /// enum GL_STATE_RESTORE = 0x8BDC; /// enum GL_STATIC_ATI = 0x8760; /// enum GL_STATIC_COPY = 0x88E6; /// enum GL_STATIC_COPY_ARB = 0x88E6; /// enum GL_STATIC_DRAW = 0x88E4; /// enum GL_STATIC_DRAW_ARB = 0x88E4; /// enum GL_STATIC_READ = 0x88E5; /// enum GL_STATIC_READ_ARB = 0x88E5; /// enum GL_STATIC_VERTEX_ARRAY_IBM = 0x103061; /// enum GL_STENCIL = 0x1802; /// enum GL_STENCIL_ATTACHMENT = 0x8D20; /// enum GL_STENCIL_ATTACHMENT_EXT = 0x8D20; /// enum GL_STENCIL_ATTACHMENT_OES = 0x8D20; /// enum GL_STENCIL_BACK_FAIL = 0x8801; /// enum GL_STENCIL_BACK_FAIL_ATI = 0x8801; /// enum GL_STENCIL_BACK_FUNC = 0x8800; /// enum GL_STENCIL_BACK_FUNC_ATI = 0x8800; /// enum GL_STENCIL_BACK_OP_VALUE_AMD = 0x874D; /// enum GL_STENCIL_BACK_PASS_DEPTH_FAIL = 0x8802; /// enum GL_STENCIL_BACK_PASS_DEPTH_FAIL_ATI = 0x8802; /// enum GL_STENCIL_BACK_PASS_DEPTH_PASS = 0x8803; /// enum GL_STENCIL_BACK_PASS_DEPTH_PASS_ATI = 0x8803; /// enum GL_STENCIL_BACK_REF = 0x8CA3; /// enum GL_STENCIL_BACK_VALUE_MASK = 0x8CA4; /// enum GL_STENCIL_BACK_WRITEMASK = 0x8CA5; /// enum GL_STENCIL_BITS = 0x0D57; /// enum GL_STENCIL_BUFFER_BIT = 0x00000400; /// enum GL_STENCIL_BUFFER_BIT0_QCOM = 0x00010000; /// enum GL_STENCIL_BUFFER_BIT1_QCOM = 0x00020000; /// enum GL_STENCIL_BUFFER_BIT2_QCOM = 0x00040000; /// enum GL_STENCIL_BUFFER_BIT3_QCOM = 0x00080000; /// enum GL_STENCIL_BUFFER_BIT4_QCOM = 0x00100000; /// enum GL_STENCIL_BUFFER_BIT5_QCOM = 0x00200000; /// enum GL_STENCIL_BUFFER_BIT6_QCOM = 0x00400000; /// enum GL_STENCIL_BUFFER_BIT7_QCOM = 0x00800000; /// enum GL_STENCIL_CLEAR_TAG_VALUE_EXT = 0x88F3; /// enum GL_STENCIL_CLEAR_VALUE = 0x0B91; /// enum GL_STENCIL_COMPONENTS = 0x8285; /// enum GL_STENCIL_EXT = 0x1802; /// enum GL_STENCIL_FAIL = 0x0B94; /// enum GL_STENCIL_FUNC = 0x0B92; /// enum GL_STENCIL_INDEX = 0x1901; /// enum GL_STENCIL_INDEX1 = 0x8D46; /// enum GL_STENCIL_INDEX16 = 0x8D49; /// enum GL_STENCIL_INDEX16_EXT = 0x8D49; /// enum GL_STENCIL_INDEX1_EXT = 0x8D46; /// enum GL_STENCIL_INDEX1_OES = 0x8D46; /// enum GL_STENCIL_INDEX4 = 0x8D47; /// enum GL_STENCIL_INDEX4_EXT = 0x8D47; /// enum GL_STENCIL_INDEX4_OES = 0x8D47; /// enum GL_STENCIL_INDEX8 = 0x8D48; /// enum GL_STENCIL_INDEX8_EXT = 0x8D48; /// enum GL_STENCIL_INDEX8_OES = 0x8D48; /// enum GL_STENCIL_INDEX_OES = 0x1901; /// enum GL_STENCIL_OP_VALUE_AMD = 0x874C; /// enum GL_STENCIL_PASS_DEPTH_FAIL = 0x0B95; /// enum GL_STENCIL_PASS_DEPTH_PASS = 0x0B96; /// enum GL_STENCIL_REF = 0x0B97; /// enum GL_STENCIL_REF_COMMAND_NV = 0x000C; /// enum GL_STENCIL_RENDERABLE = 0x8288; /// enum GL_STENCIL_SAMPLES_NV = 0x932E; /// enum GL_STENCIL_TAG_BITS_EXT = 0x88F2; /// enum GL_STENCIL_TEST = 0x0B90; /// enum GL_STENCIL_TEST_TWO_SIDE_EXT = 0x8910; /// enum GL_STENCIL_VALUE_MASK = 0x0B93; /// enum GL_STENCIL_WRITEMASK = 0x0B98; /// enum GL_STEREO = 0x0C33; /// enum GL_STORAGE_CACHED_APPLE = 0x85BE; /// enum GL_STORAGE_CLIENT_APPLE = 0x85B4; /// enum GL_STORAGE_PRIVATE_APPLE = 0x85BD; /// enum GL_STORAGE_SHARED_APPLE = 0x85BF; /// enum GL_STREAM_COPY = 0x88E2; /// enum GL_STREAM_COPY_ARB = 0x88E2; /// enum GL_STREAM_DRAW = 0x88E0; /// enum GL_STREAM_DRAW_ARB = 0x88E0; /// enum GL_STREAM_RASTERIZATION_AMD = 0x91A0; /// enum GL_STREAM_READ = 0x88E1; /// enum GL_STREAM_READ_ARB = 0x88E1; /// enum GL_STRICT_DEPTHFUNC_HINT_PGI = 0x1A216; /// enum GL_STRICT_LIGHTING_HINT_PGI = 0x1A217; /// enum GL_STRICT_SCISSOR_HINT_PGI = 0x1A218; /// enum GL_SUBPIXEL_BITS = 0x0D50; /// enum GL_SUBPIXEL_PRECISION_BIAS_X_BITS_NV = 0x9347; /// enum GL_SUBPIXEL_PRECISION_BIAS_Y_BITS_NV = 0x9348; /// enum GL_SUBSAMPLE_DISTANCE_AMD = 0x883F; /// enum GL_SUBTRACT = 0x84E7; /// enum GL_SUBTRACT_ARB = 0x84E7; /// enum GL_SUB_ATI = 0x8965; /// enum GL_SUCCESS_NV = 0x902F; /// enum GL_SUPERSAMPLE_SCALE_X_NV = 0x9372; /// enum GL_SUPERSAMPLE_SCALE_Y_NV = 0x9373; /// enum GL_SURFACE_MAPPED_NV = 0x8700; /// enum GL_SURFACE_REGISTERED_NV = 0x86FD; /// enum GL_SURFACE_STATE_NV = 0x86EB; /// enum GL_SWIZZLE_STQ_ATI = 0x8977; /// enum GL_SWIZZLE_STQ_DQ_ATI = 0x8979; /// enum GL_SWIZZLE_STRQ_ATI = 0x897A; /// enum GL_SWIZZLE_STRQ_DQ_ATI = 0x897B; /// enum GL_SWIZZLE_STR_ATI = 0x8976; /// enum GL_SWIZZLE_STR_DR_ATI = 0x8978; /// enum GL_SYNC_CL_EVENT_ARB = 0x8240; /// enum GL_SYNC_CL_EVENT_COMPLETE_ARB = 0x8241; /// enum GL_SYNC_CONDITION = 0x9113; /// enum GL_SYNC_CONDITION_APPLE = 0x9113; /// enum GL_SYNC_FENCE = 0x9116; /// enum GL_SYNC_FENCE_APPLE = 0x9116; /// enum GL_SYNC_FLAGS = 0x9115; /// enum GL_SYNC_FLAGS_APPLE = 0x9115; /// enum GL_SYNC_FLUSH_COMMANDS_BIT = 0x00000001; /// enum GL_SYNC_FLUSH_COMMANDS_BIT_APPLE = 0x00000001; /// enum GL_SYNC_GPU_COMMANDS_COMPLETE = 0x9117; /// enum GL_SYNC_GPU_COMMANDS_COMPLETE_APPLE = 0x9117; /// enum GL_SYNC_OBJECT_APPLE = 0x8A53; /// enum GL_SYNC_STATUS = 0x9114; /// enum GL_SYNC_STATUS_APPLE = 0x9114; /// enum GL_SYNC_X11_FENCE_EXT = 0x90E1; /// enum GL_SYSTEM_FONT_NAME_NV = 0x9073; /// enum GL_T = 0x2001; /// enum GL_T2F_C3F_V3F = 0x2A2A; /// enum GL_T2F_C4F_N3F_V3F = 0x2A2C; /// enum GL_T2F_C4UB_V3F = 0x2A29; /// enum GL_T2F_IUI_N3F_V2F_EXT = 0x81B3; /// enum GL_T2F_IUI_N3F_V3F_EXT = 0x81B4; /// enum GL_T2F_IUI_V2F_EXT = 0x81B1; /// enum GL_T2F_IUI_V3F_EXT = 0x81B2; /// enum GL_T2F_N3F_V3F = 0x2A2B; /// enum GL_T2F_V3F = 0x2A27; /// enum GL_T4F_C4F_N3F_V4F = 0x2A2D; /// enum GL_T4F_V4F = 0x2A28; /// enum GL_TABLE_TOO_LARGE = 0x8031; /// enum GL_TABLE_TOO_LARGE_EXT = 0x8031; /// enum GL_TANGENT_ARRAY_EXT = 0x8439; /// enum GL_TANGENT_ARRAY_POINTER_EXT = 0x8442; /// enum GL_TANGENT_ARRAY_STRIDE_EXT = 0x843F; /// enum GL_TANGENT_ARRAY_TYPE_EXT = 0x843E; /// enum GL_TERMINATE_SEQUENCE_COMMAND_NV = 0x0000; /// enum GL_TESSELLATION_FACTOR_AMD = 0x9005; /// enum GL_TESSELLATION_MODE_AMD = 0x9004; /// enum GL_TESS_CONTROL_OUTPUT_VERTICES = 0x8E75; /// enum GL_TESS_CONTROL_OUTPUT_VERTICES_EXT = 0x8E75; /// enum GL_TESS_CONTROL_OUTPUT_VERTICES_OES = 0x8E75; /// enum GL_TESS_CONTROL_PROGRAM_NV = 0x891E; /// enum GL_TESS_CONTROL_PROGRAM_PARAMETER_BUFFER_NV = 0x8C74; /// enum GL_TESS_CONTROL_SHADER = 0x8E88; /// enum GL_TESS_CONTROL_SHADER_BIT = 0x00000008; /// enum GL_TESS_CONTROL_SHADER_BIT_EXT = 0x00000008; /// enum GL_TESS_CONTROL_SHADER_BIT_OES = 0x00000008; /// enum GL_TESS_CONTROL_SHADER_EXT = 0x8E88; /// enum GL_TESS_CONTROL_SHADER_OES = 0x8E88; /// enum GL_TESS_CONTROL_SHADER_PATCHES_ARB = 0x82F1; /// enum GL_TESS_CONTROL_SUBROUTINE = 0x92E9; /// enum GL_TESS_CONTROL_SUBROUTINE_UNIFORM = 0x92EF; /// enum GL_TESS_CONTROL_TEXTURE = 0x829C; /// enum GL_TESS_EVALUATION_PROGRAM_NV = 0x891F; /// enum GL_TESS_EVALUATION_PROGRAM_PARAMETER_BUFFER_NV = 0x8C75; /// enum GL_TESS_EVALUATION_SHADER = 0x8E87; /// enum GL_TESS_EVALUATION_SHADER_BIT = 0x00000010; /// enum GL_TESS_EVALUATION_SHADER_BIT_EXT = 0x00000010; /// enum GL_TESS_EVALUATION_SHADER_BIT_OES = 0x00000010; /// enum GL_TESS_EVALUATION_SHADER_EXT = 0x8E87; /// enum GL_TESS_EVALUATION_SHADER_INVOCATIONS_ARB = 0x82F2; /// enum GL_TESS_EVALUATION_SHADER_OES = 0x8E87; /// enum GL_TESS_EVALUATION_SUBROUTINE = 0x92EA; /// enum GL_TESS_EVALUATION_SUBROUTINE_UNIFORM = 0x92F0; /// enum GL_TESS_EVALUATION_TEXTURE = 0x829D; /// enum GL_TESS_GEN_MODE = 0x8E76; /// enum GL_TESS_GEN_MODE_EXT = 0x8E76; /// enum GL_TESS_GEN_MODE_OES = 0x8E76; /// enum GL_TESS_GEN_POINT_MODE = 0x8E79; /// enum GL_TESS_GEN_POINT_MODE_EXT = 0x8E79; /// enum GL_TESS_GEN_POINT_MODE_OES = 0x8E79; /// enum GL_TESS_GEN_SPACING = 0x8E77; /// enum GL_TESS_GEN_SPACING_EXT = 0x8E77; /// enum GL_TESS_GEN_SPACING_OES = 0x8E77; /// enum GL_TESS_GEN_VERTEX_ORDER = 0x8E78; /// enum GL_TESS_GEN_VERTEX_ORDER_EXT = 0x8E78; /// enum GL_TESS_GEN_VERTEX_ORDER_OES = 0x8E78; /// enum GL_TEXCOORD1_BIT_PGI = 0x10000000; /// enum GL_TEXCOORD2_BIT_PGI = 0x20000000; /// enum GL_TEXCOORD3_BIT_PGI = 0x40000000; /// enum GL_TEXCOORD4_BIT_PGI = 0x80000000; /// enum GL_TEXTURE = 0x1702; /// enum GL_TEXTURE0 = 0x84C0; /// enum GL_TEXTURE0_ARB = 0x84C0; /// enum GL_TEXTURE1 = 0x84C1; /// enum GL_TEXTURE10 = 0x84CA; /// enum GL_TEXTURE10_ARB = 0x84CA; /// enum GL_TEXTURE11 = 0x84CB; /// enum GL_TEXTURE11_ARB = 0x84CB; /// enum GL_TEXTURE12 = 0x84CC; /// enum GL_TEXTURE12_ARB = 0x84CC; /// enum GL_TEXTURE13 = 0x84CD; /// enum GL_TEXTURE13_ARB = 0x84CD; /// enum GL_TEXTURE14 = 0x84CE; /// enum GL_TEXTURE14_ARB = 0x84CE; /// enum GL_TEXTURE15 = 0x84CF; /// enum GL_TEXTURE15_ARB = 0x84CF; /// enum GL_TEXTURE16 = 0x84D0; /// enum GL_TEXTURE16_ARB = 0x84D0; /// enum GL_TEXTURE17 = 0x84D1; /// enum GL_TEXTURE17_ARB = 0x84D1; /// enum GL_TEXTURE18 = 0x84D2; /// enum GL_TEXTURE18_ARB = 0x84D2; /// enum GL_TEXTURE19 = 0x84D3; /// enum GL_TEXTURE19_ARB = 0x84D3; /// enum GL_TEXTURE1_ARB = 0x84C1; /// enum GL_TEXTURE2 = 0x84C2; /// enum GL_TEXTURE20 = 0x84D4; /// enum GL_TEXTURE20_ARB = 0x84D4; /// enum GL_TEXTURE21 = 0x84D5; /// enum GL_TEXTURE21_ARB = 0x84D5; /// enum GL_TEXTURE22 = 0x84D6; /// enum GL_TEXTURE22_ARB = 0x84D6; /// enum GL_TEXTURE23 = 0x84D7; /// enum GL_TEXTURE23_ARB = 0x84D7; /// enum GL_TEXTURE24 = 0x84D8; /// enum GL_TEXTURE24_ARB = 0x84D8; /// enum GL_TEXTURE25 = 0x84D9; /// enum GL_TEXTURE25_ARB = 0x84D9; /// enum GL_TEXTURE26 = 0x84DA; /// enum GL_TEXTURE26_ARB = 0x84DA; /// enum GL_TEXTURE27 = 0x84DB; /// enum GL_TEXTURE27_ARB = 0x84DB; /// enum GL_TEXTURE28 = 0x84DC; /// enum GL_TEXTURE28_ARB = 0x84DC; /// enum GL_TEXTURE29 = 0x84DD; /// enum GL_TEXTURE29_ARB = 0x84DD; /// enum GL_TEXTURE2_ARB = 0x84C2; /// enum GL_TEXTURE3 = 0x84C3; /// enum GL_TEXTURE30 = 0x84DE; /// enum GL_TEXTURE30_ARB = 0x84DE; /// enum GL_TEXTURE31 = 0x84DF; /// enum GL_TEXTURE31_ARB = 0x84DF; /// enum GL_TEXTURE3_ARB = 0x84C3; /// enum GL_TEXTURE4 = 0x84C4; /// enum GL_TEXTURE4_ARB = 0x84C4; /// enum GL_TEXTURE5 = 0x84C5; /// enum GL_TEXTURE5_ARB = 0x84C5; /// enum GL_TEXTURE6 = 0x84C6; /// enum GL_TEXTURE6_ARB = 0x84C6; /// enum GL_TEXTURE7 = 0x84C7; /// enum GL_TEXTURE7_ARB = 0x84C7; /// enum GL_TEXTURE8 = 0x84C8; /// enum GL_TEXTURE8_ARB = 0x84C8; /// enum GL_TEXTURE9 = 0x84C9; /// enum GL_TEXTURE9_ARB = 0x84C9; /// enum GL_TEXTURE_1D = 0x0DE0; /// enum GL_TEXTURE_1D_ARRAY = 0x8C18; /// enum GL_TEXTURE_1D_ARRAY_EXT = 0x8C18; /// enum GL_TEXTURE_1D_BINDING_EXT = 0x8068; /// enum GL_TEXTURE_1D_STACK_BINDING_MESAX = 0x875D; /// enum GL_TEXTURE_1D_STACK_MESAX = 0x8759; /// enum GL_TEXTURE_2D = 0x0DE1; /// enum GL_TEXTURE_2D_ARRAY = 0x8C1A; /// enum GL_TEXTURE_2D_ARRAY_EXT = 0x8C1A; /// enum GL_TEXTURE_2D_BINDING_EXT = 0x8069; /// enum GL_TEXTURE_2D_MULTISAMPLE = 0x9100; /// enum GL_TEXTURE_2D_MULTISAMPLE_ARRAY = 0x9102; /// enum GL_TEXTURE_2D_MULTISAMPLE_ARRAY_OES = 0x9102; /// enum GL_TEXTURE_2D_STACK_BINDING_MESAX = 0x875E; /// enum GL_TEXTURE_2D_STACK_MESAX = 0x875A; /// enum GL_TEXTURE_3D = 0x806F; /// enum GL_TEXTURE_3D_BINDING_EXT = 0x806A; /// enum GL_TEXTURE_3D_BINDING_OES = 0x806A; /// enum GL_TEXTURE_3D_EXT = 0x806F; /// enum GL_TEXTURE_3D_OES = 0x806F; /// enum GL_TEXTURE_4DSIZE_SGIS = 0x8136; /// enum GL_TEXTURE_4D_BINDING_SGIS = 0x814F; /// enum GL_TEXTURE_4D_SGIS = 0x8134; /// enum GL_TEXTURE_ALPHA_MODULATE_IMG = 0x8C06; /// enum GL_TEXTURE_ALPHA_SIZE = 0x805F; /// enum GL_TEXTURE_ALPHA_SIZE_EXT = 0x805F; /// enum GL_TEXTURE_ALPHA_TYPE = 0x8C13; /// enum GL_TEXTURE_ALPHA_TYPE_ARB = 0x8C13; /// enum GL_TEXTURE_APPLICATION_MODE_EXT = 0x834F; /// enum GL_TEXTURE_BASE_LEVEL = 0x813C; /// enum GL_TEXTURE_BASE_LEVEL_SGIS = 0x813C; /// enum GL_TEXTURE_BINDING_1D = 0x8068; /// enum GL_TEXTURE_BINDING_1D_ARRAY = 0x8C1C; /// enum GL_TEXTURE_BINDING_1D_ARRAY_EXT = 0x8C1C; /// enum GL_TEXTURE_BINDING_2D = 0x8069; /// enum GL_TEXTURE_BINDING_2D_ARRAY = 0x8C1D; /// enum GL_TEXTURE_BINDING_2D_ARRAY_EXT = 0x8C1D; /// enum GL_TEXTURE_BINDING_2D_MULTISAMPLE = 0x9104; /// enum GL_TEXTURE_BINDING_2D_MULTISAMPLE_ARRAY = 0x9105; /// enum GL_TEXTURE_BINDING_2D_MULTISAMPLE_ARRAY_OES = 0x9105; /// enum GL_TEXTURE_BINDING_3D = 0x806A; /// enum GL_TEXTURE_BINDING_3D_OES = 0x806A; /// enum GL_TEXTURE_BINDING_BUFFER = 0x8C2C; /// enum GL_TEXTURE_BINDING_BUFFER_ARB = 0x8C2C; /// enum GL_TEXTURE_BINDING_BUFFER_EXT = 0x8C2C; /// enum GL_TEXTURE_BINDING_BUFFER_OES = 0x8C2C; /// enum GL_TEXTURE_BINDING_CUBE_MAP = 0x8514; /// enum GL_TEXTURE_BINDING_CUBE_MAP_ARB = 0x8514; /// enum GL_TEXTURE_BINDING_CUBE_MAP_ARRAY = 0x900A; /// enum GL_TEXTURE_BINDING_CUBE_MAP_ARRAY_ARB = 0x900A; /// enum GL_TEXTURE_BINDING_CUBE_MAP_ARRAY_EXT = 0x900A; /// enum GL_TEXTURE_BINDING_CUBE_MAP_ARRAY_OES = 0x900A; /// enum GL_TEXTURE_BINDING_CUBE_MAP_EXT = 0x8514; /// enum GL_TEXTURE_BINDING_CUBE_MAP_OES = 0x8514; /// enum GL_TEXTURE_BINDING_EXTERNAL_OES = 0x8D67; /// enum GL_TEXTURE_BINDING_RECTANGLE = 0x84F6; /// enum GL_TEXTURE_BINDING_RECTANGLE_ARB = 0x84F6; /// enum GL_TEXTURE_BINDING_RECTANGLE_NV = 0x84F6; /// enum GL_TEXTURE_BINDING_RENDERBUFFER_NV = 0x8E53; /// enum GL_TEXTURE_BIT = 0x00040000; /// enum GL_TEXTURE_BLUE_SIZE = 0x805E; /// enum GL_TEXTURE_BLUE_SIZE_EXT = 0x805E; /// enum GL_TEXTURE_BLUE_TYPE = 0x8C12; /// enum GL_TEXTURE_BLUE_TYPE_ARB = 0x8C12; /// enum GL_TEXTURE_BORDER = 0x1005; /// enum GL_TEXTURE_BORDER_COLOR = 0x1004; /// enum GL_TEXTURE_BORDER_COLOR_EXT = 0x1004; /// enum GL_TEXTURE_BORDER_COLOR_NV = 0x1004; /// enum GL_TEXTURE_BORDER_COLOR_OES = 0x1004; /// enum GL_TEXTURE_BORDER_VALUES_NV = 0x871A; /// enum GL_TEXTURE_BUFFER = 0x8C2A; /// enum GL_TEXTURE_BUFFER_ARB = 0x8C2A; /// enum GL_TEXTURE_BUFFER_BINDING = 0x8C2A; /// enum GL_TEXTURE_BUFFER_BINDING_EXT = 0x8C2A; /// enum GL_TEXTURE_BUFFER_BINDING_OES = 0x8C2A; /// enum GL_TEXTURE_BUFFER_DATA_STORE_BINDING = 0x8C2D; /// enum GL_TEXTURE_BUFFER_DATA_STORE_BINDING_ARB = 0x8C2D; /// enum GL_TEXTURE_BUFFER_DATA_STORE_BINDING_EXT = 0x8C2D; /// enum GL_TEXTURE_BUFFER_DATA_STORE_BINDING_OES = 0x8C2D; /// enum GL_TEXTURE_BUFFER_EXT = 0x8C2A; /// enum GL_TEXTURE_BUFFER_FORMAT_ARB = 0x8C2E; /// enum GL_TEXTURE_BUFFER_FORMAT_EXT = 0x8C2E; /// enum GL_TEXTURE_BUFFER_OES = 0x8C2A; /// enum GL_TEXTURE_BUFFER_OFFSET = 0x919D; /// enum GL_TEXTURE_BUFFER_OFFSET_ALIGNMENT = 0x919F; /// enum GL_TEXTURE_BUFFER_OFFSET_ALIGNMENT_EXT = 0x919F; /// enum GL_TEXTURE_BUFFER_OFFSET_ALIGNMENT_OES = 0x919F; /// enum GL_TEXTURE_BUFFER_OFFSET_EXT = 0x919D; /// enum GL_TEXTURE_BUFFER_OFFSET_OES = 0x919D; /// enum GL_TEXTURE_BUFFER_SIZE = 0x919E; /// enum GL_TEXTURE_BUFFER_SIZE_EXT = 0x919E; /// enum GL_TEXTURE_BUFFER_SIZE_OES = 0x919E; /// enum GL_TEXTURE_CLIPMAP_CENTER_SGIX = 0x8171; /// enum GL_TEXTURE_CLIPMAP_DEPTH_SGIX = 0x8176; /// enum GL_TEXTURE_CLIPMAP_FRAME_SGIX = 0x8172; /// enum GL_TEXTURE_CLIPMAP_LOD_OFFSET_SGIX = 0x8175; /// enum GL_TEXTURE_CLIPMAP_OFFSET_SGIX = 0x8173; /// enum GL_TEXTURE_CLIPMAP_VIRTUAL_DEPTH_SGIX = 0x8174; /// enum GL_TEXTURE_COLOR_SAMPLES_NV = 0x9046; /// enum GL_TEXTURE_COLOR_TABLE_SGI = 0x80BC; /// enum GL_TEXTURE_COLOR_WRITEMASK_SGIS = 0x81EF; /// enum GL_TEXTURE_COMPARE_FAIL_VALUE_ARB = 0x80BF; /// enum GL_TEXTURE_COMPARE_FUNC = 0x884D; /// enum GL_TEXTURE_COMPARE_FUNC_ARB = 0x884D; /// enum GL_TEXTURE_COMPARE_FUNC_EXT = 0x884D; /// enum GL_TEXTURE_COMPARE_MODE = 0x884C; /// enum GL_TEXTURE_COMPARE_MODE_ARB = 0x884C; /// enum GL_TEXTURE_COMPARE_MODE_EXT = 0x884C; /// enum GL_TEXTURE_COMPARE_OPERATOR_SGIX = 0x819B; /// enum GL_TEXTURE_COMPARE_SGIX = 0x819A; /// enum GL_TEXTURE_COMPONENTS = 0x1003; /// enum GL_TEXTURE_COMPRESSED = 0x86A1; /// enum GL_TEXTURE_COMPRESSED_ARB = 0x86A1; /// enum GL_TEXTURE_COMPRESSED_BLOCK_HEIGHT = 0x82B2; /// enum GL_TEXTURE_COMPRESSED_BLOCK_SIZE = 0x82B3; /// enum GL_TEXTURE_COMPRESSED_BLOCK_WIDTH = 0x82B1; /// enum GL_TEXTURE_COMPRESSED_IMAGE_SIZE = 0x86A0; /// enum GL_TEXTURE_COMPRESSED_IMAGE_SIZE_ARB = 0x86A0; /// enum GL_TEXTURE_COMPRESSION_HINT = 0x84EF; /// enum GL_TEXTURE_COMPRESSION_HINT_ARB = 0x84EF; /// enum GL_TEXTURE_CONSTANT_DATA_SUNX = 0x81D6; /// enum GL_TEXTURE_COORD_ARRAY = 0x8078; /// enum GL_TEXTURE_COORD_ARRAY_ADDRESS_NV = 0x8F25; /// enum GL_TEXTURE_COORD_ARRAY_BUFFER_BINDING = 0x889A; /// enum GL_TEXTURE_COORD_ARRAY_BUFFER_BINDING_ARB = 0x889A; /// enum GL_TEXTURE_COORD_ARRAY_COUNT_EXT = 0x808B; /// enum GL_TEXTURE_COORD_ARRAY_EXT = 0x8078; /// enum GL_TEXTURE_COORD_ARRAY_LENGTH_NV = 0x8F2F; /// enum GL_TEXTURE_COORD_ARRAY_LIST_IBM = 0x103074; /// enum GL_TEXTURE_COORD_ARRAY_LIST_STRIDE_IBM = 0x103084; /// enum GL_TEXTURE_COORD_ARRAY_PARALLEL_POINTERS_INTEL = 0x83F8; /// enum GL_TEXTURE_COORD_ARRAY_POINTER = 0x8092; /// enum GL_TEXTURE_COORD_ARRAY_POINTER_EXT = 0x8092; /// enum GL_TEXTURE_COORD_ARRAY_SIZE = 0x8088; /// enum GL_TEXTURE_COORD_ARRAY_SIZE_EXT = 0x8088; /// enum GL_TEXTURE_COORD_ARRAY_STRIDE = 0x808A; /// enum GL_TEXTURE_COORD_ARRAY_STRIDE_EXT = 0x808A; /// enum GL_TEXTURE_COORD_ARRAY_TYPE = 0x8089; /// enum GL_TEXTURE_COORD_ARRAY_TYPE_EXT = 0x8089; /// enum GL_TEXTURE_COORD_NV = 0x8C79; /// enum GL_TEXTURE_COVERAGE_SAMPLES_NV = 0x9045; /// enum GL_TEXTURE_CROP_RECT_OES = 0x8B9D; /// enum GL_TEXTURE_CUBE_MAP = 0x8513; /// enum GL_TEXTURE_CUBE_MAP_ARB = 0x8513; /// enum GL_TEXTURE_CUBE_MAP_ARRAY = 0x9009; /// enum GL_TEXTURE_CUBE_MAP_ARRAY_ARB = 0x9009; /// enum GL_TEXTURE_CUBE_MAP_ARRAY_EXT = 0x9009; /// enum GL_TEXTURE_CUBE_MAP_ARRAY_OES = 0x9009; /// enum GL_TEXTURE_CUBE_MAP_EXT = 0x8513; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_X = 0x8516; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_X_ARB = 0x8516; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_X_EXT = 0x8516; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_X_OES = 0x8516; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_Y = 0x8518; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_Y_ARB = 0x8518; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_Y_EXT = 0x8518; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_Y_OES = 0x8518; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_Z = 0x851A; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_Z_ARB = 0x851A; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_Z_EXT = 0x851A; /// enum GL_TEXTURE_CUBE_MAP_NEGATIVE_Z_OES = 0x851A; /// enum GL_TEXTURE_CUBE_MAP_OES = 0x8513; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_X = 0x8515; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_X_ARB = 0x8515; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_X_EXT = 0x8515; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_X_OES = 0x8515; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_Y = 0x8517; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_Y_ARB = 0x8517; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_Y_EXT = 0x8517; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_Y_OES = 0x8517; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_Z = 0x8519; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_Z_ARB = 0x8519; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_Z_EXT = 0x8519; /// enum GL_TEXTURE_CUBE_MAP_POSITIVE_Z_OES = 0x8519; /// enum GL_TEXTURE_CUBE_MAP_SEAMLESS = 0x884F; /// enum GL_TEXTURE_DEFORMATION_BIT_SGIX = 0x00000001; /// enum GL_TEXTURE_DEFORMATION_SGIX = 0x8195; /// enum GL_TEXTURE_DEPTH = 0x8071; /// enum GL_TEXTURE_DEPTH_EXT = 0x8071; /// enum GL_TEXTURE_DEPTH_QCOM = 0x8BD4; /// enum GL_TEXTURE_DEPTH_SIZE = 0x884A; /// enum GL_TEXTURE_DEPTH_SIZE_ARB = 0x884A; /// enum GL_TEXTURE_DEPTH_TYPE = 0x8C16; /// enum GL_TEXTURE_DEPTH_TYPE_ARB = 0x8C16; /// enum GL_TEXTURE_DS_SIZE_NV = 0x871D; /// enum GL_TEXTURE_DT_SIZE_NV = 0x871E; /// enum GL_TEXTURE_ENV = 0x2300; /// enum GL_TEXTURE_ENV_BIAS_SGIX = 0x80BE; /// enum GL_TEXTURE_ENV_COLOR = 0x2201; /// enum GL_TEXTURE_ENV_MODE = 0x2200; /// enum GL_TEXTURE_EXTERNAL_OES = 0x8D65; /// enum GL_TEXTURE_FETCH_BARRIER_BIT = 0x00000008; /// enum GL_TEXTURE_FETCH_BARRIER_BIT_EXT = 0x00000008; /// enum GL_TEXTURE_FILTER4_SIZE_SGIS = 0x8147; /// enum GL_TEXTURE_FILTER_CONTROL = 0x8500; /// enum GL_TEXTURE_FILTER_CONTROL_EXT = 0x8500; /// enum GL_TEXTURE_FIXED_SAMPLE_LOCATIONS = 0x9107; /// enum GL_TEXTURE_FLOAT_COMPONENTS_NV = 0x888C; /// enum GL_TEXTURE_FORMAT_QCOM = 0x8BD6; /// enum GL_TEXTURE_FREE_MEMORY_ATI = 0x87FC; /// enum GL_TEXTURE_GATHER = 0x82A2; /// enum GL_TEXTURE_GATHER_SHADOW = 0x82A3; /// enum GL_TEXTURE_GEN_MODE = 0x2500; /// enum GL_TEXTURE_GEN_MODE_OES = 0x2500; /// enum GL_TEXTURE_GEN_Q = 0x0C63; /// enum GL_TEXTURE_GEN_R = 0x0C62; /// enum GL_TEXTURE_GEN_S = 0x0C60; /// enum GL_TEXTURE_GEN_STR_OES = 0x8D60; /// enum GL_TEXTURE_GEN_T = 0x0C61; /// enum GL_TEXTURE_GEQUAL_R_SGIX = 0x819D; /// enum GL_TEXTURE_GREEN_SIZE = 0x805D; /// enum GL_TEXTURE_GREEN_SIZE_EXT = 0x805D; /// enum GL_TEXTURE_GREEN_TYPE = 0x8C11; /// enum GL_TEXTURE_GREEN_TYPE_ARB = 0x8C11; /// enum GL_TEXTURE_HEIGHT = 0x1001; /// enum GL_TEXTURE_HEIGHT_QCOM = 0x8BD3; /// enum GL_TEXTURE_HI_SIZE_NV = 0x871B; /// enum GL_TEXTURE_IMAGE_FORMAT = 0x828F; /// enum GL_TEXTURE_IMAGE_TYPE = 0x8290; /// enum GL_TEXTURE_IMAGE_VALID_QCOM = 0x8BD8; /// enum GL_TEXTURE_IMMUTABLE_FORMAT = 0x912F; /// enum GL_TEXTURE_IMMUTABLE_FORMAT_EXT = 0x912F; /// enum GL_TEXTURE_IMMUTABLE_LEVELS = 0x82DF; /// enum GL_TEXTURE_INDEX_SIZE_EXT = 0x80ED; /// enum GL_TEXTURE_INTENSITY_SIZE = 0x8061; /// enum GL_TEXTURE_INTENSITY_SIZE_EXT = 0x8061; /// enum GL_TEXTURE_INTENSITY_TYPE = 0x8C15; /// enum GL_TEXTURE_INTENSITY_TYPE_ARB = 0x8C15; /// enum GL_TEXTURE_INTERNAL_FORMAT = 0x1003; /// enum GL_TEXTURE_INTERNAL_FORMAT_QCOM = 0x8BD5; /// enum GL_TEXTURE_LEQUAL_R_SGIX = 0x819C; /// enum GL_TEXTURE_LIGHTING_MODE_HP = 0x8167; /// enum GL_TEXTURE_LIGHT_EXT = 0x8350; /// enum GL_TEXTURE_LOD_BIAS = 0x8501; /// enum GL_TEXTURE_LOD_BIAS_EXT = 0x8501; /// enum GL_TEXTURE_LOD_BIAS_R_SGIX = 0x8190; /// enum GL_TEXTURE_LOD_BIAS_S_SGIX = 0x818E; /// enum GL_TEXTURE_LOD_BIAS_T_SGIX = 0x818F; /// enum GL_TEXTURE_LO_SIZE_NV = 0x871C; /// enum GL_TEXTURE_LUMINANCE_SIZE = 0x8060; /// enum GL_TEXTURE_LUMINANCE_SIZE_EXT = 0x8060; /// enum GL_TEXTURE_LUMINANCE_TYPE = 0x8C14; /// enum GL_TEXTURE_LUMINANCE_TYPE_ARB = 0x8C14; /// enum GL_TEXTURE_MAG_FILTER = 0x2800; /// enum GL_TEXTURE_MAG_SIZE_NV = 0x871F; /// enum GL_TEXTURE_MATERIAL_FACE_EXT = 0x8351; /// enum GL_TEXTURE_MATERIAL_PARAMETER_EXT = 0x8352; /// enum GL_TEXTURE_MATRIX = 0x0BA8; /// enum GL_TEXTURE_MATRIX_FLOAT_AS_INT_BITS_OES = 0x898F; /// enum GL_TEXTURE_MAX_ANISOTROPY_EXT = 0x84FE; /// enum GL_TEXTURE_MAX_CLAMP_R_SGIX = 0x836B; /// enum GL_TEXTURE_MAX_CLAMP_S_SGIX = 0x8369; /// enum GL_TEXTURE_MAX_CLAMP_T_SGIX = 0x836A; /// enum GL_TEXTURE_MAX_LEVEL = 0x813D; /// enum GL_TEXTURE_MAX_LEVEL_APPLE = 0x813D; /// enum GL_TEXTURE_MAX_LEVEL_SGIS = 0x813D; /// enum GL_TEXTURE_MAX_LOD = 0x813B; /// enum GL_TEXTURE_MAX_LOD_SGIS = 0x813B; /// enum GL_TEXTURE_MEMORY_LAYOUT_INTEL = 0x83FF; /// enum GL_TEXTURE_MIN_FILTER = 0x2801; /// enum GL_TEXTURE_MIN_LOD = 0x813A; /// enum GL_TEXTURE_MIN_LOD_SGIS = 0x813A; /// enum GL_TEXTURE_MULTI_BUFFER_HINT_SGIX = 0x812E; /// enum GL_TEXTURE_NORMAL_EXT = 0x85AF; /// enum GL_TEXTURE_NUM_LEVELS_QCOM = 0x8BD9; /// enum GL_TEXTURE_OBJECT_VALID_QCOM = 0x8BDB; /// enum GL_TEXTURE_POST_SPECULAR_HP = 0x8168; /// enum GL_TEXTURE_PRE_SPECULAR_HP = 0x8169; /// enum GL_TEXTURE_PRIORITY = 0x8066; /// enum GL_TEXTURE_PRIORITY_EXT = 0x8066; /// enum GL_TEXTURE_PROTECTED_EXT = 0x8BFA; /// enum GL_TEXTURE_RANGE_LENGTH_APPLE = 0x85B7; /// enum GL_TEXTURE_RANGE_POINTER_APPLE = 0x85B8; /// enum GL_TEXTURE_RECTANGLE = 0x84F5; /// enum GL_TEXTURE_RECTANGLE_ARB = 0x84F5; /// enum GL_TEXTURE_RECTANGLE_NV = 0x84F5; /// enum GL_TEXTURE_REDUCTION_MODE_ARB = 0x9366; /// enum GL_TEXTURE_RED_SIZE = 0x805C; /// enum GL_TEXTURE_RED_SIZE_EXT = 0x805C; /// enum GL_TEXTURE_RED_TYPE = 0x8C10; /// enum GL_TEXTURE_RED_TYPE_ARB = 0x8C10; /// enum GL_TEXTURE_RENDERBUFFER_DATA_STORE_BINDING_NV = 0x8E54; /// enum GL_TEXTURE_RENDERBUFFER_NV = 0x8E55; /// enum GL_TEXTURE_RESIDENT = 0x8067; /// enum GL_TEXTURE_RESIDENT_EXT = 0x8067; /// enum GL_TEXTURE_SAMPLES = 0x9106; /// enum GL_TEXTURE_SAMPLES_IMG = 0x9136; /// enum GL_TEXTURE_SHADER_NV = 0x86DE; /// enum GL_TEXTURE_SHADOW = 0x82A1; /// enum GL_TEXTURE_SHARED_SIZE = 0x8C3F; /// enum GL_TEXTURE_SHARED_SIZE_EXT = 0x8C3F; /// enum GL_TEXTURE_SPARSE_ARB = 0x91A6; /// enum GL_TEXTURE_SPARSE_EXT = 0x91A6; /// enum GL_TEXTURE_SRGB_DECODE_EXT = 0x8A48; /// enum GL_TEXTURE_STACK_DEPTH = 0x0BA5; /// enum GL_TEXTURE_STENCIL_SIZE = 0x88F1; /// enum GL_TEXTURE_STENCIL_SIZE_EXT = 0x88F1; /// enum GL_TEXTURE_STORAGE_HINT_APPLE = 0x85BC; /// enum GL_TEXTURE_STORAGE_SPARSE_BIT_AMD = 0x00000001; /// enum GL_TEXTURE_SWIZZLE_A = 0x8E45; /// enum GL_TEXTURE_SWIZZLE_A_EXT = 0x8E45; /// enum GL_TEXTURE_SWIZZLE_B = 0x8E44; /// enum GL_TEXTURE_SWIZZLE_B_EXT = 0x8E44; /// enum GL_TEXTURE_SWIZZLE_G = 0x8E43; /// enum GL_TEXTURE_SWIZZLE_G_EXT = 0x8E43; /// enum GL_TEXTURE_SWIZZLE_R = 0x8E42; /// enum GL_TEXTURE_SWIZZLE_RGBA = 0x8E46; /// enum GL_TEXTURE_SWIZZLE_RGBA_EXT = 0x8E46; /// enum GL_TEXTURE_SWIZZLE_R_EXT = 0x8E42; /// enum GL_TEXTURE_TARGET = 0x1006; /// enum GL_TEXTURE_TARGET_QCOM = 0x8BDA; /// enum GL_TEXTURE_TOO_LARGE_EXT = 0x8065; /// enum GL_TEXTURE_TYPE_QCOM = 0x8BD7; /// enum GL_TEXTURE_UNSIGNED_REMAP_MODE_NV = 0x888F; /// enum GL_TEXTURE_UPDATE_BARRIER_BIT = 0x00000100; /// enum GL_TEXTURE_UPDATE_BARRIER_BIT_EXT = 0x00000100; /// enum GL_TEXTURE_USAGE_ANGLE = 0x93A2; /// enum GL_TEXTURE_VIEW = 0x82B5; /// enum GL_TEXTURE_VIEW_MIN_LAYER = 0x82DD; /// enum GL_TEXTURE_VIEW_MIN_LAYER_EXT = 0x82DD; /// enum GL_TEXTURE_VIEW_MIN_LAYER_OES = 0x82DD; /// enum GL_TEXTURE_VIEW_MIN_LEVEL = 0x82DB; /// enum GL_TEXTURE_VIEW_MIN_LEVEL_EXT = 0x82DB; /// enum GL_TEXTURE_VIEW_MIN_LEVEL_OES = 0x82DB; /// enum GL_TEXTURE_VIEW_NUM_LAYERS = 0x82DE; /// enum GL_TEXTURE_VIEW_NUM_LAYERS_EXT = 0x82DE; /// enum GL_TEXTURE_VIEW_NUM_LAYERS_OES = 0x82DE; /// enum GL_TEXTURE_VIEW_NUM_LEVELS = 0x82DC; /// enum GL_TEXTURE_VIEW_NUM_LEVELS_EXT = 0x82DC; /// enum GL_TEXTURE_VIEW_NUM_LEVELS_OES = 0x82DC; /// enum GL_TEXTURE_WIDTH = 0x1000; /// enum GL_TEXTURE_WIDTH_QCOM = 0x8BD2; /// enum GL_TEXTURE_WRAP_Q_SGIS = 0x8137; /// enum GL_TEXTURE_WRAP_R = 0x8072; /// enum GL_TEXTURE_WRAP_R_EXT = 0x8072; /// enum GL_TEXTURE_WRAP_R_OES = 0x8072; /// enum GL_TEXTURE_WRAP_S = 0x2802; /// enum GL_TEXTURE_WRAP_T = 0x2803; /// enum GL_TEXT_FRAGMENT_SHADER_ATI = 0x8200; /// enum GL_TIMEOUT_EXPIRED = 0x911B; /// enum GL_TIMEOUT_EXPIRED_APPLE = 0x911B; /// enum GL_TIMEOUT_IGNORED = 0xFFFFFFFFFFFFFFFF; /// enum GL_TIMEOUT_IGNORED_APPLE = 0xFFFFFFFFFFFFFFFF; /// enum GL_TIMESTAMP = 0x8E28; /// enum GL_TIMESTAMP_EXT = 0x8E28; /// enum GL_TIME_ELAPSED = 0x88BF; /// enum GL_TIME_ELAPSED_EXT = 0x88BF; /// enum GL_TOP_LEVEL_ARRAY_SIZE = 0x930C; /// enum GL_TOP_LEVEL_ARRAY_STRIDE = 0x930D; /// enum GL_TRACE_ALL_BITS_MESA = 0xFFFF; /// enum GL_TRACE_ARRAYS_BIT_MESA = 0x0004; /// enum GL_TRACE_ERRORS_BIT_MESA = 0x0020; /// enum GL_TRACE_MASK_MESA = 0x8755; /// enum GL_TRACE_NAME_MESA = 0x8756; /// enum GL_TRACE_OPERATIONS_BIT_MESA = 0x0001; /// enum GL_TRACE_PIXELS_BIT_MESA = 0x0010; /// enum GL_TRACE_PRIMITIVES_BIT_MESA = 0x0002; /// enum GL_TRACE_TEXTURES_BIT_MESA = 0x0008; /// enum GL_TRACK_MATRIX_NV = 0x8648; /// enum GL_TRACK_MATRIX_TRANSFORM_NV = 0x8649; /// enum GL_TRANSFORM_BIT = 0x00001000; /// enum GL_TRANSFORM_FEEDBACK = 0x8E22; /// enum GL_TRANSFORM_FEEDBACK_ACTIVE = 0x8E24; /// enum GL_TRANSFORM_FEEDBACK_ATTRIBS_NV = 0x8C7E; /// enum GL_TRANSFORM_FEEDBACK_BARRIER_BIT = 0x00000800; /// enum GL_TRANSFORM_FEEDBACK_BARRIER_BIT_EXT = 0x00000800; /// enum GL_TRANSFORM_FEEDBACK_BINDING = 0x8E25; /// enum GL_TRANSFORM_FEEDBACK_BINDING_NV = 0x8E25; /// enum GL_TRANSFORM_FEEDBACK_BUFFER = 0x8C8E; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_ACTIVE = 0x8E24; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_ACTIVE_NV = 0x8E24; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_BINDING = 0x8C8F; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_BINDING_EXT = 0x8C8F; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_BINDING_NV = 0x8C8F; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_EXT = 0x8C8E; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_INDEX = 0x934B; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_MODE = 0x8C7F; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_MODE_EXT = 0x8C7F; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_MODE_NV = 0x8C7F; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_NV = 0x8C8E; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_PAUSED = 0x8E23; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_PAUSED_NV = 0x8E23; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_SIZE = 0x8C85; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_SIZE_EXT = 0x8C85; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_SIZE_NV = 0x8C85; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_START = 0x8C84; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_START_EXT = 0x8C84; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_START_NV = 0x8C84; /// enum GL_TRANSFORM_FEEDBACK_BUFFER_STRIDE = 0x934C; /// enum GL_TRANSFORM_FEEDBACK_NV = 0x8E22; /// enum GL_TRANSFORM_FEEDBACK_OVERFLOW_ARB = 0x82EC; /// enum GL_TRANSFORM_FEEDBACK_PAUSED = 0x8E23; /// enum GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN = 0x8C88; /// enum GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN_EXT = 0x8C88; /// enum GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN_NV = 0x8C88; /// enum GL_TRANSFORM_FEEDBACK_RECORD_NV = 0x8C86; /// enum GL_TRANSFORM_FEEDBACK_STREAM_OVERFLOW_ARB = 0x82ED; /// enum GL_TRANSFORM_FEEDBACK_VARYING = 0x92F4; /// enum GL_TRANSFORM_FEEDBACK_VARYINGS = 0x8C83; /// enum GL_TRANSFORM_FEEDBACK_VARYINGS_EXT = 0x8C83; /// enum GL_TRANSFORM_FEEDBACK_VARYINGS_NV = 0x8C83; /// enum GL_TRANSFORM_FEEDBACK_VARYING_MAX_LENGTH = 0x8C76; /// enum GL_TRANSFORM_FEEDBACK_VARYING_MAX_LENGTH_EXT = 0x8C76; /// enum GL_TRANSFORM_HINT_APPLE = 0x85B1; /// enum GL_TRANSLATED_SHADER_SOURCE_LENGTH_ANGLE = 0x93A0; /// enum GL_TRANSLATE_2D_NV = 0x9090; /// enum GL_TRANSLATE_3D_NV = 0x9091; /// enum GL_TRANSLATE_X_NV = 0x908E; /// enum GL_TRANSLATE_Y_NV = 0x908F; /// enum GL_TRANSPOSE_AFFINE_2D_NV = 0x9096; /// enum GL_TRANSPOSE_AFFINE_3D_NV = 0x9098; /// enum GL_TRANSPOSE_COLOR_MATRIX = 0x84E6; /// enum GL_TRANSPOSE_COLOR_MATRIX_ARB = 0x84E6; /// enum GL_TRANSPOSE_CURRENT_MATRIX_ARB = 0x88B7; /// enum GL_TRANSPOSE_MODELVIEW_MATRIX = 0x84E3; /// enum GL_TRANSPOSE_MODELVIEW_MATRIX_ARB = 0x84E3; /// enum GL_TRANSPOSE_NV = 0x862C; /// enum GL_TRANSPOSE_PROGRAM_MATRIX_EXT = 0x8E2E; /// enum GL_TRANSPOSE_PROJECTION_MATRIX = 0x84E4; /// enum GL_TRANSPOSE_PROJECTION_MATRIX_ARB = 0x84E4; /// enum GL_TRANSPOSE_TEXTURE_MATRIX = 0x84E5; /// enum GL_TRANSPOSE_TEXTURE_MATRIX_ARB = 0x84E5; /// enum GL_TRIANGLES = 0x0004; /// enum GL_TRIANGLES_ADJACENCY = 0x000C; /// enum GL_TRIANGLES_ADJACENCY_ARB = 0x000C; /// enum GL_TRIANGLES_ADJACENCY_EXT = 0x000C; /// enum GL_TRIANGLES_ADJACENCY_OES = 0x000C; /// enum GL_TRIANGLE_FAN = 0x0006; /// enum GL_TRIANGLE_LIST_SUN = 0x81D7; /// enum GL_TRIANGLE_MESH_SUN = 0x8615; /// enum GL_TRIANGLE_STRIP = 0x0005; /// enum GL_TRIANGLE_STRIP_ADJACENCY = 0x000D; /// enum GL_TRIANGLE_STRIP_ADJACENCY_ARB = 0x000D; /// enum GL_TRIANGLE_STRIP_ADJACENCY_EXT = 0x000D; /// enum GL_TRIANGLE_STRIP_ADJACENCY_OES = 0x000D; /// enum GL_TRIANGULAR_NV = 0x90A5; /// enum GL_TRUE = 1; /// enum GL_TYPE = 0x92FA; /// enum GL_UNCORRELATED_NV = 0x9282; /// enum GL_UNDEFINED_APPLE = 0x8A1C; /// enum GL_UNDEFINED_VERTEX = 0x8260; /// enum GL_UNDEFINED_VERTEX_EXT = 0x8260; /// enum GL_UNDEFINED_VERTEX_OES = 0x8260; /// enum GL_UNIFORM = 0x92E1; /// enum GL_UNIFORM_ADDRESS_COMMAND_NV = 0x000A; /// enum GL_UNIFORM_ARRAY_STRIDE = 0x8A3C; /// enum GL_UNIFORM_ATOMIC_COUNTER_BUFFER_INDEX = 0x92DA; /// enum GL_UNIFORM_BARRIER_BIT = 0x00000004; /// enum GL_UNIFORM_BARRIER_BIT_EXT = 0x00000004; /// enum GL_UNIFORM_BLOCK = 0x92E2; /// enum GL_UNIFORM_BLOCK_ACTIVE_UNIFORMS = 0x8A42; /// enum GL_UNIFORM_BLOCK_ACTIVE_UNIFORM_INDICES = 0x8A43; /// enum GL_UNIFORM_BLOCK_BINDING = 0x8A3F; /// enum GL_UNIFORM_BLOCK_DATA_SIZE = 0x8A40; /// enum GL_UNIFORM_BLOCK_INDEX = 0x8A3A; /// enum GL_UNIFORM_BLOCK_NAME_LENGTH = 0x8A41; /// enum GL_UNIFORM_BLOCK_REFERENCED_BY_COMPUTE_SHADER = 0x90EC; /// enum GL_UNIFORM_BLOCK_REFERENCED_BY_FRAGMENT_SHADER = 0x8A46; /// enum GL_UNIFORM_BLOCK_REFERENCED_BY_GEOMETRY_SHADER = 0x8A45; /// enum GL_UNIFORM_BLOCK_REFERENCED_BY_TESS_CONTROL_SHADER = 0x84F0; /// enum GL_UNIFORM_BLOCK_REFERENCED_BY_TESS_EVALUATION_SHADER = 0x84F1; /// enum GL_UNIFORM_BLOCK_REFERENCED_BY_VERTEX_SHADER = 0x8A44; /// enum GL_UNIFORM_BUFFER = 0x8A11; /// enum GL_UNIFORM_BUFFER_ADDRESS_NV = 0x936F; /// enum GL_UNIFORM_BUFFER_BINDING = 0x8A28; /// enum GL_UNIFORM_BUFFER_BINDING_EXT = 0x8DEF; /// enum GL_UNIFORM_BUFFER_EXT = 0x8DEE; /// enum GL_UNIFORM_BUFFER_LENGTH_NV = 0x9370; /// enum GL_UNIFORM_BUFFER_OFFSET_ALIGNMENT = 0x8A34; /// enum GL_UNIFORM_BUFFER_SIZE = 0x8A2A; /// enum GL_UNIFORM_BUFFER_START = 0x8A29; /// enum GL_UNIFORM_BUFFER_UNIFIED_NV = 0x936E; /// enum GL_UNIFORM_IS_ROW_MAJOR = 0x8A3E; /// enum GL_UNIFORM_MATRIX_STRIDE = 0x8A3D; /// enum GL_UNIFORM_NAME_LENGTH = 0x8A39; /// enum GL_UNIFORM_OFFSET = 0x8A3B; /// enum GL_UNIFORM_SIZE = 0x8A38; /// enum GL_UNIFORM_TYPE = 0x8A37; /// enum GL_UNKNOWN_CONTEXT_RESET = 0x8255; /// enum GL_UNKNOWN_CONTEXT_RESET_ARB = 0x8255; /// enum GL_UNKNOWN_CONTEXT_RESET_EXT = 0x8255; /// enum GL_UNKNOWN_CONTEXT_RESET_KHR = 0x8255; /// enum GL_UNPACK_ALIGNMENT = 0x0CF5; /// enum GL_UNPACK_CLIENT_STORAGE_APPLE = 0x85B2; /// enum GL_UNPACK_CMYK_HINT_EXT = 0x800F; /// enum GL_UNPACK_COLORSPACE_CONVERSION_WEBGL = 0x9243; /// enum GL_UNPACK_COMPRESSED_BLOCK_DEPTH = 0x9129; /// enum GL_UNPACK_COMPRESSED_BLOCK_HEIGHT = 0x9128; /// enum GL_UNPACK_COMPRESSED_BLOCK_SIZE = 0x912A; /// enum GL_UNPACK_COMPRESSED_BLOCK_WIDTH = 0x9127; /// enum GL_UNPACK_COMPRESSED_SIZE_SGIX = 0x831A; /// enum GL_UNPACK_CONSTANT_DATA_SUNX = 0x81D5; /// enum GL_UNPACK_FLIP_Y_WEBGL = 0x9240; /// enum GL_UNPACK_IMAGE_DEPTH_SGIS = 0x8133; /// enum GL_UNPACK_IMAGE_HEIGHT = 0x806E; /// enum GL_UNPACK_IMAGE_HEIGHT_EXT = 0x806E; /// enum GL_UNPACK_LSB_FIRST = 0x0CF1; /// enum GL_UNPACK_PREMULTIPLY_ALPHA_WEBGL = 0x9241; /// enum GL_UNPACK_RESAMPLE_OML = 0x8985; /// enum GL_UNPACK_RESAMPLE_SGIX = 0x842F; /// enum GL_UNPACK_ROW_BYTES_APPLE = 0x8A16; /// enum GL_UNPACK_ROW_LENGTH = 0x0CF2; /// enum GL_UNPACK_ROW_LENGTH_EXT = 0x0CF2; /// enum GL_UNPACK_SKIP_IMAGES = 0x806D; /// enum GL_UNPACK_SKIP_IMAGES_EXT = 0x806D; /// enum GL_UNPACK_SKIP_PIXELS = 0x0CF4; /// enum GL_UNPACK_SKIP_PIXELS_EXT = 0x0CF4; /// enum GL_UNPACK_SKIP_ROWS = 0x0CF3; /// enum GL_UNPACK_SKIP_ROWS_EXT = 0x0CF3; /// enum GL_UNPACK_SKIP_VOLUMES_SGIS = 0x8132; /// enum GL_UNPACK_SUBSAMPLE_RATE_SGIX = 0x85A1; /// enum GL_UNPACK_SWAP_BYTES = 0x0CF0; /// enum GL_UNSIGNALED = 0x9118; /// enum GL_UNSIGNALED_APPLE = 0x9118; /// enum GL_UNSIGNED_BYTE = 0x1401; /// enum GL_UNSIGNED_BYTE_2_3_3_REV = 0x8362; /// enum GL_UNSIGNED_BYTE_2_3_3_REV_EXT = 0x8362; /// enum GL_UNSIGNED_BYTE_3_3_2 = 0x8032; /// enum GL_UNSIGNED_BYTE_3_3_2_EXT = 0x8032; /// enum GL_UNSIGNED_IDENTITY_NV = 0x8536; /// enum GL_UNSIGNED_INT = 0x1405; /// enum GL_UNSIGNED_INT16_NV = 0x8FF0; /// enum GL_UNSIGNED_INT16_VEC2_NV = 0x8FF1; /// enum GL_UNSIGNED_INT16_VEC3_NV = 0x8FF2; /// enum GL_UNSIGNED_INT16_VEC4_NV = 0x8FF3; /// enum GL_UNSIGNED_INT64_AMD = 0x8BC2; /// enum GL_UNSIGNED_INT64_ARB = 0x140F; /// enum GL_UNSIGNED_INT64_NV = 0x140F; /// enum GL_UNSIGNED_INT64_VEC2_ARB = 0x8FF5; /// enum GL_UNSIGNED_INT64_VEC2_NV = 0x8FF5; /// enum GL_UNSIGNED_INT64_VEC3_ARB = 0x8FF6; /// enum GL_UNSIGNED_INT64_VEC3_NV = 0x8FF6; /// enum GL_UNSIGNED_INT64_VEC4_ARB = 0x8FF7; /// enum GL_UNSIGNED_INT64_VEC4_NV = 0x8FF7; /// enum GL_UNSIGNED_INT8_NV = 0x8FEC; /// enum GL_UNSIGNED_INT8_VEC2_NV = 0x8FED; /// enum GL_UNSIGNED_INT8_VEC3_NV = 0x8FEE; /// enum GL_UNSIGNED_INT8_VEC4_NV = 0x8FEF; /// enum GL_UNSIGNED_INT_10F_11F_11F_REV = 0x8C3B; /// enum GL_UNSIGNED_INT_10F_11F_11F_REV_APPLE = 0x8C3B; /// enum GL_UNSIGNED_INT_10F_11F_11F_REV_EXT = 0x8C3B; /// enum GL_UNSIGNED_INT_10_10_10_2 = 0x8036; /// enum GL_UNSIGNED_INT_10_10_10_2_EXT = 0x8036; /// enum GL_UNSIGNED_INT_10_10_10_2_OES = 0x8DF6; /// enum GL_UNSIGNED_INT_24_8 = 0x84FA; /// enum GL_UNSIGNED_INT_24_8_EXT = 0x84FA; /// enum GL_UNSIGNED_INT_24_8_MESA = 0x8751; /// enum GL_UNSIGNED_INT_24_8_NV = 0x84FA; /// enum GL_UNSIGNED_INT_24_8_OES = 0x84FA; /// enum GL_UNSIGNED_INT_2_10_10_10_REV = 0x8368; /// enum GL_UNSIGNED_INT_2_10_10_10_REV_EXT = 0x8368; /// enum GL_UNSIGNED_INT_5_9_9_9_REV = 0x8C3E; /// enum GL_UNSIGNED_INT_5_9_9_9_REV_APPLE = 0x8C3E; /// enum GL_UNSIGNED_INT_5_9_9_9_REV_EXT = 0x8C3E; /// enum GL_UNSIGNED_INT_8_24_REV_MESA = 0x8752; /// enum GL_UNSIGNED_INT_8_8_8_8 = 0x8035; /// enum GL_UNSIGNED_INT_8_8_8_8_EXT = 0x8035; /// enum GL_UNSIGNED_INT_8_8_8_8_REV = 0x8367; /// enum GL_UNSIGNED_INT_8_8_8_8_REV_EXT = 0x8367; /// enum GL_UNSIGNED_INT_8_8_S8_S8_REV_NV = 0x86DB; /// enum GL_UNSIGNED_INT_ATOMIC_COUNTER = 0x92DB; /// enum GL_UNSIGNED_INT_IMAGE_1D = 0x9062; /// enum GL_UNSIGNED_INT_IMAGE_1D_ARRAY = 0x9068; /// enum GL_UNSIGNED_INT_IMAGE_1D_ARRAY_EXT = 0x9068; /// enum GL_UNSIGNED_INT_IMAGE_1D_EXT = 0x9062; /// enum GL_UNSIGNED_INT_IMAGE_2D = 0x9063; /// enum GL_UNSIGNED_INT_IMAGE_2D_ARRAY = 0x9069; /// enum GL_UNSIGNED_INT_IMAGE_2D_ARRAY_EXT = 0x9069; /// enum GL_UNSIGNED_INT_IMAGE_2D_EXT = 0x9063; /// enum GL_UNSIGNED_INT_IMAGE_2D_MULTISAMPLE = 0x906B; /// enum GL_UNSIGNED_INT_IMAGE_2D_MULTISAMPLE_ARRAY = 0x906C; /// enum GL_UNSIGNED_INT_IMAGE_2D_MULTISAMPLE_ARRAY_EXT = 0x906C; /// enum GL_UNSIGNED_INT_IMAGE_2D_MULTISAMPLE_EXT = 0x906B; /// enum GL_UNSIGNED_INT_IMAGE_2D_RECT = 0x9065; /// enum GL_UNSIGNED_INT_IMAGE_2D_RECT_EXT = 0x9065; /// enum GL_UNSIGNED_INT_IMAGE_3D = 0x9064; /// enum GL_UNSIGNED_INT_IMAGE_3D_EXT = 0x9064; /// enum GL_UNSIGNED_INT_IMAGE_BUFFER = 0x9067; /// enum GL_UNSIGNED_INT_IMAGE_BUFFER_EXT = 0x9067; /// enum GL_UNSIGNED_INT_IMAGE_BUFFER_OES = 0x9067; /// enum GL_UNSIGNED_INT_IMAGE_CUBE = 0x9066; /// enum GL_UNSIGNED_INT_IMAGE_CUBE_EXT = 0x9066; /// enum GL_UNSIGNED_INT_IMAGE_CUBE_MAP_ARRAY = 0x906A; /// enum GL_UNSIGNED_INT_IMAGE_CUBE_MAP_ARRAY_EXT = 0x906A; /// enum GL_UNSIGNED_INT_IMAGE_CUBE_MAP_ARRAY_OES = 0x906A; /// enum GL_UNSIGNED_INT_S8_S8_8_8_NV = 0x86DA; /// enum GL_UNSIGNED_INT_SAMPLER_1D = 0x8DD1; /// enum GL_UNSIGNED_INT_SAMPLER_1D_ARRAY = 0x8DD6; /// enum GL_UNSIGNED_INT_SAMPLER_1D_ARRAY_EXT = 0x8DD6; /// enum GL_UNSIGNED_INT_SAMPLER_1D_EXT = 0x8DD1; /// enum GL_UNSIGNED_INT_SAMPLER_2D = 0x8DD2; /// enum GL_UNSIGNED_INT_SAMPLER_2D_ARRAY = 0x8DD7; /// enum GL_UNSIGNED_INT_SAMPLER_2D_ARRAY_EXT = 0x8DD7; /// enum GL_UNSIGNED_INT_SAMPLER_2D_EXT = 0x8DD2; /// enum GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE = 0x910A; /// enum GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE_ARRAY = 0x910D; /// enum GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE_ARRAY_OES = 0x910D; /// enum GL_UNSIGNED_INT_SAMPLER_2D_RECT = 0x8DD5; /// enum GL_UNSIGNED_INT_SAMPLER_2D_RECT_EXT = 0x8DD5; /// enum GL_UNSIGNED_INT_SAMPLER_3D = 0x8DD3; /// enum GL_UNSIGNED_INT_SAMPLER_3D_EXT = 0x8DD3; /// enum GL_UNSIGNED_INT_SAMPLER_BUFFER = 0x8DD8; /// enum GL_UNSIGNED_INT_SAMPLER_BUFFER_AMD = 0x9003; /// enum GL_UNSIGNED_INT_SAMPLER_BUFFER_EXT = 0x8DD8; /// enum GL_UNSIGNED_INT_SAMPLER_BUFFER_OES = 0x8DD8; /// enum GL_UNSIGNED_INT_SAMPLER_CUBE = 0x8DD4; /// enum GL_UNSIGNED_INT_SAMPLER_CUBE_EXT = 0x8DD4; /// enum GL_UNSIGNED_INT_SAMPLER_CUBE_MAP_ARRAY = 0x900F; /// enum GL_UNSIGNED_INT_SAMPLER_CUBE_MAP_ARRAY_ARB = 0x900F; /// enum GL_UNSIGNED_INT_SAMPLER_CUBE_MAP_ARRAY_EXT = 0x900F; /// enum GL_UNSIGNED_INT_SAMPLER_CUBE_MAP_ARRAY_OES = 0x900F; /// enum GL_UNSIGNED_INT_SAMPLER_RENDERBUFFER_NV = 0x8E58; /// enum GL_UNSIGNED_INT_VEC2 = 0x8DC6; /// enum GL_UNSIGNED_INT_VEC2_EXT = 0x8DC6; /// enum GL_UNSIGNED_INT_VEC3 = 0x8DC7; /// enum GL_UNSIGNED_INT_VEC3_EXT = 0x8DC7; /// enum GL_UNSIGNED_INT_VEC4 = 0x8DC8; /// enum GL_UNSIGNED_INT_VEC4_EXT = 0x8DC8; /// enum GL_UNSIGNED_INVERT_NV = 0x8537; /// enum GL_UNSIGNED_NORMALIZED = 0x8C17; /// enum GL_UNSIGNED_NORMALIZED_ARB = 0x8C17; /// enum GL_UNSIGNED_NORMALIZED_EXT = 0x8C17; /// enum GL_UNSIGNED_SHORT = 0x1403; /// enum GL_UNSIGNED_SHORT_15_1_MESA = 0x8753; /// enum GL_UNSIGNED_SHORT_1_15_REV_MESA = 0x8754; /// enum GL_UNSIGNED_SHORT_1_5_5_5_REV = 0x8366; /// enum GL_UNSIGNED_SHORT_1_5_5_5_REV_EXT = 0x8366; /// enum GL_UNSIGNED_SHORT_4_4_4_4 = 0x8033; /// enum GL_UNSIGNED_SHORT_4_4_4_4_EXT = 0x8033; /// enum GL_UNSIGNED_SHORT_4_4_4_4_REV = 0x8365; /// enum GL_UNSIGNED_SHORT_4_4_4_4_REV_EXT = 0x8365; /// enum GL_UNSIGNED_SHORT_4_4_4_4_REV_IMG = 0x8365; /// enum GL_UNSIGNED_SHORT_5_5_5_1 = 0x8034; /// enum GL_UNSIGNED_SHORT_5_5_5_1_EXT = 0x8034; /// enum GL_UNSIGNED_SHORT_5_6_5 = 0x8363; /// enum GL_UNSIGNED_SHORT_5_6_5_EXT = 0x8363; /// enum GL_UNSIGNED_SHORT_5_6_5_REV = 0x8364; /// enum GL_UNSIGNED_SHORT_5_6_5_REV_EXT = 0x8364; /// enum GL_UNSIGNED_SHORT_8_8_APPLE = 0x85BA; /// enum GL_UNSIGNED_SHORT_8_8_MESA = 0x85BA; /// enum GL_UNSIGNED_SHORT_8_8_REV_APPLE = 0x85BB; /// enum GL_UNSIGNED_SHORT_8_8_REV_MESA = 0x85BB; /// enum GL_UPPER_LEFT = 0x8CA2; /// enum GL_USE_MISSING_GLYPH_NV = 0x90AA; /// enum GL_UTF16_NV = 0x909B; /// enum GL_UTF8_NV = 0x909A; /// enum GL_V2F = 0x2A20; /// enum GL_V3F = 0x2A21; /// enum GL_VALIDATE_STATUS = 0x8B83; /// enum GL_VARIABLE_A_NV = 0x8523; /// enum GL_VARIABLE_B_NV = 0x8524; /// enum GL_VARIABLE_C_NV = 0x8525; /// enum GL_VARIABLE_D_NV = 0x8526; /// enum GL_VARIABLE_E_NV = 0x8527; /// enum GL_VARIABLE_F_NV = 0x8528; /// enum GL_VARIABLE_G_NV = 0x8529; /// enum GL_VARIANT_ARRAY_EXT = 0x87E8; /// enum GL_VARIANT_ARRAY_POINTER_EXT = 0x87E9; /// enum GL_VARIANT_ARRAY_STRIDE_EXT = 0x87E6; /// enum GL_VARIANT_ARRAY_TYPE_EXT = 0x87E7; /// enum GL_VARIANT_DATATYPE_EXT = 0x87E5; /// enum GL_VARIANT_EXT = 0x87C1; /// enum GL_VARIANT_VALUE_EXT = 0x87E4; /// enum GL_VBO_FREE_MEMORY_ATI = 0x87FB; /// enum GL_VECTOR_EXT = 0x87BF; /// enum GL_VENDOR = 0x1F00; /// enum GL_VERSION = 0x1F02; /// enum GL_VERSION_ES_CL_1_0 = 1; /// enum GL_VERSION_ES_CL_1_1 = 1; /// enum GL_VERSION_ES_CM_1_1 = 1; /// enum GL_VERTEX23_BIT_PGI = 0x00000004; /// enum GL_VERTEX4_BIT_PGI = 0x00000008; /// enum GL_VERTEX_ARRAY = 0x8074; /// enum GL_VERTEX_ARRAY_ADDRESS_NV = 0x8F21; /// enum GL_VERTEX_ARRAY_BINDING = 0x85B5; /// enum GL_VERTEX_ARRAY_BINDING_APPLE = 0x85B5; /// enum GL_VERTEX_ARRAY_BINDING_OES = 0x85B5; /// enum GL_VERTEX_ARRAY_BUFFER_BINDING = 0x8896; /// enum GL_VERTEX_ARRAY_BUFFER_BINDING_ARB = 0x8896; /// enum GL_VERTEX_ARRAY_COUNT_EXT = 0x807D; /// enum GL_VERTEX_ARRAY_EXT = 0x8074; /// enum GL_VERTEX_ARRAY_KHR = 0x8074; /// enum GL_VERTEX_ARRAY_LENGTH_NV = 0x8F2B; /// enum GL_VERTEX_ARRAY_LIST_IBM = 0x103070; /// enum GL_VERTEX_ARRAY_LIST_STRIDE_IBM = 0x103080; /// enum GL_VERTEX_ARRAY_OBJECT_AMD = 0x9154; /// enum GL_VERTEX_ARRAY_OBJECT_EXT = 0x9154; /// enum GL_VERTEX_ARRAY_PARALLEL_POINTERS_INTEL = 0x83F5; /// enum GL_VERTEX_ARRAY_POINTER = 0x808E; /// enum GL_VERTEX_ARRAY_POINTER_EXT = 0x808E; /// enum GL_VERTEX_ARRAY_RANGE_APPLE = 0x851D; /// enum GL_VERTEX_ARRAY_RANGE_LENGTH_APPLE = 0x851E; /// enum GL_VERTEX_ARRAY_RANGE_LENGTH_NV = 0x851E; /// enum GL_VERTEX_ARRAY_RANGE_NV = 0x851D; /// enum GL_VERTEX_ARRAY_RANGE_POINTER_APPLE = 0x8521; /// enum GL_VERTEX_ARRAY_RANGE_POINTER_NV = 0x8521; /// enum GL_VERTEX_ARRAY_RANGE_VALID_NV = 0x851F; /// enum GL_VERTEX_ARRAY_RANGE_WITHOUT_FLUSH_NV = 0x8533; /// enum GL_VERTEX_ARRAY_SIZE = 0x807A; /// enum GL_VERTEX_ARRAY_SIZE_EXT = 0x807A; /// enum GL_VERTEX_ARRAY_STORAGE_HINT_APPLE = 0x851F; /// enum GL_VERTEX_ARRAY_STRIDE = 0x807C; /// enum GL_VERTEX_ARRAY_STRIDE_EXT = 0x807C; /// enum GL_VERTEX_ARRAY_TYPE = 0x807B; /// enum GL_VERTEX_ARRAY_TYPE_EXT = 0x807B; /// enum GL_VERTEX_ATTRIB_ARRAY0_NV = 0x8650; /// enum GL_VERTEX_ATTRIB_ARRAY10_NV = 0x865A; /// enum GL_VERTEX_ATTRIB_ARRAY11_NV = 0x865B; /// enum GL_VERTEX_ATTRIB_ARRAY12_NV = 0x865C; /// enum GL_VERTEX_ATTRIB_ARRAY13_NV = 0x865D; /// enum GL_VERTEX_ATTRIB_ARRAY14_NV = 0x865E; /// enum GL_VERTEX_ATTRIB_ARRAY15_NV = 0x865F; /// enum GL_VERTEX_ATTRIB_ARRAY1_NV = 0x8651; /// enum GL_VERTEX_ATTRIB_ARRAY2_NV = 0x8652; /// enum GL_VERTEX_ATTRIB_ARRAY3_NV = 0x8653; /// enum GL_VERTEX_ATTRIB_ARRAY4_NV = 0x8654; /// enum GL_VERTEX_ATTRIB_ARRAY5_NV = 0x8655; /// enum GL_VERTEX_ATTRIB_ARRAY6_NV = 0x8656; /// enum GL_VERTEX_ATTRIB_ARRAY7_NV = 0x8657; /// enum GL_VERTEX_ATTRIB_ARRAY8_NV = 0x8658; /// enum GL_VERTEX_ATTRIB_ARRAY9_NV = 0x8659; /// enum GL_VERTEX_ATTRIB_ARRAY_ADDRESS_NV = 0x8F20; /// enum GL_VERTEX_ATTRIB_ARRAY_BARRIER_BIT = 0x00000001; /// enum GL_VERTEX_ATTRIB_ARRAY_BARRIER_BIT_EXT = 0x00000001; /// enum GL_VERTEX_ATTRIB_ARRAY_BUFFER_BINDING = 0x889F; /// enum GL_VERTEX_ATTRIB_ARRAY_BUFFER_BINDING_ARB = 0x889F; /// enum GL_VERTEX_ATTRIB_ARRAY_DIVISOR = 0x88FE; /// enum GL_VERTEX_ATTRIB_ARRAY_DIVISOR_ANGLE = 0x88FE; /// enum GL_VERTEX_ATTRIB_ARRAY_DIVISOR_ARB = 0x88FE; /// enum GL_VERTEX_ATTRIB_ARRAY_DIVISOR_EXT = 0x88FE; /// enum GL_VERTEX_ATTRIB_ARRAY_DIVISOR_NV = 0x88FE; /// enum GL_VERTEX_ATTRIB_ARRAY_ENABLED = 0x8622; /// enum GL_VERTEX_ATTRIB_ARRAY_ENABLED_ARB = 0x8622; /// enum GL_VERTEX_ATTRIB_ARRAY_INTEGER = 0x88FD; /// enum GL_VERTEX_ATTRIB_ARRAY_INTEGER_EXT = 0x88FD; /// enum GL_VERTEX_ATTRIB_ARRAY_INTEGER_NV = 0x88FD; /// enum GL_VERTEX_ATTRIB_ARRAY_LENGTH_NV = 0x8F2A; /// enum GL_VERTEX_ATTRIB_ARRAY_LONG = 0x874E; /// enum GL_VERTEX_ATTRIB_ARRAY_NORMALIZED = 0x886A; /// enum GL_VERTEX_ATTRIB_ARRAY_NORMALIZED_ARB = 0x886A; /// enum GL_VERTEX_ATTRIB_ARRAY_POINTER = 0x8645; /// enum GL_VERTEX_ATTRIB_ARRAY_POINTER_ARB = 0x8645; /// enum GL_VERTEX_ATTRIB_ARRAY_SIZE = 0x8623; /// enum GL_VERTEX_ATTRIB_ARRAY_SIZE_ARB = 0x8623; /// enum GL_VERTEX_ATTRIB_ARRAY_STRIDE = 0x8624; /// enum GL_VERTEX_ATTRIB_ARRAY_STRIDE_ARB = 0x8624; /// enum GL_VERTEX_ATTRIB_ARRAY_TYPE = 0x8625; /// enum GL_VERTEX_ATTRIB_ARRAY_TYPE_ARB = 0x8625; /// enum GL_VERTEX_ATTRIB_ARRAY_UNIFIED_NV = 0x8F1E; /// enum GL_VERTEX_ATTRIB_BINDING = 0x82D4; /// enum GL_VERTEX_ATTRIB_MAP1_APPLE = 0x8A00; /// enum GL_VERTEX_ATTRIB_MAP1_COEFF_APPLE = 0x8A03; /// enum GL_VERTEX_ATTRIB_MAP1_DOMAIN_APPLE = 0x8A05; /// enum GL_VERTEX_ATTRIB_MAP1_ORDER_APPLE = 0x8A04; /// enum GL_VERTEX_ATTRIB_MAP1_SIZE_APPLE = 0x8A02; /// enum GL_VERTEX_ATTRIB_MAP2_APPLE = 0x8A01; /// enum GL_VERTEX_ATTRIB_MAP2_COEFF_APPLE = 0x8A07; /// enum GL_VERTEX_ATTRIB_MAP2_DOMAIN_APPLE = 0x8A09; /// enum GL_VERTEX_ATTRIB_MAP2_ORDER_APPLE = 0x8A08; /// enum GL_VERTEX_ATTRIB_MAP2_SIZE_APPLE = 0x8A06; /// enum GL_VERTEX_ATTRIB_RELATIVE_OFFSET = 0x82D5; /// enum GL_VERTEX_BINDING_BUFFER = 0x8F4F; /// enum GL_VERTEX_BINDING_DIVISOR = 0x82D6; /// enum GL_VERTEX_BINDING_OFFSET = 0x82D7; /// enum GL_VERTEX_BINDING_STRIDE = 0x82D8; /// enum GL_VERTEX_BLEND_ARB = 0x86A7; /// enum GL_VERTEX_CONSISTENT_HINT_PGI = 0x1A22B; /// enum GL_VERTEX_DATA_HINT_PGI = 0x1A22A; /// enum GL_VERTEX_ELEMENT_SWIZZLE_AMD = 0x91A4; /// enum GL_VERTEX_ID_NV = 0x8C7B; /// enum GL_VERTEX_ID_SWIZZLE_AMD = 0x91A5; /// enum GL_VERTEX_PRECLIP_HINT_SGIX = 0x83EF; /// enum GL_VERTEX_PRECLIP_SGIX = 0x83EE; /// enum GL_VERTEX_PROGRAM_ARB = 0x8620; /// enum GL_VERTEX_PROGRAM_BINDING_NV = 0x864A; /// enum GL_VERTEX_PROGRAM_CALLBACK_DATA_MESA = 0x8BB7; /// enum GL_VERTEX_PROGRAM_CALLBACK_FUNC_MESA = 0x8BB6; /// enum GL_VERTEX_PROGRAM_CALLBACK_MESA = 0x8BB5; /// enum GL_VERTEX_PROGRAM_NV = 0x8620; /// enum GL_VERTEX_PROGRAM_PARAMETER_BUFFER_NV = 0x8DA2; /// enum GL_VERTEX_PROGRAM_POINT_SIZE = 0x8642; /// enum GL_VERTEX_PROGRAM_POINT_SIZE_ARB = 0x8642; /// enum GL_VERTEX_PROGRAM_POINT_SIZE_NV = 0x8642; /// enum GL_VERTEX_PROGRAM_POSITION_MESA = 0x8BB4; /// enum GL_VERTEX_PROGRAM_TWO_SIDE = 0x8643; /// enum GL_VERTEX_PROGRAM_TWO_SIDE_ARB = 0x8643; /// enum GL_VERTEX_PROGRAM_TWO_SIDE_NV = 0x8643; /// enum GL_VERTEX_SHADER = 0x8B31; /// enum GL_VERTEX_SHADER_ARB = 0x8B31; /// enum GL_VERTEX_SHADER_BINDING_EXT = 0x8781; /// enum GL_VERTEX_SHADER_BIT = 0x00000001; /// enum GL_VERTEX_SHADER_BIT_EXT = 0x00000001; /// enum GL_VERTEX_SHADER_EXT = 0x8780; /// enum GL_VERTEX_SHADER_INSTRUCTIONS_EXT = 0x87CF; /// enum GL_VERTEX_SHADER_INVARIANTS_EXT = 0x87D1; /// enum GL_VERTEX_SHADER_INVOCATIONS_ARB = 0x82F0; /// enum GL_VERTEX_SHADER_LOCALS_EXT = 0x87D3; /// enum GL_VERTEX_SHADER_LOCAL_CONSTANTS_EXT = 0x87D2; /// enum GL_VERTEX_SHADER_OPTIMIZED_EXT = 0x87D4; /// enum GL_VERTEX_SHADER_VARIANTS_EXT = 0x87D0; /// enum GL_VERTEX_SOURCE_ATI = 0x8774; /// enum GL_VERTEX_STATE_PROGRAM_NV = 0x8621; /// enum GL_VERTEX_STREAM0_ATI = 0x876C; /// enum GL_VERTEX_STREAM1_ATI = 0x876D; /// enum GL_VERTEX_STREAM2_ATI = 0x876E; /// enum GL_VERTEX_STREAM3_ATI = 0x876F; /// enum GL_VERTEX_STREAM4_ATI = 0x8770; /// enum GL_VERTEX_STREAM5_ATI = 0x8771; /// enum GL_VERTEX_STREAM6_ATI = 0x8772; /// enum GL_VERTEX_STREAM7_ATI = 0x8773; /// enum GL_VERTEX_SUBROUTINE = 0x92E8; /// enum GL_VERTEX_SUBROUTINE_UNIFORM = 0x92EE; /// enum GL_VERTEX_TEXTURE = 0x829B; /// enum GL_VERTEX_WEIGHTING_EXT = 0x8509; /// enum GL_VERTEX_WEIGHT_ARRAY_EXT = 0x850C; /// enum GL_VERTEX_WEIGHT_ARRAY_POINTER_EXT = 0x8510; /// enum GL_VERTEX_WEIGHT_ARRAY_SIZE_EXT = 0x850D; /// enum GL_VERTEX_WEIGHT_ARRAY_STRIDE_EXT = 0x850F; /// enum GL_VERTEX_WEIGHT_ARRAY_TYPE_EXT = 0x850E; /// enum GL_VERTICAL_LINE_TO_NV = 0x08; /// enum GL_VERTICES_SUBMITTED_ARB = 0x82EE; /// enum GL_VIBRANCE_BIAS_NV = 0x8719; /// enum GL_VIBRANCE_SCALE_NV = 0x8713; /// enum GL_VIDEO_BUFFER_BINDING_NV = 0x9021; /// enum GL_VIDEO_BUFFER_INTERNAL_FORMAT_NV = 0x902D; /// enum GL_VIDEO_BUFFER_NV = 0x9020; /// enum GL_VIDEO_BUFFER_PITCH_NV = 0x9028; /// enum GL_VIDEO_CAPTURE_FIELD_LOWER_HEIGHT_NV = 0x903B; /// enum GL_VIDEO_CAPTURE_FIELD_UPPER_HEIGHT_NV = 0x903A; /// enum GL_VIDEO_CAPTURE_FRAME_HEIGHT_NV = 0x9039; /// enum GL_VIDEO_CAPTURE_FRAME_WIDTH_NV = 0x9038; /// enum GL_VIDEO_CAPTURE_SURFACE_ORIGIN_NV = 0x903C; /// enum GL_VIDEO_CAPTURE_TO_422_SUPPORTED_NV = 0x9026; /// enum GL_VIDEO_COLOR_CONVERSION_MATRIX_NV = 0x9029; /// enum GL_VIDEO_COLOR_CONVERSION_MAX_NV = 0x902A; /// enum GL_VIDEO_COLOR_CONVERSION_MIN_NV = 0x902B; /// enum GL_VIDEO_COLOR_CONVERSION_OFFSET_NV = 0x902C; /// enum GL_VIEWPORT = 0x0BA2; /// enum GL_VIEWPORT_BIT = 0x00000800; /// enum GL_VIEWPORT_BOUNDS_RANGE = 0x825D; /// enum GL_VIEWPORT_BOUNDS_RANGE_EXT = 0x825D; /// enum GL_VIEWPORT_BOUNDS_RANGE_NV = 0x825D; /// enum GL_VIEWPORT_BOUNDS_RANGE_OES = 0x825D; /// enum GL_VIEWPORT_COMMAND_NV = 0x0010; /// enum GL_VIEWPORT_INDEX_PROVOKING_VERTEX = 0x825F; /// enum GL_VIEWPORT_INDEX_PROVOKING_VERTEX_EXT = 0x825F; /// enum GL_VIEWPORT_INDEX_PROVOKING_VERTEX_NV = 0x825F; /// enum GL_VIEWPORT_INDEX_PROVOKING_VERTEX_OES = 0x825F; /// enum GL_VIEWPORT_POSITION_W_SCALE_NV = 0x937C; /// enum GL_VIEWPORT_POSITION_W_SCALE_X_COEFF_NV = 0x937D; /// enum GL_VIEWPORT_POSITION_W_SCALE_Y_COEFF_NV = 0x937E; /// enum GL_VIEWPORT_SUBPIXEL_BITS = 0x825C; /// enum GL_VIEWPORT_SUBPIXEL_BITS_EXT = 0x825C; /// enum GL_VIEWPORT_SUBPIXEL_BITS_NV = 0x825C; /// enum GL_VIEWPORT_SUBPIXEL_BITS_OES = 0x825C; /// enum GL_VIEWPORT_SWIZZLE_NEGATIVE_W_NV = 0x9357; /// enum GL_VIEWPORT_SWIZZLE_NEGATIVE_X_NV = 0x9351; /// enum GL_VIEWPORT_SWIZZLE_NEGATIVE_Y_NV = 0x9353; /// enum GL_VIEWPORT_SWIZZLE_NEGATIVE_Z_NV = 0x9355; /// enum GL_VIEWPORT_SWIZZLE_POSITIVE_W_NV = 0x9356; /// enum GL_VIEWPORT_SWIZZLE_POSITIVE_X_NV = 0x9350; /// enum GL_VIEWPORT_SWIZZLE_POSITIVE_Y_NV = 0x9352; /// enum GL_VIEWPORT_SWIZZLE_POSITIVE_Z_NV = 0x9354; /// enum GL_VIEWPORT_SWIZZLE_W_NV = 0x935B; /// enum GL_VIEWPORT_SWIZZLE_X_NV = 0x9358; /// enum GL_VIEWPORT_SWIZZLE_Y_NV = 0x9359; /// enum GL_VIEWPORT_SWIZZLE_Z_NV = 0x935A; /// enum GL_VIEW_CLASS_128_BITS = 0x82C4; /// enum GL_VIEW_CLASS_16_BITS = 0x82CA; /// enum GL_VIEW_CLASS_24_BITS = 0x82C9; /// enum GL_VIEW_CLASS_32_BITS = 0x82C8; /// enum GL_VIEW_CLASS_48_BITS = 0x82C7; /// enum GL_VIEW_CLASS_64_BITS = 0x82C6; /// enum GL_VIEW_CLASS_8_BITS = 0x82CB; /// enum GL_VIEW_CLASS_96_BITS = 0x82C5; /// enum GL_VIEW_CLASS_BPTC_FLOAT = 0x82D3; /// enum GL_VIEW_CLASS_BPTC_UNORM = 0x82D2; /// enum GL_VIEW_CLASS_RGTC1_RED = 0x82D0; /// enum GL_VIEW_CLASS_RGTC2_RG = 0x82D1; /// enum GL_VIEW_CLASS_S3TC_DXT1_RGB = 0x82CC; /// enum GL_VIEW_CLASS_S3TC_DXT1_RGBA = 0x82CD; /// enum GL_VIEW_CLASS_S3TC_DXT3_RGBA = 0x82CE; /// enum GL_VIEW_CLASS_S3TC_DXT5_RGBA = 0x82CF; /// enum GL_VIEW_COMPATIBILITY_CLASS = 0x82B6; /// enum GL_VIRTUAL_PAGE_SIZE_INDEX_ARB = 0x91A7; /// enum GL_VIRTUAL_PAGE_SIZE_INDEX_EXT = 0x91A7; /// enum GL_VIRTUAL_PAGE_SIZE_X_AMD = 0x9195; /// enum GL_VIRTUAL_PAGE_SIZE_X_ARB = 0x9195; /// enum GL_VIRTUAL_PAGE_SIZE_X_EXT = 0x9195; /// enum GL_VIRTUAL_PAGE_SIZE_Y_AMD = 0x9196; /// enum GL_VIRTUAL_PAGE_SIZE_Y_ARB = 0x9196; /// enum GL_VIRTUAL_PAGE_SIZE_Y_EXT = 0x9196; /// enum GL_VIRTUAL_PAGE_SIZE_Z_AMD = 0x9197; /// enum GL_VIRTUAL_PAGE_SIZE_Z_ARB = 0x9197; /// enum GL_VIRTUAL_PAGE_SIZE_Z_EXT = 0x9197; /// enum GL_VIVIDLIGHT_NV = 0x92A6; /// enum GL_VOLATILE_APPLE = 0x8A1A; /// enum GL_WAIT_FAILED = 0x911D; /// enum GL_WAIT_FAILED_APPLE = 0x911D; /// enum GL_WARPS_PER_SM_NV = 0x933A; /// enum GL_WARP_SIZE_NV = 0x9339; /// enum GL_WEIGHTED_AVERAGE_ARB = 0x9367; /// enum GL_WEIGHT_ARRAY_ARB = 0x86AD; /// enum GL_WEIGHT_ARRAY_BUFFER_BINDING = 0x889E; /// enum GL_WEIGHT_ARRAY_BUFFER_BINDING_ARB = 0x889E; /// enum GL_WEIGHT_ARRAY_BUFFER_BINDING_OES = 0x889E; /// enum GL_WEIGHT_ARRAY_OES = 0x86AD; /// enum GL_WEIGHT_ARRAY_POINTER_ARB = 0x86AC; /// enum GL_WEIGHT_ARRAY_POINTER_OES = 0x86AC; /// enum GL_WEIGHT_ARRAY_SIZE_ARB = 0x86AB; /// enum GL_WEIGHT_ARRAY_SIZE_OES = 0x86AB; /// enum GL_WEIGHT_ARRAY_STRIDE_ARB = 0x86AA; /// enum GL_WEIGHT_ARRAY_STRIDE_OES = 0x86AA; /// enum GL_WEIGHT_ARRAY_TYPE_ARB = 0x86A9; /// enum GL_WEIGHT_ARRAY_TYPE_OES = 0x86A9; /// enum GL_WEIGHT_SUM_UNITY_ARB = 0x86A6; /// enum GL_WIDE_LINE_HINT_PGI = 0x1A222; /// enum GL_WINDOW_RECTANGLE_EXT = 0x8F12; /// enum GL_WINDOW_RECTANGLE_MODE_EXT = 0x8F13; /// enum GL_WRAP_BORDER_SUN = 0x81D4; /// enum GL_WRITEONLY_RENDERING_QCOM = 0x8823; /// enum GL_WRITE_DISCARD_NV = 0x88BE; /// enum GL_WRITE_ONLY = 0x88B9; /// enum GL_WRITE_ONLY_ARB = 0x88B9; /// enum GL_WRITE_ONLY_OES = 0x88B9; /// enum GL_WRITE_PIXEL_DATA_RANGE_LENGTH_NV = 0x887A; /// enum GL_WRITE_PIXEL_DATA_RANGE_NV = 0x8878; /// enum GL_WRITE_PIXEL_DATA_RANGE_POINTER_NV = 0x887C; /// enum GL_W_EXT = 0x87D8; /// enum GL_XOR = 0x1506; /// enum GL_XOR_NV = 0x1506; /// enum GL_X_EXT = 0x87D5; /// enum GL_YCBAYCR8A_4224_NV = 0x9032; /// enum GL_YCBCR_422_APPLE = 0x85B9; /// enum GL_YCBCR_MESA = 0x8757; /// enum GL_YCBYCR8_422_NV = 0x9031; /// enum GL_YCRCBA_SGIX = 0x8319; /// enum GL_YCRCB_422_SGIX = 0x81BB; /// enum GL_YCRCB_444_SGIX = 0x81BC; /// enum GL_YCRCB_SGIX = 0x8318; /// enum GL_Y_EXT = 0x87D6; /// enum GL_Z400_BINARY_AMD = 0x8740; /// enum GL_Z4Y12Z4CB12Z4A12Z4Y12Z4CR12Z4A12_4224_NV = 0x9036; /// enum GL_Z4Y12Z4CB12Z4CR12_444_NV = 0x9037; /// enum GL_Z4Y12Z4CB12Z4Y12Z4CR12_422_NV = 0x9035; /// enum GL_Z6Y10Z6CB10Z6A10Z6Y10Z6CR10Z6A10_4224_NV = 0x9034; /// enum GL_Z6Y10Z6CB10Z6Y10Z6CR10_422_NV = 0x9033; /// enum GL_ZERO = 0; /// enum GL_ZERO_EXT = 0x87DD; /// enum GL_ZERO_TO_ONE = 0x935F; /// enum GL_ZOOM_X = 0x0D16; /// enum GL_ZOOM_Y = 0x0D17; /// enum GL_Z_EXT = 0x87D7; /// /// enum AccumOp { /// ACCUM = 0x0100, /// LOAD = 0x0101, /// RETURN = 0x0102, /// MULT = 0x0103, /// ADD = 0x0104 } /// @Bitmaskable enum AttribMask { /// ACCUM_BUFFER_BIT = 0x00000200, /// ALL_ATTRIB_BITS = 0xFFFFFFFF, /// COLOR_BUFFER_BIT = 0x00004000, /// CURRENT_BIT = 0x00000001, /// DEPTH_BUFFER_BIT = 0x00000100, /// ENABLE_BIT = 0x00002000, /// EVAL_BIT = 0x00010000, /// FOG_BIT = 0x00000080, /// HINT_BIT = 0x00008000, /// LIGHTING_BIT = 0x00000040, /// LINE_BIT = 0x00000004, /// LIST_BIT = 0x00020000, /// MULTISAMPLE_BIT = 0x20000000, /// MULTISAMPLE_BIT_3DFX = 0x20000000, /// MULTISAMPLE_BIT_ARB = 0x20000000, /// MULTISAMPLE_BIT_EXT = 0x20000000, /// PIXEL_MODE_BIT = 0x00000020, /// POINT_BIT = 0x00000002, /// POLYGON_BIT = 0x00000008, /// POLYGON_STIPPLE_BIT = 0x00000010, /// SCISSOR_BIT = 0x00080000, /// STENCIL_BUFFER_BIT = 0x00000400, /// TEXTURE_BIT = 0x00040000, /// TRANSFORM_BIT = 0x00001000, /// VIEWPORT_BIT = 0x00000800 } /// enum AlphaFunction { /// ALWAYS = 0x0207, /// EQUAL = 0x0202, /// GEQUAL = 0x0206, /// GREATER = 0x0204, /// LEQUAL = 0x0203, /// LESS = 0x0201, /// NEVER = 0x0200, /// NOTEQUAL = 0x0205 } /// enum BlendEquationModeEXT { /// ALPHA_MAX_SGIX = 0x8321, /// ALPHA_MIN_SGIX = 0x8320, /// FUNC_ADD_EXT = 0x8006, /// FUNC_REVERSE_SUBTRACT_EXT = 0x800B, /// FUNC_SUBTRACT_EXT = 0x800A, /// LOGIC_OP = 0x0BF1, /// MAX_EXT = 0x8008, /// MIN_EXT = 0x8007 } /// enum BlendingFactorDest { /// CONSTANT_ALPHA_EXT = 0x8003, /// CONSTANT_COLOR_EXT = 0x8001, /// DST_ALPHA = 0x0304, /// ONE = 1, /// ONE_MINUS_CONSTANT_ALPHA_EXT = 0x8004, /// ONE_MINUS_CONSTANT_COLOR_EXT = 0x8002, /// ONE_MINUS_DST_ALPHA = 0x0305, /// ONE_MINUS_SRC_ALPHA = 0x0303, /// ONE_MINUS_SRC_COLOR = 0x0301, /// SRC_ALPHA = 0x0302, /// SRC_COLOR = 0x0300, /// ZERO = 0 } /// enum BlendingFactorSrc { /// CONSTANT_ALPHA_EXT = 0x8003, /// CONSTANT_COLOR_EXT = 0x8001, /// DST_ALPHA = 0x0304, /// DST_COLOR = 0x0306, /// ONE = 1, /// ONE_MINUS_CONSTANT_ALPHA_EXT = 0x8004, /// ONE_MINUS_CONSTANT_COLOR_EXT = 0x8002, /// ONE_MINUS_DST_ALPHA = 0x0305, /// ONE_MINUS_DST_COLOR = 0x0307, /// ONE_MINUS_SRC_ALPHA = 0x0303, /// SRC_ALPHA = 0x0302, /// SRC_ALPHA_SATURATE = 0x0308, /// ZERO = 0 } /// enum Boolean { /// FALSE = 0, /// TRUE = 1 } /// @Bitmaskable enum ClearBufferMask { /// ACCUM_BUFFER_BIT = 0x00000200, /// COLOR_BUFFER_BIT = 0x00004000, /// COVERAGE_BUFFER_BIT_NV = 0x00008000, /// DEPTH_BUFFER_BIT = 0x00000100, /// STENCIL_BUFFER_BIT = 0x00000400 } /// @Bitmaskable enum ClientAttribMask { /// CLIENT_ALL_ATTRIB_BITS = 0xFFFFFFFF, /// CLIENT_PIXEL_STORE_BIT = 0x00000001, /// CLIENT_VERTEX_ARRAY_BIT = 0x00000002 } /// enum ClipPlaneName { /// CLIP_DISTANCE0 = 0x3000, /// CLIP_DISTANCE1 = 0x3001, /// CLIP_DISTANCE2 = 0x3002, /// CLIP_DISTANCE3 = 0x3003, /// CLIP_DISTANCE4 = 0x3004, /// CLIP_DISTANCE5 = 0x3005, /// CLIP_DISTANCE6 = 0x3006, /// CLIP_DISTANCE7 = 0x3007, /// CLIP_PLANE0 = 0x3000, /// CLIP_PLANE1 = 0x3001, /// CLIP_PLANE2 = 0x3002, /// CLIP_PLANE3 = 0x3003, /// CLIP_PLANE4 = 0x3004, /// CLIP_PLANE5 = 0x3005 } /// enum ColorMaterialFace { /// BACK = 0x0405, /// FRONT = 0x0404, /// FRONT_AND_BACK = 0x0408 } /// enum ColorMaterialParameter { /// AMBIENT = 0x1200, /// AMBIENT_AND_DIFFUSE = 0x1602, /// DIFFUSE = 0x1201, /// EMISSION = 0x1600, /// SPECULAR = 0x1202 } /// enum ColorPointerType { /// BYTE = 0x1400, /// DOUBLE = 0x140A, /// FLOAT = 0x1406, /// INT = 0x1404, /// SHORT = 0x1402, /// UNSIGNED_BYTE = 0x1401, /// UNSIGNED_INT = 0x1405, /// UNSIGNED_SHORT = 0x1403 } /// enum ColorTableParameterPNameSGI { /// COLOR_TABLE_BIAS = 0x80D7, /// COLOR_TABLE_BIAS_SGI = 0x80D7, /// COLOR_TABLE_SCALE = 0x80D6, /// COLOR_TABLE_SCALE_SGI = 0x80D6 } /// enum ColorTableTargetSGI { /// COLOR_TABLE = 0x80D0, /// COLOR_TABLE_SGI = 0x80D0, /// POST_COLOR_MATRIX_COLOR_TABLE = 0x80D2, /// POST_COLOR_MATRIX_COLOR_TABLE_SGI = 0x80D2, /// POST_CONVOLUTION_COLOR_TABLE = 0x80D1, /// POST_CONVOLUTION_COLOR_TABLE_SGI = 0x80D1, /// PROXY_COLOR_TABLE = 0x80D3, /// PROXY_COLOR_TABLE_SGI = 0x80D3, /// PROXY_POST_COLOR_MATRIX_COLOR_TABLE = 0x80D5, /// PROXY_POST_COLOR_MATRIX_COLOR_TABLE_SGI = 0x80D5, /// PROXY_POST_CONVOLUTION_COLOR_TABLE = 0x80D4, /// PROXY_POST_CONVOLUTION_COLOR_TABLE_SGI = 0x80D4, /// PROXY_TEXTURE_COLOR_TABLE_SGI = 0x80BD, /// TEXTURE_COLOR_TABLE_SGI = 0x80BC } /// @Bitmaskable enum ContextFlagMask { /// CONTEXT_FLAG_DEBUG_BIT = 0x00000002, /// CONTEXT_FLAG_DEBUG_BIT_KHR = 0x00000002, /// CONTEXT_FLAG_FORWARD_COMPATIBLE_BIT = 0x00000001, /// CONTEXT_FLAG_ROBUST_ACCESS_BIT_ARB = 0x00000004, /// CONTEXT_FLAG_PROTECTED_CONTENT_BIT_EXT = 0x00000010 } /// @Bitmaskable enum ContextProfileMask { /// CONTEXT_COMPATIBILITY_PROFILE_BIT = 0x00000002, /// CONTEXT_CORE_PROFILE_BIT = 0x00000001 } /// enum ConvolutionBorderModeEXT { /// REDUCE = 0x8016, /// REDUCE_EXT = 0x8016 } /// enum ConvolutionParameterEXT { /// CONVOLUTION_BORDER_MODE = 0x8013, /// CONVOLUTION_BORDER_MODE_EXT = 0x8013, /// CONVOLUTION_FILTER_BIAS = 0x8015, /// CONVOLUTION_FILTER_BIAS_EXT = 0x8015, /// CONVOLUTION_FILTER_SCALE = 0x8014, /// CONVOLUTION_FILTER_SCALE_EXT = 0x8014 } /// enum ConvolutionTargetEXT { /// CONVOLUTION_1D = 0x8010, /// CONVOLUTION_1D_EXT = 0x8010, /// CONVOLUTION_2D = 0x8011, /// CONVOLUTION_2D_EXT = 0x8011 } /// enum CullFaceMode { /// BACK = 0x0405, /// FRONT = 0x0404, /// FRONT_AND_BACK = 0x0408 } /// enum DepthFunction { /// ALWAYS = 0x0207, /// EQUAL = 0x0202, /// GEQUAL = 0x0206, /// GREATER = 0x0204, /// LEQUAL = 0x0203, /// LESS = 0x0201, /// NEVER = 0x0200, /// NOTEQUAL = 0x0205 } /// enum DrawBufferMode { /// AUX0 = 0x0409, /// AUX1 = 0x040A, /// AUX2 = 0x040B, /// AUX3 = 0x040C, /// BACK = 0x0405, /// BACK_LEFT = 0x0402, /// BACK_RIGHT = 0x0403, /// FRONT = 0x0404, /// FRONT_AND_BACK = 0x0408, /// FRONT_LEFT = 0x0400, /// FRONT_RIGHT = 0x0401, /// LEFT = 0x0406, /// NONE = 0, /// NONE_OES = 0, /// RIGHT = 0x0407 } /// enum EnableCap { /// ALPHA_TEST = 0x0BC0, /// ASYNC_DRAW_PIXELS_SGIX = 0x835D, /// ASYNC_HISTOGRAM_SGIX = 0x832C, /// ASYNC_READ_PIXELS_SGIX = 0x835E, /// ASYNC_TEX_IMAGE_SGIX = 0x835C, /// AUTO_NORMAL = 0x0D80, /// BLEND = 0x0BE2, /// CALLIGRAPHIC_FRAGMENT_SGIX = 0x8183, /// CLIP_PLANE0 = 0x3000, /// CLIP_PLANE1 = 0x3001, /// CLIP_PLANE2 = 0x3002, /// CLIP_PLANE3 = 0x3003, /// CLIP_PLANE4 = 0x3004, /// CLIP_PLANE5 = 0x3005, /// COLOR_ARRAY = 0x8076, /// COLOR_LOGIC_OP = 0x0BF2, /// COLOR_MATERIAL = 0x0B57, /// COLOR_TABLE_SGI = 0x80D0, /// CONVOLUTION_1D_EXT = 0x8010, /// CONVOLUTION_2D_EXT = 0x8011, /// CULL_FACE = 0x0B44, /// DEPTH_TEST = 0x0B71, /// DITHER = 0x0BD0, /// EDGE_FLAG_ARRAY = 0x8079, /// FOG = 0x0B60, /// FOG_OFFSET_SGIX = 0x8198, /// FRAGMENT_COLOR_MATERIAL_SGIX = 0x8401, /// FRAGMENT_LIGHT0_SGIX = 0x840C, /// FRAGMENT_LIGHT1_SGIX = 0x840D, /// FRAGMENT_LIGHT2_SGIX = 0x840E, /// FRAGMENT_LIGHT3_SGIX = 0x840F, /// FRAGMENT_LIGHT4_SGIX = 0x8410, /// FRAGMENT_LIGHT5_SGIX = 0x8411, /// FRAGMENT_LIGHT6_SGIX = 0x8412, /// FRAGMENT_LIGHT7_SGIX = 0x8413, /// FRAGMENT_LIGHTING_SGIX = 0x8400, /// FRAMEZOOM_SGIX = 0x818B, /// HISTOGRAM_EXT = 0x8024, /// INDEX_ARRAY = 0x8077, /// INDEX_LOGIC_OP = 0x0BF1, /// INTERLACE_SGIX = 0x8094, /// IR_INSTRUMENT1_SGIX = 0x817F, /// LIGHT0 = 0x4000, /// LIGHT1 = 0x4001, /// LIGHT2 = 0x4002, /// LIGHT3 = 0x4003, /// LIGHT4 = 0x4004, /// LIGHT5 = 0x4005, /// LIGHT6 = 0x4006, /// LIGHT7 = 0x4007, /// LIGHTING = 0x0B50, /// LINE_SMOOTH = 0x0B20, /// LINE_STIPPLE = 0x0B24, /// MAP1_COLOR_4 = 0x0D90, /// MAP1_INDEX = 0x0D91, /// MAP1_NORMAL = 0x0D92, /// MAP1_TEXTURE_COORD_1 = 0x0D93, /// MAP1_TEXTURE_COORD_2 = 0x0D94, /// MAP1_TEXTURE_COORD_3 = 0x0D95, /// MAP1_TEXTURE_COORD_4 = 0x0D96, /// MAP1_VERTEX_3 = 0x0D97, /// MAP1_VERTEX_4 = 0x0D98, /// MAP2_COLOR_4 = 0x0DB0, /// MAP2_INDEX = 0x0DB1, /// MAP2_NORMAL = 0x0DB2, /// MAP2_TEXTURE_COORD_1 = 0x0DB3, /// MAP2_TEXTURE_COORD_2 = 0x0DB4, /// MAP2_TEXTURE_COORD_3 = 0x0DB5, /// MAP2_TEXTURE_COORD_4 = 0x0DB6, /// MAP2_VERTEX_3 = 0x0DB7, /// MAP2_VERTEX_4 = 0x0DB8, /// MINMAX_EXT = 0x802E, /// MULTISAMPLE_SGIS = 0x809D, /// NORMALIZE = 0x0BA1, /// NORMAL_ARRAY = 0x8075, /// PIXEL_TEXTURE_SGIS = 0x8353, /// PIXEL_TEX_GEN_SGIX = 0x8139, /// POINT_SMOOTH = 0x0B10, /// POLYGON_OFFSET_FILL = 0x8037, /// POLYGON_OFFSET_LINE = 0x2A02, /// POLYGON_OFFSET_POINT = 0x2A01, /// POLYGON_SMOOTH = 0x0B41, /// POLYGON_STIPPLE = 0x0B42, /// POST_COLOR_MATRIX_COLOR_TABLE_SGI = 0x80D2, /// POST_CONVOLUTION_COLOR_TABLE_SGI = 0x80D1, /// REFERENCE_PLANE_SGIX = 0x817D, /// RESCALE_NORMAL_EXT = 0x803A, /// SAMPLE_ALPHA_TO_MASK_SGIS = 0x809E, /// SAMPLE_ALPHA_TO_ONE_SGIS = 0x809F, /// SAMPLE_MASK_SGIS = 0x80A0, /// SCISSOR_TEST = 0x0C11, /// SEPARABLE_2D_EXT = 0x8012, /// SHARED_TEXTURE_PALETTE_EXT = 0x81FB, /// SPRITE_SGIX = 0x8148, /// STENCIL_TEST = 0x0B90, /// TEXTURE_1D = 0x0DE0, /// TEXTURE_2D = 0x0DE1, /// TEXTURE_3D_EXT = 0x806F, /// TEXTURE_4D_SGIS = 0x8134, /// TEXTURE_COLOR_TABLE_SGI = 0x80BC, /// TEXTURE_COORD_ARRAY = 0x8078, /// TEXTURE_GEN_Q = 0x0C63, /// TEXTURE_GEN_R = 0x0C62, /// TEXTURE_GEN_S = 0x0C60, /// TEXTURE_GEN_T = 0x0C61, /// VERTEX_ARRAY = 0x8074 } /// enum ErrorCode { /// INVALID_ENUM = 0x0500, /// INVALID_FRAMEBUFFER_OPERATION = 0x0506, /// INVALID_FRAMEBUFFER_OPERATION_EXT = 0x0506, /// INVALID_FRAMEBUFFER_OPERATION_OES = 0x0506, /// INVALID_OPERATION = 0x0502, /// INVALID_VALUE = 0x0501, /// NO_ERROR = 0, /// OUT_OF_MEMORY = 0x0505, /// STACK_OVERFLOW = 0x0503, /// STACK_UNDERFLOW = 0x0504, /// TABLE_TOO_LARGE = 0x8031, /// TABLE_TOO_LARGE_EXT = 0x8031, /// TEXTURE_TOO_LARGE_EXT = 0x8065 } /// enum FeedbackType { /// _2D = 0x0600, /// _3D = 0x0601, /// COLOR_3D = 0x0602, /// COLOR_TEXTURE_3D = 0x0603, /// COLOR_TEXTURE_4D = 0x0604 } /// enum FeedBackToken { /// BITMAP_TOKEN = 0x0704, /// COPY_PIXEL_TOKEN = 0x0706, /// DRAW_PIXEL_TOKEN = 0x0705, /// LINE_RESET_TOKEN = 0x0707, /// LINE_TOKEN = 0x0702, /// PASS_THROUGH_TOKEN = 0x0700, /// POINT_TOKEN = 0x0701, /// POLYGON_TOKEN = 0x0703 } /// enum FfdTargetSGIX { /// GEOMETRY_DEFORMATION_SGIX = 0x8194, /// TEXTURE_DEFORMATION_SGIX = 0x8195 } /// enum FogCoordinatePointerType { /// FLOAT = 0x1406, /// DOUBLE = 0x140A } /// enum FogMode { /// EXP = 0x0800, /// EXP2 = 0x0801, /// FOG_FUNC_SGIS = 0x812A, /// LINEAR = 0x2601 } /// enum FogParameter { /// FOG_COLOR = 0x0B66, /// FOG_DENSITY = 0x0B62, /// FOG_END = 0x0B64, /// FOG_INDEX = 0x0B61, /// FOG_MODE = 0x0B65, /// FOG_OFFSET_VALUE_SGIX = 0x8199, /// FOG_START = 0x0B63 } /// enum FogPointerTypeEXT { /// FLOAT = 0x1406, /// DOUBLE = 0x140A } /// enum FogPointerTypeIBM { /// FLOAT = 0x1406, /// DOUBLE = 0x140A } /// enum FragmentLightModelParameterSGIX { /// FRAGMENT_LIGHT_MODEL_AMBIENT_SGIX = 0x840A, /// FRAGMENT_LIGHT_MODEL_LOCAL_VIEWER_SGIX = 0x8408, /// FRAGMENT_LIGHT_MODEL_NORMAL_INTERPOLATION_SGIX = 0x840B, /// FRAGMENT_LIGHT_MODEL_TWO_SIDE_SGIX = 0x8409 } /// enum FrontFaceDirection { /// CCW = 0x0901, /// CW = 0x0900 } /// enum GetColorTableParameterPNameSGI { /// COLOR_TABLE_ALPHA_SIZE_SGI = 0x80DD, /// COLOR_TABLE_BIAS_SGI = 0x80D7, /// COLOR_TABLE_BLUE_SIZE_SGI = 0x80DC, /// COLOR_TABLE_FORMAT_SGI = 0x80D8, /// COLOR_TABLE_GREEN_SIZE_SGI = 0x80DB, /// COLOR_TABLE_INTENSITY_SIZE_SGI = 0x80DF, /// COLOR_TABLE_LUMINANCE_SIZE_SGI = 0x80DE, /// COLOR_TABLE_RED_SIZE_SGI = 0x80DA, /// COLOR_TABLE_SCALE_SGI = 0x80D6, /// COLOR_TABLE_WIDTH_SGI = 0x80D9 } /// enum GetConvolutionParameter { /// CONVOLUTION_BORDER_MODE_EXT = 0x8013, /// CONVOLUTION_FILTER_BIAS_EXT = 0x8015, /// CONVOLUTION_FILTER_SCALE_EXT = 0x8014, /// CONVOLUTION_FORMAT_EXT = 0x8017, /// CONVOLUTION_HEIGHT_EXT = 0x8019, /// CONVOLUTION_WIDTH_EXT = 0x8018, /// MAX_CONVOLUTION_HEIGHT_EXT = 0x801B, /// MAX_CONVOLUTION_WIDTH_EXT = 0x801A } /// enum GetHistogramParameterPNameEXT { /// HISTOGRAM_ALPHA_SIZE_EXT = 0x802B, /// HISTOGRAM_BLUE_SIZE_EXT = 0x802A, /// HISTOGRAM_FORMAT_EXT = 0x8027, /// HISTOGRAM_GREEN_SIZE_EXT = 0x8029, /// HISTOGRAM_LUMINANCE_SIZE_EXT = 0x802C, /// HISTOGRAM_RED_SIZE_EXT = 0x8028, /// HISTOGRAM_SINK_EXT = 0x802D, /// HISTOGRAM_WIDTH_EXT = 0x8026 } /// enum GetMapQuery { /// COEFF = 0x0A00, /// DOMAIN = 0x0A02, /// ORDER = 0x0A01 } /// enum GetMinmaxParameterPNameEXT { /// MINMAX_FORMAT = 0x802F, /// MINMAX_FORMAT_EXT = 0x802F, /// MINMAX_SINK = 0x8030, /// MINMAX_SINK_EXT = 0x8030 } /// enum GetPixelMap { /// PIXEL_MAP_A_TO_A = 0x0C79, /// PIXEL_MAP_B_TO_B = 0x0C78, /// PIXEL_MAP_G_TO_G = 0x0C77, /// PIXEL_MAP_I_TO_A = 0x0C75, /// PIXEL_MAP_I_TO_B = 0x0C74, /// PIXEL_MAP_I_TO_G = 0x0C73, /// PIXEL_MAP_I_TO_I = 0x0C70, /// PIXEL_MAP_I_TO_R = 0x0C72, /// PIXEL_MAP_R_TO_R = 0x0C76, /// PIXEL_MAP_S_TO_S = 0x0C71 } /// enum GetPName { /// ACCUM_ALPHA_BITS = 0x0D5B, /// ACCUM_BLUE_BITS = 0x0D5A, /// ACCUM_CLEAR_VALUE = 0x0B80, /// ACCUM_GREEN_BITS = 0x0D59, /// ACCUM_RED_BITS = 0x0D58, /// ALIASED_LINE_WIDTH_RANGE = 0x846E, /// ALIASED_POINT_SIZE_RANGE = 0x846D, /// ALPHA_BIAS = 0x0D1D, /// ALPHA_BITS = 0x0D55, /// ALPHA_SCALE = 0x0D1C, /// ALPHA_TEST = 0x0BC0, /// ALPHA_TEST_FUNC = 0x0BC1, /// ALPHA_TEST_FUNC_QCOM = 0x0BC1, /// ALPHA_TEST_QCOM = 0x0BC0, /// ALPHA_TEST_REF = 0x0BC2, /// ALPHA_TEST_REF_QCOM = 0x0BC2, /// ASYNC_DRAW_PIXELS_SGIX = 0x835D, /// ASYNC_HISTOGRAM_SGIX = 0x832C, /// ASYNC_MARKER_SGIX = 0x8329, /// ASYNC_READ_PIXELS_SGIX = 0x835E, /// ASYNC_TEX_IMAGE_SGIX = 0x835C, /// ATTRIB_STACK_DEPTH = 0x0BB0, /// AUTO_NORMAL = 0x0D80, /// AUX_BUFFERS = 0x0C00, /// BLEND = 0x0BE2, /// BLEND_COLOR_EXT = 0x8005, /// BLEND_DST = 0x0BE0, /// BLEND_EQUATION_EXT = 0x8009, /// BLEND_SRC = 0x0BE1, /// BLUE_BIAS = 0x0D1B, /// BLUE_BITS = 0x0D54, /// BLUE_SCALE = 0x0D1A, /// CALLIGRAPHIC_FRAGMENT_SGIX = 0x8183, /// CLIENT_ATTRIB_STACK_DEPTH = 0x0BB1, /// CLIP_PLANE0 = 0x3000, /// CLIP_PLANE1 = 0x3001, /// CLIP_PLANE2 = 0x3002, /// CLIP_PLANE3 = 0x3003, /// CLIP_PLANE4 = 0x3004, /// CLIP_PLANE5 = 0x3005, /// COLOR_ARRAY = 0x8076, /// COLOR_ARRAY_COUNT_EXT = 0x8084, /// COLOR_ARRAY_SIZE = 0x8081, /// COLOR_ARRAY_STRIDE = 0x8083, /// COLOR_ARRAY_TYPE = 0x8082, /// COLOR_CLEAR_VALUE = 0x0C22, /// COLOR_LOGIC_OP = 0x0BF2, /// COLOR_MATERIAL = 0x0B57, /// COLOR_MATERIAL_FACE = 0x0B55, /// COLOR_MATERIAL_PARAMETER = 0x0B56, /// COLOR_MATRIX_SGI = 0x80B1, /// COLOR_MATRIX_STACK_DEPTH_SGI = 0x80B2, /// COLOR_TABLE_SGI = 0x80D0, /// COLOR_WRITEMASK = 0x0C23, /// CONVOLUTION_1D_EXT = 0x8010, /// CONVOLUTION_2D_EXT = 0x8011, /// CONVOLUTION_HINT_SGIX = 0x8316, /// CULL_FACE = 0x0B44, /// CULL_FACE_MODE = 0x0B45, /// CURRENT_COLOR = 0x0B00, /// CURRENT_INDEX = 0x0B01, /// CURRENT_NORMAL = 0x0B02, /// CURRENT_RASTER_COLOR = 0x0B04, /// CURRENT_RASTER_DISTANCE = 0x0B09, /// CURRENT_RASTER_INDEX = 0x0B05, /// CURRENT_RASTER_POSITION = 0x0B07, /// CURRENT_RASTER_POSITION_VALID = 0x0B08, /// CURRENT_RASTER_TEXTURE_COORDS = 0x0B06, /// CURRENT_TEXTURE_COORDS = 0x0B03, /// DEFORMATIONS_MASK_SGIX = 0x8196, /// DEPTH_BIAS = 0x0D1F, /// DEPTH_BITS = 0x0D56, /// DEPTH_CLEAR_VALUE = 0x0B73, /// DEPTH_FUNC = 0x0B74, /// DEPTH_RANGE = 0x0B70, /// DEPTH_SCALE = 0x0D1E, /// DEPTH_TEST = 0x0B71, /// DEPTH_WRITEMASK = 0x0B72, /// DETAIL_TEXTURE_2D_BINDING_SGIS = 0x8096, /// DISTANCE_ATTENUATION_SGIS = 0x8129, /// DITHER = 0x0BD0, /// DOUBLEBUFFER = 0x0C32, /// DRAW_BUFFER = 0x0C01, /// DRAW_BUFFER_EXT = 0x0C01, /// EDGE_FLAG = 0x0B43, /// EDGE_FLAG_ARRAY = 0x8079, /// EDGE_FLAG_ARRAY_COUNT_EXT = 0x808D, /// EDGE_FLAG_ARRAY_STRIDE = 0x808C, /// FEEDBACK_BUFFER_SIZE = 0x0DF1, /// FEEDBACK_BUFFER_TYPE = 0x0DF2, /// FOG = 0x0B60, /// FOG_COLOR = 0x0B66, /// FOG_DENSITY = 0x0B62, /// FOG_END = 0x0B64, /// FOG_FUNC_POINTS_SGIS = 0x812B, /// FOG_HINT = 0x0C54, /// FOG_INDEX = 0x0B61, /// FOG_MODE = 0x0B65, /// FOG_OFFSET_SGIX = 0x8198, /// FOG_OFFSET_VALUE_SGIX = 0x8199, /// FOG_START = 0x0B63, /// FRAGMENT_COLOR_MATERIAL_FACE_SGIX = 0x8402, /// FRAGMENT_COLOR_MATERIAL_PARAMETER_SGIX = 0x8403, /// FRAGMENT_COLOR_MATERIAL_SGIX = 0x8401, /// FRAGMENT_LIGHT0_SGIX = 0x840C, /// FRAGMENT_LIGHTING_SGIX = 0x8400, /// FRAGMENT_LIGHT_MODEL_AMBIENT_SGIX = 0x840A, /// FRAGMENT_LIGHT_MODEL_LOCAL_VIEWER_SGIX = 0x8408, /// FRAGMENT_LIGHT_MODEL_NORMAL_INTERPOLATION_SGIX = 0x840B, /// FRAGMENT_LIGHT_MODEL_TWO_SIDE_SGIX = 0x8409, /// FRAMEZOOM_FACTOR_SGIX = 0x818C, /// FRAMEZOOM_SGIX = 0x818B, /// FRONT_FACE = 0x0B46, /// GENERATE_MIPMAP_HINT_SGIS = 0x8192, /// GREEN_BIAS = 0x0D19, /// GREEN_BITS = 0x0D53, /// GREEN_SCALE = 0x0D18, /// HISTOGRAM_EXT = 0x8024, /// INDEX_ARRAY = 0x8077, /// INDEX_ARRAY_COUNT_EXT = 0x8087, /// INDEX_ARRAY_STRIDE = 0x8086, /// INDEX_ARRAY_TYPE = 0x8085, /// INDEX_BITS = 0x0D51, /// INDEX_CLEAR_VALUE = 0x0C20, /// INDEX_LOGIC_OP = 0x0BF1, /// INDEX_MODE = 0x0C30, /// INDEX_OFFSET = 0x0D13, /// INDEX_SHIFT = 0x0D12, /// INDEX_WRITEMASK = 0x0C21, /// INSTRUMENT_MEASUREMENTS_SGIX = 0x8181, /// INTERLACE_SGIX = 0x8094, /// IR_INSTRUMENT1_SGIX = 0x817F, /// LIGHT0 = 0x4000, /// LIGHT1 = 0x4001, /// LIGHT2 = 0x4002, /// LIGHT3 = 0x4003, /// LIGHT4 = 0x4004, /// LIGHT5 = 0x4005, /// LIGHT6 = 0x4006, /// LIGHT7 = 0x4007, /// LIGHTING = 0x0B50, /// LIGHT_ENV_MODE_SGIX = 0x8407, /// LIGHT_MODEL_AMBIENT = 0x0B53, /// LIGHT_MODEL_COLOR_CONTROL = 0x81F8, /// LIGHT_MODEL_LOCAL_VIEWER = 0x0B51, /// LIGHT_MODEL_TWO_SIDE = 0x0B52, /// LINE_SMOOTH = 0x0B20, /// LINE_SMOOTH_HINT = 0x0C52, /// LINE_STIPPLE = 0x0B24, /// LINE_STIPPLE_PATTERN = 0x0B25, /// LINE_STIPPLE_REPEAT = 0x0B26, /// LINE_WIDTH = 0x0B21, /// LINE_WIDTH_GRANULARITY = 0x0B23, /// LINE_WIDTH_RANGE = 0x0B22, /// LIST_BASE = 0x0B32, /// LIST_INDEX = 0x0B33, /// LIST_MODE = 0x0B30, /// LOGIC_OP = 0x0BF1, /// LOGIC_OP_MODE = 0x0BF0, /// MAP1_COLOR_4 = 0x0D90, /// MAP1_GRID_DOMAIN = 0x0DD0, /// MAP1_GRID_SEGMENTS = 0x0DD1, /// MAP1_INDEX = 0x0D91, /// MAP1_NORMAL = 0x0D92, /// MAP1_TEXTURE_COORD_1 = 0x0D93, /// MAP1_TEXTURE_COORD_2 = 0x0D94, /// MAP1_TEXTURE_COORD_3 = 0x0D95, /// MAP1_TEXTURE_COORD_4 = 0x0D96, /// MAP1_VERTEX_3 = 0x0D97, /// MAP1_VERTEX_4 = 0x0D98, /// MAP2_COLOR_4 = 0x0DB0, /// MAP2_GRID_DOMAIN = 0x0DD2, /// MAP2_GRID_SEGMENTS = 0x0DD3, /// MAP2_INDEX = 0x0DB1, /// MAP2_NORMAL = 0x0DB2, /// MAP2_TEXTURE_COORD_1 = 0x0DB3, /// MAP2_TEXTURE_COORD_2 = 0x0DB4, /// MAP2_TEXTURE_COORD_3 = 0x0DB5, /// MAP2_TEXTURE_COORD_4 = 0x0DB6, /// MAP2_VERTEX_3 = 0x0DB7, /// MAP2_VERTEX_4 = 0x0DB8, /// MAP_COLOR = 0x0D10, /// MAP_STENCIL = 0x0D11, /// MATRIX_MODE = 0x0BA0, /// MAX_3D_TEXTURE_SIZE_EXT = 0x8073, /// MAX_4D_TEXTURE_SIZE_SGIS = 0x8138, /// MAX_ACTIVE_LIGHTS_SGIX = 0x8405, /// MAX_ASYNC_DRAW_PIXELS_SGIX = 0x8360, /// MAX_ASYNC_HISTOGRAM_SGIX = 0x832D, /// MAX_ASYNC_READ_PIXELS_SGIX = 0x8361, /// MAX_ASYNC_TEX_IMAGE_SGIX = 0x835F, /// MAX_ATTRIB_STACK_DEPTH = 0x0D35, /// MAX_CLIENT_ATTRIB_STACK_DEPTH = 0x0D3B, /// MAX_CLIPMAP_DEPTH_SGIX = 0x8177, /// MAX_CLIPMAP_VIRTUAL_DEPTH_SGIX = 0x8178, /// MAX_CLIP_DISTANCES = 0x0D32, /// MAX_CLIP_PLANES = 0x0D32, /// MAX_COLOR_MATRIX_STACK_DEPTH_SGI = 0x80B3, /// MAX_EVAL_ORDER = 0x0D30, /// MAX_FOG_FUNC_POINTS_SGIS = 0x812C, /// MAX_FRAGMENT_LIGHTS_SGIX = 0x8404, /// MAX_FRAMEZOOM_FACTOR_SGIX = 0x818D, /// MAX_LIGHTS = 0x0D31, /// MAX_LIST_NESTING = 0x0B31, /// MAX_MODELVIEW_STACK_DEPTH = 0x0D36, /// MAX_NAME_STACK_DEPTH = 0x0D37, /// MAX_PIXEL_MAP_TABLE = 0x0D34, /// MAX_PROJECTION_STACK_DEPTH = 0x0D38, /// MAX_TEXTURE_SIZE = 0x0D33, /// MAX_TEXTURE_STACK_DEPTH = 0x0D39, /// MAX_VIEWPORT_DIMS = 0x0D3A, /// MINMAX_EXT = 0x802E, /// MODELVIEW0_MATRIX_EXT = 0x0BA6, /// MODELVIEW0_STACK_DEPTH_EXT = 0x0BA3, /// MODELVIEW_MATRIX = 0x0BA6, /// MODELVIEW_STACK_DEPTH = 0x0BA3, /// MULTISAMPLE_SGIS = 0x809D, /// NAME_STACK_DEPTH = 0x0D70, /// NORMALIZE = 0x0BA1, /// NORMAL_ARRAY = 0x8075, /// NORMAL_ARRAY_COUNT_EXT = 0x8080, /// NORMAL_ARRAY_STRIDE = 0x807F, /// NORMAL_ARRAY_TYPE = 0x807E, /// PACK_ALIGNMENT = 0x0D05, /// PACK_CMYK_HINT_EXT = 0x800E, /// PACK_IMAGE_DEPTH_SGIS = 0x8131, /// PACK_IMAGE_HEIGHT_EXT = 0x806C, /// PACK_LSB_FIRST = 0x0D01, /// PACK_RESAMPLE_SGIX = 0x842E, /// PACK_ROW_LENGTH = 0x0D02, /// PACK_SKIP_IMAGES_EXT = 0x806B, /// PACK_SKIP_PIXELS = 0x0D04, /// PACK_SKIP_ROWS = 0x0D03, /// PACK_SKIP_VOLUMES_SGIS = 0x8130, /// PACK_SUBSAMPLE_RATE_SGIX = 0x85A0, /// PACK_SWAP_BYTES = 0x0D00, /// PERSPECTIVE_CORRECTION_HINT = 0x0C50, /// PIXEL_MAP_A_TO_A_SIZE = 0x0CB9, /// PIXEL_MAP_B_TO_B_SIZE = 0x0CB8, /// PIXEL_MAP_G_TO_G_SIZE = 0x0CB7, /// PIXEL_MAP_I_TO_A_SIZE = 0x0CB5, /// PIXEL_MAP_I_TO_B_SIZE = 0x0CB4, /// PIXEL_MAP_I_TO_G_SIZE = 0x0CB3, /// PIXEL_MAP_I_TO_I_SIZE = 0x0CB0, /// PIXEL_MAP_I_TO_R_SIZE = 0x0CB2, /// PIXEL_MAP_R_TO_R_SIZE = 0x0CB6, /// PIXEL_MAP_S_TO_S_SIZE = 0x0CB1, /// PIXEL_TEXTURE_SGIS = 0x8353, /// PIXEL_TEX_GEN_MODE_SGIX = 0x832B, /// PIXEL_TEX_GEN_SGIX = 0x8139, /// PIXEL_TILE_BEST_ALIGNMENT_SGIX = 0x813E, /// PIXEL_TILE_CACHE_INCREMENT_SGIX = 0x813F, /// PIXEL_TILE_CACHE_SIZE_SGIX = 0x8145, /// PIXEL_TILE_GRID_DEPTH_SGIX = 0x8144, /// PIXEL_TILE_GRID_HEIGHT_SGIX = 0x8143, /// PIXEL_TILE_GRID_WIDTH_SGIX = 0x8142, /// PIXEL_TILE_HEIGHT_SGIX = 0x8141, /// PIXEL_TILE_WIDTH_SGIX = 0x8140, /// POINT_FADE_THRESHOLD_SIZE_SGIS = 0x8128, /// POINT_SIZE = 0x0B11, /// POINT_SIZE_GRANULARITY = 0x0B13, /// POINT_SIZE_MAX_SGIS = 0x8127, /// POINT_SIZE_MIN_SGIS = 0x8126, /// POINT_SIZE_RANGE = 0x0B12, /// POINT_SMOOTH = 0x0B10, /// POINT_SMOOTH_HINT = 0x0C51, /// POLYGON_MODE = 0x0B40, /// POLYGON_OFFSET_BIAS_EXT = 0x8039, /// POLYGON_OFFSET_FACTOR = 0x8038, /// POLYGON_OFFSET_FILL = 0x8037, /// POLYGON_OFFSET_LINE = 0x2A02, /// POLYGON_OFFSET_POINT = 0x2A01, /// POLYGON_OFFSET_UNITS = 0x2A00, /// POLYGON_SMOOTH = 0x0B41, /// POLYGON_SMOOTH_HINT = 0x0C53, /// POLYGON_STIPPLE = 0x0B42, /// POST_COLOR_MATRIX_ALPHA_BIAS_SGI = 0x80BB, /// POST_COLOR_MATRIX_ALPHA_SCALE_SGI = 0x80B7, /// POST_COLOR_MATRIX_BLUE_BIAS_SGI = 0x80BA, /// POST_COLOR_MATRIX_BLUE_SCALE_SGI = 0x80B6, /// POST_COLOR_MATRIX_COLOR_TABLE_SGI = 0x80D2, /// POST_COLOR_MATRIX_GREEN_BIAS_SGI = 0x80B9, /// POST_COLOR_MATRIX_GREEN_SCALE_SGI = 0x80B5, /// POST_COLOR_MATRIX_RED_BIAS_SGI = 0x80B8, /// POST_COLOR_MATRIX_RED_SCALE_SGI = 0x80B4, /// POST_CONVOLUTION_ALPHA_BIAS_EXT = 0x8023, /// POST_CONVOLUTION_ALPHA_SCALE_EXT = 0x801F, /// POST_CONVOLUTION_BLUE_BIAS_EXT = 0x8022, /// POST_CONVOLUTION_BLUE_SCALE_EXT = 0x801E, /// POST_CONVOLUTION_COLOR_TABLE_SGI = 0x80D1, /// POST_CONVOLUTION_GREEN_BIAS_EXT = 0x8021, /// POST_CONVOLUTION_GREEN_SCALE_EXT = 0x801D, /// POST_CONVOLUTION_RED_BIAS_EXT = 0x8020, /// POST_CONVOLUTION_RED_SCALE_EXT = 0x801C, /// POST_TEXTURE_FILTER_BIAS_RANGE_SGIX = 0x817B, /// POST_TEXTURE_FILTER_SCALE_RANGE_SGIX = 0x817C, /// PROJECTION_MATRIX = 0x0BA7, /// PROJECTION_STACK_DEPTH = 0x0BA4, /// READ_BUFFER = 0x0C02, /// READ_BUFFER_EXT = 0x0C02, /// READ_BUFFER_NV = 0x0C02, /// RED_BIAS = 0x0D15, /// RED_BITS = 0x0D52, /// RED_SCALE = 0x0D14, /// REFERENCE_PLANE_EQUATION_SGIX = 0x817E, /// REFERENCE_PLANE_SGIX = 0x817D, /// RENDER_MODE = 0x0C40, /// RESCALE_NORMAL_EXT = 0x803A, /// RGBA_MODE = 0x0C31, /// SAMPLES_SGIS = 0x80A9, /// SAMPLE_ALPHA_TO_MASK_SGIS = 0x809E, /// SAMPLE_ALPHA_TO_ONE_SGIS = 0x809F, /// SAMPLE_BUFFERS_SGIS = 0x80A8, /// SAMPLE_MASK_INVERT_SGIS = 0x80AB, /// SAMPLE_MASK_SGIS = 0x80A0, /// SAMPLE_MASK_VALUE_SGIS = 0x80AA, /// SAMPLE_PATTERN_SGIS = 0x80AC, /// SCISSOR_BOX = 0x0C10, /// SCISSOR_TEST = 0x0C11, /// SELECTION_BUFFER_SIZE = 0x0DF4, /// SEPARABLE_2D_EXT = 0x8012, /// SHADE_MODEL = 0x0B54, /// SHARED_TEXTURE_PALETTE_EXT = 0x81FB, /// SMOOTH_LINE_WIDTH_GRANULARITY = 0x0B23, /// SMOOTH_LINE_WIDTH_RANGE = 0x0B22, /// SMOOTH_POINT_SIZE_GRANULARITY = 0x0B13, /// SMOOTH_POINT_SIZE_RANGE = 0x0B12, /// SPRITE_AXIS_SGIX = 0x814A, /// SPRITE_MODE_SGIX = 0x8149, /// SPRITE_SGIX = 0x8148, /// SPRITE_TRANSLATION_SGIX = 0x814B, /// STENCIL_BITS = 0x0D57, /// STENCIL_CLEAR_VALUE = 0x0B91, /// STENCIL_FAIL = 0x0B94, /// STENCIL_FUNC = 0x0B92, /// STENCIL_PASS_DEPTH_FAIL = 0x0B95, /// STENCIL_PASS_DEPTH_PASS = 0x0B96, /// STENCIL_REF = 0x0B97, /// STENCIL_TEST = 0x0B90, /// STENCIL_VALUE_MASK = 0x0B93, /// STENCIL_WRITEMASK = 0x0B98, /// STEREO = 0x0C33, /// SUBPIXEL_BITS = 0x0D50, /// TEXTURE_1D = 0x0DE0, /// TEXTURE_2D = 0x0DE1, /// TEXTURE_3D_BINDING_EXT = 0x806A, /// TEXTURE_3D_EXT = 0x806F, /// TEXTURE_4D_BINDING_SGIS = 0x814F, /// TEXTURE_4D_SGIS = 0x8134, /// TEXTURE_BINDING_1D = 0x8068, /// TEXTURE_BINDING_2D = 0x8069, /// TEXTURE_BINDING_3D = 0x806A, /// TEXTURE_COLOR_TABLE_SGI = 0x80BC, /// TEXTURE_COORD_ARRAY = 0x8078, /// TEXTURE_COORD_ARRAY_COUNT_EXT = 0x808B, /// TEXTURE_COORD_ARRAY_SIZE = 0x8088, /// TEXTURE_COORD_ARRAY_STRIDE = 0x808A, /// TEXTURE_COORD_ARRAY_TYPE = 0x8089, /// TEXTURE_GEN_Q = 0x0C63, /// TEXTURE_GEN_R = 0x0C62, /// TEXTURE_GEN_S = 0x0C60, /// TEXTURE_GEN_T = 0x0C61, /// TEXTURE_MATRIX = 0x0BA8, /// TEXTURE_STACK_DEPTH = 0x0BA5, /// UNPACK_ALIGNMENT = 0x0CF5, /// UNPACK_CMYK_HINT_EXT = 0x800F, /// UNPACK_IMAGE_DEPTH_SGIS = 0x8133, /// UNPACK_IMAGE_HEIGHT_EXT = 0x806E, /// UNPACK_LSB_FIRST = 0x0CF1, /// UNPACK_RESAMPLE_SGIX = 0x842F, /// UNPACK_ROW_LENGTH = 0x0CF2, /// UNPACK_SKIP_IMAGES_EXT = 0x806D, /// UNPACK_SKIP_PIXELS = 0x0CF4, /// UNPACK_SKIP_ROWS = 0x0CF3, /// UNPACK_SKIP_VOLUMES_SGIS = 0x8132, /// UNPACK_SUBSAMPLE_RATE_SGIX = 0x85A1, /// UNPACK_SWAP_BYTES = 0x0CF0, /// VERTEX_ARRAY = 0x8074, /// VERTEX_ARRAY_COUNT_EXT = 0x807D, /// VERTEX_ARRAY_SIZE = 0x807A, /// VERTEX_ARRAY_STRIDE = 0x807C, /// VERTEX_ARRAY_TYPE = 0x807B, /// VERTEX_PRECLIP_HINT_SGIX = 0x83EF, /// VERTEX_PRECLIP_SGIX = 0x83EE, /// VIEWPORT = 0x0BA2, /// ZOOM_X = 0x0D16, /// ZOOM_Y = 0x0D17 } /// enum GetPointervPName { /// COLOR_ARRAY_POINTER = 0x8090, /// COLOR_ARRAY_POINTER_EXT = 0x8090, /// EDGE_FLAG_ARRAY_POINTER = 0x8093, /// EDGE_FLAG_ARRAY_POINTER_EXT = 0x8093, /// FEEDBACK_BUFFER_POINTER = 0x0DF0, /// INDEX_ARRAY_POINTER = 0x8091, /// INDEX_ARRAY_POINTER_EXT = 0x8091, /// INSTRUMENT_BUFFER_POINTER_SGIX = 0x8180, /// NORMAL_ARRAY_POINTER = 0x808F, /// NORMAL_ARRAY_POINTER_EXT = 0x808F, /// SELECTION_BUFFER_POINTER = 0x0DF3, /// TEXTURE_COORD_ARRAY_POINTER = 0x8092, /// TEXTURE_COORD_ARRAY_POINTER_EXT = 0x8092, /// VERTEX_ARRAY_POINTER = 0x808E, /// VERTEX_ARRAY_POINTER_EXT = 0x808E } /// enum GetTextureParameter { /// DETAIL_TEXTURE_FUNC_POINTS_SGIS = 0x809C, /// DETAIL_TEXTURE_LEVEL_SGIS = 0x809A, /// DETAIL_TEXTURE_MODE_SGIS = 0x809B, /// DUAL_TEXTURE_SELECT_SGIS = 0x8124, /// GENERATE_MIPMAP_SGIS = 0x8191, /// POST_TEXTURE_FILTER_BIAS_SGIX = 0x8179, /// POST_TEXTURE_FILTER_SCALE_SGIX = 0x817A, /// QUAD_TEXTURE_SELECT_SGIS = 0x8125, /// SHADOW_AMBIENT_SGIX = 0x80BF, /// SHARPEN_TEXTURE_FUNC_POINTS_SGIS = 0x80B0, /// TEXTURE_4DSIZE_SGIS = 0x8136, /// TEXTURE_ALPHA_SIZE = 0x805F, /// TEXTURE_BASE_LEVEL_SGIS = 0x813C, /// TEXTURE_BLUE_SIZE = 0x805E, /// TEXTURE_BORDER = 0x1005, /// TEXTURE_BORDER_COLOR = 0x1004, /// TEXTURE_BORDER_COLOR_NV = 0x1004, /// TEXTURE_CLIPMAP_CENTER_SGIX = 0x8171, /// TEXTURE_CLIPMAP_DEPTH_SGIX = 0x8176, /// TEXTURE_CLIPMAP_FRAME_SGIX = 0x8172, /// TEXTURE_CLIPMAP_LOD_OFFSET_SGIX = 0x8175, /// TEXTURE_CLIPMAP_OFFSET_SGIX = 0x8173, /// TEXTURE_CLIPMAP_VIRTUAL_DEPTH_SGIX = 0x8174, /// TEXTURE_COMPARE_OPERATOR_SGIX = 0x819B, /// TEXTURE_COMPARE_SGIX = 0x819A, /// TEXTURE_COMPONENTS = 0x1003, /// TEXTURE_DEPTH_EXT = 0x8071, /// TEXTURE_FILTER4_SIZE_SGIS = 0x8147, /// TEXTURE_GEQUAL_R_SGIX = 0x819D, /// TEXTURE_GREEN_SIZE = 0x805D, /// TEXTURE_HEIGHT = 0x1001, /// TEXTURE_INTENSITY_SIZE = 0x8061, /// TEXTURE_INTERNAL_FORMAT = 0x1003, /// TEXTURE_LEQUAL_R_SGIX = 0x819C, /// TEXTURE_LOD_BIAS_R_SGIX = 0x8190, /// TEXTURE_LOD_BIAS_S_SGIX = 0x818E, /// TEXTURE_LOD_BIAS_T_SGIX = 0x818F, /// TEXTURE_LUMINANCE_SIZE = 0x8060, /// TEXTURE_MAG_FILTER = 0x2800, /// TEXTURE_MAX_CLAMP_R_SGIX = 0x836B, /// TEXTURE_MAX_CLAMP_S_SGIX = 0x8369, /// TEXTURE_MAX_CLAMP_T_SGIX = 0x836A, /// TEXTURE_MAX_LEVEL_SGIS = 0x813D, /// TEXTURE_MAX_LOD_SGIS = 0x813B, /// TEXTURE_MIN_FILTER = 0x2801, /// TEXTURE_MIN_LOD_SGIS = 0x813A, /// TEXTURE_PRIORITY = 0x8066, /// TEXTURE_RED_SIZE = 0x805C, /// TEXTURE_RESIDENT = 0x8067, /// TEXTURE_WIDTH = 0x1000, /// TEXTURE_WRAP_Q_SGIS = 0x8137, /// TEXTURE_WRAP_R_EXT = 0x8072, /// TEXTURE_WRAP_S = 0x2802, /// TEXTURE_WRAP_T = 0x2803 } /// enum HintMode { /// DONT_CARE = 0x1100, /// FASTEST = 0x1101, /// NICEST = 0x1102 } /// enum HintTarget { /// ALLOW_DRAW_FRG_HINT_PGI = 0x1A210, /// ALLOW_DRAW_MEM_HINT_PGI = 0x1A211, /// ALLOW_DRAW_OBJ_HINT_PGI = 0x1A20E, /// ALLOW_DRAW_WIN_HINT_PGI = 0x1A20F, /// ALWAYS_FAST_HINT_PGI = 0x1A20C, /// ALWAYS_SOFT_HINT_PGI = 0x1A20D, /// BACK_NORMALS_HINT_PGI = 0x1A223, /// BINNING_CONTROL_HINT_QCOM = 0x8FB0, /// CLIP_FAR_HINT_PGI = 0x1A221, /// CLIP_NEAR_HINT_PGI = 0x1A220, /// CLIP_VOLUME_CLIPPING_HINT_EXT = 0x80F0, /// CONSERVE_MEMORY_HINT_PGI = 0x1A1FD, /// CONVOLUTION_HINT_SGIX = 0x8316, /// FOG_HINT = 0x0C54, /// FRAGMENT_SHADER_DERIVATIVE_HINT = 0x8B8B, /// FRAGMENT_SHADER_DERIVATIVE_HINT_ARB = 0x8B8B, /// FRAGMENT_SHADER_DERIVATIVE_HINT_OES = 0x8B8B, /// FULL_STIPPLE_HINT_PGI = 0x1A219, /// GENERATE_MIPMAP_HINT = 0x8192, /// GENERATE_MIPMAP_HINT_SGIS = 0x8192, /// LINE_QUALITY_HINT_SGIX = 0x835B, /// LINE_SMOOTH_HINT = 0x0C52, /// MATERIAL_SIDE_HINT_PGI = 0x1A22C, /// MAX_VERTEX_HINT_PGI = 0x1A22D, /// MULTISAMPLE_FILTER_HINT_NV = 0x8534, /// NATIVE_GRAPHICS_BEGIN_HINT_PGI = 0x1A203, /// NATIVE_GRAPHICS_END_HINT_PGI = 0x1A204, /// PACK_CMYK_HINT_EXT = 0x800E, /// PERSPECTIVE_CORRECTION_HINT = 0x0C50, /// PHONG_HINT_WIN = 0x80EB, /// POINT_SMOOTH_HINT = 0x0C51, /// POLYGON_SMOOTH_HINT = 0x0C53, /// PREFER_DOUBLEBUFFER_HINT_PGI = 0x1A1F8, /// PROGRAM_BINARY_RETRIEVABLE_HINT = 0x8257, /// RECLAIM_MEMORY_HINT_PGI = 0x1A1FE, /// SCALEBIAS_HINT_SGIX = 0x8322, /// STRICT_DEPTHFUNC_HINT_PGI = 0x1A216, /// STRICT_LIGHTING_HINT_PGI = 0x1A217, /// STRICT_SCISSOR_HINT_PGI = 0x1A218, /// TEXTURE_COMPRESSION_HINT = 0x84EF, /// TEXTURE_COMPRESSION_HINT_ARB = 0x84EF, /// TEXTURE_MULTI_BUFFER_HINT_SGIX = 0x812E, /// TEXTURE_STORAGE_HINT_APPLE = 0x85BC, /// TRANSFORM_HINT_APPLE = 0x85B1, /// UNPACK_CMYK_HINT_EXT = 0x800F, /// VERTEX_ARRAY_STORAGE_HINT_APPLE = 0x851F, /// VERTEX_CONSISTENT_HINT_PGI = 0x1A22B, /// VERTEX_DATA_HINT_PGI = 0x1A22A, /// VERTEX_PRECLIP_HINT_SGIX = 0x83EF, /// VERTEX_PRECLIP_SGIX = 0x83EE, /// WIDE_LINE_HINT_PGI = 0x1A222 } /// enum HistogramTargetEXT { /// HISTOGRAM = 0x8024, /// HISTOGRAM_EXT = 0x8024, /// PROXY_HISTOGRAM = 0x8025, /// PROXY_HISTOGRAM_EXT = 0x8025 } /// enum IndexPointerType { /// DOUBLE = 0x140A, /// FLOAT = 0x1406, /// INT = 0x1404, /// SHORT = 0x1402 } /// enum InterleavedArrayFormat { /// C3F_V3F = 0x2A24, /// C4F_N3F_V3F = 0x2A26, /// C4UB_V2F = 0x2A22, /// C4UB_V3F = 0x2A23, /// N3F_V3F = 0x2A25, /// T2F_C3F_V3F = 0x2A2A, /// T2F_C4F_N3F_V3F = 0x2A2C, /// T2F_C4UB_V3F = 0x2A29, /// T2F_N3F_V3F = 0x2A2B, /// T2F_V3F = 0x2A27, /// T4F_C4F_N3F_V4F = 0x2A2D, /// T4F_V4F = 0x2A28, /// V2F = 0x2A20, /// V3F = 0x2A21 } /// enum LightEnvModeSGIX { /// ADD = 0x0104, /// MODULATE = 0x2100, /// REPLACE = 0x1E01 } /// enum LightEnvParameterSGIX { /// LIGHT_ENV_MODE_SGIX = 0x8407 } /// enum LightModelColorControl { /// SEPARATE_SPECULAR_COLOR = 0x81FA, /// SEPARATE_SPECULAR_COLOR_EXT = 0x81FA, /// SINGLE_COLOR = 0x81F9, /// SINGLE_COLOR_EXT = 0x81F9 } /// enum LightModelParameter { /// LIGHT_MODEL_AMBIENT = 0x0B53, /// LIGHT_MODEL_COLOR_CONTROL = 0x81F8, /// LIGHT_MODEL_COLOR_CONTROL_EXT = 0x81F8, /// LIGHT_MODEL_LOCAL_VIEWER = 0x0B51, /// LIGHT_MODEL_TWO_SIDE = 0x0B52 } /// enum LightName { /// FRAGMENT_LIGHT0_SGIX = 0x840C, /// FRAGMENT_LIGHT1_SGIX = 0x840D, /// FRAGMENT_LIGHT2_SGIX = 0x840E, /// FRAGMENT_LIGHT3_SGIX = 0x840F, /// FRAGMENT_LIGHT4_SGIX = 0x8410, /// FRAGMENT_LIGHT5_SGIX = 0x8411, /// FRAGMENT_LIGHT6_SGIX = 0x8412, /// FRAGMENT_LIGHT7_SGIX = 0x8413, /// LIGHT0 = 0x4000, /// LIGHT1 = 0x4001, /// LIGHT2 = 0x4002, /// LIGHT3 = 0x4003, /// LIGHT4 = 0x4004, /// LIGHT5 = 0x4005, /// LIGHT6 = 0x4006, /// LIGHT7 = 0x4007 } /// enum LightParameter { /// AMBIENT = 0x1200, /// CONSTANT_ATTENUATION = 0x1207, /// DIFFUSE = 0x1201, /// LINEAR_ATTENUATION = 0x1208, /// POSITION = 0x1203, /// QUADRATIC_ATTENUATION = 0x1209, /// SPECULAR = 0x1202, /// SPOT_CUTOFF = 0x1206, /// SPOT_DIRECTION = 0x1204, /// SPOT_EXPONENT = 0x1205 } /// enum ListMode { /// COMPILE = 0x1300, /// COMPILE_AND_EXECUTE = 0x1301 } /// enum ListNameType { /// BYTES_2 = 0x1407, /// BYTES_3 = 0x1408, /// BYTES_4 = 0x1409, /// BYTE = 0x1400, /// FLOAT = 0x1406, /// INT = 0x1404, /// SHORT = 0x1402, /// UNSIGNED_BYTE = 0x1401, /// UNSIGNED_INT = 0x1405, /// UNSIGNED_SHORT = 0x1403 } /// enum ListParameterName { /// LIST_PRIORITY_SGIX = 0x8182 } /// enum LogicOp { /// AND = 0x1501, /// AND_INVERTED = 0x1504, /// AND_REVERSE = 0x1502, /// CLEAR = 0x1500, /// COPY = 0x1503, /// COPY_INVERTED = 0x150C, /// EQUIV = 0x1509, /// INVERT = 0x150A, /// NAND = 0x150E, /// NOOP = 0x1505, /// NOR = 0x1508, /// OR = 0x1507, /// OR_INVERTED = 0x150D, /// OR_REVERSE = 0x150B, /// SET = 0x150F, /// XOR = 0x1506 } /// @Bitmaskable enum MapBufferUsageMask { /// CLIENT_STORAGE_BIT = 0x0200, /// DYNAMIC_STORAGE_BIT = 0x0100, /// MAP_COHERENT_BIT = 0x0080, /// MAP_FLUSH_EXPLICIT_BIT = 0x0010, /// MAP_FLUSH_EXPLICIT_BIT_EXT = 0x0010, /// MAP_INVALIDATE_BUFFER_BIT = 0x0008, /// MAP_INVALIDATE_BUFFER_BIT_EXT = 0x0008, /// MAP_INVALIDATE_RANGE_BIT = 0x0004, /// MAP_INVALIDATE_RANGE_BIT_EXT = 0x0004, /// MAP_PERSISTENT_BIT = 0x0040, /// MAP_READ_BIT = 0x0001, /// MAP_READ_BIT_EXT = 0x0001, /// MAP_UNSYNCHRONIZED_BIT = 0x0020, /// MAP_UNSYNCHRONIZED_BIT_EXT = 0x0020, /// MAP_WRITE_BIT = 0x0002, /// MAP_WRITE_BIT_EXT = 0x0002 } /// enum MapTarget { /// GEOMETRY_DEFORMATION_SGIX = 0x8194, /// MAP1_COLOR_4 = 0x0D90, /// MAP1_INDEX = 0x0D91, /// MAP1_NORMAL = 0x0D92, /// MAP1_TEXTURE_COORD_1 = 0x0D93, /// MAP1_TEXTURE_COORD_2 = 0x0D94, /// MAP1_TEXTURE_COORD_3 = 0x0D95, /// MAP1_TEXTURE_COORD_4 = 0x0D96, /// MAP1_VERTEX_3 = 0x0D97, /// MAP1_VERTEX_4 = 0x0D98, /// MAP2_COLOR_4 = 0x0DB0, /// MAP2_INDEX = 0x0DB1, /// MAP2_NORMAL = 0x0DB2, /// MAP2_TEXTURE_COORD_1 = 0x0DB3, /// MAP2_TEXTURE_COORD_2 = 0x0DB4, /// MAP2_TEXTURE_COORD_3 = 0x0DB5, /// MAP2_TEXTURE_COORD_4 = 0x0DB6, /// MAP2_VERTEX_3 = 0x0DB7, /// MAP2_VERTEX_4 = 0x0DB8, /// TEXTURE_DEFORMATION_SGIX = 0x8195 } /// enum MapTextureFormatINTEL { /// LAYOUT_DEFAULT_INTEL = 0, /// LAYOUT_LINEAR_CPU_CACHED_INTEL = 2, /// LAYOUT_LINEAR_INTEL = 1 } /// enum MaterialFace { /// BACK = 0x0405, /// FRONT = 0x0404, /// FRONT_AND_BACK = 0x0408 } /// enum MaterialParameter { /// AMBIENT = 0x1200, /// AMBIENT_AND_DIFFUSE = 0x1602, /// COLOR_INDEXES = 0x1603, /// DIFFUSE = 0x1201, /// EMISSION = 0x1600, /// SHININESS = 0x1601, /// SPECULAR = 0x1202 } /// enum MatrixMode { /// MODELVIEW = 0x1700, /// MODELVIEW0_EXT = 0x1700, /// PROJECTION = 0x1701, /// TEXTURE = 0x1702 } /// @Bitmaskable enum MemoryBarrierMask { /// ALL_BARRIER_BITS = 0xFFFFFFFF, /// ALL_BARRIER_BITS_EXT = 0xFFFFFFFF, /// ATOMIC_COUNTER_BARRIER_BIT = 0x00001000, /// ATOMIC_COUNTER_BARRIER_BIT_EXT = 0x00001000, /// BUFFER_UPDATE_BARRIER_BIT = 0x00000200, /// BUFFER_UPDATE_BARRIER_BIT_EXT = 0x00000200, /// CLIENT_MAPPED_BUFFER_BARRIER_BIT = 0x00004000, /// COMMAND_BARRIER_BIT = 0x00000040, /// COMMAND_BARRIER_BIT_EXT = 0x00000040, /// ELEMENT_ARRAY_BARRIER_BIT = 0x00000002, /// ELEMENT_ARRAY_BARRIER_BIT_EXT = 0x00000002, /// FRAMEBUFFER_BARRIER_BIT = 0x00000400, /// FRAMEBUFFER_BARRIER_BIT_EXT = 0x00000400, /// PIXEL_BUFFER_BARRIER_BIT = 0x00000080, /// PIXEL_BUFFER_BARRIER_BIT_EXT = 0x00000080, /// QUERY_BUFFER_BARRIER_BIT = 0x00008000, /// SHADER_GLOBAL_ACCESS_BARRIER_BIT_NV = 0x00000010, /// SHADER_IMAGE_ACCESS_BARRIER_BIT = 0x00000020, /// SHADER_IMAGE_ACCESS_BARRIER_BIT_EXT = 0x00000020, /// SHADER_STORAGE_BARRIER_BIT = 0x00002000, /// TEXTURE_FETCH_BARRIER_BIT = 0x00000008, /// TEXTURE_FETCH_BARRIER_BIT_EXT = 0x00000008, /// TEXTURE_UPDATE_BARRIER_BIT = 0x00000100, /// TEXTURE_UPDATE_BARRIER_BIT_EXT = 0x00000100, /// TRANSFORM_FEEDBACK_BARRIER_BIT = 0x00000800, /// TRANSFORM_FEEDBACK_BARRIER_BIT_EXT = 0x00000800, /// UNIFORM_BARRIER_BIT = 0x00000004, /// UNIFORM_BARRIER_BIT_EXT = 0x00000004, /// VERTEX_ATTRIB_ARRAY_BARRIER_BIT = 0x00000001, /// VERTEX_ATTRIB_ARRAY_BARRIER_BIT_EXT = 0x00000001 } /// enum MeshMode1 { /// LINE = 0x1B01, /// POINT = 0x1B00 } /// enum MeshMode2 { /// FILL = 0x1B02, /// LINE = 0x1B01, /// POINT = 0x1B00 } /// enum MinmaxTargetEXT { /// MINMAX = 0x802E, /// MINMAX_EXT = 0x802E } /// enum NormalPointerType { /// BYTE = 0x1400, /// DOUBLE = 0x140A, /// FLOAT = 0x1406, /// INT = 0x1404, /// SHORT = 0x1402 } /// enum PixelCopyType { /// COLOR = 0x1800, /// COLOR_EXT = 0x1800, /// DEPTH = 0x1801, /// DEPTH_EXT = 0x1801, /// STENCIL = 0x1802, /// STENCIL_EXT = 0x1802 } /// enum PixelFormat { /// ABGR_EXT = 0x8000, /// ALPHA = 0x1906, /// BLUE = 0x1905, /// CMYKA_EXT = 0x800D, /// CMYK_EXT = 0x800C, /// COLOR_INDEX = 0x1900, /// DEPTH_COMPONENT = 0x1902, /// GREEN = 0x1904, /// LUMINANCE = 0x1909, /// LUMINANCE_ALPHA = 0x190A, /// RED = 0x1903, /// RED_EXT = 0x1903, /// RGB = 0x1907, /// RGBA = 0x1908, /// STENCIL_INDEX = 0x1901, /// UNSIGNED_INT = 0x1405, /// UNSIGNED_SHORT = 0x1403, /// YCRCB_422_SGIX = 0x81BB, /// YCRCB_444_SGIX = 0x81BC } /// enum InternalFormat { /// ALPHA12 = 0x803D, /// ALPHA16 = 0x803E, /// ALPHA4 = 0x803B, /// ALPHA8 = 0x803C, /// DEPTH_COMPONENT16_SGIX = 0x81A5, /// DEPTH_COMPONENT24_SGIX = 0x81A6, /// DEPTH_COMPONENT32_SGIX = 0x81A7, /// DUAL_ALPHA12_SGIS = 0x8112, /// DUAL_ALPHA16_SGIS = 0x8113, /// DUAL_ALPHA4_SGIS = 0x8110, /// DUAL_ALPHA8_SGIS = 0x8111, /// DUAL_INTENSITY12_SGIS = 0x811A, /// DUAL_INTENSITY16_SGIS = 0x811B, /// DUAL_INTENSITY4_SGIS = 0x8118, /// DUAL_INTENSITY8_SGIS = 0x8119, /// DUAL_LUMINANCE12_SGIS = 0x8116, /// DUAL_LUMINANCE16_SGIS = 0x8117, /// DUAL_LUMINANCE4_SGIS = 0x8114, /// DUAL_LUMINANCE8_SGIS = 0x8115, /// DUAL_LUMINANCE_ALPHA4_SGIS = 0x811C, /// DUAL_LUMINANCE_ALPHA8_SGIS = 0x811D, /// INTENSITY = 0x8049, /// INTENSITY12 = 0x804C, /// INTENSITY16 = 0x804D, /// INTENSITY4 = 0x804A, /// INTENSITY8 = 0x804B, /// LUMINANCE12 = 0x8041, /// LUMINANCE12_ALPHA12 = 0x8047, /// LUMINANCE12_ALPHA4 = 0x8046, /// LUMINANCE16 = 0x8042, /// LUMINANCE16_ALPHA16 = 0x8048, /// LUMINANCE4 = 0x803F, /// LUMINANCE4_ALPHA4 = 0x8043, /// LUMINANCE6_ALPHA2 = 0x8044, /// LUMINANCE8 = 0x8040, /// LUMINANCE8_ALPHA8 = 0x8045, /// QUAD_ALPHA4_SGIS = 0x811E, /// QUAD_ALPHA8_SGIS = 0x811F, /// QUAD_INTENSITY4_SGIS = 0x8122, /// QUAD_INTENSITY8_SGIS = 0x8123, /// QUAD_LUMINANCE4_SGIS = 0x8120, /// QUAD_LUMINANCE8_SGIS = 0x8121, /// R3_G3_B2 = 0x2A10, /// RGB10 = 0x8052, /// RGB10_A2 = 0x8059, /// RGB12 = 0x8053, /// RGB16 = 0x8054, /// RGB2_EXT = 0x804E, /// RGB4 = 0x804F, /// RGB5 = 0x8050, /// RGB5_A1 = 0x8057, /// RGB8 = 0x8051, /// RGBA12 = 0x805A, /// RGBA16 = 0x805B, /// RGBA2 = 0x8055, /// RGBA4 = 0x8056, /// RGBA8 = 0x8058 } /// enum PixelMap { /// PIXEL_MAP_A_TO_A = 0x0C79, /// PIXEL_MAP_B_TO_B = 0x0C78, /// PIXEL_MAP_G_TO_G = 0x0C77, /// PIXEL_MAP_I_TO_A = 0x0C75, /// PIXEL_MAP_I_TO_B = 0x0C74, /// PIXEL_MAP_I_TO_G = 0x0C73, /// PIXEL_MAP_I_TO_I = 0x0C70, /// PIXEL_MAP_I_TO_R = 0x0C72, /// PIXEL_MAP_R_TO_R = 0x0C76, /// PIXEL_MAP_S_TO_S = 0x0C71 } /// enum PixelStoreParameter { /// PACK_ALIGNMENT = 0x0D05, /// PACK_IMAGE_DEPTH_SGIS = 0x8131, /// PACK_IMAGE_HEIGHT = 0x806C, /// PACK_IMAGE_HEIGHT_EXT = 0x806C, /// PACK_LSB_FIRST = 0x0D01, /// PACK_RESAMPLE_OML = 0x8984, /// PACK_RESAMPLE_SGIX = 0x842E, /// PACK_ROW_LENGTH = 0x0D02, /// PACK_SKIP_IMAGES = 0x806B, /// PACK_SKIP_IMAGES_EXT = 0x806B, /// PACK_SKIP_PIXELS = 0x0D04, /// PACK_SKIP_ROWS = 0x0D03, /// PACK_SKIP_VOLUMES_SGIS = 0x8130, /// PACK_SUBSAMPLE_RATE_SGIX = 0x85A0, /// PACK_SWAP_BYTES = 0x0D00, /// PIXEL_TILE_CACHE_SIZE_SGIX = 0x8145, /// PIXEL_TILE_GRID_DEPTH_SGIX = 0x8144, /// PIXEL_TILE_GRID_HEIGHT_SGIX = 0x8143, /// PIXEL_TILE_GRID_WIDTH_SGIX = 0x8142, /// PIXEL_TILE_HEIGHT_SGIX = 0x8141, /// PIXEL_TILE_WIDTH_SGIX = 0x8140, /// UNPACK_ALIGNMENT = 0x0CF5, /// UNPACK_IMAGE_DEPTH_SGIS = 0x8133, /// UNPACK_IMAGE_HEIGHT = 0x806E, /// UNPACK_IMAGE_HEIGHT_EXT = 0x806E, /// UNPACK_LSB_FIRST = 0x0CF1, /// UNPACK_RESAMPLE_OML = 0x8985, /// UNPACK_RESAMPLE_SGIX = 0x842F, /// UNPACK_ROW_LENGTH = 0x0CF2, /// UNPACK_ROW_LENGTH_EXT = 0x0CF2, /// UNPACK_SKIP_IMAGES = 0x806D, /// UNPACK_SKIP_IMAGES_EXT = 0x806D, /// UNPACK_SKIP_PIXELS = 0x0CF4, /// UNPACK_SKIP_PIXELS_EXT = 0x0CF4, /// UNPACK_SKIP_ROWS = 0x0CF3, /// UNPACK_SKIP_ROWS_EXT = 0x0CF3, /// UNPACK_SKIP_VOLUMES_SGIS = 0x8132, /// UNPACK_SUBSAMPLE_RATE_SGIX = 0x85A1, /// UNPACK_SWAP_BYTES = 0x0CF0 } /// enum PixelStoreResampleMode { /// RESAMPLE_DECIMATE_SGIX = 0x8430, /// RESAMPLE_REPLICATE_SGIX = 0x8433, /// RESAMPLE_ZERO_FILL_SGIX = 0x8434 } /// enum PixelStoreSubsampleRate { /// PIXEL_SUBSAMPLE_2424_SGIX = 0x85A3, /// PIXEL_SUBSAMPLE_4242_SGIX = 0x85A4, /// PIXEL_SUBSAMPLE_4444_SGIX = 0x85A2 } /// enum PixelTexGenMode { /// LUMINANCE = 0x1909, /// LUMINANCE_ALPHA = 0x190A, /// NONE = 0, /// PIXEL_TEX_GEN_ALPHA_LS_SGIX = 0x8189, /// PIXEL_TEX_GEN_ALPHA_MS_SGIX = 0x818A, /// PIXEL_TEX_GEN_ALPHA_NO_REPLACE_SGIX = 0x8188, /// PIXEL_TEX_GEN_ALPHA_REPLACE_SGIX = 0x8187, /// RGB = 0x1907, /// RGBA = 0x1908 } /// enum PixelTexGenParameterNameSGIS { /// PIXEL_FRAGMENT_ALPHA_SOURCE_SGIS = 0x8355, /// PIXEL_FRAGMENT_RGB_SOURCE_SGIS = 0x8354 } /// enum PixelTransferParameter { /// ALPHA_BIAS = 0x0D1D, /// ALPHA_SCALE = 0x0D1C, /// BLUE_BIAS = 0x0D1B, /// BLUE_SCALE = 0x0D1A, /// DEPTH_BIAS = 0x0D1F, /// DEPTH_SCALE = 0x0D1E, /// GREEN_BIAS = 0x0D19, /// GREEN_SCALE = 0x0D18, /// INDEX_OFFSET = 0x0D13, /// INDEX_SHIFT = 0x0D12, /// MAP_COLOR = 0x0D10, /// MAP_STENCIL = 0x0D11, /// POST_COLOR_MATRIX_ALPHA_BIAS = 0x80BB, /// POST_COLOR_MATRIX_ALPHA_BIAS_SGI = 0x80BB, /// POST_COLOR_MATRIX_ALPHA_SCALE = 0x80B7, /// POST_COLOR_MATRIX_ALPHA_SCALE_SGI = 0x80B7, /// POST_COLOR_MATRIX_BLUE_BIAS = 0x80BA, /// POST_COLOR_MATRIX_BLUE_BIAS_SGI = 0x80BA, /// POST_COLOR_MATRIX_BLUE_SCALE = 0x80B6, /// POST_COLOR_MATRIX_BLUE_SCALE_SGI = 0x80B6, /// POST_COLOR_MATRIX_GREEN_BIAS = 0x80B9, /// POST_COLOR_MATRIX_GREEN_BIAS_SGI = 0x80B9, /// POST_COLOR_MATRIX_GREEN_SCALE = 0x80B5, /// POST_COLOR_MATRIX_GREEN_SCALE_SGI = 0x80B5, /// POST_COLOR_MATRIX_RED_BIAS = 0x80B8, /// POST_COLOR_MATRIX_RED_BIAS_SGI = 0x80B8, /// POST_COLOR_MATRIX_RED_SCALE = 0x80B4, /// POST_COLOR_MATRIX_RED_SCALE_SGI = 0x80B4, /// POST_CONVOLUTION_ALPHA_BIAS = 0x8023, /// POST_CONVOLUTION_ALPHA_BIAS_EXT = 0x8023, /// POST_CONVOLUTION_ALPHA_SCALE = 0x801F, /// POST_CONVOLUTION_ALPHA_SCALE_EXT = 0x801F, /// POST_CONVOLUTION_BLUE_BIAS = 0x8022, /// POST_CONVOLUTION_BLUE_BIAS_EXT = 0x8022, /// POST_CONVOLUTION_BLUE_SCALE = 0x801E, /// POST_CONVOLUTION_BLUE_SCALE_EXT = 0x801E, /// POST_CONVOLUTION_GREEN_BIAS = 0x8021, /// POST_CONVOLUTION_GREEN_BIAS_EXT = 0x8021, /// POST_CONVOLUTION_GREEN_SCALE = 0x801D, /// POST_CONVOLUTION_GREEN_SCALE_EXT = 0x801D, /// POST_CONVOLUTION_RED_BIAS = 0x8020, /// POST_CONVOLUTION_RED_BIAS_EXT = 0x8020, /// POST_CONVOLUTION_RED_SCALE = 0x801C, /// POST_CONVOLUTION_RED_SCALE_EXT = 0x801C, /// RED_BIAS = 0x0D15, /// RED_SCALE = 0x0D14 } /// enum PixelType { /// BITMAP = 0x1A00, /// BYTE = 0x1400, /// FLOAT = 0x1406, /// INT = 0x1404, /// SHORT = 0x1402, /// UNSIGNED_BYTE = 0x1401, /// UNSIGNED_BYTE_3_3_2 = 0x8032, /// UNSIGNED_BYTE_3_3_2_EXT = 0x8032, /// UNSIGNED_INT = 0x1405, /// UNSIGNED_INT_10_10_10_2 = 0x8036, /// UNSIGNED_INT_10_10_10_2_EXT = 0x8036, /// UNSIGNED_INT_8_8_8_8 = 0x8035, /// UNSIGNED_INT_8_8_8_8_EXT = 0x8035, /// UNSIGNED_SHORT = 0x1403, /// UNSIGNED_SHORT_4_4_4_4 = 0x8033, /// UNSIGNED_SHORT_4_4_4_4_EXT = 0x8033, /// UNSIGNED_SHORT_5_5_5_1 = 0x8034, /// UNSIGNED_SHORT_5_5_5_1_EXT = 0x8034 } /// enum PointParameterNameSGIS { /// DISTANCE_ATTENUATION_EXT = 0x8129, /// DISTANCE_ATTENUATION_SGIS = 0x8129, /// POINT_DISTANCE_ATTENUATION = 0x8129, /// POINT_DISTANCE_ATTENUATION_ARB = 0x8129, /// POINT_FADE_THRESHOLD_SIZE = 0x8128, /// POINT_FADE_THRESHOLD_SIZE_ARB = 0x8128, /// POINT_FADE_THRESHOLD_SIZE_EXT = 0x8128, /// POINT_FADE_THRESHOLD_SIZE_SGIS = 0x8128, /// POINT_SIZE_MAX = 0x8127, /// POINT_SIZE_MAX_ARB = 0x8127, /// POINT_SIZE_MAX_EXT = 0x8127, /// POINT_SIZE_MAX_SGIS = 0x8127, /// POINT_SIZE_MIN = 0x8126, /// POINT_SIZE_MIN_ARB = 0x8126, /// POINT_SIZE_MIN_EXT = 0x8126, /// POINT_SIZE_MIN_SGIS = 0x8126 } /// enum PolygonMode { /// FILL = 0x1B02, /// LINE = 0x1B01, /// POINT = 0x1B00 } /// enum PrimitiveType { /// LINES = 0x0001, /// LINES_ADJACENCY = 0x000A, /// LINES_ADJACENCY_ARB = 0x000A, /// LINES_ADJACENCY_EXT = 0x000A, /// LINE_LOOP = 0x0002, /// LINE_STRIP = 0x0003, /// LINE_STRIP_ADJACENCY = 0x000B, /// LINE_STRIP_ADJACENCY_ARB = 0x000B, /// LINE_STRIP_ADJACENCY_EXT = 0x000B, /// PATCHES = 0x000E, /// PATCHES_EXT = 0x000E, /// POINTS = 0x0000, /// POLYGON = 0x0009, /// QUADS = 0x0007, /// QUADS_EXT = 0x0007, /// QUAD_STRIP = 0x0008, /// TRIANGLES = 0x0004, /// TRIANGLES_ADJACENCY = 0x000C, /// TRIANGLES_ADJACENCY_ARB = 0x000C, /// TRIANGLES_ADJACENCY_EXT = 0x000C, /// TRIANGLE_FAN = 0x0006, /// TRIANGLE_STRIP = 0x0005, /// TRIANGLE_STRIP_ADJACENCY = 0x000D, /// TRIANGLE_STRIP_ADJACENCY_ARB = 0x000D, /// TRIANGLE_STRIP_ADJACENCY_EXT = 0x000D } /// @Bitmaskable enum OcclusionQueryEventMaskAMD { /// QUERY_DEPTH_PASS_EVENT_BIT_AMD = 0x00000001, /// QUERY_DEPTH_FAIL_EVENT_BIT_AMD = 0x00000002, /// QUERY_STENCIL_FAIL_EVENT_BIT_AMD = 0x00000004, /// QUERY_DEPTH_BOUNDS_FAIL_EVENT_BIT_AMD = 0x00000008, /// QUERY_ALL_EVENT_BITS_AMD = 0xFFFFFFFF } /// enum ReadBufferMode { /// AUX0 = 0x0409, /// AUX1 = 0x040A, /// AUX2 = 0x040B, /// AUX3 = 0x040C, /// BACK = 0x0405, /// BACK_LEFT = 0x0402, /// BACK_RIGHT = 0x0403, /// FRONT = 0x0404, /// FRONT_LEFT = 0x0400, /// FRONT_RIGHT = 0x0401, /// LEFT = 0x0406, /// RIGHT = 0x0407 } /// enum RenderingMode { /// FEEDBACK = 0x1C01, /// RENDER = 0x1C00, /// SELECT = 0x1C02 } /// enum SamplePatternSGIS { /// EXT_1PASS = 0x80A1, /// SGIS_1PASS = 0x80A1, /// EXT_2PASS_0 = 0x80A2, /// SGIS_2PASS_0 = 0x80A2, /// EXT_2PASS_1 = 0x80A3, /// SGIS_2PASS_1 = 0x80A3, /// EXT_4PASS_0 = 0x80A4, /// SGIS_4PASS_0 = 0x80A4, /// EXT_4PASS_1 = 0x80A5, /// SGIS_4PASS_1 = 0x80A5, /// EXT_4PASS_2 = 0x80A6, /// SGIS_4PASS_2 = 0x80A6, /// EXT_4PASS_3 = 0x80A7, /// SGIS_4PASS_3 = 0x80A7 } /// enum SeparableTargetEXT { /// SEPARABLE_2D = 0x8012, /// SEPARABLE_2D_EXT = 0x8012 } /// enum ShadingModel { /// FLAT = 0x1D00, /// SMOOTH = 0x1D01 } /// enum StencilFunction { /// ALWAYS = 0x0207, /// EQUAL = 0x0202, /// GEQUAL = 0x0206, /// GREATER = 0x0204, /// LEQUAL = 0x0203, /// LESS = 0x0201, /// NEVER = 0x0200, /// NOTEQUAL = 0x0205 } /// enum StencilOp { /// DECR = 0x1E03, /// INCR = 0x1E02, /// INVERT = 0x150A, /// KEEP = 0x1E00, /// REPLACE = 0x1E01, /// ZERO = 0 } /// enum StringName { /// EXTENSIONS = 0x1F03, /// RENDERER = 0x1F01, /// VENDOR = 0x1F00, /// VERSION = 0x1F02 } /// enum TexCoordPointerType { /// DOUBLE = 0x140A, /// FLOAT = 0x1406, /// INT = 0x1404, /// SHORT = 0x1402 } /// enum TextureCoordName { /// S = 0x2000, /// T = 0x2001, /// R = 0x2002, /// Q = 0x2003 } /// enum TextureEnvMode { /// ADD = 0x0104, /// BLEND = 0x0BE2, /// DECAL = 0x2101, /// MODULATE = 0x2100, /// REPLACE_EXT = 0x8062, /// TEXTURE_ENV_BIAS_SGIX = 0x80BE } /// enum TextureEnvParameter { /// TEXTURE_ENV_COLOR = 0x2201, /// TEXTURE_ENV_MODE = 0x2200 } /// enum TextureEnvTarget { /// TEXTURE_ENV = 0x2300 } /// enum TextureFilterFuncSGIS { /// FILTER4_SGIS = 0x8146 } /// enum TextureGenMode { /// EYE_DISTANCE_TO_LINE_SGIS = 0x81F2, /// EYE_DISTANCE_TO_POINT_SGIS = 0x81F0, /// EYE_LINEAR = 0x2400, /// OBJECT_DISTANCE_TO_LINE_SGIS = 0x81F3, /// OBJECT_DISTANCE_TO_POINT_SGIS = 0x81F1, /// OBJECT_LINEAR = 0x2401, /// SPHERE_MAP = 0x2402 } /// enum TextureGenParameter { /// EYE_LINE_SGIS = 0x81F6, /// EYE_PLANE = 0x2502, /// EYE_POINT_SGIS = 0x81F4, /// OBJECT_LINE_SGIS = 0x81F7, /// OBJECT_PLANE = 0x2501, /// OBJECT_POINT_SGIS = 0x81F5, /// TEXTURE_GEN_MODE = 0x2500 } /// enum TextureMagFilter { /// FILTER4_SGIS = 0x8146, /// LINEAR = 0x2601, /// LINEAR_DETAIL_ALPHA_SGIS = 0x8098, /// LINEAR_DETAIL_COLOR_SGIS = 0x8099, /// LINEAR_DETAIL_SGIS = 0x8097, /// LINEAR_SHARPEN_ALPHA_SGIS = 0x80AE, /// LINEAR_SHARPEN_COLOR_SGIS = 0x80AF, /// LINEAR_SHARPEN_SGIS = 0x80AD, /// NEAREST = 0x2600, /// PIXEL_TEX_GEN_Q_CEILING_SGIX = 0x8184, /// PIXEL_TEX_GEN_Q_FLOOR_SGIX = 0x8186, /// PIXEL_TEX_GEN_Q_ROUND_SGIX = 0x8185 } /// enum TextureMinFilter { /// FILTER4_SGIS = 0x8146, /// LINEAR = 0x2601, /// LINEAR_CLIPMAP_LINEAR_SGIX = 0x8170, /// LINEAR_CLIPMAP_NEAREST_SGIX = 0x844F, /// LINEAR_MIPMAP_LINEAR = 0x2703, /// LINEAR_MIPMAP_NEAREST = 0x2701, /// NEAREST = 0x2600, /// NEAREST_CLIPMAP_LINEAR_SGIX = 0x844E, /// NEAREST_CLIPMAP_NEAREST_SGIX = 0x844D, /// NEAREST_MIPMAP_LINEAR = 0x2702, /// NEAREST_MIPMAP_NEAREST = 0x2700, /// PIXEL_TEX_GEN_Q_CEILING_SGIX = 0x8184, /// PIXEL_TEX_GEN_Q_FLOOR_SGIX = 0x8186, /// PIXEL_TEX_GEN_Q_ROUND_SGIX = 0x8185 } /// enum TextureParameterName { /// DETAIL_TEXTURE_LEVEL_SGIS = 0x809A, /// DETAIL_TEXTURE_MODE_SGIS = 0x809B, /// DUAL_TEXTURE_SELECT_SGIS = 0x8124, /// GENERATE_MIPMAP = 0x8191, /// GENERATE_MIPMAP_SGIS = 0x8191, /// POST_TEXTURE_FILTER_BIAS_SGIX = 0x8179, /// POST_TEXTURE_FILTER_SCALE_SGIX = 0x817A, /// QUAD_TEXTURE_SELECT_SGIS = 0x8125, /// SHADOW_AMBIENT_SGIX = 0x80BF, /// TEXTURE_BORDER_COLOR = 0x1004, /// TEXTURE_CLIPMAP_CENTER_SGIX = 0x8171, /// TEXTURE_CLIPMAP_DEPTH_SGIX = 0x8176, /// TEXTURE_CLIPMAP_FRAME_SGIX = 0x8172, /// TEXTURE_CLIPMAP_LOD_OFFSET_SGIX = 0x8175, /// TEXTURE_CLIPMAP_OFFSET_SGIX = 0x8173, /// TEXTURE_CLIPMAP_VIRTUAL_DEPTH_SGIX = 0x8174, /// TEXTURE_COMPARE_SGIX = 0x819A, /// TEXTURE_LOD_BIAS_R_SGIX = 0x8190, /// TEXTURE_LOD_BIAS_S_SGIX = 0x818E, /// TEXTURE_LOD_BIAS_T_SGIX = 0x818F, /// TEXTURE_MAG_FILTER = 0x2800, /// TEXTURE_MAX_CLAMP_R_SGIX = 0x836B, /// TEXTURE_MAX_CLAMP_S_SGIX = 0x8369, /// TEXTURE_MAX_CLAMP_T_SGIX = 0x836A, /// TEXTURE_MIN_FILTER = 0x2801, /// TEXTURE_PRIORITY = 0x8066, /// TEXTURE_PRIORITY_EXT = 0x8066, /// TEXTURE_WRAP_Q_SGIS = 0x8137, /// TEXTURE_WRAP_R = 0x8072, /// TEXTURE_WRAP_R_EXT = 0x8072, /// TEXTURE_WRAP_R_OES = 0x8072, /// TEXTURE_WRAP_S = 0x2802, /// TEXTURE_WRAP_T = 0x2803 } /// enum TextureTarget { /// DETAIL_TEXTURE_2D_SGIS = 0x8095, /// PROXY_TEXTURE_1D = 0x8063, /// PROXY_TEXTURE_1D_EXT = 0x8063, /// PROXY_TEXTURE_2D = 0x8064, /// PROXY_TEXTURE_2D_EXT = 0x8064, /// PROXY_TEXTURE_3D = 0x8070, /// PROXY_TEXTURE_3D_EXT = 0x8070, /// PROXY_TEXTURE_4D_SGIS = 0x8135, /// TEXTURE_1D = 0x0DE0, /// TEXTURE_2D = 0x0DE1, /// TEXTURE_3D = 0x806F, /// TEXTURE_3D_EXT = 0x806F, /// TEXTURE_3D_OES = 0x806F, /// TEXTURE_4D_SGIS = 0x8134, /// TEXTURE_BASE_LEVEL = 0x813C, /// TEXTURE_BASE_LEVEL_SGIS = 0x813C, /// TEXTURE_MAX_LEVEL = 0x813D, /// TEXTURE_MAX_LEVEL_SGIS = 0x813D, /// TEXTURE_MAX_LOD = 0x813B, /// TEXTURE_MAX_LOD_SGIS = 0x813B, /// TEXTURE_MIN_LOD = 0x813A, /// TEXTURE_MIN_LOD_SGIS = 0x813A } /// enum TextureWrapMode { /// CLAMP = 0x2900, /// CLAMP_TO_BORDER = 0x812D, /// CLAMP_TO_BORDER_ARB = 0x812D, /// CLAMP_TO_BORDER_NV = 0x812D, /// CLAMP_TO_BORDER_SGIS = 0x812D, /// CLAMP_TO_EDGE = 0x812F, /// CLAMP_TO_EDGE_SGIS = 0x812F, /// REPEAT = 0x2901 } /// @Bitmaskable enum UseProgramStageMask { /// VERTEX_SHADER_BIT = 0x00000001, /// VERTEX_SHADER_BIT_EXT = 0x00000001, /// FRAGMENT_SHADER_BIT = 0x00000002, /// FRAGMENT_SHADER_BIT_EXT = 0x00000002, /// GEOMETRY_SHADER_BIT = 0x00000004, /// GEOMETRY_SHADER_BIT_EXT = 0x00000004, /// TESS_CONTROL_SHADER_BIT = 0x00000008, /// TESS_CONTROL_SHADER_BIT_EXT = 0x00000008, /// TESS_EVALUATION_SHADER_BIT = 0x00000010, /// TESS_EVALUATION_SHADER_BIT_EXT = 0x00000010, /// COMPUTE_SHADER_BIT = 0x00000020, /// ALL_SHADER_BITS = 0xFFFFFFFF, /// ALL_SHADER_BITS_EXT = 0xFFFFFFFF } /// enum VertexPointerType { /// DOUBLE = 0x140A, /// FLOAT = 0x1406, /// INT = 0x1404, /// SHORT = 0x1402 } alias fn_glGetUniformLocation = extern(C) GLint function(GLuint program, const GLchar* name) @system @nogc nothrow; /++ + glGetUniformLocation: man3/glGetUniformLocation.xml + + $(D_INLINECODE glGetUniformLocation) returns an integer that represents the location of a specific uniform variable within a program object. $(D_INLINECODE name) must be a null terminated string that contains no white space. $(D_INLINECODE name) must be an active uniform variable name in $(D_INLINECODE program) that is not a structure, an array of structures, or a subcomponent of a vector or a matrix. This function returns -1 if $(D_INLINECODE name) does not correspond to an active uniform variable in $(D_INLINECODE program) or if $(D_INLINECODE name) starts with the reserved prefix &quot;gl_&quot;. Uniform variables that are structures or arrays of structures may be queried by calling $(D_INLINECODE glGetUniformLocation) for each field within the structure. The array element operator &quot;[]&quot; and the structure field operator &quot;.&quot; may be used in $(D_INLINECODE name) in order to select elements within an array or fields within a structure. The result of using these operators is not allowed to be another structure, an array of structures, or a subcomponent of a vector or a matrix. Except if the last part of $(D_INLINECODE name) indicates a uniform variable array, the location of the first element of an array can be retrieved by using the name of the array, or by using the name appended by &quot;[0]&quot;. The actual locations assigned to uniform variables are not known until the program object is linked successfully. After linking has occurred, the command $(D_INLINECODE glGetUniformLocation) can be used to obtain the location of a uniform variable. This location value can then be passed to $(D_INLINECODE glUniform) to set the value of the uniform variable or to $(D_INLINECODE glGetUniform) in order to query the current value of the uniform variable. After a program object has been linked successfully, the index values for uniform variables remain fixed until the next link command occurs. Uniform variable locations and values can only be queried after a link if the link was successful. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUniform) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetUniformLocation glGetUniformLocation; alias fn_glTexSubImage1D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const GLvoid* data) @system @nogc nothrow; /++ + glTexSubImage1D: man3/glTexSubImage1D.xml + + Texturing maps a portion of a specified texture image onto each graphical primitive for which texturing is enabled. To enable or disable one-dimensional texturing, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_TEXTURE_1D). $(D_INLINECODE glTexSubImage1D) redefines a contiguous subregion of an existing one-dimensional texture image. The texels referenced by $(D_INLINECODE data) replace the portion of the existing texture array with x indices $(D_INLINECODE xoffset) and xoffset + width - 1, inclusive. This region may not include any texels outside the range of the texture array as it was originally specified. It is not an error to specify a subtexture with width of 0, but such a specification has no effect. If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + $(D_INLINECODE glPixelStore) modes affect texture images. $(D_INLINECODE glTexSubImage1D) specifies a one-dimensional subtexture for the current texture unit, specified with $(D_INLINECODE glActiveTexture). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexParameter), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glTexSubImage1D glTexSubImage1D; alias fn_glBindFragDataLocation = extern(C) void function(GLuint program, GLuint colorNumber, const char* name) @system @nogc nothrow; /++ + glBindFragDataLocation: man3/glBindFragDataLocation.xml + + $(D_INLINECODE glBindFragDataLocation) explicitly specifies the binding of the user-defined varying out variable $(D_INLINECODE name) to fragment shader color number $(D_INLINECODE colorNumber) for program $(D_INLINECODE program). If $(D_INLINECODE name) was bound previously, its assigned binding is replaced with $(D_INLINECODE colorNumber). $(D_INLINECODE name) must be a null-terminated string. $(D_INLINECODE colorNumber) must be less than $(D_INLINECODE GL_MAX_DRAW_BUFFERS). The bindings specified by $(D_INLINECODE glBindFragDataLocation) have no effect until $(D_INLINECODE program) is next linked. Bindings may be specified at any time after $(D_INLINECODE program) has been created. Specifically, they may be specified before shader objects are attached to the program. Therefore, any name may be specified in $(D_INLINECODE name), including a name that is never used as a varying out variable in any fragment shader object. Names beginning with $(D_INLINECODE gl_) are reserved by the GL. In addition to the errors generated by $(D_INLINECODE glBindFragDataLocation), the program $(D_INLINECODE program) will fail to link if: $(OL $(LI The number of active outputs is greater than the value $(D_INLINECODE GL_MAX_DRAW_BUFFERS).) $(LI More than one varying out variable is bound to the same color number.)) + + Varying out varyings may have indexed locations assigned explicitly in the shader text using a $(D_INLINECODE location) layout qualifier. If a shader statically assigns a location to a varying out variable in the shader text, that location is used and any location assigned with $(D_INLINECODE glBindFragDataLocation) is ignored. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateProgram), $(D_INLINECODE glGetFragDataLocation) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glBindFragDataLocation glBindFragDataLocation; alias fn_glTexSubImage3D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const GLvoid* data) @system @nogc nothrow; /++ + glTexSubImage3D: man3/glTexSubImage3D.xml + + Texturing maps a portion of a specified texture image onto each graphical primitive for which texturing is enabled. $(D_INLINECODE glTexSubImage3D) redefines a contiguous subregion of an existing three-dimensional or two-dimensioanl array texture image. The texels referenced by $(D_INLINECODE data) replace the portion of the existing texture array with x indices $(D_INLINECODE xoffset) and xoffset + width - 1, inclusive, y indices $(D_INLINECODE yoffset) and yoffset + height - 1, inclusive, and z indices $(D_INLINECODE zoffset) and zoffset + depth - 1, inclusive. For three-dimensional textures, the z index refers to the third dimension. For two-dimensional array textures, the z index refers to the slice index. This region may not include any texels outside the range of the texture array as it was originally specified. It is not an error to specify a subtexture with zero width, height, or depth but such a specification has no effect. If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + The $(D_INLINECODE glPixelStore) modes affect texture images. $(D_INLINECODE glTexSubImage3D) specifies a three-dimensional or two-dimenaional array subtexture for the current texture unit, specified with $(D_INLINECODE glActiveTexture). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P2) fn_glTexSubImage3D glTexSubImage3D; alias fn_glStencilFuncSeparate = extern(C) void function(GLenum face, GLenum func, GLint ref_, GLuint mask) @system @nogc nothrow; /++ + glStencilFuncSeparate: man3/glStencilFuncSeparate.xml + + Stenciling, like depth-buffering, enables and disables drawing on a per-pixel basis. You draw into the stencil planes using GL drawing primitives, then render geometry and images, using the stencil planes to mask out portions of the screen. Stenciling is typically used in multipass rendering algorithms to achieve special effects, such as decals, outlining, and constructive solid geometry rendering. The stencil test conditionally eliminates a pixel based on the outcome of a comparison between the reference value and the value in the stencil buffer. To enable and disable the test, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_STENCIL_TEST). To specify actions based on the outcome of the stencil test, call $(D_INLINECODE glStencilOp) or $(D_INLINECODE glStencilOpSeparate). There can be two separate sets of $(D_INLINECODE func), $(D_INLINECODE ref), and $(D_INLINECODE mask) parameters; one affects back-facing polygons, and the other affects front-facing polygons as well as other non-polygon primitives. $(D_INLINECODE glStencilFunc) sets both front and back stencil state to the same values, as if $(D_INLINECODE glStencilFuncSeparate) were called with $(D_INLINECODE face) set to $(D_INLINECODE GL_FRONT_AND_BACK). $(D_INLINECODE func) is a symbolic constant that determines the stencil comparison function. It accepts one of eight values, shown in the following list. $(D_INLINECODE ref) is an integer reference value that is used in the stencil comparison. It is clamped to the range 0 2 n - 1, where n is the number of bitplanes in the stencil buffer. $(D_INLINECODE mask) is bitwise ANDed with both the reference value and the stored stencil value, with the ANDed values participating in the comparison. If represents the value stored in the corresponding stencil buffer location, the following list shows the effect of each comparison function that can be specified by $(D_INLINECODE func). Only if the comparison succeeds is the pixel passed through to the next stage in the rasterization process (see $(D_INLINECODE glStencilOp) ). All tests treat values as unsigned integers in the range 0 2 n - 1, where n is the number of bitplanes in the stencil buffer. The following values are accepted by $(D_INLINECODE func) : + + Initially, the stencil test is disabled. If there is no stencil buffer, no stencil modification can occur and it is as if the stencil test always passes. + + Params: + + Copyright: + Copyright 2006 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBlendFunc), $(D_INLINECODE glDepthFunc), $(D_INLINECODE glEnable), $(D_INLINECODE glLogicOp), $(D_INLINECODE glStencilFunc), $(D_INLINECODE glStencilMask), $(D_INLINECODE glStencilMaskSeparate), $(D_INLINECODE glStencilOp), $(D_INLINECODE glStencilOpSeparate) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glStencilFuncSeparate glStencilFuncSeparate; alias fn_glShaderSource = extern(C) void function(GLuint shader, GLsizei count, const GLchar** string, const GLint* length) @system @nogc nothrow; /++ + glShaderSource: man3/glShaderSource.xml + + $(D_INLINECODE glShaderSource) sets the source code in $(D_INLINECODE shader) to the source code in the array of strings specified by $(D_INLINECODE string). Any source code previously stored in the shader object is completely replaced. The number of strings in the array is specified by $(D_INLINECODE count). If $(D_INLINECODE length) is $(D_INLINECODE null + ), each string is assumed to be null terminated. If $(D_INLINECODE length) is a value other than $(D_INLINECODE null + ), it points to an array containing a string length for each of the corresponding elements of $(D_INLINECODE string). Each element in the $(D_INLINECODE length) array may contain the length of the corresponding string (the null character is not counted as part of the string length) or a value less than 0 to indicate that the string is null terminated. The source code strings are not scanned or parsed at this time; they are simply copied into the specified shader object. + + OpenGL copies the shader source code strings when $(D_INLINECODE glShaderSource) is called, so an application may free its copy of the source code strings immediately after the function returns. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCompileShader), $(D_INLINECODE glCreateShader), $(D_INLINECODE glDeleteShader) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glShaderSource glShaderSource; alias fn_glUniformBlockBinding = extern(C) void function(GLuint program, GLuint uniformBlockIndex, GLuint uniformBlockBinding) @system @nogc nothrow; /++ + glUniformBlockBinding: man3/glUniformBlockBinding.xml + + Binding points for active uniform blocks are assigned using $(D_INLINECODE glUniformBlockBinding). Each of a program's active uniform blocks has a corresponding uniform buffer binding point. $(D_INLINECODE program) is the name of a program object for which the command $(D_INLINECODE glLinkProgram) has been issued in the past. If successful, $(D_INLINECODE glUniformBlockBinding) specifies that $(D_INLINECODE program) will use the data store of the buffer object bound to the binding point $(D_INLINECODE uniformBlockBinding) to extract the values of the uniforms in the uniform block identified by $(D_INLINECODE uniformBlockIndex). When a program object is linked or re-linked, the uniform buffer object binding point assigned to each of its active uniform blocks is reset to zero. + + $(D_INLINECODE glUniformBlockBinding) is available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glLinkProgram), $(D_INLINECODE glBindBufferBase), $(D_INLINECODE glBindBufferRange), $(D_INLINECODE glGetActiveUniformBlock) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glUniformBlockBinding glUniformBlockBinding; alias fn_glCreateShader = extern(C) GLuint function(GLenum shaderType) @system @nogc nothrow; /++ + glCreateShader: man3/glCreateShader.xml + + $(D_INLINECODE glCreateShader) creates an empty shader object and returns a non-zero value by which it can be referenced. A shader object is used to maintain the source code strings that define a shader. $(D_INLINECODE shaderType) indicates the type of shader to be created. Three types of shaders are supported. A shader of type $(D_INLINECODE GL_VERTEX_SHADER) is a shader that is intended to run on the programmable vertex processor. A shader of type $(D_INLINECODE GL_GEOMETRY_SHADER) is a shader that is intended to run on the programmable geometry processor. A shader of type $(D_INLINECODE GL_FRAGMENT_SHADER) is a shader that is intended to run on the programmable fragment processor. When created, a shader object's $(D_INLINECODE GL_SHADER_TYPE) parameter is set to either $(D_INLINECODE GL_VERTEX_SHADER), $(D_INLINECODE GL_GEOMETRY_SHADER) or $(D_INLINECODE GL_FRAGMENT_SHADER), depending on the value of $(D_INLINECODE shaderType). + + Like buffer and texture objects, the name space for shader objects may be shared across a set of contexts, as long as the server sides of the contexts share the same address space. If the name space is shared across contexts, any attached objects and the data associated with those attached objects are shared as well. Applications are responsible for providing the synchronization across API calls when objects are accessed from different execution threads. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader), $(D_INLINECODE glCompileShader), $(D_INLINECODE glDeleteShader), $(D_INLINECODE glDetachShader), $(D_INLINECODE glShaderSource) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glCreateShader glCreateShader; alias fn_glMapBuffer = extern(C) void* function(GLenum target, GLenum access) @system @nogc nothrow; /++ + glMapBuffer: man3/glMapBuffer.xml + + $(D_INLINECODE glMapBuffer) maps to the client's address space the entire data store of the buffer object currently bound to $(D_INLINECODE target). The data can then be directly read and/or written relative to the returned pointer, depending on the specified $(D_INLINECODE access) policy. If the GL is unable to map the buffer object's data store, $(D_INLINECODE glMapBuffer) generates an error and returns $(D_INLINECODE null + ). This may occur for system-specific reasons, such as low virtual memory availability. If a mapped data store is accessed in a way inconsistent with the specified $(D_INLINECODE access) policy, no error is generated, but performance may be negatively impacted and system errors, including program termination, may result. Unlike the $(D_INLINECODE usage) parameter of $(D_INLINECODE glBufferData), $(D_INLINECODE access) is not a hint, and does in fact constrain the usage of the mapped data store on some GL implementations. In order to achieve the highest performance available, a buffer object's data store should be used in ways consistent with both its specified $(D_INLINECODE usage) and $(D_INLINECODE access) parameters. A mapped data store must be unmapped with $(D_INLINECODE glUnmapBuffer) before its buffer object is used. Otherwise an error will be generated by any GL command that attempts to dereference the buffer object's data store. When a data store is unmapped, the pointer to its data store becomes invalid. $(D_INLINECODE glUnmapBuffer) returns $(D_INLINECODE GL_TRUE) unless the data store contents have become corrupt during the time the data store was mapped. This can occur for system-specific reasons that affect the availability of graphics memory, such as screen mode changes. In such situations, $(D_INLINECODE GL_FALSE) is returned and the data store contents are undefined. An application must detect this rare condition and reinitialize the data store. A buffer object's mapped data store is automatically unmapped when the buffer object is deleted or its data store is recreated with $(D_INLINECODE glBufferData). + + If an error is generated, $(D_INLINECODE glMapBuffer) returns $(D_INLINECODE null + ), and $(D_INLINECODE glUnmapBuffer) returns $(D_INLINECODE GL_FALSE). Parameter values passed to GL commands may not be sourced from the returned pointer. No error will be generated, but results will be undefined and will likely vary across GL implementations. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBindBufferBase), $(D_INLINECODE glBindBufferRange), $(D_INLINECODE glBufferData), $(D_INLINECODE glBufferSubData), $(D_INLINECODE glDeleteBuffers) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glMapBuffer glMapBuffer; alias fn_glUnmapBuffer = extern(C) GLboolean function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glUnmapBuffer glUnmapBuffer; alias fn_glPolygonOffset = extern(C) void function(GLfloat factor, GLfloat units) @system @nogc nothrow; /++ + glPolygonOffset: man3/glPolygonOffset.xml + + When $(D_INLINECODE GL_POLYGON_OFFSET_FILL), $(D_INLINECODE GL_POLYGON_OFFSET_LINE), or $(D_INLINECODE GL_POLYGON_OFFSET_POINT) is enabled, each fragment's value will be offset after it is interpolated from the values of the appropriate vertices. The value of the offset is factor &times; DZ + r &times; units, where DZ is a measurement of the change in depth relative to the screen area of the polygon, and r is the smallest value that is guaranteed to produce a resolvable offset for a given implementation. The offset is added before the depth test is performed and before the value is written into the depth buffer. $(D_INLINECODE glPolygonOffset) is useful for rendering hidden-line images, for applying decals to surfaces, and for rendering solids with highlighted edges. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDepthFunc), $(D_INLINECODE glEnable), $(D_INLINECODE glGet), $(D_INLINECODE glIsEnabled) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glPolygonOffset glPolygonOffset; alias fn_glReadPixels = extern(C) void function(GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, GLvoid* data) @system @nogc nothrow; /++ + glReadPixels: man3/glReadPixels.xml + + $(D_INLINECODE glReadPixels) returns pixel data from the frame buffer, starting with the pixel whose lower left corner is at location ( $(D_INLINECODE x), $(D_INLINECODE y) ), into client memory starting at location $(D_INLINECODE data). Several parameters control the processing of the pixel data before it is placed into client memory. These parameters are set with $(D_INLINECODE glPixelStore). This reference page describes the effects on $(D_INLINECODE glReadPixels) of most, but not all of the parameters specified by these three commands. If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_PACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a block of pixels is requested, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store rather than a pointer to client memory. $(D_INLINECODE glReadPixels) returns values from each pixel with lower left corner at x + i y + j for 0 &lt;= i &lt; width and 0 &lt;= j &lt; height. This pixel is said to be the i th pixel in the j th row. Pixels are returned in row order from the lowest to the highest row, left to right in each row. $(D_INLINECODE format) specifies the format for the returned pixel values; accepted values are: Finally, the indices or components are converted to the proper format, as specified by $(D_INLINECODE type). If $(D_INLINECODE format) is $(D_INLINECODE GL_STENCIL_INDEX) and $(D_INLINECODE type) is not $(D_INLINECODE GL_FLOAT), each index is masked with the mask value given in the following table. If $(D_INLINECODE type) is $(D_INLINECODE GL_FLOAT), then each integer index is converted to single-precision floating-point format. If $(D_INLINECODE format) is $(D_INLINECODE GL_RED), $(D_INLINECODE GL_GREEN), $(D_INLINECODE GL_BLUE), $(D_INLINECODE GL_RGB), $(D_INLINECODE GL_BGR), $(D_INLINECODE GL_RGBA), or $(D_INLINECODE GL_BGRA) and $(D_INLINECODE type) is not $(D_INLINECODE GL_FLOAT), each component is multiplied by the multiplier shown in the following table. If type is $(D_INLINECODE GL_FLOAT), then each component is passed as is (or converted to the client's single-precision floating-point format if it is different from the one used by the GL). $(D_INLINECODE type) $(B Index Mask) $(B Component Conversion) $(D_INLINECODE GL_UNSIGNED_BYTE) 2 8 - 1 2 8 - 1 &it; c $(D_INLINECODE GL_BYTE) 2 7 - 1 2 8 - 1 &it; c - 1 2 $(D_INLINECODE GL_UNSIGNED_SHORT) 2 16 - 1 2 16 - 1 &it; c $(D_INLINECODE GL_SHORT) 2 15 - 1 2 16 - 1 &it; c - 1 2 $(D_INLINECODE GL_UNSIGNED_INT) 2 32 - 1 2 32 - 1 &it; c $(D_INLINECODE GL_INT) 2 31 - 1 2 32 - 1 &it; c - 1 2 $(D_INLINECODE GL_HALF_FLOAT) none c $(D_INLINECODE GL_FLOAT) none c $(D_INLINECODE GL_UNSIGNED_BYTE_3_3_2) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_BYTE_2_3_3_REV) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_SHORT_5_6_5) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_SHORT_5_6_5_REV) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_SHORT_4_4_4_4) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_SHORT_4_4_4_4_REV) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_SHORT_5_5_5_1) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_SHORT_1_5_5_5_REV) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_INT_8_8_8_8) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_INT_8_8_8_8_REV) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_INT_10_10_10_2) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_INT_2_10_10_10_REV) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_INT_24_8) 2 N - 1 2 N - 1 &it; c $(D_INLINECODE GL_UNSIGNED_INT_10F_11F_11F_REV) -- Special $(D_INLINECODE GL_UNSIGNED_INT_5_9_9_9_REV) -- Special $(D_INLINECODE GL_FLOAT_32_UNSIGNED_INT_24_8_REV) none c (Depth Only) Return values are placed in memory as follows. If $(D_INLINECODE format) is $(D_INLINECODE GL_STENCIL_INDEX), $(D_INLINECODE GL_DEPTH_COMPONENT), $(D_INLINECODE GL_RED), $(D_INLINECODE GL_GREEN), or $(D_INLINECODE GL_BLUE), a single value is returned and the data for the i th pixel in the j th row is placed in location j &it; width + i. $(D_INLINECODE GL_RGB) and $(D_INLINECODE GL_BGR) return three values, $(D_INLINECODE GL_RGBA) and $(D_INLINECODE GL_BGRA) return four values for each pixel, with all values corresponding to a single pixel occupying contiguous space in $(D_INLINECODE data). Storage parameters set by $(D_INLINECODE glPixelStore), such as $(D_INLINECODE GL_PACK_LSB_FIRST) and $(D_INLINECODE GL_PACK_SWAP_BYTES), affect the way that data is written into memory. See $(D_INLINECODE glPixelStore) for a description. + + Values for pixels that lie outside the window connected to the current GL context are undefined. If an error is generated, no change is made to the contents of $(D_INLINECODE data). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glPixelStore), $(D_INLINECODE glReadBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glReadPixels glReadPixels; alias fn_glRenderbufferStorage = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /++ + glRenderbufferStorage: man3/glRenderbufferStorage.xml + + $(D_INLINECODE glRenderbufferStorage) is equivalent to calling $(D_INLINECODE glRenderbufferStorageMultisample) with the $(D_INLINECODE samples) set to zero. The target of the operation, specified by $(D_INLINECODE target) must be $(D_INLINECODE GL_RENDERBUFFER). $(D_INLINECODE internalformat) specifies the internal format to be used for the renderbuffer object's storage and must be a color-renderable, depth-renderable, or stencil-renderable format. $(D_INLINECODE width) and $(D_INLINECODE height) are the dimensions, in pixels, of the renderbuffer. Both $(D_INLINECODE width) and $(D_INLINECODE height) must be less than or equal to the value of $(D_INLINECODE GL_MAX_RENDERBUFFER_SIZE). Upon success, $(D_INLINECODE glRenderbufferStorage) deletes any existing data store for the renderbuffer image and the contents of the data store after calling $(D_INLINECODE glRenderbufferStorage) are undefined. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glBindRenderbuffer), $(D_INLINECODE glRenderbufferStorageMultisample), $(D_INLINECODE glFramebufferRenderbuffer), $(D_INLINECODE glDeleteRenderbuffers) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glRenderbufferStorage glRenderbufferStorage; alias fn_glClear = extern(C) void function(GLbitfield mask) @system @nogc nothrow; /++ + glClear: man3/glClear.xml + + $(D_INLINECODE glClear) sets the bitplane area of the window to values previously selected by $(D_INLINECODE glClearColor), $(D_INLINECODE glClearDepth), and $(D_INLINECODE glClearStencil). Multiple color buffers can be cleared simultaneously by selecting more than one buffer at a time using $(D_INLINECODE glDrawBuffer). The pixel ownership test, the scissor test, dithering, and the buffer writemasks affect the operation of $(D_INLINECODE glClear). The scissor box bounds the cleared region. Alpha function, blend function, logical operation, stenciling, texture mapping, and depth-buffering are ignored by $(D_INLINECODE glClear). $(D_INLINECODE glClear) takes a single argument that is the bitwise OR of several values indicating which buffer is to be cleared. The values are as follows: The value to which each buffer is cleared depends on the setting of the clear value for that buffer. + + If a buffer is not present, then a $(D_INLINECODE glClear) directed at that buffer has no effect. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glClearColor), $(D_INLINECODE glClearDepth), $(D_INLINECODE glClearStencil), $(D_INLINECODE glColorMask), $(D_INLINECODE glDepthMask), $(D_INLINECODE glDrawBuffer), $(D_INLINECODE glScissor), $(D_INLINECODE glStencilMask) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glClear glClear; alias fn_glBufferData = extern(C) void function(GLenum target, GLsizeiptr size, const GLvoid* data, GLenum usage) @system @nogc nothrow; /++ + glBufferData: man3/glBufferData.xml + + $(D_INLINECODE glBufferData) creates a new data store for the buffer object currently bound to $(D_INLINECODE target). Any pre-existing data store is deleted. The new data store is created with the specified $(D_INLINECODE size) in bytes and $(D_INLINECODE usage). If $(D_INLINECODE data) is not $(D_INLINECODE null + ), the data store is initialized with data from this pointer. In its initial state, the new data store is not mapped, it has a $(D_INLINECODE null + ) mapped pointer, and its mapped access is $(D_INLINECODE GL_READ_WRITE). $(D_INLINECODE usage) is a hint to the GL implementation as to how a buffer object's data store will be accessed. This enables the GL implementation to make more intelligent decisions that may significantly impact buffer object performance. It does not, however, constrain the actual usage of the data store. $(D_INLINECODE usage) can be broken down into two parts: first, the frequency of access (modification and usage), and second, the nature of that access. The frequency of access may be one of these: The nature of access may be one of these: + + If $(D_INLINECODE data) is $(D_INLINECODE null + ), a data store of the specified size is still created, but its contents remain uninitialized and thus undefined. Clients must align data elements consistent with the requirements of the client platform, with an additional base-level requirement that an offset within a buffer to a datum comprising N bytes be a multiple of N. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBufferSubData), $(D_INLINECODE glMapBuffer), $(D_INLINECODE glUnmapBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glBufferData glBufferData; alias fn_glVertexAttrib1f = extern(C) void function(GLuint index, GLfloat v0) @system @nogc nothrow; /++ + glVertexAttrib: man3/glVertexAttrib.xml + + OpenGL defines a number of standard vertex attributes that applications can modify with standard API entry points (color, normal, texture coordinates, etc.). The $(D_INLINECODE glVertexAttrib) family of entry points allows an application to pass generic vertex attributes in numbered locations. Generic attributes are defined as four-component values that are organized into an array. The first entry of this array is numbered 0, and the size of the array is specified by the implementation-dependent constant $(D_INLINECODE GL_MAX_VERTEX_ATTRIBS). Individual elements of this array can be modified with a $(D_INLINECODE glVertexAttrib) call that specifies the index of the element to be modified and a value for that element. These commands can be used to specify one, two, three, or all four components of the generic vertex attribute specified by $(D_INLINECODE index). A $(D_INLINECODE 1) in the name of the command indicates that only one value is passed, and it will be used to modify the first component of the generic vertex attribute. The second and third components will be set to 0, and the fourth component will be set to 1. Similarly, a $(D_INLINECODE 2) in the name of the command indicates that values are provided for the first two components, the third component will be set to 0, and the fourth component will be set to 1. A $(D_INLINECODE 3) in the name of the command indicates that values are provided for the first three components and the fourth component will be set to 1, whereas a $(D_INLINECODE 4) in the name indicates that values are provided for all four components. The letters $(D_INLINECODE s), $(D_INLINECODE f), $(D_INLINECODE i), $(D_INLINECODE d), $(D_INLINECODE ub), $(D_INLINECODE us), and $(D_INLINECODE ui) indicate whether the arguments are of type short, float, int, double, unsigned byte, unsigned short, or unsigned int. When $(D_INLINECODE v) is appended to the name, the commands can take a pointer to an array of such values. Additional capitalized letters can indicate further alterations to the default behavior of the glVertexAttrib function: The commands containing $(D_INLINECODE N) indicate that the arguments will be passed as fixed-point values that are scaled to a normalized range according to the component conversion rules defined by the OpenGL specification. Signed values are understood to represent fixed-point values in the range [-1,1], and unsigned values are understood to represent fixed-point values in the range [0,1]. The commands containing $(D_INLINECODE I) indicate that the arguments are extended to full signed or unsigned integers. The commands containing $(D_INLINECODE P) indicate that the arguments are stored as packed components within a larger natural type. OpenGL Shading Language attribute variables are allowed to be of type mat2, mat3, or mat4. Attributes of these types may be loaded using the $(D_INLINECODE glVertexAttrib) entry points. Matrices must be loaded into successive generic attribute slots in column major order, with one column of the matrix in each generic attribute slot. A user-defined attribute variable declared in a vertex shader can be bound to a generic attribute index by calling $(D_INLINECODE glBindAttribLocation). This allows an application to use more descriptive variable names in a vertex shader. A subsequent change to the specified generic vertex attribute will be immediately reflected as a change to the corresponding attribute variable in the vertex shader. The binding between a generic vertex attribute index and a user-defined attribute variable in a vertex shader is part of the state of a program object, but the current value of the generic vertex attribute is not. The value of each generic vertex attribute is part of current state, just like standard vertex attributes, and it is maintained even if a different program object is used. An application may freely modify generic vertex attributes that are not bound to a named vertex shader attribute variable. These values are simply maintained as part of current state and will not be accessed by the vertex shader. If a generic vertex attribute bound to an attribute variable in a vertex shader is not updated while the vertex shader is executing, the vertex shader will repeatedly use the current value for the generic vertex attribute. + + Generic vertex attributes can be updated at any time. It is possible for an application to bind more than one attribute name to the same generic vertex attribute index. This is referred to as aliasing, and it is allowed only if just one of the aliased attribute variables is active in the vertex shader, or if no path through the vertex shader consumes more than one of the attributes aliased to the same location. OpenGL implementations are not required to do error checking to detect aliasing, they are allowed to assume that aliasing will not occur, and they are allowed to employ optimizations that work only in the absence of aliasing. There is no provision for binding standard vertex attributes; therefore, it is not possible to alias generic attributes with standard attributes. $(D_INLINECODE glVertexAttrib4bv), $(D_INLINECODE glVertexAttrib4sv), $(D_INLINECODE glVertexAttrib4iv), $(D_INLINECODE glVertexAttrib4ubv), $(D_INLINECODE glVertexAttrib4usv), $(D_INLINECODE glVertexAttrib4uiv), and $(D_INLINECODE glVertexAttrib4N) versions are available only if the GL version is 3.1 or higher. $(D_INLINECODE glVertexAttribP) versions are available only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. Copyright 2010-2013 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glVertexAttribPointer) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib1f glVertexAttrib1f; alias fn_glVertexAttrib1s = extern(C) void function(GLuint index, GLshort v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib1s glVertexAttrib1s; alias fn_glVertexAttrib1d = extern(C) void function(GLuint index, GLdouble v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib1d glVertexAttrib1d; alias fn_glVertexAttribI1i = extern(C) void function(GLuint index, GLint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI1i glVertexAttribI1i; alias fn_glVertexAttribI1ui = extern(C) void function(GLuint index, GLuint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI1ui glVertexAttribI1ui; alias fn_glVertexAttrib2f = extern(C) void function(GLuint index, GLfloat v0, GLfloat v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib2f glVertexAttrib2f; alias fn_glVertexAttrib2s = extern(C) void function(GLuint index, GLshort v0, GLshort v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib2s glVertexAttrib2s; alias fn_glVertexAttrib2d = extern(C) void function(GLuint index, GLdouble v0, GLdouble v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib2d glVertexAttrib2d; alias fn_glVertexAttribI2i = extern(C) void function(GLuint index, GLint v0, GLint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI2i glVertexAttribI2i; alias fn_glVertexAttribI2ui = extern(C) void function(GLuint index, GLuint v0, GLuint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI2ui glVertexAttribI2ui; alias fn_glVertexAttrib3f = extern(C) void function(GLuint index, GLfloat v0, GLfloat v1, GLfloat v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib3f glVertexAttrib3f; alias fn_glVertexAttrib3s = extern(C) void function(GLuint index, GLshort v0, GLshort v1, GLshort v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib3s glVertexAttrib3s; alias fn_glVertexAttrib3d = extern(C) void function(GLuint index, GLdouble v0, GLdouble v1, GLdouble v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib3d glVertexAttrib3d; alias fn_glVertexAttribI3i = extern(C) void function(GLuint index, GLint v0, GLint v1, GLint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI3i glVertexAttribI3i; alias fn_glVertexAttribI3ui = extern(C) void function(GLuint index, GLuint v0, GLuint v1, GLuint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI3ui glVertexAttribI3ui; alias fn_glVertexAttrib4f = extern(C) void function(GLuint index, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4f glVertexAttrib4f; alias fn_glVertexAttrib4s = extern(C) void function(GLuint index, GLshort v0, GLshort v1, GLshort v2, GLshort v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4s glVertexAttrib4s; alias fn_glVertexAttrib4d = extern(C) void function(GLuint index, GLdouble v0, GLdouble v1, GLdouble v2, GLdouble v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4d glVertexAttrib4d; alias fn_glVertexAttrib4Nub = extern(C) void function(GLuint index, GLubyte v0, GLubyte v1, GLubyte v2, GLubyte v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4Nub glVertexAttrib4Nub; alias fn_glVertexAttribI4i = extern(C) void function(GLuint index, GLint v0, GLint v1, GLint v2, GLint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI4i glVertexAttribI4i; alias fn_glVertexAttribI4ui = extern(C) void function(GLuint index, GLuint v0, GLuint v1, GLuint v2, GLuint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI4ui glVertexAttribI4ui; alias fn_glVertexAttrib1fv = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib1fv glVertexAttrib1fv; alias fn_glVertexAttrib1sv = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib1sv glVertexAttrib1sv; alias fn_glVertexAttrib1dv = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib1dv glVertexAttrib1dv; alias fn_glVertexAttribI1iv = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI1iv glVertexAttribI1iv; alias fn_glVertexAttribI1uiv = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI1uiv glVertexAttribI1uiv; alias fn_glVertexAttrib2fv = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib2fv glVertexAttrib2fv; alias fn_glVertexAttrib2sv = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib2sv glVertexAttrib2sv; alias fn_glVertexAttrib2dv = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib2dv glVertexAttrib2dv; alias fn_glVertexAttribI2iv = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI2iv glVertexAttribI2iv; alias fn_glVertexAttribI2uiv = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI2uiv glVertexAttribI2uiv; alias fn_glVertexAttrib3fv = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib3fv glVertexAttrib3fv; alias fn_glVertexAttrib3sv = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib3sv glVertexAttrib3sv; alias fn_glVertexAttrib3dv = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib3dv glVertexAttrib3dv; alias fn_glVertexAttribI3iv = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI3iv glVertexAttribI3iv; alias fn_glVertexAttribI3uiv = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI3uiv glVertexAttribI3uiv; alias fn_glVertexAttrib4fv = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4fv glVertexAttrib4fv; alias fn_glVertexAttrib4sv = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4sv glVertexAttrib4sv; alias fn_glVertexAttrib4dv = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4dv glVertexAttrib4dv; alias fn_glVertexAttrib4iv = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4iv glVertexAttrib4iv; alias fn_glVertexAttrib4bv = extern(C) void function(GLuint index, const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4bv glVertexAttrib4bv; alias fn_glVertexAttrib4ubv = extern(C) void function(GLuint index, const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4ubv glVertexAttrib4ubv; alias fn_glVertexAttrib4usv = extern(C) void function(GLuint index, const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4usv glVertexAttrib4usv; alias fn_glVertexAttrib4uiv = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4uiv glVertexAttrib4uiv; alias fn_glVertexAttrib4Nbv = extern(C) void function(GLuint index, const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4Nbv glVertexAttrib4Nbv; alias fn_glVertexAttrib4Nsv = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4Nsv glVertexAttrib4Nsv; alias fn_glVertexAttrib4Niv = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4Niv glVertexAttrib4Niv; alias fn_glVertexAttrib4Nubv = extern(C) void function(GLuint index, const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4Nubv glVertexAttrib4Nubv; alias fn_glVertexAttrib4Nusv = extern(C) void function(GLuint index, const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4Nusv glVertexAttrib4Nusv; alias fn_glVertexAttrib4Nuiv = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttrib4Nuiv glVertexAttrib4Nuiv; alias fn_glVertexAttribI4bv = extern(C) void function(GLuint index, const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI4bv glVertexAttribI4bv; alias fn_glVertexAttribI4ubv = extern(C) void function(GLuint index, const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI4ubv glVertexAttribI4ubv; alias fn_glVertexAttribI4sv = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI4sv glVertexAttribI4sv; alias fn_glVertexAttribI4usv = extern(C) void function(GLuint index, const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI4usv glVertexAttribI4usv; alias fn_glVertexAttribI4iv = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI4iv glVertexAttribI4iv; alias fn_glVertexAttribI4uiv = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribI4uiv glVertexAttribI4uiv; alias fn_glVertexAttribP1ui = extern(C) void function(GLuint index, GLenum type, GLboolean normalized, GLuint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexAttribP1ui glVertexAttribP1ui; alias fn_glVertexAttribP2ui = extern(C) void function(GLuint index, GLenum type, GLboolean normalized, GLuint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexAttribP2ui glVertexAttribP2ui; alias fn_glVertexAttribP3ui = extern(C) void function(GLuint index, GLenum type, GLboolean normalized, GLuint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexAttribP3ui glVertexAttribP3ui; alias fn_glVertexAttribP4ui = extern(C) void function(GLuint index, GLenum type, GLboolean normalized, GLuint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexAttribP4ui glVertexAttribP4ui; alias fn_glGenSamplers = extern(C) void function(GLsizei n, GLuint* samplers) @system @nogc nothrow; /++ + glGenSamplers: man3/glGenSamplers.xml + + $(D_INLINECODE glGenSamplers) returns $(D_INLINECODE n) sampler object names in $(D_INLINECODE samplers). There is no guarantee that the names form a contiguous set of integers; however, it is guaranteed that none of the returned names was in use immediately before the call to $(D_INLINECODE glGenSamplers). Sampler object names returned by a call to $(D_INLINECODE glGenSamplers) are not returned by subsequent calls, unless they are first deleted with $(D_INLINECODE glDeleteSamplers). The names returned in $(D_INLINECODE samplers) are marked as used, for the purposes of $(D_INLINECODE glGenSamplers) only, but they acquire state and type only when they are first bound. + + $(D_INLINECODE glGenSamplers) is available only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindSampler), $(D_INLINECODE glIsSampler), $(D_INLINECODE glDeleteSamplers) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glGenSamplers glGenSamplers; alias fn_glDeleteTextures = extern(C) void function(GLsizei n, const GLuint* textures) @system @nogc nothrow; /++ + glDeleteTextures: man3/glDeleteTextures.xml + + $(D_INLINECODE glDeleteTextures) deletes $(D_INLINECODE n) textures named by the elements of the array $(D_INLINECODE textures). After a texture is deleted, it has no contents or dimensionality, and its name is free for reuse (for example by $(D_INLINECODE glGenTextures) ). If a texture that is currently bound is deleted, the binding reverts to 0 (the default texture). $(D_INLINECODE glDeleteTextures) silently ignores 0's and names that do not correspond to existing textures. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBindTexture), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glGenTextures), $(D_INLINECODE glGet), $(D_INLINECODE glGetTexParameter), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glDeleteTextures glDeleteTextures; alias fn_glDeleteVertexArrays = extern(C) void function(GLsizei n, const GLuint* arrays) @system @nogc nothrow; /++ + glDeleteVertexArrays: man3/glDeleteVertexArrays.xml + + $(D_INLINECODE glDeleteVertexArrays) deletes $(D_INLINECODE n) vertex array objects whose names are stored in the array addressed by $(D_INLINECODE arrays). Once a vertex array object is deleted it has no contents and its name is again unused. If a vertex array object that is currently bound is deleted, the binding for that object reverts to zero and the default vertex array becomes current. Unused names in $(D_INLINECODE arrays) are silently ignored, as is the value zero. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenVertexArrays), $(D_INLINECODE glIsVertexArray), $(D_INLINECODE glBindVertexArray) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_vertex_array_object") fn_glDeleteVertexArrays glDeleteVertexArrays; alias fn_glDeleteFramebuffers = extern(C) void function(GLsizei n, GLuint* framebuffers) @system @nogc nothrow; /++ + glDeleteFramebuffers: man3/glDeleteFramebuffers.xml + + $(D_INLINECODE glDeleteFramebuffers) deletes the $(D_INLINECODE n) framebuffer objects whose names are stored in the array addressed by $(D_INLINECODE framebuffers). The name zero is reserved by the GL and is silently ignored, should it occur in $(D_INLINECODE framebuffers), as are other unused names. Once a framebuffer object is deleted, its name is again unused and it has no attachments. If a framebuffer that is currently bound to one or more of the targets $(D_INLINECODE GL_DRAW_FRAMEBUFFER) or $(D_INLINECODE GL_READ_FRAMEBUFFER) is deleted, it is as though $(D_INLINECODE glBindFramebuffer) had been executed with the corresponding $(D_INLINECODE target) and $(D_INLINECODE framebuffer) zero. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glBindFramebuffer), $(D_INLINECODE glCheckFramebufferStatus) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glDeleteFramebuffers glDeleteFramebuffers; alias fn_glGenVertexArrays = extern(C) void function(GLsizei n, GLuint* arrays) @system @nogc nothrow; /++ + glGenVertexArrays: man3/glGenVertexArrays.xml + + $(D_INLINECODE glGenVertexArrays) returns $(D_INLINECODE n) vertex array object names in $(D_INLINECODE arrays). There is no guarantee that the names form a contiguous set of integers; however, it is guaranteed that none of the returned names was in use immediately before the call to $(D_INLINECODE glGenVertexArrays). Vertex array object names returned by a call to $(D_INLINECODE glGenVertexArrays) are not returned by subsequent calls, unless they are first deleted with $(D_INLINECODE glDeleteVertexArrays). The names returned in $(D_INLINECODE arrays) are marked as used, for the purposes of $(D_INLINECODE glGenVertexArrays) only, but they acquire state and type only when they are first bound. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindVertexArray), $(D_INLINECODE glDeleteVertexArrays) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_vertex_array_object") fn_glGenVertexArrays glGenVertexArrays; alias fn_glCopyTexImage1D = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLint border) @system @nogc nothrow; /++ + glCopyTexImage1D: man3/glCopyTexImage1D.xml + + $(D_INLINECODE glCopyTexImage1D) defines a one-dimensional texture image with pixels from the current $(D_INLINECODE GL_READ_BUFFER). The screen-aligned pixel row with left corner at x y and with a length of width defines the texture array at the mipmap level specified by $(D_INLINECODE level). $(D_INLINECODE internalformat) specifies the internal format of the texture array. The pixels in the row are processed exactly as if $(D_INLINECODE glReadPixels) had been called, but the process stops just before final conversion. At this point all pixel component values are clamped to the range 0 1 and then converted to the texture's internal format for storage in the texel array. Pixel ordering is such that lower x screen coordinates correspond to lower texture coordinates. If any of the pixels within the specified row of the current $(D_INLINECODE GL_READ_BUFFER) are outside the window associated with the current rendering context, then the values obtained for those pixels are undefined. $(D_INLINECODE glCopyTexImage1D) defines a one-dimensional texture image with pixels from the current $(D_INLINECODE GL_READ_BUFFER). When $(D_INLINECODE internalformat) is one of the sRGB types, the GL does not automatically convert the source pixels to the sRGB color space. In this case, the $(D_INLINECODE glPixelMap) function can be used to accomplish the conversion. + + 1, 2, 3, and 4 are not accepted values for $(D_INLINECODE internalformat). An image with 0 width indicates a null texture. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glCopyTexImage1D glCopyTexImage1D; alias fn_glGetActiveUniform = extern(C) void function(GLuint program, GLuint index, GLsizei bufSize, GLsizei* length, GLint* size, GLenum* type, GLchar* name) @system @nogc nothrow; /++ + glGetActiveUniform: man3/glGetActiveUniform.xml + + $(D_INLINECODE glGetActiveUniform) returns information about an active uniform variable in the program object specified by $(D_INLINECODE program). The number of active uniform variables can be obtained by calling $(D_INLINECODE glGetProgram) with the value $(D_INLINECODE GL_ACTIVE_UNIFORMS). A value of 0 for $(D_INLINECODE index) selects the first active uniform variable. Permissible values for $(D_INLINECODE index) range from 0 to the number of active uniform variables minus 1. Shaders may use either built-in uniform variables, user-defined uniform variables, or both. Built-in uniform variables have a prefix of &quot;gl_&quot; and reference existing OpenGL state or values derived from such state (e.g., $(D_INLINECODE gl_DepthRangeParameters), see the OpenGL Shading Language specification for a complete list.) User-defined uniform variables have arbitrary names and obtain their values from the application through calls to $(D_INLINECODE glUniform). A uniform variable (either built-in or user-defined) is considered active if it is determined during the link operation that it may be accessed during program execution. Therefore, $(D_INLINECODE program) should have previously been the target of a call to $(D_INLINECODE glLinkProgram), but it is not necessary for it to have been linked successfully. The size of the character buffer required to store the longest uniform variable name in $(D_INLINECODE program) can be obtained by calling $(D_INLINECODE glGetProgram) with the value $(D_INLINECODE GL_ACTIVE_UNIFORM_MAX_LENGTH). This value should be used to allocate a buffer of sufficient size to store the returned uniform variable name. The size of this character buffer is passed in $(D_INLINECODE bufSize), and a pointer to this character buffer is passed in $(D_INLINECODE name.) $(D_INLINECODE glGetActiveUniform) returns the name of the uniform variable indicated by $(D_INLINECODE index), storing it in the character buffer specified by $(D_INLINECODE name). The string returned will be null terminated. The actual number of characters written into this buffer is returned in $(D_INLINECODE length), and this count does not include the null termination character. If the length of the returned string is not required, a value of $(D_INLINECODE null + ) can be passed in the $(D_INLINECODE length) argument. The $(D_INLINECODE type) argument will return a pointer to the uniform variable's data type. The symbolic constants returned for uniform types are shown in the table below. $(B Returned Symbolic Contant) $(B Shader Uniform Type) $(D_INLINECODE GL_FLOAT) $(D_INLINECODE float) $(D_INLINECODE GL_FLOAT_VEC2) $(D_INLINECODE vec2) $(D_INLINECODE GL_FLOAT_VEC3) $(D_INLINECODE vec3) $(D_INLINECODE GL_FLOAT_VEC4) $(D_INLINECODE vec4) $(D_INLINECODE GL_INT) $(D_INLINECODE int) $(D_INLINECODE GL_INT_VEC2) $(D_INLINECODE ivec2) $(D_INLINECODE GL_INT_VEC3) $(D_INLINECODE ivec3) $(D_INLINECODE GL_INT_VEC4) $(D_INLINECODE ivec4) $(D_INLINECODE GL_UNSIGNED_INT) $(D_INLINECODE unsigned int) $(D_INLINECODE GL_UNSIGNED_INT_VEC2) $(D_INLINECODE uvec2) $(D_INLINECODE GL_UNSIGNED_INT_VEC3) $(D_INLINECODE uvec3) $(D_INLINECODE GL_UNSIGNED_INT_VEC4) $(D_INLINECODE uvec4) $(D_INLINECODE GL_BOOL) $(D_INLINECODE bool) $(D_INLINECODE GL_BOOL_VEC2) $(D_INLINECODE bvec2) $(D_INLINECODE GL_BOOL_VEC3) $(D_INLINECODE bvec3) $(D_INLINECODE GL_BOOL_VEC4) $(D_INLINECODE bvec4) $(D_INLINECODE GL_FLOAT_MAT2) $(D_INLINECODE mat2) $(D_INLINECODE GL_FLOAT_MAT3) $(D_INLINECODE mat3) $(D_INLINECODE GL_FLOAT_MAT4) $(D_INLINECODE mat4) $(D_INLINECODE GL_FLOAT_MAT2x3) $(D_INLINECODE mat2x3) $(D_INLINECODE GL_FLOAT_MAT2x4) $(D_INLINECODE mat2x4) $(D_INLINECODE GL_FLOAT_MAT3x2) $(D_INLINECODE mat3x2) $(D_INLINECODE GL_FLOAT_MAT3x4) $(D_INLINECODE mat3x4) $(D_INLINECODE GL_FLOAT_MAT4x2) $(D_INLINECODE mat4x2) $(D_INLINECODE GL_FLOAT_MAT4x3) $(D_INLINECODE mat4x3) $(D_INLINECODE GL_SAMPLER_1D) $(D_INLINECODE sampler1D) $(D_INLINECODE GL_SAMPLER_2D) $(D_INLINECODE sampler2D) $(D_INLINECODE GL_SAMPLER_3D) $(D_INLINECODE sampler3D) $(D_INLINECODE GL_SAMPLER_CUBE) $(D_INLINECODE samplerCube) $(D_INLINECODE GL_SAMPLER_1D_SHADOW) $(D_INLINECODE sampler1DShadow) $(D_INLINECODE GL_SAMPLER_2D_SHADOW) $(D_INLINECODE sampler2DShadow) $(D_INLINECODE GL_SAMPLER_1D_ARRAY) $(D_INLINECODE sampler1DArray) $(D_INLINECODE GL_SAMPLER_2D_ARRAY) $(D_INLINECODE sampler2DArray) $(D_INLINECODE GL_SAMPLER_1D_ARRAY_SHADOW) $(D_INLINECODE sampler1DArrayShadow) $(D_INLINECODE GL_SAMPLER_2D_ARRAY_SHADOW) $(D_INLINECODE sampler2DArrayShadow) $(D_INLINECODE GL_SAMPLER_2D_MULTISAMPLE) $(D_INLINECODE sampler2DMS) $(D_INLINECODE GL_SAMPLER_2D_MULTISAMPLE_ARRAY) $(D_INLINECODE sampler2DMSArray) $(D_INLINECODE GL_SAMPLER_CUBE_SHADOW) $(D_INLINECODE samplerCubeShadow) $(D_INLINECODE GL_SAMPLER_BUFFER) $(D_INLINECODE samplerBuffer) $(D_INLINECODE GL_SAMPLER_2D_RECT) $(D_INLINECODE sampler2DRect) $(D_INLINECODE GL_SAMPLER_2D_RECT_SHADOW) $(D_INLINECODE sampler2DRectShadow) $(D_INLINECODE GL_INT_SAMPLER_1D) $(D_INLINECODE isampler1D) $(D_INLINECODE GL_INT_SAMPLER_2D) $(D_INLINECODE isampler2D) $(D_INLINECODE GL_INT_SAMPLER_3D) $(D_INLINECODE isampler3D) $(D_INLINECODE GL_INT_SAMPLER_CUBE) $(D_INLINECODE isamplerCube) $(D_INLINECODE GL_INT_SAMPLER_1D_ARRAY) $(D_INLINECODE isampler1DArray) $(D_INLINECODE GL_INT_SAMPLER_2D_ARRAY) $(D_INLINECODE isampler2DArray) $(D_INLINECODE GL_INT_SAMPLER_2D_MULTISAMPLE) $(D_INLINECODE isampler2DMS) $(D_INLINECODE GL_INT_SAMPLER_2D_MULTISAMPLE_ARRAY) $(D_INLINECODE isampler2DMSArray) $(D_INLINECODE GL_INT_SAMPLER_BUFFER) $(D_INLINECODE isamplerBuffer) $(D_INLINECODE GL_INT_SAMPLER_2D_RECT) $(D_INLINECODE isampler2DRect) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_1D) $(D_INLINECODE usampler1D) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D) $(D_INLINECODE usampler2D) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_3D) $(D_INLINECODE usampler3D) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_CUBE) $(D_INLINECODE usamplerCube) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_1D_ARRAY) $(D_INLINECODE usampler2DArray) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D_ARRAY) $(D_INLINECODE usampler2DArray) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE) $(D_INLINECODE usampler2DMS) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE_ARRAY) $(D_INLINECODE usampler2DMSArray) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_BUFFER) $(D_INLINECODE usamplerBuffer) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D_RECT) $(D_INLINECODE usampler2DRect) If one or more elements of an array are active, the name of the array is returned in $(D_INLINECODE name), the type is returned in $(D_INLINECODE type), and the $(D_INLINECODE size) parameter returns the highest array element index used, plus one, as determined by the compiler and/or linker. Only one active uniform variable will be reported for a uniform array. Uniform variables that are declared as structures or arrays of structures will not be returned directly by this function. Instead, each of these uniform variables will be reduced to its fundamental components containing the &quot;.&quot; and &quot;[]&quot; operators such that each of the names is valid as an argument to $(D_INLINECODE glGetUniformLocation). Each of these reduced uniform variables is counted as one active uniform variable and is assigned an index. A valid name cannot be a structure, an array of structures, or a subcomponent of a vector or matrix. The size of the uniform variable will be returned in $(D_INLINECODE size). Uniform variables other than arrays will have a size of 1. Structures and arrays of structures will be reduced as described earlier, such that each of the names returned will be a data type in the earlier list. If this reduction results in an array, the size returned will be as described for uniform arrays; otherwise, the size returned will be 1. The list of active uniform variables may include both built-in uniform variables (which begin with the prefix &quot;gl_&quot;) as well as user-defined uniform variable names. This function will return as much information as it can about the specified active uniform variable. If no information is available, $(D_INLINECODE length) will be 0, and $(D_INLINECODE name) will be an empty string. This situation could occur if this function is called after a link operation that failed. If an error occurs, the return values $(D_INLINECODE length), $(D_INLINECODE size), $(D_INLINECODE type), and $(D_INLINECODE name) will be unmodified. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. Copyright 2010 Khronos Group This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetUniform), $(D_INLINECODE glGetUniformLocation), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUniform), $(D_INLINECODE glUseProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetActiveUniform glGetActiveUniform; alias fn_glUniform1f = extern(C) void function(GLint location, GLfloat v0) @system @nogc nothrow; /++ + glUniform: man3/glUniform.xml + + $(D_INLINECODE glUniform) modifies the value of a uniform variable or a uniform variable array. The location of the uniform variable to be modified is specified by $(D_INLINECODE location), which should be a value returned by $(D_INLINECODE glGetUniformLocation). $(D_INLINECODE glUniform) operates on the program object that was made part of current state by calling $(D_INLINECODE glUseProgram). The commands $(D_INLINECODE glUniform{1|2|3|4}{f|i|ui}) are used to change the value of the uniform variable specified by $(D_INLINECODE location) using the values passed as arguments. The number specified in the command should match the number of components in the data type of the specified uniform variable (e.g., $(D_INLINECODE 1) for $(D_INLINECODE float), $(D_INLINECODE int), $(D_INLINECODE unsigned int), $(D_INLINECODE bool); $(D_INLINECODE 2) for $(D_INLINECODE vec2), $(D_INLINECODE ivec2), $(D_INLINECODE uvec2), $(D_INLINECODE bvec2), etc.). The suffix $(D_INLINECODE f) indicates that floating-point values are being passed; the suffix $(D_INLINECODE i) indicates that integer values are being passed; the suffix $(D_INLINECODE ui) indicates that unsigned integer values are being passed, and this type should also match the data type of the specified uniform variable. The $(D_INLINECODE i) variants of this function should be used to provide values for uniform variables defined as $(D_INLINECODE int), $(D_INLINECODE ivec2), $(D_INLINECODE ivec3), $(D_INLINECODE ivec4), or arrays of these. The $(D_INLINECODE ui) variants of this function should be used to provide values for uniform variables defined as $(D_INLINECODE unsigned int), $(D_INLINECODE uvec2), $(D_INLINECODE uvec3), $(D_INLINECODE uvec4), or arrays of these. The $(D_INLINECODE f) variants should be used to provide values for uniform variables of type $(D_INLINECODE float), $(D_INLINECODE vec2), $(D_INLINECODE vec3), $(D_INLINECODE vec4), or arrays of these. Either the $(D_INLINECODE i), $(D_INLINECODE ui) or $(D_INLINECODE f) variants may be used to provide values for uniform variables of type $(D_INLINECODE bool), $(D_INLINECODE bvec2), $(D_INLINECODE bvec3), $(D_INLINECODE bvec4), or arrays of these. The uniform variable will be set to $(D_INLINECODE false) if the input value is 0 or 0.0f, and it will be set to $(D_INLINECODE true) otherwise. All active uniform variables defined in a program object are initialized to 0 when the program object is linked successfully. They retain the values assigned to them by a call to $(D_INLINECODE glUniform) until the next successful link operation occurs on the program object, when they are once again initialized to 0. The commands $(D_INLINECODE glUniform{1|2|3|4}{f|i|ui}v) can be used to modify a single uniform variable or a uniform variable array. These commands pass a count and a pointer to the values to be loaded into a uniform variable or a uniform variable array. A count of 1 should be used if modifying the value of a single uniform variable, and a count of 1 or greater can be used to modify an entire array or part of an array. When loading elements starting at an arbitrary position in a uniform variable array, elements + - 1 in the array will be replaced with the new values. If $(D_INLINECODE m) + $(D_INLINECODE n) - 1 is larger than the size of the uniform variable array, values for all array elements beyond the end of the array will be ignored. The number specified in the name of the command indicates the number of components for each element in $(D_INLINECODE value), and it should match the number of components in the data type of the specified uniform variable (e.g., $(D_INLINECODE 1) for float, int, bool; $(D_INLINECODE 2) for vec2, ivec2, bvec2, etc.). The data type specified in the name of the command must match the data type for the specified uniform variable as described previously for $(D_INLINECODE glUniform{1|2|3|4}{f|i|ui}). For uniform variable arrays, each element of the array is considered to be of the type indicated in the name of the command (e.g., $(D_INLINECODE glUniform3f) or $(D_INLINECODE glUniform3fv) can be used to load a uniform variable array of type vec3). The number of elements of the uniform variable array to be modified is specified by $(D_INLINECODE count) The commands $(D_INLINECODE glUniformMatrix{2|3|4|2x3|3x2|2x4|4x2|3x4|4x3}fv) are used to modify a matrix or an array of matrices. The numbers in the command name are interpreted as the dimensionality of the matrix. The number $(D_INLINECODE 2) indicates a 2 &#215; 2 matrix (i.e., 4 values), the number $(D_INLINECODE 3) indicates a 3 &#215; 3 matrix (i.e., 9 values), and the number $(D_INLINECODE 4) indicates a 4 &#215; 4 matrix (i.e., 16 values). Non-square matrix dimensionality is explicit, with the first number representing the number of columns and the second number representing the number of rows. For example, $(D_INLINECODE 2x4) indicates a 2 &#215; 4 matrix with 2 columns and 4 rows (i.e., 8 values). If $(D_INLINECODE transpose) is $(D_INLINECODE GL_FALSE), each matrix is assumed to be supplied in column major order. If $(D_INLINECODE transpose) is $(D_INLINECODE GL_TRUE), each matrix is assumed to be supplied in row major order. The $(D_INLINECODE count) argument indicates the number of matrices to be passed. A count of 1 should be used if modifying the value of a single matrix, and a count greater than 1 can be used to modify an array of matrices. + + $(D_INLINECODE glUniform1i) and $(D_INLINECODE glUniform1iv) are the only two functions that may be used to load uniform variables defined as sampler types. Loading samplers with any other function will result in a $(D_INLINECODE GL_INVALID_OPERATION) error. If $(D_INLINECODE count) is greater than 1 and the indicated uniform variable is not an array, a $(D_INLINECODE GL_INVALID_OPERATION) error is generated and the specified uniform variable will remain unchanged. Other than the preceding exceptions, if the type and size of the uniform variable as defined in the shader do not match the type and size specified in the name of the command used to load its value, a $(D_INLINECODE GL_INVALID_OPERATION) error will be generated and the specified uniform variable will remain unchanged. If $(D_INLINECODE location) is a value other than -1 and it does not represent a valid uniform variable location in the current program object, an error will be generated, and no changes will be made to the uniform variable storage of the current program object. If $(D_INLINECODE location) is equal to -1, the data passed in will be silently ignored and the specified uniform variable will not be changed. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUseProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform1f glUniform1f; alias fn_glUniform2f = extern(C) void function(GLint location, GLfloat v0, GLfloat v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform2f glUniform2f; alias fn_glUniform3f = extern(C) void function(GLint location, GLfloat v0, GLfloat v1, GLfloat v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform3f glUniform3f; alias fn_glUniform4f = extern(C) void function(GLint location, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform4f glUniform4f; alias fn_glUniform1i = extern(C) void function(GLint location, GLint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform1i glUniform1i; alias fn_glUniform2i = extern(C) void function(GLint location, GLint v0, GLint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform2i glUniform2i; alias fn_glUniform3i = extern(C) void function(GLint location, GLint v0, GLint v1, GLint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform3i glUniform3i; alias fn_glUniform4i = extern(C) void function(GLint location, GLint v0, GLint v1, GLint v2, GLint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform4i glUniform4i; alias fn_glUniform1ui = extern(C) void function(GLint location, GLuint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glUniform1ui glUniform1ui; alias fn_glUniform2ui = extern(C) void function(GLint location, GLuint v0, GLuint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glUniform2ui glUniform2ui; alias fn_glUniform3ui = extern(C) void function(GLint location, GLuint v0, GLuint v1, GLuint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glUniform3ui glUniform3ui; alias fn_glUniform4ui = extern(C) void function(GLint location, GLuint v0, GLuint v1, GLuint v2, GLuint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glUniform4ui glUniform4ui; alias fn_glUniform1fv = extern(C) void function(GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform1fv glUniform1fv; alias fn_glUniform2fv = extern(C) void function(GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform2fv glUniform2fv; alias fn_glUniform3fv = extern(C) void function(GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform3fv glUniform3fv; alias fn_glUniform4fv = extern(C) void function(GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform4fv glUniform4fv; alias fn_glUniform1iv = extern(C) void function(GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform1iv glUniform1iv; alias fn_glUniform2iv = extern(C) void function(GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform2iv glUniform2iv; alias fn_glUniform3iv = extern(C) void function(GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform3iv glUniform3iv; alias fn_glUniform4iv = extern(C) void function(GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniform4iv glUniform4iv; alias fn_glUniform1uiv = extern(C) void function(GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glUniform1uiv glUniform1uiv; alias fn_glUniform2uiv = extern(C) void function(GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glUniform2uiv glUniform2uiv; alias fn_glUniform3uiv = extern(C) void function(GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glUniform3uiv glUniform3uiv; alias fn_glUniform4uiv = extern(C) void function(GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glUniform4uiv glUniform4uiv; alias fn_glUniformMatrix2fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniformMatrix2fv glUniformMatrix2fv; alias fn_glUniformMatrix3fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniformMatrix3fv glUniformMatrix3fv; alias fn_glUniformMatrix4fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUniformMatrix4fv glUniformMatrix4fv; alias fn_glUniformMatrix2x3fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P1) fn_glUniformMatrix2x3fv glUniformMatrix2x3fv; alias fn_glUniformMatrix3x2fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P1) fn_glUniformMatrix3x2fv glUniformMatrix3x2fv; alias fn_glUniformMatrix2x4fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P1) fn_glUniformMatrix2x4fv glUniformMatrix2x4fv; alias fn_glUniformMatrix4x2fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P1) fn_glUniformMatrix4x2fv glUniformMatrix4x2fv; alias fn_glUniformMatrix3x4fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P1) fn_glUniformMatrix3x4fv glUniformMatrix3x4fv; alias fn_glUniformMatrix4x3fv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P1) fn_glUniformMatrix4x3fv glUniformMatrix4x3fv; alias fn_glCompressedTexImage1D = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLint border, GLsizei imageSize, const GLvoid* data) @system @nogc nothrow; /++ + glCompressedTexImage1D: man3/glCompressedTexImage1D.xml + + Texturing allows elements of an image array to be read by shaders. $(D_INLINECODE glCompressedTexImage1D) loads a previously defined, and retrieved, compressed one-dimensional texture image if $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_1D) (see $(D_INLINECODE glTexImage1D) ). If $(D_INLINECODE target) is $(D_INLINECODE GL_PROXY_TEXTURE_1D), no data is read from $(D_INLINECODE data), but all of the texture image state is recalculated, checked for consistency, and checked against the implementation's capabilities. If the implementation cannot handle a texture of the requested texture size, it sets all of the image state to 0, but does not generate an error (see $(D_INLINECODE glGetError) ). To query for an entire mipmap array, use an image array level greater than or equal to 1. $(D_INLINECODE internalformat) must be an extension-specified compressed-texture format. When a texture is loaded with $(D_INLINECODE glTexImage1D) using a generic compressed texture format (e.g., $(D_INLINECODE GL_COMPRESSED_RGB) ) the GL selects from one of its extensions supporting compressed textures. In order to load the compressed texture image using $(D_INLINECODE glCompressedTexImage1D), query the compressed texture image's size and format using $(D_INLINECODE glGetTexLevelParameter). If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glCompressedTexImage1D glCompressedTexImage1D; alias fn_glFramebufferTexture = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level) @system @nogc nothrow; /++ + glFramebufferTexture: man3/glFramebufferTexture.xml + + $(D_INLINECODE glFramebufferTexture), $(D_INLINECODE glFramebufferTexture1D), $(D_INLINECODE glFramebufferTexture2D), and $(D_INLINECODE glFramebufferTexture) attach a selected mipmap level or image of a texture object as one of the logical buffers of the framebuffer object currently bound to $(D_INLINECODE target). $(D_INLINECODE target) must be $(D_INLINECODE GL_DRAW_FRAMEBUFFER), $(D_INLINECODE GL_READ_FRAMEBUFFER), or $(D_INLINECODE GL_FRAMEBUFFER). $(D_INLINECODE GL_FRAMEBUFFER) is equivalent to $(D_INLINECODE GL_DRAW_FRAMEBUFFER). $(D_INLINECODE attachment) specifies the logical attachment of the framebuffer and must be $(D_INLINECODE GL_COLOR_ATTACHMENT), $(D_INLINECODE GL_DEPTH_ATTACHMENT), $(D_INLINECODE GL_STENCIL_ATTACHMENT) or $(D_INLINECODE GL_DEPTH_STENCIL_ATTACHMENT). in $(D_INLINECODE GL_COLOR_ATTACHMENT) may range from zero to the value of $(D_INLINECODE GL_MAX_COLOR_ATTACHMENTS) - 1. Attaching a level of a texture to $(D_INLINECODE GL_DEPTH_STENCIL_ATTACHMENT) is equivalent to attaching that level to both the $(D_INLINECODE GL_DEPTH_ATTACHMENT) the $(D_INLINECODE GL_STENCIL_ATTACHMENT) attachment points simultaneously. $(D_INLINECODE textarget) specifies what type of texture is named by $(D_INLINECODE texture), and for cube map textures, specifies the face that is to be attached. If $(D_INLINECODE texture) is not zero, it must be the name of an existing texture with type $(D_INLINECODE textarget), unless it is a cube map texture, in which case $(D_INLINECODE textarget) must be $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_X) $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Y), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Y), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Z), or $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Z). If $(D_INLINECODE texture) is non-zero, the specified $(D_INLINECODE level) of the texture object named $(D_INLINECODE texture) is attached to the framebfufer attachment point named by $(D_INLINECODE attachment). For $(D_INLINECODE glFramebufferTexture1D), $(D_INLINECODE glFramebufferTexture2D), and $(D_INLINECODE glFramebufferTexture3D), $(D_INLINECODE texture) must be zero or the name of an existing texture with a target of $(D_INLINECODE textarget), or $(D_INLINECODE texture) must be the name of an existing cube-map texture and $(D_INLINECODE textarget) must be one of $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Y), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Z), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Y), or $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Z). If $(D_INLINECODE textarget) is $(D_INLINECODE GL_TEXTURE_RECTANGLE), $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE), or $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE_ARRAY), then $(D_INLINECODE level) must be zero. If $(D_INLINECODE textarget) is $(D_INLINECODE GL_TEXTURE_3D), then level must be greater than or equal to zero and less than or equal to log<sub> 2</sub> of the value of $(D_INLINECODE GL_MAX_3D_TEXTURE_SIZE). If $(D_INLINECODE textarget) is one of $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Y), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Z), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Y), or $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Z), then $(D_INLINECODE level) must be greater than or equal to zero and less than or equal to log<sub> 2</sub> of the value of $(D_INLINECODE GL_MAX_CUBE_MAP_TEXTURE_SIZE). For all other values of $(D_INLINECODE textarget), $(D_INLINECODE level) must be greater than or equal to zero and no larger than log<sub> 2</sub> of the value of $(D_INLINECODE GL_MAX_TEXTURE_SIZE). $(D_INLINECODE layer) specifies the layer of a 2-dimensional image within a 3-dimensional texture. For $(D_INLINECODE glFramebufferTexture1D), if $(D_INLINECODE texture) is not zero, then $(D_INLINECODE textarget) must be $(D_INLINECODE GL_TEXTURE_1D). For $(D_INLINECODE glFramebufferTexture2D), if $(D_INLINECODE texture) is not zero, $(D_INLINECODE textarget) must be one of $(D_INLINECODE GL_TEXTURE_2D), $(D_INLINECODE GL_TEXTURE_RECTANGLE), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Y), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Z), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Y), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Z), or $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE). For $(D_INLINECODE glFramebufferTexture3D), if $(D_INLINECODE texture) is not zero, then $(D_INLINECODE textarget) must be $(D_INLINECODE GL_TEXTURE_3D). + + $(D_INLINECODE glFramebufferTexture) is available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glBindFramebuffer), $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glFramebufferTexture), $(D_INLINECODE glFramebufferTexture1D), $(D_INLINECODE glFramebufferTexture2D), $(D_INLINECODE glFramebufferTexture3D) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) fn_glFramebufferTexture glFramebufferTexture; alias fn_glFramebufferTexture1D = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glFramebufferTexture1D glFramebufferTexture1D; alias fn_glFramebufferTexture2D = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glFramebufferTexture2D glFramebufferTexture2D; alias fn_glFramebufferTexture3D = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLint layer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glFramebufferTexture3D glFramebufferTexture3D; alias fn_glBlendFuncSeparate = extern(C) void function(GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha) @system @nogc nothrow; /++ + glBlendFuncSeparate: man3/glBlendFuncSeparate.xml + + Pixels can be drawn using a function that blends the incoming (source) RGBA values with the RGBA values that are already in the frame buffer (the destination values). Blending is initially disabled. Use $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_BLEND) to enable and disable blending. $(D_INLINECODE glBlendFuncSeparate) defines the operation of blending when it is enabled. $(D_INLINECODE srcRGB) specifies which method is used to scale the source RGB-color components. $(D_INLINECODE dstRGB) specifies which method is used to scale the destination RGB-color components. Likewise, $(D_INLINECODE srcAlpha) specifies which method is used to scale the source alpha color component, and $(D_INLINECODE dstAlpha) specifies which method is used to scale the destination alpha component. The possible methods are described in the following table. Each method defines four scale factors, one each for red, green, blue, and alpha. In the table and in subsequent equations, first source, second source and destination color components are referred to as R s0 G s0 B s0 A s0, R s1 G s1 B s1 A s1, and R d G d B d A d, respectively. The color specified by $(D_INLINECODE glBlendColor) is referred to as R c G c B c A c. They are understood to have integer values between 0 and k R k G k B k A, where k c = 2 m c - 1 and m R m G m B m A is the number of red, green, blue, and alpha bitplanes. Source and destination scale factors are referred to as s R s G s B s A and d R d G d B d A. All scale factors have range 0 1. $(B Parameter) $(B RGB Factor) $(B Alpha Factor) $(D_INLINECODE GL_ZERO) 0 0 0 0 $(D_INLINECODE GL_ONE) 1 1 1 1 $(D_INLINECODE GL_SRC_COLOR) R s0 k R G s0 k G B s0 k B A s0 k A $(D_INLINECODE GL_ONE_MINUS_SRC_COLOR) 1 1 1 1 - R s0 k R G s0 k G B s0 k B 1 - A s0 k A $(D_INLINECODE GL_DST_COLOR) R d k R G d k G B d k B A d k A $(D_INLINECODE GL_ONE_MINUS_DST_COLOR) 1 1 1 - R d k R G d k G B d k B 1 - A d k A $(D_INLINECODE GL_SRC_ALPHA) A s0 k A A s0 k A A s0 k A A s0 k A $(D_INLINECODE GL_ONE_MINUS_SRC_ALPHA) 1 1 1 - A s0 k A A s0 k A A s0 k A 1 - A s0 k A $(D_INLINECODE GL_DST_ALPHA) A d k A A d k A A d k A A d k A $(D_INLINECODE GL_ONE_MINUS_DST_ALPHA) 1 1 1 - A d k A A d k A A d k A 1 - A d k A $(D_INLINECODE GL_CONSTANT_COLOR) R c G c B c A c $(D_INLINECODE GL_ONE_MINUS_CONSTANT_COLOR) 1 1 1 - R c G c B c 1 - A c $(D_INLINECODE GL_CONSTANT_ALPHA) A c A c A c A c $(D_INLINECODE GL_ONE_MINUS_CONSTANT_ALPHA) 1 1 1 - A c A c A c 1 - A c $(D_INLINECODE GL_SRC_ALPHA_SATURATE) i i i 1 $(D_INLINECODE GL_SRC1_COLOR) R s1 k R G s1 k G B s1 k B A s1 k A $(D_INLINECODE GL_ONE_MINUS_SRC_COLOR) 1 1 1 1 - R s1 k R G s1 k G B s1 k B 1 - A s1 k A $(D_INLINECODE GL_SRC1_ALPHA) A s1 k A A s1 k A A s1 k A A s1 k A $(D_INLINECODE GL_ONE_MINUS_SRC_ALPHA) 1 1 1 - A s1 k A A s1 k A A s1 k A 1 - A s1 k A In the table, i = min &af; A s 1 - A d To determine the blended RGBA values of a pixel, the system uses the following equations: R d = min &af; k R R s &it; s R + R d &it; d R G d = min &af; k G G s &it; s G + G d &it; d G B d = min &af; k B B s &it; s B + B d &it; d B A d = min &af; k A A s &it; s A + A d &it; d A Despite the apparent precision of the above equations, blending arithmetic is not exactly specified, because blending operates with imprecise integer color values. However, a blend factor that should be equal to 1 is guaranteed not to modify its multiplicand, and a blend factor equal to 0 reduces its multiplicand to 0. For example, when $(D_INLINECODE srcRGB) is $(D_INLINECODE GL_SRC_ALPHA), $(D_INLINECODE dstRGB) is $(D_INLINECODE GL_ONE_MINUS_SRC_ALPHA), and A s is equal to k A, the equations reduce to simple replacement: R d = R s G d = G s B d = B s A d = A s + + Incoming (source) alpha is correctly thought of as a material opacity, ranging from 1.0 ( K A ), representing complete opacity, to 0.0 (0), representing complete transparency. When more than one color buffer is enabled for drawing, the GL performs blending separately for each enabled buffer, using the contents of that buffer for destination color. (See $(D_INLINECODE glDrawBuffer).) When dual source blending is enabled (i.e., one of the blend factors requiring the second color input is used), the maximum number of enabled draw buffers is given by $(D_INLINECODE GL_MAX_DUAL_SOURCE_DRAW_BUFFERS), which may be lower than $(D_INLINECODE GL_MAX_DRAW_BUFFERS). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBlendColor), $(D_INLINECODE glBlendFunc), $(D_INLINECODE glBlendEquation), $(D_INLINECODE glClear), $(D_INLINECODE glDrawBuffer), $(D_INLINECODE glEnable), $(D_INLINECODE glLogicOp), $(D_INLINECODE glStencilFunc) +/ @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glBlendFuncSeparate glBlendFuncSeparate; alias fn_glGetBufferPointerv = extern(C) void function(GLenum target, GLenum pname, GLvoid** params) @system @nogc nothrow; /++ + glGetBufferPointerv: man3/glGetBufferPointerv.xml + + $(D_INLINECODE glGetBufferPointerv) returns pointer information. $(D_INLINECODE pname) is a symbolic constant indicating the pointer to be returned, which must be $(D_INLINECODE GL_BUFFER_MAP_POINTER), the pointer to which the buffer object's data store is mapped. If the data store is not currently mapped, $(D_INLINECODE null + ) is returned. $(D_INLINECODE params) is a pointer to a location in which to place the returned pointer value. + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). The initial value for the pointer is $(D_INLINECODE null + ). + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glMapBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glGetBufferPointerv glGetBufferPointerv; alias fn_glGetVertexAttribPointerv = extern(C) void function(GLuint index, GLenum pname, GLvoid** pointer) @system @nogc nothrow; /++ + glGetVertexAttribPointerv: man3/glGetVertexAttribPointerv.xml + + $(D_INLINECODE glGetVertexAttribPointerv) returns pointer information. $(D_INLINECODE index) is the generic vertex attribute to be queried, $(D_INLINECODE pname) is a symbolic constant indicating the pointer to be returned, and $(D_INLINECODE params) is a pointer to a location in which to place the returned data. The $(D_INLINECODE pointer) returned is a byte offset into the data store of the buffer object that was bound to the $(D_INLINECODE GL_ARRAY_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) when the desired pointer was previously specified. + + The state returned is retrieved from the currently bound vertex array object. The initial value for each pointer is 0. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetVertexAttrib), $(D_INLINECODE glVertexAttribPointer) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetVertexAttribPointerv glGetVertexAttribPointerv; alias fn_glBlendColor = extern(C) void function(GLclampf red, GLclampf green, GLclampf blue, GLclampf alpha) @system @nogc nothrow; /++ + glBlendColor: man3/glBlendColor.xml + + The $(D_INLINECODE GL_BLEND_COLOR) may be used to calculate the source and destination blending factors. The color components are clamped to the range 0 1 before being stored. See $(D_INLINECODE glBlendFunc) for a complete description of the blending operations. Initially the $(D_INLINECODE GL_BLEND_COLOR) is set to (0, 0, 0, 0). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBlendEquation), $(D_INLINECODE glBlendFunc), $(D_INLINECODE glGetString) +/ @OpenGL_Version(OGLIntroducedIn.V1P4) @OpenGL_Extension("GL_ARB_imaging") fn_glBlendColor glBlendColor; alias fn_glPixelStoref = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /++ + glPixelStore: man3/glPixelStore.xml + + $(D_INLINECODE glPixelStore) sets pixel storage modes that affect the operation of subsequent $(D_INLINECODE glReadPixels) as well as the unpacking of texture patterns (see $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D) ). $(D_INLINECODE pname) is a symbolic constant indicating the parameter to be set, and $(D_INLINECODE param) is the new value. Six of the twelve storage parameters affect how pixel data is returned to client memory. They are as follows: The other six of the twelve storage parameters affect how pixel data is read from client memory. These values are significant for $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), and $(D_INLINECODE glTexSubImage3D) They are as follows: The following table gives the type, initial value, and range of valid values for each storage parameter that can be set with $(D_INLINECODE glPixelStore). $(B $(D_INLINECODE pname)) $(B Type) $(B Initial Value) $(B Valid Range) $(D_INLINECODE GL_PACK_SWAP_BYTES) boolean false true or false $(D_INLINECODE GL_PACK_LSB_FIRST) boolean false true or false $(D_INLINECODE GL_PACK_ROW_LENGTH) integer 0 0&#8734; $(D_INLINECODE GL_PACK_IMAGE_HEIGHT) integer 0 0&#8734; $(D_INLINECODE GL_PACK_SKIP_ROWS) integer 0 0&#8734; $(D_INLINECODE GL_PACK_SKIP_PIXELS) integer 0 0&#8734; $(D_INLINECODE GL_PACK_SKIP_IMAGES) integer 0 0&#8734; $(D_INLINECODE GL_PACK_ALIGNMENT) integer 4 1, 2, 4, or 8 $(D_INLINECODE GL_UNPACK_SWAP_BYTES) boolean false true or false $(D_INLINECODE GL_UNPACK_LSB_FIRST) boolean false true or false $(D_INLINECODE GL_UNPACK_ROW_LENGTH) integer 0 0&#8734; $(D_INLINECODE GL_UNPACK_IMAGE_HEIGHT) integer 0 0&#8734; $(D_INLINECODE GL_UNPACK_SKIP_ROWS) integer 0 0&#8734; $(D_INLINECODE GL_UNPACK_SKIP_PIXELS) integer 0 0&#8734; $(D_INLINECODE GL_UNPACK_SKIP_IMAGES) integer 0 0&#8734; $(D_INLINECODE GL_UNPACK_ALIGNMENT) integer 4 1, 2, 4, or 8 $(D_INLINECODE glPixelStoref) can be used to set any pixel store parameter. If the parameter type is boolean, then if $(D_INLINECODE param) is 0, the parameter is false; otherwise it is set to true. If $(D_INLINECODE pname) is a integer type parameter, $(D_INLINECODE param) is rounded to the nearest integer. Likewise, $(D_INLINECODE glPixelStorei) can also be used to set any of the pixel store parameters. Boolean parameters are set to false if $(D_INLINECODE param) is 0 and true otherwise. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glReadPixels), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPixelStoref glPixelStoref; alias fn_glPixelStorei = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPixelStorei glPixelStorei; alias fn_glSampleCoverage = extern(C) void function(GLclampf value, GLboolean invert) @system @nogc nothrow; /++ + glSampleCoverage: man3/glSampleCoverage.xml + + Multisampling samples a pixel multiple times at various implementation-dependent subpixel locations to generate antialiasing effects. Multisampling transparently antialiases points, lines, polygons, and images if it is enabled. $(D_INLINECODE value) is used in constructing a temporary mask used in determining which samples will be used in resolving the final fragment color. This mask is bitwise-anded with the coverage mask generated from the multisampling computation. If the $(D_INLINECODE invert) flag is set, the temporary mask is inverted (all bits flipped) and then the bitwise-and is computed. If an implementation does not have any multisample buffers available, or multisampling is disabled, rasterization occurs with only a single sample computing a pixel's final RGB color. Provided an implementation supports multisample buffers, and multisampling is enabled, then a pixel's final color is generated by combining several samples per pixel. Each sample contains color, depth, and stencil information, allowing those operations to be performed on each sample. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glEnable) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glSampleCoverage glSampleCoverage; alias fn_glBeginConditionalRender = extern(C) void function(GLuint id, GLenum mode) @system @nogc nothrow; /++ + glBeginConditionalRender: man3/glBeginConditionalRender.xml + + Conditional rendering is started using $(D_INLINECODE glBeginConditionalRender) and ended using $(D_INLINECODE glEndConditionalRender). During conditional rendering, all vertex array commands, as well as $(D_INLINECODE glClear) and $(D_INLINECODE glClearBuffer) have no effect if the ( $(D_INLINECODE GL_SAMPLES_PASSED) ) result of the query object $(D_INLINECODE id) is zero, or if the ( $(D_INLINECODE GL_ANY_SAMPLES_PASSED) ) result is $(D_INLINECODE GL_FALSE). The results of commands setting the current vertex state, such as $(D_INLINECODE glVertexAttrib) are undefined. If the ( $(D_INLINECODE GL_SAMPLES_PASSED) ) result is non-zero or if the ( $(D_INLINECODE GL_ANY_SAMPLES_PASSED) ) result is $(D_INLINECODE GL_TRUE), such commands are not discarded. The $(D_INLINECODE id) parameter to $(D_INLINECODE glBeginConditionalRender) must be the name of a query object previously returned from a call to $(D_INLINECODE glGenQueries). $(D_INLINECODE mode) specifies how the results of the query object are to be interpreted. If $(D_INLINECODE mode) is $(D_INLINECODE GL_QUERY_WAIT), the GL waits for the results of the query to be available and then uses the results to determine if subsequent rendering commands are discarded. If $(D_INLINECODE mode) is $(D_INLINECODE GL_QUERY_NO_WAIT), the GL may choose to unconditionally execute the subsequent rendering commands without waiting for the query to complete. If $(D_INLINECODE mode) is $(D_INLINECODE GL_QUERY_BY_REGION_WAIT), the GL will also wait for occlusion query results and discard rendering commands if the result of the occlusion query is zero. If the query result is non-zero, subsequent rendering commands are executed, but the GL may discard the results of the commands for any region of the framebuffer that did not contribute to the sample count in the specified occlusion query. Any such discarding is done in an implementation-dependent manner, but the rendering command results may not be discarded for any samples that contributed to the occlusion query sample count. If $(D_INLINECODE mode) is $(D_INLINECODE GL_QUERY_BY_REGION_NO_WAIT), the GL operates as in $(D_INLINECODE GL_QUERY_BY_REGION_WAIT), but may choose to unconditionally execute the subsequent rendering commands without waiting for the query to complete. + + $(D_INLINECODE glBeginConditionalRender) and $(D_INLINECODE glEndConditionalRender) are available only if the GL version is 3.0 or greater. The $(D_INLINECODE GL_ANY_SAMPLES_PASSED) query result is available only if the GL version is 3.3 or greater. + + Params: + + Copyright: + Copyright 2009 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenQueries), $(D_INLINECODE glDeleteQueries), $(D_INLINECODE glBeginQuery) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glBeginConditionalRender glBeginConditionalRender; alias fn_glEndConditionalRender = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glEndConditionalRender glEndConditionalRender; alias fn_glCullFace = extern(C) void function(GLenum mode) @system @nogc nothrow; /++ + glCullFace: man3/glCullFace.xml + + $(D_INLINECODE glCullFace) specifies whether front- or back-facing facets are culled (as specified by ) when facet culling is enabled. Facet culling is initially disabled. To enable and disable facet culling, call the $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) commands with the argument $(D_INLINECODE GL_CULL_FACE). Facets include triangles, quadrilaterals, polygons, and rectangles. $(D_INLINECODE glFrontFace) specifies which of the clockwise and counterclockwise facets are front-facing and back-facing. See $(D_INLINECODE glFrontFace). + + If $(D_INLINECODE mode) is $(D_INLINECODE GL_FRONT_AND_BACK), no facets are drawn, but other primitives such as points and lines are drawn. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glEnable), $(D_INLINECODE glFrontFace) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glCullFace glCullFace; alias fn_glDrawElementsBaseVertex = extern(C) void function(GLenum mode, GLsizei count, GLenum type, GLvoid* indices, GLint basevertex) @system @nogc nothrow; /++ + glDrawElementsBaseVertex: man3/glDrawElementsBaseVertex.xml + + $(D_INLINECODE glDrawElementsBaseVertex) behaves identically to $(D_INLINECODE glDrawElements) except that the th element transferred by the corresponding draw call will be taken from element $(D_INLINECODE indices) [i] + $(D_INLINECODE basevertex) of each enabled array. If the resulting value is larger than the maximum value representable by $(D_INLINECODE type), it is as if the calculation were upconverted to 32-bit unsigned integers (with wrapping on overflow conditions). The operation is undefined if the sum would be negative. + + $(D_INLINECODE glDrawElementsBaseVertex) is only supported if the GL version is 3.2 or greater, or if the $(D_INLINECODE ARB_draw_elements_base_vertex) extension is supported. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawRangeElements), $(D_INLINECODE glDrawRangeElementsBaseVertex), $(D_INLINECODE glDrawElementsInstanced), $(D_INLINECODE glDrawElementsInstancedBaseVertex) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_draw_elements_base_vertex") fn_glDrawElementsBaseVertex glDrawElementsBaseVertex; alias fn_glMultiDrawElementsBaseVertex = extern(C) void function(GLenum mode, const GLsizei* count, GLenum type, const GLvoid** indices, GLsizei primcount, GLint* basevertex) @system @nogc nothrow; /++ + glMultiDrawElementsBaseVertex: man3/glMultiDrawElementsBaseVertex.xml + + $(D_INLINECODE glMultiDrawElementsBaseVertex) behaves identically to $(D_INLINECODE glDrawElementsBaseVertex), except that $(D_INLINECODE primcount) separate lists of elements are specifried instead. It has the same effect as: + + --- + for (int i = 0; i &lt; $(D_INLINECODE primcount); i++) + if ( $(D_INLINECODE count)[i] > 0) + glDrawElementsBaseVertex( $(D_INLINECODE mode), + $(D_INLINECODE count)[i], + $(D_INLINECODE type), + $(D_INLINECODE indices[i]), + $(D_INLINECODE basevertex[i])); + --- + + + $(D_INLINECODE glMultiDrawElementsBaseVertex) is available only if the GL version is 3.1 or greater. $(D_INLINECODE GL_LINE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) and $(D_INLINECODE GL_TRIANGLES_ADJACENCY) are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glMultiDrawElements), $(D_INLINECODE glDrawElementsBaseVertex), $(D_INLINECODE glDrawArrays), $(D_INLINECODE glVertexAttribPointer) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_draw_elements_base_vertex") fn_glMultiDrawElementsBaseVertex glMultiDrawElementsBaseVertex; alias fn_glScissor = extern(C) void function(GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /++ + glScissor: man3/glScissor.xml + + $(D_INLINECODE glScissor) defines a rectangle, called the scissor box, in window coordinates. The first two arguments, $(D_INLINECODE x) and $(D_INLINECODE y), specify the lower left corner of the box. $(D_INLINECODE width) and $(D_INLINECODE height) specify the width and height of the box. To enable and disable the scissor test, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_SCISSOR_TEST). The test is initially disabled. While the test is enabled, only pixels that lie within the scissor box can be modified by drawing commands. Window coordinates have integer values at the shared corners of frame buffer pixels. $(D_INLINECODE glScissor(0,0,1,1)) allows modification of only the lower left pixel in the window, and $(D_INLINECODE glScissor(0,0,0,0)) doesn't allow modification of any pixels in the window. When the scissor test is disabled, it is as though the scissor box includes the entire window. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glEnable), $(D_INLINECODE glViewport) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glScissor glScissor; alias fn_glDeleteSamplers = extern(C) void function(GLsizei n, const GLuint* samplers) @system @nogc nothrow; /++ + glDeleteSamplers: man3/glDeleteSamplers.xml + + $(D_INLINECODE glDeleteSamplers) deletes $(D_INLINECODE n) sampler objects named by the elements of the array $(D_INLINECODE samplers). After a sampler object is deleted, its name is again unused. If a sampler object that is currently bound to a sampler unit is deleted, it is as though $(D_INLINECODE glBindSampler) is called with unit set to the unit the sampler is bound to and sampler zero. Unused names in samplers are silently ignored, as is the reserved name zero. + + $(D_INLINECODE glDeleteSamplers) is available only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenSamplers), $(D_INLINECODE glBindSampler), $(D_INLINECODE glDeleteSamplers), $(D_INLINECODE glIsSampler) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glDeleteSamplers glDeleteSamplers; alias fn_glDeleteSync = extern(C) void function(GLsync sync) @system @nogc nothrow; /++ + glDeleteSync: man3/glDeleteSync.xml + + $(D_INLINECODE glDeleteSync) deletes the sync object specified by $(D_INLINECODE sync). If the fence command corresponding to the specified sync object has completed, or if no $(D_INLINECODE glWaitSync) or $(D_INLINECODE glClientWaitSync) commands are blocking on $(D_INLINECODE sync), the object is deleted immediately. Otherwise, $(D_INLINECODE sync) is flagged for deletion and will be deleted when it is no longer associated with any fence command and is no longer blocking any $(D_INLINECODE glWaitSync) or $(D_INLINECODE glClientWaitSync) command. In either case, after $(D_INLINECODE glDeleteSync) returns, the name $(D_INLINECODE sync) is invalid and can no longer be used to refer to the sync object. $(D_INLINECODE glDeleteSync) will silently ignore a $(D_INLINECODE sync) value of zero. + + $(D_INLINECODE glSync) is only supported if the GL version is 3.2 or greater, or if the $(D_INLINECODE ARB_sync) extension is supported. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glFenceSync), $(D_INLINECODE glWaitSync), $(D_INLINECODE glClientWaitSync) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_sync") fn_glDeleteSync glDeleteSync; alias fn_glCopyTexImage2D = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border) @system @nogc nothrow; /++ + glCopyTexImage2D: man3/glCopyTexImage2D.xml + + $(D_INLINECODE glCopyTexImage2D) defines a two-dimensional texture image, or cube-map texture image with pixels from the current $(D_INLINECODE GL_READ_BUFFER). The screen-aligned pixel rectangle with lower left corner at ( $(D_INLINECODE x), $(D_INLINECODE y) ) and with a width of width and a height of height defines the texture array at the mipmap level specified by $(D_INLINECODE level). $(D_INLINECODE internalformat) specifies the internal format of the texture array. The pixels in the rectangle are processed exactly as if $(D_INLINECODE glReadPixels) had been called, but the process stops just before final conversion. At this point all pixel component values are clamped to the range 0 1 and then converted to the texture's internal format for storage in the texel array. Pixel ordering is such that lower x and y screen coordinates correspond to lower s and t texture coordinates. If any of the pixels within the specified rectangle of the current $(D_INLINECODE GL_READ_BUFFER) are outside the window associated with the current rendering context, then the values obtained for those pixels are undefined. When $(D_INLINECODE internalformat) is one of the sRGB types, the GL does not automatically convert the source pixels to the sRGB color space. In this case, the $(D_INLINECODE glPixelMap) function can be used to accomplish the conversion. + + 1, 2, 3, and 4 are not accepted values for $(D_INLINECODE internalformat). An image with height or width of 0 indicates a null texture. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glCopyTexImage2D glCopyTexImage2D; alias fn_glIsQuery = extern(C) GLboolean function(GLuint id) @system @nogc nothrow; /++ + glIsQuery: man3/glIsQuery.xml + + $(D_INLINECODE glIsQuery) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE id) is currently the name of a query object. If $(D_INLINECODE id) is zero, or is a non-zero value that is not currently the name of a query object, or if an error occurs, $(D_INLINECODE glIsQuery) returns $(D_INLINECODE GL_FALSE). A name returned by $(D_INLINECODE glGenQueries), but not yet associated with a query object by calling $(D_INLINECODE glBeginQuery), is not the name of a query object. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBeginQuery), $(D_INLINECODE glDeleteQueries), $(D_INLINECODE glEndQuery), $(D_INLINECODE glGenQueries) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glIsQuery glIsQuery; alias fn_glTexImage2D = extern(C) void function(GLenum target, GLint level, GLint internalFormat, GLsizei width, GLsizei height, GLint border, GLenum format, GLenum type, const GLvoid* data) @system @nogc nothrow; /++ + glTexImage2D: man3/glTexImage2D.xml + + Texturing allows elements of an image array to be read by shaders. To define texture images, call $(D_INLINECODE glTexImage2D). The arguments describe the parameters of the texture image, such as height, width, width of the border, level-of-detail number (see $(D_INLINECODE glTexParameter) ), and number of color components provided. The last three arguments describe how the image is represented in memory. If $(D_INLINECODE target) is $(D_INLINECODE GL_PROXY_TEXTURE_2D), $(D_INLINECODE GL_PROXY_TEXTURE_1D_ARRAY), $(D_INLINECODE GL_PROXY_TEXTURE_CUBE_MAP), or $(D_INLINECODE GL_PROXY_TEXTURE_RECTANGLE), no data is read from $(D_INLINECODE data), but all of the texture image state is recalculated, checked for consistency, and checked against the implementation's capabilities. If the implementation cannot handle a texture of the requested texture size, it sets all of the image state to 0, but does not generate an error (see $(D_INLINECODE glGetError) ). To query for an entire mipmap array, use an image array level greater than or equal to 1. If $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_2D), $(D_INLINECODE GL_TEXTURE_RECTANGLE) or one of the $(D_INLINECODE GL_TEXTURE_CUBE_MAP) targets, data is read from $(D_INLINECODE data) as a sequence of signed or unsigned bytes, shorts, or longs, or single-precision floating-point values, depending on $(D_INLINECODE type). These values are grouped into sets of one, two, three, or four values, depending on $(D_INLINECODE format), to form elements. Each data byte is treated as eight 1-bit elements, with bit ordering determined by $(D_INLINECODE GL_UNPACK_LSB_FIRST) (see $(D_INLINECODE glPixelStore) ). If $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_1D_ARRAY), data is interpreted as an array of one-dimensional images. If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. The first element corresponds to the lower left corner of the texture image. Subsequent elements progress left-to-right through the remaining texels in the lowest row of the texture image, and then in successively higher rows of the texture image. The final element corresponds to the upper right corner of the texture image. $(D_INLINECODE format) determines the composition of each element in $(D_INLINECODE data). It can assume one of these symbolic values: If an application wants to store the texture at a certain resolution or in a certain format, it can request the resolution and format with $(D_INLINECODE internalFormat). The GL will choose an internal representation that closely approximates that requested by $(D_INLINECODE internalFormat), but it may not match exactly. (The representations specified by $(D_INLINECODE GL_RED), $(D_INLINECODE GL_RG), $(D_INLINECODE GL_RGB), and $(D_INLINECODE GL_RGBA) must match exactly.) If the $(D_INLINECODE internalFormat) parameter is one of the generic compressed formats, $(D_INLINECODE GL_COMPRESSED_RED), $(D_INLINECODE GL_COMPRESSED_RG), $(D_INLINECODE GL_COMPRESSED_RGB), or $(D_INLINECODE GL_COMPRESSED_RGBA), the GL will replace the internal format with the symbolic constant for a specific internal format and compress the texture before storage. If no corresponding internal format is available, or the GL can not compress that image for any reason, the internal format is instead replaced with a corresponding base internal format. If the $(D_INLINECODE internalFormat) parameter is $(D_INLINECODE GL_SRGB), $(D_INLINECODE GL_SRGB8), $(D_INLINECODE GL_SRGB_ALPHA), or $(D_INLINECODE GL_SRGB8_ALPHA8), the texture is treated as if the red, green, or blue components are encoded in the sRGB color space. Any alpha component is left unchanged. The conversion from the sRGB encoded component c s to a linear component c l is: c l = { c s 12.92 if c s &le; 0.04045 ( c s + 0.055 1.055 ) 2.4 if c s &gt; 0.04045 Assume c s is the sRGB component in the range [0,1]. Use the $(D_INLINECODE GL_PROXY_TEXTURE_2D), $(D_INLINECODE GL_PROXY_TEXTURE_1D_ARRAY), $(D_INLINECODE GL_PROXY_TEXTURE_RECTANGLE), or $(D_INLINECODE GL_PROXY_TEXTURE_CUBE_MAP) target to try out a resolution and format. The implementation will update and recompute its best match for the requested storage resolution and format. To then query this state, call $(D_INLINECODE glGetTexLevelParameter). If the texture cannot be accommodated, texture state is set to 0. A one-component texture image uses only the red component of the RGBA color extracted from $(D_INLINECODE data). A two-component image uses the R and G values. A three-component image uses the R, G, and B values. A four-component image uses all of the RGBA components. Image-based shadowing can be enabled by comparing texture r coordinates to depth texture values to generate a boolean result. See $(D_INLINECODE glTexParameter) for details on texture comparison. + + The $(D_INLINECODE glPixelStore) mode affects texture images. $(D_INLINECODE data) may be a null pointer. In this case, texture memory is allocated to accommodate a texture of width $(D_INLINECODE width) and height $(D_INLINECODE height). You can then download subtextures to initialize this texture memory. The image is undefined if the user tries to apply an uninitialized portion of the texture image to a primitive. $(D_INLINECODE glTexImage2D) specifies the two-dimensional texture for the current texture unit, specified with $(D_INLINECODE glActiveTexture). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexImage2D glTexImage2D; alias fn_glMapBufferRange = extern(C) void* function(GLenum target, GLintptr offset, GLsizeiptr length, GLbitfield access) @system @nogc nothrow; /++ + glMapBufferRange: man3/glMapBufferRange.xml + + $(D_INLINECODE glMapBufferRange) maps all or part of the data store of a buffer object into the client's address space. $(D_INLINECODE target) specifies the target to which the buffer is bound and must be one of $(D_INLINECODE GL_ARRAY_BUFFER), $(D_INLINECODE GL_COPY_READ_BUFFER), $(D_INLINECODE GL_COPY_WRITE_BUFFER), $(D_INLINECODE GL_ELEMENT_ARRAY_BUFFER), $(D_INLINECODE GL_PIXEL_PACK_BUFFER), $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER), $(D_INLINECODE GL_TEXTURE_BUFFER), $(D_INLINECODE GL_TRANSFORM_FEEDBACK_BUFFER), or $(D_INLINECODE GL_UNIFORM_BUFFER). $(D_INLINECODE offset) and $(D_INLINECODE length) indicate the range of data in the buffer object htat is to be mapped, in terms of basic machine units. $(D_INLINECODE access) is a bitfield containing flags which describe the requested mapping. These flags are described below. If no error occurs, a pointer to the beginning of the mapped range is returned once all pending operations on that buffer have completed, and may be used to modify and/or query the corresponding range of the buffer, according to the following flag bits set in $(D_INLINECODE access) : $(OL $(LI $(D_INLINECODE GL_MAP_READ_BIT) indicates that the returned pointer may be used to read buffer object data. No GL error is generated if the pointer is used to query a mapping which excludes this flag, but the result is undefined and system errors (possibly including program termination) may occur.) $(LI $(D_INLINECODE GL_MAP_WRITE_BIT) indicates that the returned pointer may be used to modify buffer object data. No GL error is generated if the pointer is used to modify a mapping which excludes this flag, but the result is undefined and system errors (possibly including program termination) may occur.)) Furthermore, the following flag bits in $(D_INLINECODE access) may be used to modify the mapping: $(OL $(LI $(D_INLINECODE GL_MAP_INVALIDATE_RANGE_BIT) indicates that the previous contents of the specified range may be discarded. Data within this range are undefined with the exception of subsequently written data. No GL error is generated if sub- sequent GL operations access unwritten data, but the result is undefined and system errors (possibly including program termination) may occur. This flag may not be used in combination with $(D_INLINECODE GL_MAP_READ_BIT).) $(LI $(D_INLINECODE GL_MAP_INVALIDATE_BUFFER_BIT) indicates that the previous contents of the entire buffer may be discarded. Data within the entire buffer are undefined with the exception of subsequently written data. No GL error is generated if subsequent GL operations access unwritten data, but the result is undefined and system errors (possibly including program termination) may occur. This flag may not be used in combination with $(D_INLINECODE GL_MAP_READ_BIT).) $(LI $(D_INLINECODE GL_MAP_FLUSH_EXPLICIT_BIT) indicates that one or more discrete subranges of the mapping may be modified. When this flag is set, modifications to each subrange must be explicitly flushed by calling $(D_INLINECODE glFlushMappedBufferRange). No GL error is set if a subrange of the mapping is modified and not flushed, but data within the corresponding subrange of the buffer are undefined. This flag may only be used in conjunction with $(D_INLINECODE GL_MAP_WRITE_BIT). When this option is selected, flushing is strictly limited to regions that are explicitly indicated with calls to $(D_INLINECODE glFlushMappedBufferRange) prior to unmap; if this option is not selected $(D_INLINECODE glUnmapBuffer) will automatically flush the entire mapped range when called.) $(LI $(D_INLINECODE GL_MAP_UNSYNCHRONIZED_BIT) indicates that the GL should not attempt to synchronize pending operations on the buffer prior to returning from $(D_INLINECODE glMapBufferRange). No GL error is generated if pending operations which source or modify the buffer overlap the mapped region, but the result of such previous and any subsequent operations is undefined.)) If an error occurs, $(D_INLINECODE glMapBufferRange) returns a $(D_INLINECODE null + ) pointer. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glMapBuffer), $(D_INLINECODE glFlushMappedBufferRange), $(D_INLINECODE glBindBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_map_buffer_range") fn_glMapBufferRange glMapBufferRange; alias fn_glColorMask = extern(C) void function(GLboolean red, GLboolean green, GLboolean blue, GLboolean alpha) @system @nogc nothrow; /++ + glColorMask: man3/glColorMask.xml + + $(D_INLINECODE glColorMask) and $(D_INLINECODE glColorMaski) specify whether the individual color components in the frame buffer can or cannot be written. $(D_INLINECODE glColorMaski) sets the mask for a specific draw buffer, whereas $(D_INLINECODE glColorMask) sets the mask for all draw buffers. If $(D_INLINECODE red) is $(D_INLINECODE GL_FALSE), for example, no change is made to the red component of any pixel in any of the color buffers, regardless of the drawing operation attempted. Changes to individual bits of components cannot be controlled. Rather, changes are either enabled or disabled for entire color components. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2010-2011 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glClear), $(D_INLINECODE glDepthMask), $(D_INLINECODE glStencilMask) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColorMask glColorMask; alias fn_glColorMaski = extern(C) void function(GLuint buf, GLboolean red, GLboolean green, GLboolean blue, GLboolean alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glColorMaski glColorMaski; alias fn_glBindSampler = extern(C) void function(GLuint unit, GLuint sampler) @system @nogc nothrow; /++ + glBindSampler: man3/glBindSampler.xml + + $(D_INLINECODE glBindSampler) binds $(D_INLINECODE sampler) to the texture unit at index $(D_INLINECODE unit). $(D_INLINECODE sampler) must be zero or the name of a sampler object previously returned from a call to $(D_INLINECODE glGenSamplers). $(D_INLINECODE unit) must be less than the value of $(D_INLINECODE GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS). When a sampler object is bound to a texture unit, its state supersedes that of the texture object bound to that texture unit. If the sampler name zero is bound to a texture unit, the currently bound texture's sampler state becomes active. A single sampler object may be bound to multiple texture units simultaneously. + + $(D_INLINECODE glBindSampler) is available only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenSamplers), $(D_INLINECODE glDeleteSamplers), $(D_INLINECODE glGet), $(D_INLINECODE glSamplerParameter), $(D_INLINECODE glGetSamplerParameter), $(D_INLINECODE glGenTextures), $(D_INLINECODE glBindTexture), $(D_INLINECODE glDeleteTextures) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glBindSampler glBindSampler; alias fn_glDepthFunc = extern(C) void function(GLenum func) @system @nogc nothrow; /++ + glDepthFunc: man3/glDepthFunc.xml + + $(D_INLINECODE glDepthFunc) specifies the function used to compare each incoming pixel depth value with the depth value present in the depth buffer. The comparison is performed only if depth testing is enabled. (See $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) of $(D_INLINECODE GL_DEPTH_TEST).) $(D_INLINECODE func) specifies the conditions under which the pixel will be drawn. The comparison functions are as follows: The initial value of $(D_INLINECODE func) is $(D_INLINECODE GL_LESS). Initially, depth testing is disabled. If depth testing is disabled or if no depth buffer exists, it is as if the depth test always passes. + + Even if the depth buffer exists and the depth mask is non-zero, the depth buffer is not updated if the depth test is disabled. In order to unconditionally write to the depth buffer, the depth test should be enabled and set to $(D_INLINECODE GL_ALWAYS). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDepthRange), $(D_INLINECODE glEnable), $(D_INLINECODE glPolygonOffset) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glDepthFunc glDepthFunc; alias fn_glClearDepth = extern(C) void function(GLclampd depth) @system @nogc nothrow; /++ + glClearDepth: man3/glClearDepth.xml + + $(D_INLINECODE glClearDepth) specifies the depth value used by $(D_INLINECODE glClear) to clear the depth buffer. Values specified by $(D_INLINECODE glClearDepth) are clamped to the range 0 1. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glClear) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glClearDepth glClearDepth; alias fn_glStencilOp = extern(C) void function(GLenum sfail, GLenum dpfail, GLenum dppass) @system @nogc nothrow; /++ + glStencilOp: man3/glStencilOp.xml + + Stenciling, like depth-buffering, enables and disables drawing on a per-pixel basis. You draw into the stencil planes using GL drawing primitives, then render geometry and images, using the stencil planes to mask out portions of the screen. Stenciling is typically used in multipass rendering algorithms to achieve special effects, such as decals, outlining, and constructive solid geometry rendering. The stencil test conditionally eliminates a pixel based on the outcome of a comparison between the value in the stencil buffer and a reference value. To enable and disable the test, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_STENCIL_TEST); to control it, call $(D_INLINECODE glStencilFunc) or $(D_INLINECODE glStencilFuncSeparate). There can be two separate sets of $(D_INLINECODE sfail), $(D_INLINECODE dpfail), and $(D_INLINECODE dppass) parameters; one affects back-facing polygons, and the other affects front-facing polygons as well as other non-polygon primitives. $(D_INLINECODE glStencilOp) sets both front and back stencil state to the same values. Use $(D_INLINECODE glStencilOpSeparate) to set front and back stencil state to different values. $(D_INLINECODE glStencilOp) takes three arguments that indicate what happens to the stored stencil value while stenciling is enabled. If the stencil test fails, no change is made to the pixel's color or depth buffers, and $(D_INLINECODE sfail) specifies what happens to the stencil buffer contents. The following eight actions are possible. Stencil buffer values are treated as unsigned integers. When incremented and decremented, values are clamped to 0 and 2 n - 1, where n is the value returned by querying $(D_INLINECODE GL_STENCIL_BITS). The other two arguments to $(D_INLINECODE glStencilOp) specify stencil buffer actions that depend on whether subsequent depth buffer tests succeed ( $(D_INLINECODE dppass) ) or fail ( $(D_INLINECODE dpfail) ) (see $(D_INLINECODE glDepthFunc) ). The actions are specified using the same eight symbolic constants as $(D_INLINECODE sfail). Note that $(D_INLINECODE dpfail) is ignored when there is no depth buffer, or when the depth buffer is not enabled. In these cases, $(D_INLINECODE sfail) and $(D_INLINECODE dppass) specify stencil action when the stencil test fails and passes, respectively. + + Initially the stencil test is disabled. If there is no stencil buffer, no stencil modification can occur and it is as if the stencil tests always pass, regardless of any call to $(D_INLINECODE glStencilOp). $(D_INLINECODE glStencilOp) is the same as calling $(D_INLINECODE glStencilOpSeparate) with $(D_INLINECODE face) set to $(D_INLINECODE GL_FRONT_AND_BACK). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBlendFunc), $(D_INLINECODE glDepthFunc), $(D_INLINECODE glEnable), $(D_INLINECODE glLogicOp), $(D_INLINECODE glStencilFunc), $(D_INLINECODE glStencilFuncSeparate), $(D_INLINECODE glStencilMask), $(D_INLINECODE glStencilMaskSeparate), $(D_INLINECODE glStencilOpSeparate) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glStencilOp glStencilOp; alias fn_glCopyTexSubImage1D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /++ + glCopyTexSubImage1D: man3/glCopyTexSubImage1D.xml + + $(D_INLINECODE glCopyTexSubImage1D) replaces a portion of a one-dimensional texture image with pixels from the current $(D_INLINECODE GL_READ_BUFFER) (rather than from main memory, as is the case for $(D_INLINECODE glTexSubImage1D) ). The screen-aligned pixel row with left corner at ( $(D_INLINECODE x), $(D_INLINECODE y) ), and with length $(D_INLINECODE width) replaces the portion of the texture array with x indices $(D_INLINECODE xoffset) through xoffset + width - 1, inclusive. The destination in the texture array may not include any texels outside the texture array as it was originally specified. The pixels in the row are processed exactly as if $(D_INLINECODE glReadPixels) had been called, but the process stops just before final conversion. At this point, all pixel component values are clamped to the range 0 1 and then converted to the texture's internal format for storage in the texel array. It is not an error to specify a subtexture with zero width, but such a specification has no effect. If any of the pixels within the specified row of the current $(D_INLINECODE GL_READ_BUFFER) are outside the read window associated with the current rendering context, then the values obtained for those pixels are undefined. No change is made to the or parameters of the specified texture array or to texel values outside the specified subregion. + + The $(D_INLINECODE glPixelStore) mode affects texture images. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glReadBuffer), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexParameter), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glCopyTexSubImage1D glCopyTexSubImage1D; alias fn_glGenFramebuffers = extern(C) void function(GLsizei n, GLuint* ids) @system @nogc nothrow; /++ + glGenFramebuffers: man3/glGenFramebuffers.xml + + $(D_INLINECODE glGenFramebuffers) returns $(D_INLINECODE n) framebuffer object names in $(D_INLINECODE ids). There is no guarantee that the names form a contiguous set of integers; however, it is guaranteed that none of the returned names was in use immediately before the call to $(D_INLINECODE glGenFramebuffers). Framebuffer object names returned by a call to $(D_INLINECODE glGenFramebuffers) are not returned by subsequent calls, unless they are first deleted with $(D_INLINECODE glDeleteFramebuffers). The names returned in $(D_INLINECODE ids) are marked as used, for the purposes of $(D_INLINECODE glGenFramebuffers) only, but they acquire state and type only when they are first bound. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindFramebuffer), $(D_INLINECODE glDeleteFramebuffers) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glGenFramebuffers glGenFramebuffers; alias fn_glGetFragDataLocation = extern(C) GLint function(GLuint program, const char* name) @system @nogc nothrow; /++ + glGetFragDataLocation: man3/glGetFragDataLocation.xml + + $(D_INLINECODE glGetFragDataLocation) retrieves the assigned color number binding for the user-defined varying out variable $(D_INLINECODE name) for program $(D_INLINECODE program). $(D_INLINECODE program) must have previously been linked. $(D_INLINECODE name) must be a null-terminated string. If $(D_INLINECODE name) is not the name of an active user-defined varying out fragment shader variable within $(D_INLINECODE program), -1 will be returned. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateProgram), $(D_INLINECODE glBindFragDataLocation) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetFragDataLocation glGetFragDataLocation; alias fn_glVertexAttribDivisor = extern(C) void function(GLuint index, GLuint divisor) @system @nogc nothrow; /++ + glVertexAttribDivisor: man3/glVertexAttribDivisor.xml + + $(D_INLINECODE glVertexAttribDivisor) modifies the rate at which generic vertex attributes advance when rendering multiple instances of primitives in a single draw call. If $(D_INLINECODE divisor) is zero, the attribute at slot $(D_INLINECODE index) advances once per vertex. If $(D_INLINECODE divisor) is non-zero, the attribute advances once per $(D_INLINECODE divisor) instances of the set(s) of vertices being rendered. An attribute is referred to as instanced if its $(D_INLINECODE GL_VERTEX_ATTRIB_ARRAY_DIVISOR) value is non-zero. $(D_INLINECODE index) must be less than the value of $(D_INLINECODE GL_MAX_VERTEX_ATTRIBS). + + $(D_INLINECODE glVertexAttribDivisor) is available only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glVertexAttribPointer), $(D_INLINECODE glEnableVertexAttribArray), $(D_INLINECODE glDisableVertexAttribArray) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) fn_glVertexAttribDivisor glVertexAttribDivisor; alias fn_glDrawArrays = extern(C) void function(GLenum mode, GLint first, GLsizei count) @system @nogc nothrow; /++ + glDrawArrays: man3/glDrawArrays.xml + + $(D_INLINECODE glDrawArrays) specifies multiple geometric primitives with very few subroutine calls. Instead of calling a GL procedure to pass each individual vertex, normal, texture coordinate, edge flag, or color, you can prespecify separate arrays of vertices, normals, and colors and use them to construct a sequence of primitives with a single call to $(D_INLINECODE glDrawArrays). When $(D_INLINECODE glDrawArrays) is called, it uses $(D_INLINECODE count) sequential elements from each enabled array to construct a sequence of geometric primitives, beginning with element $(D_INLINECODE first). $(D_INLINECODE mode) specifies what kind of primitives are constructed and how the array elements construct those primitives. Vertex attributes that are modified by $(D_INLINECODE glDrawArrays) have an unspecified value after $(D_INLINECODE glDrawArrays) returns. Attributes that aren't modified remain well defined. + + $(D_INLINECODE GL_LINE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) and $(D_INLINECODE GL_TRIANGLES_ADJACENCY) are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDrawArraysInstanced), $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawRangeElements), +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glDrawArrays glDrawArrays; alias fn_glDeleteProgram = extern(C) void function(GLuint program) @system @nogc nothrow; /++ + glDeleteProgram: man3/glDeleteProgram.xml + + $(D_INLINECODE glDeleteProgram) frees the memory and invalidates the name associated with the program object specified by $(D_INLINECODE program.) This command effectively undoes the effects of a call to $(D_INLINECODE glCreateProgram). If a program object is in use as part of current rendering state, it will be flagged for deletion, but it will not be deleted until it is no longer part of current state for any rendering context. If a program object to be deleted has shader objects attached to it, those shader objects will be automatically detached but not deleted unless they have already been flagged for deletion by a previous call to $(D_INLINECODE glDeleteShader). A value of 0 for $(D_INLINECODE program) will be silently ignored. To determine whether a program object has been flagged for deletion, call $(D_INLINECODE glGetProgram) with arguments $(D_INLINECODE program) and $(D_INLINECODE GL_DELETE_STATUS). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateShader), $(D_INLINECODE glDetachShader), $(D_INLINECODE glUseProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glDeleteProgram glDeleteProgram; alias fn_glEnable = extern(C) void function(GLenum cap) @system @nogc nothrow; /++ + glEnable: man3/glEnable.xml + + $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) enable and disable various capabilities. Use $(D_INLINECODE glIsEnabled) or $(D_INLINECODE glGet) to determine the current setting of any capability. The initial value for each capability with the exception of $(D_INLINECODE GL_DITHER) and $(D_INLINECODE GL_MULTISAMPLE) is $(D_INLINECODE GL_FALSE). The initial value for $(D_INLINECODE GL_DITHER) and $(D_INLINECODE GL_MULTISAMPLE) is $(D_INLINECODE GL_TRUE). Both $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) take a single argument, $(D_INLINECODE cap), which can assume one of the following values: Some of the GL's capabilities are indicated. $(D_INLINECODE glEnablei) and $(D_INLINECODE glDisablei) enable and disable indexed capabilities. + + $(D_INLINECODE GL_PRIMITIVE_RESTART) is available only if the GL version is 3.1 or greater. $(D_INLINECODE GL_TEXTURE_CUBE_MAP_SEAMLESS) is available only if the GL version is 3.2 or greater. Any token accepted by $(D_INLINECODE glEnable) or $(D_INLINECODE glDisable) is also accepted by $(D_INLINECODE glEnablei) and $(D_INLINECODE glDisablei), but if the capability is not indexed, the maximum value that $(D_INLINECODE index) may take is zero. In general, passing an indexed capability to $(D_INLINECODE glEnable) or $(D_INLINECODE glDisable) will enable or disable that capability for all indices, resepectively. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2010 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glBlendFunc), $(D_INLINECODE glCullFace), $(D_INLINECODE glDepthFunc), $(D_INLINECODE glDepthRange), $(D_INLINECODE glGet), $(D_INLINECODE glIsEnabled), $(D_INLINECODE glLineWidth), $(D_INLINECODE glLogicOp), $(D_INLINECODE glPointSize), $(D_INLINECODE glPolygonMode), $(D_INLINECODE glPolygonOffset), $(D_INLINECODE glSampleCoverage), $(D_INLINECODE glScissor), $(D_INLINECODE glStencilFunc), $(D_INLINECODE glStencilOp), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEnable glEnable; alias fn_glDisable = extern(C) void function(GLenum cap) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glDisable glDisable; alias fn_glEnablei = extern(C) void function(GLenum cap, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glEnablei glEnablei; alias fn_glDisablei = extern(C) void function(GLenum cap, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glDisablei glDisablei; alias fn_glCreateProgram = extern(C) GLuint function() @system @nogc nothrow; /++ + glCreateProgram: man3/glCreateProgram.xml + + $(D_INLINECODE glCreateProgram) creates an empty program object and returns a non-zero value by which it can be referenced. A program object is an object to which shader objects can be attached. This provides a mechanism to specify the shader objects that will be linked to create a program. It also provides a means for checking the compatibility of the shaders that will be used to create a program (for instance, checking the compatibility between a vertex shader and a fragment shader). When no longer needed as part of a program object, shader objects can be detached. One or more executables are created in a program object by successfully attaching shader objects to it with $(D_INLINECODE glAttachShader), successfully compiling the shader objects with $(D_INLINECODE glCompileShader), and successfully linking the program object with $(D_INLINECODE glLinkProgram). These executables are made part of current state when $(D_INLINECODE glUseProgram) is called. Program objects can be deleted by calling $(D_INLINECODE glDeleteProgram). The memory associated with the program object will be deleted when it is no longer part of current rendering state for any context. + + Like buffer and texture objects, the name space for program objects may be shared across a set of contexts, as long as the server sides of the contexts share the same address space. If the name space is shared across contexts, any attached objects and the data associated with those attached objects are shared as well. Applications are responsible for providing the synchronization across API calls when objects are accessed from different execution threads. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader), $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glCreateShader), $(D_INLINECODE glDeleteProgram), $(D_INLINECODE glDetachShader), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUniform), $(D_INLINECODE glUseProgram), $(D_INLINECODE glValidateProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glCreateProgram glCreateProgram; alias fn_glBindTexture = extern(C) void function(GLenum target, GLuint texture) @system @nogc nothrow; /++ + glBindTexture: man3/glBindTexture.xml + + $(D_INLINECODE glBindTexture) lets you create or use a named texture. Calling $(D_INLINECODE glBindTexture) with $(D_INLINECODE target) set to $(D_INLINECODE GL_TEXTURE_1D), $(D_INLINECODE GL_TEXTURE_2D), $(D_INLINECODE GL_TEXTURE_3D), or $(D_INLINECODE GL_TEXTURE_1D_ARRAY), $(D_INLINECODE GL_TEXTURE_2D_ARRAY), $(D_INLINECODE GL_TEXTURE_RECTANGLE), $(D_INLINECODE GL_TEXTURE_CUBE_MAP), $(D_INLINECODE GL_TEXTURE_BUFFER), $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE) or $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE_ARRAY) and $(D_INLINECODE texture) set to the name of the new texture binds the texture name to the target. When a texture is bound to a target, the previous binding for that target is automatically broken. Texture names are unsigned integers. The value zero is reserved to represent the default texture for each texture target. Texture names and the corresponding texture contents are local to the shared object space of the current GL rendering context; two rendering contexts share texture names only if they explicitly enable sharing between contexts through the appropriate GL windows interfaces functions. You must use $(D_INLINECODE glGenTextures) to generate a set of new texture names. When a texture is first bound, it assumes the specified target: A texture first bound to $(D_INLINECODE GL_TEXTURE_1D) becomes one-dimensional texture, a texture first bound to $(D_INLINECODE GL_TEXTURE_2D) becomes two-dimensional texture, a texture first bound to $(D_INLINECODE GL_TEXTURE_3D) becomes three-dimensional texture, a texture first bound to $(D_INLINECODE GL_TEXTURE_1D_ARRAY) becomes one-dimensional array texture, a texture first bound to $(D_INLINECODE GL_TEXTURE_2D_ARRAY) becomes two-dimensional arary texture, a texture first bound to $(D_INLINECODE GL_TEXTURE_RECTANGLE) becomes rectangle texture, a, texture first bound to $(D_INLINECODE GL_TEXTURE_CUBE_MAP) becomes a cube-mapped texture, a texture first bound to $(D_INLINECODE GL_TEXTURE_BUFFER) becomes a buffer texture, a texture first bound to $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE) becomes a two-dimensional multisampled texture, and a texture first bound to $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE_ARRAY) becomes a two-dimensional multisampled array texture. The state of a one-dimensional texture immediately after it is first bound is equivalent to the state of the default $(D_INLINECODE GL_TEXTURE_1D) at GL initialization, and similarly for the other texture types. While a texture is bound, GL operations on the target to which it is bound affect the bound texture, and queries of the target to which it is bound return state from the bound texture. In effect, the texture targets become aliases for the textures currently bound to them, and the texture name zero refers to the default textures that were bound to them at initialization. A texture binding created with $(D_INLINECODE glBindTexture) remains active until a different texture is bound to the same target, or until the bound texture is deleted with $(D_INLINECODE glDeleteTextures). Once created, a named texture may be re-bound to its same original target as often as needed. It is usually much faster to use $(D_INLINECODE glBindTexture) to bind an existing named texture to one of the texture targets than it is to reload the texture image using $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D) or another similar function. + + The $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE) and $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE_ARRAY) targets are available only if the GL version is 3.2 or higher. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDeleteTextures), $(D_INLINECODE glGenTextures), $(D_INLINECODE glGet), $(D_INLINECODE glGetTexParameter), $(D_INLINECODE glIsTexture), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage2DMultisample), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexImage3DMultisample), $(D_INLINECODE glTexBuffer), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glBindTexture glBindTexture; alias fn_glBlendEquation = extern(C) void function(GLenum mode) @system @nogc nothrow; /++ + glBlendEquation: man3/glBlendEquation.xml + + The blend equations determine how a new pixel (the ''source'' color) is combined with a pixel already in the framebuffer (the ''destination'' color). This function sets both the RGB blend equation and the alpha blend equation to a single equation. These equations use the source and destination blend factors specified by either $(D_INLINECODE glBlendFunc) or $(D_INLINECODE glBlendFuncSeparate). See $(D_INLINECODE glBlendFunc) or $(D_INLINECODE glBlendFuncSeparate) for a description of the various blend factors. In the equations that follow, source and destination color components are referred to as R s G s B s A s and R d G d B d A d, respectively. The result color is referred to as R r G r B r A r. The source and destination blend factors are denoted s R s G s B s A and d R d G d B d A, respectively. For these equations all color components are understood to have values in the range 0 1. $(B Mode) $(B RGB Components) $(B Alpha Component) $(D_INLINECODE GL_FUNC_ADD) Rr = R s &it; s R + R d &it; d R Gr = G s &it; s G + G d &it; d G Br = B s &it; s B + B d &it; d B Ar = A s &it; s A + A d &it; d A $(D_INLINECODE GL_FUNC_SUBTRACT) Rr = R s &it; s R - R d &it; d R Gr = G s &it; s G - G d &it; d G Br = B s &it; s B - B d &it; d B Ar = A s &it; s A - A d &it; d A $(D_INLINECODE GL_FUNC_REVERSE_SUBTRACT) Rr = R d &it; d R - R s &it; s R Gr = G d &it; d G - G s &it; s G Br = B d &it; d B - B s &it; s B Ar = A d &it; d A - A s &it; s A $(D_INLINECODE GL_MIN) Rr = min &af; R s R d Gr = min &af; G s G d Br = min &af; B s B d Ar = min &af; A s A d $(D_INLINECODE GL_MAX) Rr = max &af; R s R d Gr = max &af; G s G d Br = max &af; B s B d Ar = max &af; A s A d The results of these equations are clamped to the range 0 1. The $(D_INLINECODE GL_MIN) and $(D_INLINECODE GL_MAX) equations are useful for applications that analyze image data (image thresholding against a constant color, for example). The $(D_INLINECODE GL_FUNC_ADD) equation is useful for antialiasing and transparency, among other things. Initially, both the RGB blend equation and the alpha blend equation are set to $(D_INLINECODE GL_FUNC_ADD). + + The $(D_INLINECODE GL_MIN), and $(D_INLINECODE GL_MAX) equations do not use the source or destination factors, only the source and destination colors. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBlendColor), $(D_INLINECODE glBlendFunc) $(D_INLINECODE glBlendFuncSeparate) +/ @OpenGL_Version(OGLIntroducedIn.V1P4) @OpenGL_Extension("GL_ARB_imaging") fn_glBlendEquation glBlendEquation; alias fn_glGetAttachedShaders = extern(C) void function(GLuint program, GLsizei maxCount, GLsizei* count, GLuint* shaders) @system @nogc nothrow; /++ + glGetAttachedShaders: man3/glGetAttachedShaders.xml + + $(D_INLINECODE glGetAttachedShaders) returns the names of the shader objects attached to $(D_INLINECODE program). The names of shader objects that are attached to $(D_INLINECODE program) will be returned in $(D_INLINECODE shaders.) The actual number of shader names written into $(D_INLINECODE shaders) is returned in $(D_INLINECODE count.) If no shader objects are attached to $(D_INLINECODE program), $(D_INLINECODE count) is set to 0. The maximum number of shader names that may be returned in $(D_INLINECODE shaders) is specified by $(D_INLINECODE maxCount). If the number of names actually returned is not required (for instance, if it has just been obtained by calling $(D_INLINECODE glGetProgram) ), a value of $(D_INLINECODE null + ) may be passed for count. If no shader objects are attached to $(D_INLINECODE program), a value of 0 will be returned in $(D_INLINECODE count). The actual number of attached shaders can be obtained by calling $(D_INLINECODE glGetProgram) with the value $(D_INLINECODE GL_ATTACHED_SHADERS). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader), $(D_INLINECODE glDetachShader). +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetAttachedShaders glGetAttachedShaders; alias fn_glClearBufferiv = extern(C) void function(GLenum buffer, GLint drawBuffer, const GLint* value) @system @nogc nothrow; /++ + glClearBuffer: man3/glClearBuffer.xml + + $(D_INLINECODE glClearBuffer*) clears the specified buffer to the specified value(s). If $(D_INLINECODE buffer) is $(D_INLINECODE GL_COLOR), a particular draw buffer $(D_INLINECODE GL_DRAW_BUFFER $(D_INLINECODE i)) is specified by passing $(D_INLINECODE i) as $(D_INLINECODE drawBuffer). In this case, $(D_INLINECODE value) points to a four-element vector specifying the R, G, B and A color to clear that draw buffer to. If $(D_INLINECODE buffer) is one of $(D_INLINECODE GL_FRONT), $(D_INLINECODE GL_BACK), $(D_INLINECODE GL_LEFT), $(D_INLINECODE GL_RIGHT), or $(D_INLINECODE GL_FRONT_AND_BACK), identifying multiple buffers, each selected buffer is cleared to the same value. Clamping and conversion for fixed-point color buffers are performed in the same fashion as $(D_INLINECODE glClearColor). If $(D_INLINECODE buffer) is $(D_INLINECODE GL_DEPTH), $(D_INLINECODE drawBuffer) must be zero, and $(D_INLINECODE value) points to a single value to clear the depth buffer to. Only $(D_INLINECODE glClearBufferfv) should be used to clear depth buffers. Clamping and conversion for fixed-point depth buffers are performed in the same fashion as $(D_INLINECODE glClearDepth). If $(D_INLINECODE buffer) is $(D_INLINECODE GL_STENCIL), $(D_INLINECODE drawBuffer) must be zero, and $(D_INLINECODE value) points to a single value to clear the stencil buffer to. Only $(D_INLINECODE glClearBufferiv) should be used to clear stencil buffers. Masking and type conversion are performed in the same fashion as $(D_INLINECODE glClearStencil). $(D_INLINECODE glClearBufferfi) may be used to clear the depth and stencil buffers. $(D_INLINECODE buffer) must be $(D_INLINECODE GL_DEPTH_STENCIL) and $(D_INLINECODE drawBuffer) must be zero. $(D_INLINECODE depth) and $(D_INLINECODE stencil) are the depth and stencil values, respectively. The result of $(D_INLINECODE glClearBuffer) is undefined if no conversion between the type of $(D_INLINECODE value) and the buffer being cleared is defined. However, this is not an error. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glClearColor), $(D_INLINECODE glClearDepth), $(D_INLINECODE glClearStencil), $(D_INLINECODE glClear) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glClearBufferiv glClearBufferiv; alias fn_glClearBufferuiv = extern(C) void function(GLenum buffer, GLint drawBuffer, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glClearBufferuiv glClearBufferuiv; alias fn_glClearBufferfv = extern(C) void function(GLenum buffer, GLint drawBuffer, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glClearBufferfv glClearBufferfv; alias fn_glClearBufferfi = extern(C) void function(GLenum buffer, GLint drawBuffer, GLfloat depth, GLint stencil) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glClearBufferfi glClearBufferfi; alias fn_glGetActiveUniformName = extern(C) void function(GLuint program, GLuint uniformIndex, GLsizei bufSize, GLsizei* length, GLchar* uniformName) @system @nogc nothrow; /++ + glGetActiveUniformName: man3/glGetActiveUniformName.xml + + $(D_INLINECODE glGetActiveUniformName) returns the name of the active uniform at $(D_INLINECODE uniformIndex) within $(D_INLINECODE program). If $(D_INLINECODE uniformName) is not $(D_INLINECODE null + ), up to $(D_INLINECODE bufSize) characters (including a nul-terminator) will be written into the array whose address is specified by $(D_INLINECODE uniformName). If $(D_INLINECODE length) is not $(D_INLINECODE null + ), the number of characters that were (or would have been) written into $(D_INLINECODE uniformName) (not including the nul-terminator) will be placed in the variable whose address is specified in $(D_INLINECODE length). If $(D_INLINECODE length) is $(D_INLINECODE null + ), no length is returned. The length of the longest uniform name in $(D_INLINECODE program) is given by the value of $(D_INLINECODE GL_ACTIVE_UNIFORM_MAX_LENGTH), which can be queried with $(D_INLINECODE glGetProgram). If $(D_INLINECODE glGetActiveUniformName) is not successful, nothing is written to $(D_INLINECODE length) or $(D_INLINECODE uniformName). $(D_INLINECODE program) must be the name of a program for which the command $(D_INLINECODE glLinkProgram) has been issued in the past. It is not necessary for $(D_INLINECODE program) to have been linked successfully. The link could have failed because the number of active uniforms exceeded the limit. $(D_INLINECODE uniformIndex) must be an active uniform index of the program $(D_INLINECODE program), in the range zero to $(D_INLINECODE GL_ACTIVE_UNIFORMS) - 1. The value of $(D_INLINECODE GL_ACTIVE_UNIFORMS) can be queried with $(D_INLINECODE glGetProgram). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetActiveUniform), $(D_INLINECODE glGetUniformIndices), $(D_INLINECODE glGetProgram), $(D_INLINECODE glLinkProgram) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glGetActiveUniformName glGetActiveUniformName; alias fn_glWaitSync = extern(C) void function(GLsync sync, GLbitfield flags, GLuint64 timeout) @system @nogc nothrow; /++ + glWaitSync: man3/glWaitSync.xml + + $(D_INLINECODE glWaitSync) causes the GL server to block and wait until $(D_INLINECODE sync) becomes signaled. $(D_INLINECODE sync) is the name of an existing sync object upon which to wait. $(D_INLINECODE flags) and $(D_INLINECODE timeout) are currently not used and must be set to zero and the special value $(D_INLINECODE GL_TIMEOUT_IGNORED), respectively $(D_INLINECODE flags) and $(D_INLINECODE timeout) are placeholders for anticipated future extensions of sync object capabilities. They must have these reserved values in order that existing code calling $(D_INLINECODE glWaitSync) operate properly in the presence of such extensions.. $(D_INLINECODE glWaitSync) will always wait no longer than an implementation-dependent timeout. The duration of this timeout in nanoseconds may be queried by calling $(D_INLINECODE glGet) with the parameter $(D_INLINECODE GL_MAX_SERVER_WAIT_TIMEOUT). There is currently no way to determine whether $(D_INLINECODE glWaitSync) unblocked because the timeout expired or because the sync object being waited on was signaled. If an error occurs, $(D_INLINECODE glWaitSync) does not cause the GL server to block. + + $(D_INLINECODE glWaitSync) is available only if the GL version is 3.2 or higher. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glFenceSync), $(D_INLINECODE glClientWaitSync) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_sync") fn_glWaitSync glWaitSync; alias fn_glFenceSync = extern(C) GLsync function(GLenum condition, GLbitfield flags) @system @nogc nothrow; /++ + glFenceSync: man3/glFenceSync.xml + + $(D_INLINECODE glFenceSync) creates a new fence sync object, inserts a fence command into the GL command stream and associates it with that sync object, and returns a non-zero name corresponding to the sync object. When the specified $(D_INLINECODE condition) of the sync object is satisfied by the fence command, the sync object is signaled by the GL, causing any $(D_INLINECODE glWaitSync), $(D_INLINECODE glClientWaitSync) commands blocking in $(D_INLINECODE sync) to. No other state is affected by $(D_INLINECODE glFenceSync) or by the execution of the associated fence command. $(D_INLINECODE condition) must be $(D_INLINECODE GL_SYNC_GPU_COMMANDS_COMPLETE). This condition is satisfied by completion of the fence command corresponding to the sync object and all preceding commands in the same command stream. The sync object will not be signaled until all effects from these commands on GL client and server state and the framebuffer are fully realized. Note that completion of the fence command occurs once the state of the corresponding sync object has been changed, but commands waiting on that sync object may not be unblocked until after the fence command completes. + + $(D_INLINECODE glFenceSync) is only supported if the GL version is 3.2 or greater, or if the $(D_INLINECODE ARB_sync) extension is supported. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDeleteSync), $(D_INLINECODE glGetSync), $(D_INLINECODE glWaitSync), $(D_INLINECODE glClientWaitSync) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_sync") fn_glFenceSync glFenceSync; alias fn_glCopyBufferSubData = extern(C) void function(GLenum readtarget, GLenum writetarget, GLintptr readoffset, GLintptr writeoffset, GLsizeiptr size) @system @nogc nothrow; /++ + glCopyBufferSubData: man3/glCopyBufferSubData.xml + + $(D_INLINECODE glCopyBufferSubData) copies part of the data store attached to $(D_INLINECODE readtarget) to the data store attached to $(D_INLINECODE writetarget). The number of basic machine units indicated by $(D_INLINECODE size) is copied from the source, at offset $(D_INLINECODE readoffset) to the destination at $(D_INLINECODE writeoffset), also in basic machine units. $(D_INLINECODE readtarget) and $(D_INLINECODE writetarget) must be $(D_INLINECODE GL_ARRAY_BUFFER), $(D_INLINECODE GL_COPY_READ_BUFFER), $(D_INLINECODE GL_COPY_WRITE_BUFFER), $(D_INLINECODE GL_ELEMENT_ARRAY_BUFFER), $(D_INLINECODE GL_PIXEL_PACK_BUFFER), $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER), $(D_INLINECODE GL_TEXTURE_BUFFER), $(D_INLINECODE GL_TRANSFORM_FEEDBACK_BUFFER) or $(D_INLINECODE GL_UNIFORM_BUFFER). Any of these targets may be used, although the targets $(D_INLINECODE GL_COPY_READ_BUFFER) and $(D_INLINECODE GL_COPY_WRITE_BUFFER) are provided specifically to allow copies between buffers without disturbing other GL state. $(D_INLINECODE readoffset), $(D_INLINECODE writeoffset) and $(D_INLINECODE size) must all be greater than or equal to zero. Furthermore, $(D_INLINECODE readoffset) + $(D_INLINECODE size) must not exceeed the size of the buffer object bound to $(D_INLINECODE readtarget), and $(D_INLINECODE readoffset) + $(D_INLINECODE size) must not exceeed the size of the buffer bound to $(D_INLINECODE writetarget). If the same buffer object is bound to both $(D_INLINECODE readtarget) and $(D_INLINECODE writetarget), then the ranges specified by $(D_INLINECODE readoffset), $(D_INLINECODE writeoffset) and $(D_INLINECODE size) must not overlap. + + $(D_INLINECODE glCopyBufferSubData) is available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenBuffers), $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBufferData), $(D_INLINECODE glBufferSubData), $(D_INLINECODE glGetBufferSubData) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) @OpenGL_Extension("GL_ARB_copy_buffer") fn_glCopyBufferSubData glCopyBufferSubData; alias fn_glTexSubImage2D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const GLvoid* data) @system @nogc nothrow; /++ + glTexSubImage2D: man3/glTexSubImage2D.xml + + Texturing maps a portion of a specified texture image onto each graphical primitive for which texturing is enabled. $(D_INLINECODE glTexSubImage2D) redefines a contiguous subregion of an existing two-dimensional or one-dimensional array texture image. The texels referenced by $(D_INLINECODE data) replace the portion of the existing texture array with x indices $(D_INLINECODE xoffset) and xoffset + width - 1, inclusive, and y indices $(D_INLINECODE yoffset) and yoffset + height - 1, inclusive. This region may not include any texels outside the range of the texture array as it was originally specified. It is not an error to specify a subtexture with zero width or height, but such a specification has no effect. If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + $(D_INLINECODE glPixelStore) modes affect texture images. $(D_INLINECODE glTexSubImage2D) specifies a two-dimensional subtexture for the current texture unit, specified with $(D_INLINECODE glActiveTexture). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glTexSubImage2D glTexSubImage2D; alias fn_glValidateProgram = extern(C) void function(GLuint program) @system @nogc nothrow; /++ + glValidateProgram: man3/glValidateProgram.xml + + $(D_INLINECODE glValidateProgram) checks to see whether the executables contained in $(D_INLINECODE program) can execute given the current OpenGL state. The information generated by the validation process will be stored in $(D_INLINECODE program) 's information log. The validation information may consist of an empty string, or it may be a string containing information about how the current program object interacts with the rest of current OpenGL state. This provides a way for OpenGL implementers to convey more information about why the current program is inefficient, suboptimal, failing to execute, and so on. The status of the validation operation will be stored as part of the program object's state. This value will be set to $(D_INLINECODE GL_TRUE) if the validation succeeded, and $(D_INLINECODE GL_FALSE) otherwise. It can be queried by calling $(D_INLINECODE glGetProgram) with arguments $(D_INLINECODE program) and $(D_INLINECODE GL_VALIDATE_STATUS). If validation is successful, $(D_INLINECODE program) is guaranteed to execute given the current state. Otherwise, $(D_INLINECODE program) is guaranteed to not execute. This function is typically useful only during application development. The informational string stored in the information log is completely implementation dependent; therefore, an application should not expect different OpenGL implementations to produce identical information strings. + + This function mimics the validation operation that OpenGL implementations must perform when rendering commands are issued while programmable shaders are part of current state. The error $(D_INLINECODE GL_INVALID_OPERATION) will be generated by any command that triggers the rendering of geometry if: $(OL $(LI any two active samplers in the current program object are of different types, but refer to the same texture image unit,) $(LI the number of active samplers in the program exceeds the maximum number of texture image units allowed.)) It may be difficult or cause a performance degradation for applications to catch these errors when rendering commands are issued. Therefore, applications are advised to make calls to $(D_INLINECODE glValidateProgram) to detect these issues during application development. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUseProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glValidateProgram glValidateProgram; alias fn_glDeleteQueries = extern(C) void function(GLsizei n, const GLuint* ids) @system @nogc nothrow; /++ + glDeleteQueries: man3/glDeleteQueries.xml + + $(D_INLINECODE glDeleteQueries) deletes $(D_INLINECODE n) query objects named by the elements of the array $(D_INLINECODE ids). After a query object is deleted, it has no contents, and its name is free for reuse (for example by $(D_INLINECODE glGenQueries) ). $(D_INLINECODE glDeleteQueries) silently ignores 0's and names that do not correspond to existing query objects. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBeginQuery), $(D_INLINECODE glEndQuery), $(D_INLINECODE glGenQueries), $(D_INLINECODE glGetQueryiv), $(D_INLINECODE glGetQueryObject) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glDeleteQueries glDeleteQueries; alias fn_glCompressedTexSubImage3D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const GLvoid* data) @system @nogc nothrow; /++ + glCompressedTexSubImage3D: man3/glCompressedTexSubImage3D.xml + + Texturing allows elements of an image array to be read by shaders. $(D_INLINECODE glCompressedTexSubImage3D) redefines a contiguous subregion of an existing three-dimensional texture image. The texels referenced by $(D_INLINECODE data) replace the portion of the existing texture array with x indices $(D_INLINECODE xoffset) and xoffset + width - 1, and the y indices $(D_INLINECODE yoffset) and yoffset + height - 1, and the z indices $(D_INLINECODE zoffset) and zoffset + depth - 1, inclusive. This region may not include any texels outside the range of the texture array as it was originally specified. It is not an error to specify a subtexture with width of 0, but such a specification has no effect. $(D_INLINECODE internalformat) must be a known compressed image format (such as $(D_INLINECODE GL_RGTC) ) or an extension-specified compressed-texture format. The $(D_INLINECODE format) of the compressed texture image is selected by the GL implementation that compressed it (see $(D_INLINECODE glTexImage3D) ) and should be queried at the time the texture was compressed with $(D_INLINECODE glGetTexLevelParameter). If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glCompressedTexSubImage3D glCompressedTexSubImage3D; alias fn_glIsFramebuffer = extern(C) GLboolean function(GLuint framebuffer) @system @nogc nothrow; /++ + glIsFramebuffer: man3/glIsFramebuffer.xml + + $(D_INLINECODE glIsFramebuffer) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE framebuffer) is currently the name of a framebuffer object. If $(D_INLINECODE framebuffer) is zero, or if $(D_INLINECODE framebuffer) is not the name of a framebuffer object, or if an error occurs, $(D_INLINECODE glIsFramebuffer) returns $(D_INLINECODE GL_FALSE). If $(D_INLINECODE framebuffer) is a name returned by $(D_INLINECODE glGenFramebuffers), by that has not yet been bound through a call to $(D_INLINECODE glBindFramebuffer), then the name is not a framebuffer object and $(D_INLINECODE glIsFramebuffer) returns $(D_INLINECODE GL_FALSE). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glBindFramebuffer), $(D_INLINECODE glDeleteFramebuffers) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glIsFramebuffer glIsFramebuffer; alias fn_glHint = extern(C) void function(GLenum target, GLenum mode) @system @nogc nothrow; /++ + glHint: man3/glHint.xml + + Certain aspects of GL behavior, when there is room for interpretation, can be controlled with hints. A hint is specified with two arguments. $(D_INLINECODE target) is a symbolic constant indicating the behavior to be controlled, and $(D_INLINECODE mode) is another symbolic constant indicating the desired behavior. The initial value for each $(D_INLINECODE target) is $(D_INLINECODE GL_DONT_CARE). $(D_INLINECODE mode) can be one of the following: Though the implementation aspects that can be hinted are well defined, the interpretation of the hints depends on the implementation. The hint aspects that can be specified with $(D_INLINECODE target), along with suggested semantics, are as follows: + + The interpretation of hints depends on the implementation. Some implementations ignore $(D_INLINECODE glHint) settings. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glHint glHint; alias fn_glGenTextures = extern(C) void function(GLsizei n, GLuint* textures) @system @nogc nothrow; /++ + glGenTextures: man3/glGenTextures.xml + + $(D_INLINECODE glGenTextures) returns $(D_INLINECODE n) texture names in $(D_INLINECODE textures). There is no guarantee that the names form a contiguous set of integers; however, it is guaranteed that none of the returned names was in use immediately before the call to $(D_INLINECODE glGenTextures). The generated textures have no dimensionality; they assume the dimensionality of the texture target to which they are first bound (see $(D_INLINECODE glBindTexture) ). Texture names returned by a call to $(D_INLINECODE glGenTextures) are not returned by subsequent calls, unless they are first deleted with $(D_INLINECODE glDeleteTextures). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBindTexture), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glDeleteTextures), $(D_INLINECODE glGet), $(D_INLINECODE glGetTexParameter), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glGenTextures glGenTextures; alias fn_glClientWaitSync = extern(C) GLenum function(GLsync sync, GLbitfield flags, GLuint64 timeout) @system @nogc nothrow; /++ + glClientWaitSync: man3/glClientWaitSync.xml + + $(D_INLINECODE glClientWaitSync) causes the client to block and wait for the sync object specified by $(D_INLINECODE sync) to become signaled. If $(D_INLINECODE sync) is signaled when $(D_INLINECODE glClientWaitSync) is called, $(D_INLINECODE glClientWaitSync) returns immediately, otherwise it will block and wait for up to $(D_INLINECODE timeout) nanoseconds for $(D_INLINECODE sync) to become signaled. The return value is one of four status values: $(OL $(LI $(D_INLINECODE GL_ALREADY_SIGNALED) indicates that $(D_INLINECODE sync) was signaled at the time that $(D_INLINECODE glClientWaitSync) was called.) $(LI $(D_INLINECODE GL_TIMEOUT_EXPIRED) indicates that at least $(D_INLINECODE timeout) nanoseconds passed and $(D_INLINECODE sync) did not become signaled.) $(LI $(D_INLINECODE GL_CONDITION_SATISFIED) indicates that $(D_INLINECODE sync) was signaled before the timeout expired.) $(LI $(D_INLINECODE GL_WAIT_FAILED) indicates that an error occurred. Additionally, an OpenGL error will be generated.)) + + $(D_INLINECODE glClientWaitSync) is available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glFenceSync), $(D_INLINECODE glIsSync) $(D_INLINECODE glWaitSync) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_sync") fn_glClientWaitSync glClientWaitSync; alias fn_glIsTexture = extern(C) GLboolean function(GLuint texture) @system @nogc nothrow; /++ + glIsTexture: man3/glIsTexture.xml + + $(D_INLINECODE glIsTexture) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE texture) is currently the name of a texture. If $(D_INLINECODE texture) is zero, or is a non-zero value that is not currently the name of a texture, or if an error occurs, $(D_INLINECODE glIsTexture) returns $(D_INLINECODE GL_FALSE). A name returned by $(D_INLINECODE glGenTextures), but not yet associated with a texture by calling $(D_INLINECODE glBindTexture), is not the name of a texture. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBindTexture), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glDeleteTextures), $(D_INLINECODE glGenTextures), $(D_INLINECODE glGet), $(D_INLINECODE glGetTexParameter), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glIsTexture glIsTexture; alias fn_glIsSampler = extern(C) GLboolean function(GLuint id) @system @nogc nothrow; /++ + glIsSampler: man3/glIsSampler.xml + + $(D_INLINECODE glIsSampler) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE id) is currently the name of a sampler object. If $(D_INLINECODE id) is zero, or is a non-zero value that is not currently the name of a sampler object, or if an error occurs, $(D_INLINECODE glIsSampler) returns $(D_INLINECODE GL_FALSE). A name returned by $(D_INLINECODE glGenSamplers), is the name of a sampler object. + + $(D_INLINECODE glIsSampler) is available only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenSamplers), $(D_INLINECODE glBindSampler), $(D_INLINECODE glDeleteSamplers) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glIsSampler glIsSampler; alias fn_glGetProgramInfoLog = extern(C) void function(GLuint program, GLsizei maxLength, GLsizei* length, GLchar* infoLog) @system @nogc nothrow; /++ + glGetProgramInfoLog: man3/glGetProgramInfoLog.xml + + $(D_INLINECODE glGetProgramInfoLog) returns the information log for the specified program object. The information log for a program object is modified when the program object is linked or validated. The string that is returned will be null terminated. $(D_INLINECODE glGetProgramInfoLog) returns in $(D_INLINECODE infoLog) as much of the information log as it can, up to a maximum of $(D_INLINECODE maxLength) characters. The number of characters actually returned, excluding the null termination character, is specified by $(D_INLINECODE length). If the length of the returned string is not required, a value of $(D_INLINECODE null + ) can be passed in the $(D_INLINECODE length) argument. The size of the buffer required to store the returned information log can be obtained by calling $(D_INLINECODE glGetProgram) with the value $(D_INLINECODE GL_INFO_LOG_LENGTH). The information log for a program object is either an empty string, or a string containing information about the last link operation, or a string containing information about the last validation operation. It may contain diagnostic messages, warning messages, and other information. When a program object is created, its information log will be a string of length 0. + + The information log for a program object is the OpenGL implementer's primary mechanism for conveying information about linking and validating. Therefore, the information log can be helpful to application developers during the development process, even when these operations are successful. Application developers should not expect different OpenGL implementations to produce identical information logs. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCompileShader), $(D_INLINECODE glGetShaderInfoLog), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glValidateProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetProgramInfoLog glGetProgramInfoLog; alias fn_glDrawElements = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const GLvoid* indices) @system @nogc nothrow; /++ + glDrawElements: man3/glDrawElements.xml + + $(D_INLINECODE glDrawElements) specifies multiple geometric primitives with very few subroutine calls. Instead of calling a GL function to pass each individual vertex, normal, texture coordinate, edge flag, or color, you can prespecify separate arrays of vertices, normals, and so on, and use them to construct a sequence of primitives with a single call to $(D_INLINECODE glDrawElements). When $(D_INLINECODE glDrawElements) is called, it uses $(D_INLINECODE count) sequential elements from an enabled array, starting at $(D_INLINECODE indices) to construct a sequence of geometric primitives. $(D_INLINECODE mode) specifies what kind of primitives are constructed and how the array elements construct these primitives. If more than one array is enabled, each is used. Vertex attributes that are modified by $(D_INLINECODE glDrawElements) have an unspecified value after $(D_INLINECODE glDrawElements) returns. Attributes that aren't modified maintain their previous values. + + $(D_INLINECODE GL_LINE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) and $(D_INLINECODE GL_TRIANGLES_ADJACENCY) are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDrawArrays), $(D_INLINECODE glDrawElementsInstanced), $(D_INLINECODE glDrawElementsBaseVertex), $(D_INLINECODE glDrawRangeElements) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glDrawElements glDrawElements; alias fn_glBlendFunc = extern(C) void function(GLenum sfactor, GLenum dfactor) @system @nogc nothrow; /++ + glBlendFunc: man3/glBlendFunc.xml + + Pixels can be drawn using a function that blends the incoming (source) RGBA values with the RGBA values that are already in the frame buffer (the destination values). Blending is initially disabled. Use $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_BLEND) to enable and disable blending. $(D_INLINECODE glBlendFunc) defines the operation of blending when it is enabled. $(D_INLINECODE sfactor) specifies which method is used to scale the source color components. $(D_INLINECODE dfactor) specifies which method is used to scale the destination color components. Both parameters must be one of the following symbolic constants: $(D_INLINECODE GL_ZERO), $(D_INLINECODE GL_ONE), $(D_INLINECODE GL_SRC_COLOR), $(D_INLINECODE GL_ONE_MINUS_SRC_COLOR), $(D_INLINECODE GL_DST_COLOR), $(D_INLINECODE GL_ONE_MINUS_DST_COLOR), $(D_INLINECODE GL_SRC_ALPHA), $(D_INLINECODE GL_ONE_MINUS_SRC_ALPHA), $(D_INLINECODE GL_DST_ALPHA), $(D_INLINECODE GL_ONE_MINUS_DST_ALPHA), $(D_INLINECODE GL_CONSTANT_COLOR), $(D_INLINECODE GL_ONE_MINUS_CONSTANT_COLOR), $(D_INLINECODE GL_CONSTANT_ALPHA), $(D_INLINECODE GL_ONE_MINUS_CONSTANT_ALPHA), $(D_INLINECODE GL_SRC_ALPHA_SATURATE), $(D_INLINECODE GL_SRC1_COLOR), $(D_INLINECODE GL_ONE_MINUS_SRC1_COLOR), $(D_INLINECODE GL_SRC1_ALPHA), and $(D_INLINECODE GL_ONE_MINUS_SRC1_ALPHA). The possible methods are described in the following table. Each method defines four scale factors, one each for red, green, blue, and alpha. In the table and in subsequent equations, first source, second source and destination color components are referred to as R s0 G s0 B s0 A s0, R s1 G s1 B s1 A s1 and R d G d B d A d, respectively. The color specified by $(D_INLINECODE glBlendColor) is referred to as R c G c B c A c. They are understood to have integer values between 0 and k R k G k B k A, where k c = 2 m c - 1 and m R m G m B m A is the number of red, green, blue, and alpha bitplanes. Source and destination scale factors are referred to as s R s G s B s A and d R d G d B d A. The scale factors described in the table, denoted f R f G f B f A, represent either source or destination factors. All scale factors have range 0 1. $(B Parameter) $(B f R f G f B f A) $(D_INLINECODE GL_ZERO) 0 0 0 0 $(D_INLINECODE GL_ONE) 1 1 1 1 $(D_INLINECODE GL_SRC_COLOR) R s0 k R G s0 k G B s0 k B A s0 k A $(D_INLINECODE GL_ONE_MINUS_SRC_COLOR) 1 1 1 1 - R s0 k R G s0 k G B s0 k B A s0 k A $(D_INLINECODE GL_DST_COLOR) R d k R G d k G B d k B A d k A $(D_INLINECODE GL_ONE_MINUS_DST_COLOR) 1 1 1 1 - R d k R G d k G B d k B A d k A $(D_INLINECODE GL_SRC_ALPHA) A s0 k A A s0 k A A s0 k A A s0 k A $(D_INLINECODE GL_ONE_MINUS_SRC_ALPHA) 1 1 1 1 - A s0 k A A s0 k A A s0 k A A s0 k A $(D_INLINECODE GL_DST_ALPHA) A d k A A d k A A d k A A d k A $(D_INLINECODE GL_ONE_MINUS_DST_ALPHA) 1 1 1 1 - A d k A A d k A A d k A A d k A $(D_INLINECODE GL_CONSTANT_COLOR) R c G c B c A c $(D_INLINECODE GL_ONE_MINUS_CONSTANT_COLOR) 1 1 1 1 - R c G c B c A c $(D_INLINECODE GL_CONSTANT_ALPHA) A c A c A c A c $(D_INLINECODE GL_ONE_MINUS_CONSTANT_ALPHA) 1 1 1 1 - A c A c A c A c $(D_INLINECODE GL_SRC_ALPHA_SATURATE) i i i 1 $(D_INLINECODE GL_SRC1_COLOR) R s1 k R G s1 k G B s1 k B A s1 k A $(D_INLINECODE GL_ONE_MINUS_SRC1_COLOR) 1 1 1 1 - R s1 k R G s1 k G B s1 k B A s1 k A $(D_INLINECODE GL_SRC1_ALPHA) A s1 k A A s1 k A A s1 k A A s1 k A $(D_INLINECODE GL_ONE_MINUS_SRC1_ALPHA) 1 1 1 1 - A s1 k A A s1 k A A s1 k A A s1 k A In the table, i = min &af; A s k A - A d k A To determine the blended RGBA values of a pixel, the system uses the following equations: R d = min &af; k R R s &it; s R + R d &it; d R G d = min &af; k G G s &it; s G + G d &it; d G B d = min &af; k B B s &it; s B + B d &it; d B A d = min &af; k A A s &it; s A + A d &it; d A Despite the apparent precision of the above equations, blending arithmetic is not exactly specified, because blending operates with imprecise integer color values. However, a blend factor that should be equal to 1 is guaranteed not to modify its multiplicand, and a blend factor equal to 0 reduces its multiplicand to 0. For example, when $(D_INLINECODE sfactor) is $(D_INLINECODE GL_SRC_ALPHA), $(D_INLINECODE dfactor) is $(D_INLINECODE GL_ONE_MINUS_SRC_ALPHA), and A s is equal to k A, the equations reduce to simple replacement: R d = R s G d = G s B d = B s A d = A s + + Incoming (source) alpha is correctly thought of as a material opacity, ranging from 1.0 ( K A ), representing complete opacity, to 0.0 (0), representing complete transparency. When more than one color buffer is enabled for drawing, the GL performs blending separately for each enabled buffer, using the contents of that buffer for destination color. (See $(D_INLINECODE glDrawBuffer).) When dual source blending is enabled (i.e., one of the blend factors requiring the second color input is used), the maximum number of enabled draw buffers is given by $(D_INLINECODE GL_MAX_DUAL_SOURCE_DRAW_BUFFERS), which may be lower than $(D_INLINECODE GL_MAX_DRAW_BUFFERS). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBlendColor), $(D_INLINECODE glBlendEquation), $(D_INLINECODE glBlendFuncSeparate), $(D_INLINECODE glClear), $(D_INLINECODE glDrawBuffer), $(D_INLINECODE glEnable), $(D_INLINECODE glLogicOp), $(D_INLINECODE glStencilFunc) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glBlendFunc glBlendFunc; alias fn_glIsShader = extern(C) GLboolean function(GLuint shader) @system @nogc nothrow; /++ + glIsShader: man3/glIsShader.xml + + $(D_INLINECODE glIsShader) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE shader) is the name of a shader object previously created with $(D_INLINECODE glCreateShader) and not yet deleted with $(D_INLINECODE glDeleteShader). If $(D_INLINECODE shader) is zero or a non-zero value that is not the name of a shader object, or if an error occurs, $(D_INLINECODE glIsShader) returns $(D_INLINECODE GL_FALSE). + + No error is generated if $(D_INLINECODE shader) is not a valid shader object name. A shader object marked for deletion with $(D_INLINECODE glDeleteShader) but still attached to a program object is still considered a shader object and $(D_INLINECODE glIsShader) will return $(D_INLINECODE GL_TRUE). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader), $(D_INLINECODE glCompileShader), $(D_INLINECODE glCreateShader), $(D_INLINECODE glDeleteShader), $(D_INLINECODE glDetachShader), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glShaderSource) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glIsShader glIsShader; alias fn_glIsRenderbuffer = extern(C) GLboolean function(GLuint renderbuffer) @system @nogc nothrow; /++ + glIsRenderbuffer: man3/glIsRenderbuffer.xml + + $(D_INLINECODE glIsRenderbuffer) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE renderbuffer) is currently the name of a renderbuffer object. If $(D_INLINECODE renderbuffer) is zero, or if $(D_INLINECODE renderbuffer) is not the name of a renderbuffer object, or if an error occurs, $(D_INLINECODE glIsRenderbuffer) returns $(D_INLINECODE GL_FALSE). If $(D_INLINECODE renderbuffer) is a name returned by $(D_INLINECODE glGenRenderbuffers), by that has not yet been bound through a call to $(D_INLINECODE glBindRenderbuffer) or $(D_INLINECODE glFramebufferRenderbuffer), then the name is not a renderbuffer object and $(D_INLINECODE glIsRenderbuffer) returns $(D_INLINECODE GL_FALSE). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glBindRenderbuffer), $(D_INLINECODE glFramebufferRenderbuffer), $(D_INLINECODE glDeleteRenderbuffers) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glIsRenderbuffer glIsRenderbuffer; alias fn_glPointParameterf = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /++ + glPointParameter: man3/glPointParameter.xml + + The following values are accepted for $(D_INLINECODE pname) : + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2010 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glPointSize) +/ @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glPointParameterf glPointParameterf; alias fn_glPointParameteri = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glPointParameteri glPointParameteri; alias fn_glPointParameterfv = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glPointParameterfv glPointParameterfv; alias fn_glPointParameteriv = extern(C) void function(GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glPointParameteriv glPointParameteriv; alias fn_glFramebufferTextureLayer = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level, GLint layer) @system @nogc nothrow; /++ + glFramebufferTextureLayer: man3/glFramebufferTextureLayer.xml + + $(D_INLINECODE glFramebufferTextureLayer) operates like $(D_INLINECODE glFramebufferTexture), except that only a single layer of the texture level, given by $(D_INLINECODE layer), is attached to the attachment point. If $(D_INLINECODE texture) is not zero, $(D_INLINECODE layer) must be greater than or equal to zero. $(D_INLINECODE texture) must either be zero or the name of an existing three-dimensional texture, one- or two-dimensional array texture, or multisample array texture. + + $(D_INLINECODE glFramebufferTextureLayer) is available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glBindFramebuffer), $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glFramebufferTexture), $(D_INLINECODE glFramebufferTextureFace) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glFramebufferTextureLayer glFramebufferTextureLayer; alias fn_glBindFragDataLocationIndexed = extern(C) void function(GLuint program, GLuint colorNumber, GLuint index, const char* name) @system @nogc nothrow; /++ + glBindFragDataLocationIndexed: man3/glBindFragDataLocationIndexed.xml + + $(D_INLINECODE glBindFragDataLocationIndexed) specifies that the varying out variable $(D_INLINECODE name) in $(D_INLINECODE program) should be bound to fragment color $(D_INLINECODE colorNumber) when the program is next linked. $(D_INLINECODE index) may be zero or one to specify that the color be used as either the first or second color input to the blend equation, respectively. The bindings specified by $(D_INLINECODE glBindFragDataLocationIndexed) have no effect until $(D_INLINECODE program) is next linked. Bindings may be specified at any time after $(D_INLINECODE program) has been created. Specifically, they may be specified before shader objects are attached to the program. Therefore, any name may be specified in $(D_INLINECODE name), including a name that is never used as a varying out variable in any fragment shader object. Names beginning with $(D_INLINECODE gl_) are reserved by the GL. If $(D_INLINECODE name) was bound previously, its assigned binding is replaced with $(D_INLINECODE colorNumber) and $(D_INLINECODE index). $(D_INLINECODE name) must be a null-terminated string. $(D_INLINECODE index) must be less than or equal to one, and $(D_INLINECODE colorNumber) must be less than the value of $(D_INLINECODE GL_MAX_DRAW_BUFFERS) if $(D_INLINECODE index) is zero, and less than the value of $(D_INLINECODE GL_MAX_DUAL_SOURCE_DRAW_BUFFERS) if index is greater than or equal to one. In addition to the errors generated by $(D_INLINECODE glBindFragDataLocationIndexed), the program $(D_INLINECODE program) will fail to link if: $(OL $(LI The number of active outputs is greater than the value $(D_INLINECODE GL_MAX_DRAW_BUFFERS).) $(LI More than one varying out variable is bound to the same color number.)) + + Varying out varyings may have locations assigned explicitly in the shader text using a $(D_INLINECODE location) layout qualifier. If a shader statically assigns a location to a varying out variable in the shader text, that location is used and any location assigned with $(D_INLINECODE glBindFragDataLocation) is ignored. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateProgram), $(D_INLINECODE glLinkProgram) $(D_INLINECODE glGetFragDataLocation), $(D_INLINECODE glGetFragDataIndex) $(D_INLINECODE glBindFragDataLocation) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_blend_func_extended") fn_glBindFragDataLocationIndexed glBindFragDataLocationIndexed; alias fn_glLinkProgram = extern(C) void function(GLuint program) @system @nogc nothrow; /++ + glLinkProgram: man3/glLinkProgram.xml + + $(D_INLINECODE glLinkProgram) links the program object specified by $(D_INLINECODE program). If any shader objects of type $(D_INLINECODE GL_VERTEX_SHADER) are attached to $(D_INLINECODE program), they will be used to create an executable that will run on the programmable vertex processor. If any shader objects of type $(D_INLINECODE GL_GEOMETRY_SHADER) are attached to $(D_INLINECODE program), they will be used to create an executable that will run on the programmable geometry processor. If any shader objects of type $(D_INLINECODE GL_FRAGMENT_SHADER) are attached to $(D_INLINECODE program), they will be used to create an executable that will run on the programmable fragment processor. The status of the link operation will be stored as part of the program object's state. This value will be set to $(D_INLINECODE GL_TRUE) if the program object was linked without errors and is ready for use, and $(D_INLINECODE GL_FALSE) otherwise. It can be queried by calling $(D_INLINECODE glGetProgram) with arguments $(D_INLINECODE program) and $(D_INLINECODE GL_LINK_STATUS). As a result of a successful link operation, all active user-defined uniform variables belonging to $(D_INLINECODE program) will be initialized to 0, and each of the program object's active uniform variables will be assigned a location that can be queried by calling $(D_INLINECODE glGetUniformLocation). Also, any active user-defined attribute variables that have not been bound to a generic vertex attribute index will be bound to one at this time. Linking of a program object can fail for a number of reasons as specified in the. The following lists some of the conditions that will cause a link error. $(OL $(LI The number of active attribute variables supported by the implementation has been exceeded.) $(LI The storage limit for uniform variables has been exceeded.) $(LI The number of active uniform variables supported by the implementation has been exceeded.) $(LI The $(D_INLINECODE main) function is missing for the vertex, geometry or fragment shader.) $(LI A varying variable actually used in the fragment shader is not declared in the same way (or is not declared at all) in the vertex shader, or geometry shader shader if present.) $(LI A reference to a function or variable name is unresolved.) $(LI A shared global is declared with two different types or two different initial values.) $(LI One or more of the attached shader objects has not been successfully compiled.) $(LI Binding a generic attribute matrix caused some rows of the matrix to fall outside the allowed maximum of $(D_INLINECODE GL_MAX_VERTEX_ATTRIBS).) $(LI Not enough contiguous vertex attribute slots could be found to bind attribute matrices.) $(LI The program object contains objects to form a fragment shader but does not contain objects to form a vertex shader.) $(LI The program object contains objects to form a geometry shader but does not contain objects to form a vertex shader.) $(LI The program object contains objects to form a geometry shader and the input primitive type, output primitive type, or maximum output vertex count is not specified in any compiled geometry shader object.) $(LI The program object contains objects to form a geometry shader and the input primitive type, output primitive type, or maximum output vertex count is specified differently in multiple geometry shader objects.) $(LI The number of active outputs in the fragment shader is greater than the value of $(D_INLINECODE GL_MAX_DRAW_BUFFERS).) $(LI The program has an active output assigned to a location greater than or equal to the value of $(D_INLINECODE GL_MAX_DUAL_SOURCE_DRAW_BUFFERS) and has an active output assigned an index greater than or equal to one.) $(LI More than one varying out variable is bound to the same number and index.) $(LI The explicit binding assigments do not leave enough space for the linker to automatically assign a location for a varying out array, which requires multiple contiguous locations.) $(LI The $(D_INLINECODE count) specified by $(D_INLINECODE glTransformFeedbackVaryings) is non-zero, but the program object has no vertex or geometry shader.) $(LI Any variable name specified to $(D_INLINECODE glTransformFeedbackVaryings) in the $(D_INLINECODE varyings) array is not declared as an output in the vertex shader (or the geometry shader, if active).) $(LI Any two entries in the $(D_INLINECODE varyings) array given $(D_INLINECODE glTransformFeedbackVaryings) specify the same varying variable.) $(LI The total number of components to capture in any transform feedback varying variable is greater than the constant $(D_INLINECODE GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS) and the buffer mode is $(D_INLINECODE GL_SEPARATE_ATTRIBS).)) When a program object has been successfully linked, the program object can be made part of current state by calling $(D_INLINECODE glUseProgram). Whether or not the link operation was successful, the program object's information log will be overwritten. The information log can be retrieved by calling $(D_INLINECODE glGetProgramInfoLog). $(D_INLINECODE glLinkProgram) will also install the generated executables as part of the current rendering state if the link operation was successful and the specified program object is already currently in use as a result of a previous call to $(D_INLINECODE glUseProgram). If the program object currently in use is relinked unsuccessfully, its link status will be set to $(D_INLINECODE GL_FALSE), but the executables and associated state will remain part of the current state until a subsequent call to $(D_INLINECODE glUseProgram) removes it from use. After it is removed from use, it cannot be made part of current state until it has been successfully relinked. If $(D_INLINECODE program) contains shader objects of type $(D_INLINECODE GL_VERTEX_SHADER), and optionally of type $(D_INLINECODE GL_GEOMETRY_SHADER), but does not contain shader objects of type $(D_INLINECODE GL_FRAGMENT_SHADER), the vertex shader executable will be installed on the programmable vertex processor, the geometry shader executable, if present, will be installed on the programmable geometry processor, but no executable will be installed on the fragment processor. The results of rasterizing primitives with such a program will be undefined. The program object's information log is updated and the program is generated at the time of the link operation. After the link operation, applications are free to modify attached shader objects, compile attached shader objects, detach shader objects, delete shader objects, and attach additional shader objects. None of these operations affects the information log or the program that is part of the program object. + + If the link operation is unsuccessful, any information about a previous link operation on $(D_INLINECODE program) is lost (i.e., a failed link does not restore the old state of $(D_INLINECODE program) ). Certain information can still be retrieved from $(D_INLINECODE program) even after an unsuccessful link operation. See for instance $(D_INLINECODE glGetActiveAttrib) and $(D_INLINECODE glGetActiveUniform). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader), $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glCompileShader), $(D_INLINECODE glCreateProgram), $(D_INLINECODE glDeleteProgram), $(D_INLINECODE glDetachShader), $(D_INLINECODE glUniform), $(D_INLINECODE glUseProgram), $(D_INLINECODE glValidateProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glLinkProgram glLinkProgram; alias fn_glIsSync = extern(C) GLboolean function(GLsync sync) @system @nogc nothrow; /++ + glIsSync: man3/glIsSync.xml + + $(D_INLINECODE glIsSync) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE sync) is currently the name of a sync object. If $(D_INLINECODE sync) is not the name of a sync object, or if an error occurs, $(D_INLINECODE glIsSync) returns $(D_INLINECODE GL_FALSE). Note that zero is not the name of a sync object. + + $(D_INLINECODE glIsSync) is available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glFenceSync), $(D_INLINECODE glWaitSync), $(D_INLINECODE glClientWaitSync), $(D_INLINECODE glDeleteSync) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_sync") fn_glIsSync glIsSync; alias fn_glPrimitiveRestartIndex = extern(C) void function(GLuint index) @system @nogc nothrow; /++ + glPrimitiveRestartIndex: man3/glPrimitiveRestartIndex.xml + + $(D_INLINECODE glPrimitiveRestartIndex) specifies a vertex array element that is treated specially when primitive restarting is enabled. This is known as the primitive restart index. When one of the $(D_INLINECODE Draw*) commands transfers a set of generic attribute array elements to the GL, if the index within the vertex arrays corresponding to that set is equal to the primitive restart index, then the GL does not process those elements as a vertex. Instead, it is as if the drawing command ended with the immediately preceding transfer, and another drawing command is immediately started with the same parameters, but only transferring the immediately following element through the end of the originally specified elements. When either $(D_INLINECODE glDrawElementsBaseVertex), $(D_INLINECODE glDrawElementsInstancedBaseVertex) or $(D_INLINECODE glMultiDrawElementsBaseVertex) is used, the primitive restart comparison occurs before the basevertex offset is added to the array index. + + $(D_INLINECODE glPrimitiveRestartIndex) is available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDrawArrays), $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawElementsBaseVertex), $(D_INLINECODE glDrawElementsInstancedBaseVertex) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) fn_glPrimitiveRestartIndex glPrimitiveRestartIndex; alias fn_glDrawRangeElementsBaseVertex = extern(C) void function(GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, GLvoid* indices, GLint basevertex) @system @nogc nothrow; /++ + glDrawRangeElementsBaseVertex: man3/glDrawRangeElementsBaseVertex.xml + + $(D_INLINECODE glDrawRangeElementsBaseVertex) is a restricted form of $(D_INLINECODE glDrawElementsBaseVertex). $(D_INLINECODE mode), $(D_INLINECODE start), $(D_INLINECODE end), $(D_INLINECODE count) and $(D_INLINECODE basevertex) match the corresponding arguments to $(D_INLINECODE glDrawElementsBaseVertex), with the additional constraint that all values in the array $(D_INLINECODE indices) must lie between $(D_INLINECODE start) and $(D_INLINECODE end), inclusive, prior to adding $(D_INLINECODE basevertex). Index values lying outside the range [ $(D_INLINECODE start), $(D_INLINECODE end) ] are treated in the same way as $(D_INLINECODE glDrawElementsBaseVertex). The th element transferred by the corresponding draw call will be taken from element $(D_INLINECODE indices) [i] + $(D_INLINECODE basevertex) of each enabled array. If the resulting value is larger than the maximum value representable by $(D_INLINECODE type), it is as if the calculation were upconverted to 32-bit unsigned integers (with wrapping on overflow conditions). The operation is undefined if the sum would be negative. + + $(D_INLINECODE glDrawRangeElementsBaseVertex) is only supported if the GL version is 3.2 or greater, or if the $(D_INLINECODE ARB_draw_elements_base_vertex) extension is supported. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawElementsBaseVertex), $(D_INLINECODE glDrawRangeElements), $(D_INLINECODE glDrawElementsInstanced), $(D_INLINECODE glDrawElementsInstancedBaseVertex) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_draw_elements_base_vertex") fn_glDrawRangeElementsBaseVertex glDrawRangeElementsBaseVertex; alias fn_glDetachShader = extern(C) void function(GLuint program, GLuint shader) @system @nogc nothrow; /++ + glDetachShader: man3/glDetachShader.xml + + $(D_INLINECODE glDetachShader) detaches the shader object specified by $(D_INLINECODE shader) from the program object specified by $(D_INLINECODE program). This command can be used to undo the effect of the command $(D_INLINECODE glAttachShader). If $(D_INLINECODE shader) has already been flagged for deletion by a call to $(D_INLINECODE glDeleteShader) and it is not attached to any other program object, it will be deleted after it has been detached. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glDetachShader glDetachShader; alias fn_glMultiDrawArrays = extern(C) void function(GLenum mode, const GLint* first, const GLsizei* count, GLsizei primcount) @system @nogc nothrow; /++ + glMultiDrawArrays: man3/glMultiDrawArrays.xml + + $(D_INLINECODE glMultiDrawArrays) specifies multiple sets of geometric primitives with very few subroutine calls. Instead of calling a GL procedure to pass each individual vertex, normal, texture coordinate, edge flag, or color, you can prespecify separate arrays of vertices, normals, and colors and use them to construct a sequence of primitives with a single call to $(D_INLINECODE glMultiDrawArrays). $(D_INLINECODE glMultiDrawArrays) behaves identically to $(D_INLINECODE glDrawArrays) except that $(D_INLINECODE primcount) separate ranges of elements are specified instead. When $(D_INLINECODE glMultiDrawArrays) is called, it uses $(D_INLINECODE count) sequential elements from each enabled array to construct a sequence of geometric primitives, beginning with element $(D_INLINECODE first). $(D_INLINECODE mode) specifies what kind of primitives are constructed, and how the array elements construct those primitives. Vertex attributes that are modified by $(D_INLINECODE glMultiDrawArrays) have an unspecified value after $(D_INLINECODE glMultiDrawArrays) returns. Attributes that aren't modified remain well defined. + + $(D_INLINECODE GL_LINE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) and $(D_INLINECODE GL_TRIANGLES_ADJACENCY) are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawRangeElements) +/ @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glMultiDrawArrays glMultiDrawArrays; alias fn_glGetVertexAttribdv = extern(C) void function(GLuint index, GLenum pname, GLdouble* params) @system @nogc nothrow; /++ + glGetVertexAttrib: man3/glGetVertexAttrib.xml + + $(D_INLINECODE glGetVertexAttrib) returns in $(D_INLINECODE params) the value of a generic vertex attribute parameter. The generic vertex attribute to be queried is specified by $(D_INLINECODE index), and the parameter to be queried is specified by $(D_INLINECODE pname). The accepted parameter names are as follows: All of the parameters except $(D_INLINECODE GL_CURRENT_VERTEX_ATTRIB) represent state stored in the currently bound vertex array object. + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glBindBuffer), $(D_INLINECODE glDisableVertexAttribArray), $(D_INLINECODE glEnableVertexAttribArray), $(D_INLINECODE glVertexAttrib), $(D_INLINECODE glVertexAttribDivisor), $(D_INLINECODE glVertexAttribPointer) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetVertexAttribdv glGetVertexAttribdv; alias fn_glGetVertexAttribfv = extern(C) void function(GLuint index, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetVertexAttribfv glGetVertexAttribfv; alias fn_glGetVertexAttribiv = extern(C) void function(GLuint index, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetVertexAttribiv glGetVertexAttribiv; alias fn_glGetVertexAttribIiv = extern(C) void function(GLuint index, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetVertexAttribIiv glGetVertexAttribIiv; alias fn_glGetVertexAttribIuiv = extern(C) void function(GLuint index, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetVertexAttribIuiv glGetVertexAttribIuiv; alias fn_glMultiTexCoord1s = extern(C) void function(GLenum target, GLshort s) @system @nogc nothrow; /++ + glMultiTexCoord: man3/glMultiTexCoord.xml + + $(D_INLINECODE glMultiTexCoord) specifies texture coordinates in one, two, three, or four dimensions. $(D_INLINECODE glMultiTexCoord1) sets the current texture coordinates to s 0 0 1; a call to $(D_INLINECODE glMultiTexCoord2) sets them to s t 0 1. Similarly, $(D_INLINECODE glMultiTexCoord3) specifies the texture coordinates as s t r 1, and $(D_INLINECODE glMultiTexCoord4) defines all four components explicitly as s t r q. The current texture coordinates are part of the data that is associated with each vertex and with the current raster position. Initially, the values for s t r q are 0 0 0 1. + + The current texture coordinates can be updated at any time. It is always the case that $(D_INLINECODE GL_TEXTURE) i = $(D_INLINECODE GL_TEXTURE0) + i. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glTexCoord), $(D_INLINECODE glVertex) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord1s glMultiTexCoord1s; alias fn_glMultiTexCoord1i = extern(C) void function(GLenum target, GLint s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord1i glMultiTexCoord1i; alias fn_glMultiTexCoord1f = extern(C) void function(GLenum target, GLfloat s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord1f glMultiTexCoord1f; alias fn_glMultiTexCoord1d = extern(C) void function(GLenum target, GLdouble s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord1d glMultiTexCoord1d; alias fn_glMultiTexCoord2s = extern(C) void function(GLenum target, GLshort s, GLshort t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord2s glMultiTexCoord2s; alias fn_glMultiTexCoord2i = extern(C) void function(GLenum target, GLint s, GLint t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord2i glMultiTexCoord2i; alias fn_glMultiTexCoord2f = extern(C) void function(GLenum target, GLfloat s, GLfloat t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord2f glMultiTexCoord2f; alias fn_glMultiTexCoord2d = extern(C) void function(GLenum target, GLdouble s, GLdouble t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord2d glMultiTexCoord2d; alias fn_glMultiTexCoord3s = extern(C) void function(GLenum target, GLshort s, GLshort t, GLshort r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord3s glMultiTexCoord3s; alias fn_glMultiTexCoord3i = extern(C) void function(GLenum target, GLint s, GLint t, GLint r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord3i glMultiTexCoord3i; alias fn_glMultiTexCoord3f = extern(C) void function(GLenum target, GLfloat s, GLfloat t, GLfloat r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord3f glMultiTexCoord3f; alias fn_glMultiTexCoord3d = extern(C) void function(GLenum target, GLdouble s, GLdouble t, GLdouble r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord3d glMultiTexCoord3d; alias fn_glMultiTexCoord4s = extern(C) void function(GLenum target, GLshort s, GLshort t, GLshort r, GLshort q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord4s glMultiTexCoord4s; alias fn_glMultiTexCoord4i = extern(C) void function(GLenum target, GLint s, GLint t, GLint r, GLint q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord4i glMultiTexCoord4i; alias fn_glMultiTexCoord4f = extern(C) void function(GLenum target, GLfloat s, GLfloat t, GLfloat r, GLfloat q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord4f glMultiTexCoord4f; alias fn_glMultiTexCoord4d = extern(C) void function(GLenum target, GLdouble s, GLdouble t, GLdouble r, GLdouble q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord4d glMultiTexCoord4d; alias fn_glMultiTexCoord1sv = extern(C) void function(GLenum target, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord1sv glMultiTexCoord1sv; alias fn_glMultiTexCoord1iv = extern(C) void function(GLenum target, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord1iv glMultiTexCoord1iv; alias fn_glMultiTexCoord1fv = extern(C) void function(GLenum target, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord1fv glMultiTexCoord1fv; alias fn_glMultiTexCoord1dv = extern(C) void function(GLenum target, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord1dv glMultiTexCoord1dv; alias fn_glMultiTexCoord2sv = extern(C) void function(GLenum target, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord2sv glMultiTexCoord2sv; alias fn_glMultiTexCoord2iv = extern(C) void function(GLenum target, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord2iv glMultiTexCoord2iv; alias fn_glMultiTexCoord2fv = extern(C) void function(GLenum target, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord2fv glMultiTexCoord2fv; alias fn_glMultiTexCoord2dv = extern(C) void function(GLenum target, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord2dv glMultiTexCoord2dv; alias fn_glMultiTexCoord3sv = extern(C) void function(GLenum target, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord3sv glMultiTexCoord3sv; alias fn_glMultiTexCoord3iv = extern(C) void function(GLenum target, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord3iv glMultiTexCoord3iv; alias fn_glMultiTexCoord3fv = extern(C) void function(GLenum target, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord3fv glMultiTexCoord3fv; alias fn_glMultiTexCoord3dv = extern(C) void function(GLenum target, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord3dv glMultiTexCoord3dv; alias fn_glMultiTexCoord4sv = extern(C) void function(GLenum target, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord4sv glMultiTexCoord4sv; alias fn_glMultiTexCoord4iv = extern(C) void function(GLenum target, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord4iv glMultiTexCoord4iv; alias fn_glMultiTexCoord4fv = extern(C) void function(GLenum target, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord4fv glMultiTexCoord4fv; alias fn_glMultiTexCoord4dv = extern(C) void function(GLenum target, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultiTexCoord4dv glMultiTexCoord4dv; alias fn_glSamplerParameterf = extern(C) void function(GLuint sampler, GLenum pname, GLfloat param) @system @nogc nothrow; /++ + glSamplerParameter: man3/glSamplerParameter.xml + + $(D_INLINECODE glSamplerParameter) assigns the value or values in $(D_INLINECODE params) to the sampler parameter specified as $(D_INLINECODE pname). $(D_INLINECODE sampler) specifies the sampler object to be modified, and must be the name of a sampler object previously returned from a call to $(D_INLINECODE glGenSamplers). The following symbols are accepted in $(D_INLINECODE pname) : + + $(D_INLINECODE glSamplerParameter) is available only if the GL version is 3.3 or higher. If a sampler object is bound to a texture unit and that unit is used to sample from a texture, the parameters in the sampler are used to sample from the texture, rather than the equivalent parameters in the texture object bound to that unit. This introduces the possibility of sampling from the same texture object with different sets of sampler state, which may lead to a condition where a texture is with respect to one sampler object and not with respect to another. Thus, completeness can be considered a function of a sampler object and a texture object bound to a single texture unit, rather than a property of the texture object itself. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenSamplers), $(D_INLINECODE glBindSampler), $(D_INLINECODE glDeleteSamplers), $(D_INLINECODE glIsSampler), $(D_INLINECODE glBindTexture), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glSamplerParameterf glSamplerParameterf; alias fn_glSamplerParameteri = extern(C) void function(GLuint sampler, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glSamplerParameteri glSamplerParameteri; alias fn_glSamplerParameterfv = extern(C) void function(GLuint sampler, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glSamplerParameterfv glSamplerParameterfv; alias fn_glSamplerParameteriv = extern(C) void function(GLuint sampler, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glSamplerParameteriv glSamplerParameteriv; alias fn_glSamplerParameterIiv = extern(C) void function(GLuint sampler, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glSamplerParameterIiv glSamplerParameterIiv; alias fn_glSamplerParameterIuiv = extern(C) void function(GLuint sampler, GLenum pname, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glSamplerParameterIuiv glSamplerParameterIuiv; alias fn_glGetFramebufferAttachmentParameteriv = extern(C) void function(GLenum target, GLenum attachment, GLenum pname, GLint* params) @system @nogc nothrow; /++ + glGetFramebufferAttachmentParameter: man3/glGetFramebufferAttachmentParameter.xml + + $(D_INLINECODE glGetFramebufferAttachmentParameteriv) returns information about attachments of a bound framebuffer object. $(D_INLINECODE target) specifies the framebuffer binding point and must be $(D_INLINECODE GL_DRAW_FRAMEBUFFER), $(D_INLINECODE GL_READ_FRAMEBUFFER) or $(D_INLINECODE GL_FRAMEBUFFER). $(D_INLINECODE GL_FRAMEBUFFER) is equivalent to $(D_INLINECODE GL_DRAW_FRAMEBUFFER). If the default framebuffer is bound to $(D_INLINECODE target) then $(D_INLINECODE attachment) must be one of $(D_INLINECODE GL_FRONT_LEFT), $(D_INLINECODE GL_FRONT_RIGHT), $(D_INLINECODE GL_BACK_LEFT), or $(D_INLINECODE GL_BACK_RIGHT), identifying a color buffer, $(D_INLINECODE GL_DEPTH), identifying the depth buffer, or $(D_INLINECODE GL_STENCIL), identifying the stencil buffer. If a framebuffer object is bound, then $(D_INLINECODE attachment) must be one of $(D_INLINECODE GL_COLOR_ATTACHMENT), $(D_INLINECODE GL_DEPTH_ATTACHMENT), $(D_INLINECODE GL_STENCIL_ATTACHMENT), or $(D_INLINECODE GL_DEPTH_STENCIL_ATTACHMENT). in $(D_INLINECODE GL_COLOR_ATTACHMENT) must be in the range zero to the value of $(D_INLINECODE GL_MAX_COLOR_ATTACHMENTS) - 1. If $(D_INLINECODE attachment) is $(D_INLINECODE GL_DEPTH_STENCIL_ATTACHMENT) and different objects are bound to the depth and stencil attachment points of $(D_INLINECODE target) the query will fail. If the same object is bound to both attachment points, information about that object will be returned. Upon successful return from $(D_INLINECODE glGetFramebufferAttachmentParameteriv), if $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE), then $(D_INLINECODE params) will contain one of $(D_INLINECODE GL_NONE), $(D_INLINECODE GL_FRAMEBUFFER_DEFAULT), $(D_INLINECODE GL_TEXTURE), or $(D_INLINECODE GL_RENDERBUFFER), identifying the type of object which contains the attached image. Other values accepted for $(D_INLINECODE pname) depend on the type of object, as described below. If the value of $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE) is $(D_INLINECODE GL_NONE), no framebuffer is bound to $(D_INLINECODE target). In this case querying $(D_INLINECODE pname) $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME) will return zero, and all other queries will generate an error. If the value of $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE) is not $(D_INLINECODE GL_NONE), these queries apply to all other framebuffer types: $(OL $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_RED_SIZE), $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_GREEN_SIZE), $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_BLUE_SIZE), $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_ALPHA_SIZE), $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_DEPTH_SIZE), or $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_STENCIL_SIZE), then $(D_INLINECODE params) will contain the number of bits in the corresponding red, green, blue, alpha, depth, or stencil component of the specified attachment. Zero is returned if the requested component is not present in $(D_INLINECODE attachment).) $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE), $(D_INLINECODE params) will contain the format of components of the specified attachment, one of $(D_INLINECODE GL_FLOAT), $(D_INLINECODE GL_INT), $(D_INLINECODE GL_UNSIGNED_INT), $(D_INLINECODE GL_SIGNED_NORMALIZED), or $(D_INLINECODE GL_UNSIGNED_NORMALIZED) for floating-point, signed integer, unsigned integer, signed normalized fixed-point, or unsigned normalized fixed-point components respectively. Only color buffers may have integer components.) $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING), $(D_INLINECODE param) will contain the encoding of components of the specified attachment, one of $(D_INLINECODE GL_LINEAR) or $(D_INLINECODE GL_SRGB) for linear or sRGB-encoded components, respectively. Only color buffer components may be sRGB-encoded; such components are treated as described in sections 4.1.7 and 4.1.8. For the default framebuffer, color encoding is determined by the implementation. For framebuffer objects, components are sRGB-encoded if the internal format of a color attachment is one of the color-renderable SRGB formats.)) If the value of $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE) is $(D_INLINECODE GL_RENDERBUFFER), then: $(OL $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME), $(D_INLINECODE params) will contain the name of the renderbuffer object which contains the attached image.)) If the value of $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE) is $(D_INLINECODE GL_TEXTURE), then: $(OL $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME), then $(D_INLINECODE params) will contain the name of the texture object which contains the attached image.) $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL), then $(D_INLINECODE params) will contain the mipmap level of the texture object which contains the attached image.) $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE) and the texture object named $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME) is a cube map texture, then $(D_INLINECODE params) will contain the cube map face of the cubemap texture object which contains the attached image. Otherwise $(D_INLINECODE params) will contain the value zero.) $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER) and the texture object named $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME) is a layer of a three-dimensional texture or a one-or two-dimensional array texture, then $(D_INLINECODE params) will contain the number of the texture layer which contains the attached image. Otherwise $(D_INLINECODE params) will contain the value zero.) $(LI If $(D_INLINECODE pname) is $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_LAYERED), then $(D_INLINECODE params) will contain $(D_INLINECODE GL_TRUE) if an entire level of a three-dimesional texture, cube map texture, or one-or two-dimensional array texture is attached. Otherwise, $(D_INLINECODE params) will contain $(D_INLINECODE GL_FALSE).)) Any combinations of framebuffer type and $(D_INLINECODE pname) not described above will generate an error. + + Params: + + Copyright: + Copyright 2010-2013 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glBindFramebuffer) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glGetFramebufferAttachmentParameteriv glGetFramebufferAttachmentParameteriv; alias fn_glTexImage1D = extern(C) void function(GLenum target, GLint level, GLint internalFormat, GLsizei width, GLint border, GLenum format, GLenum type, const GLvoid* data) @system @nogc nothrow; /++ + glTexImage1D: man3/glTexImage1D.xml + + Texturing maps a portion of a specified texture image onto each graphical primitive for which texturing is enabled. To enable and disable one-dimensional texturing, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_TEXTURE_1D). Texture images are defined with $(D_INLINECODE glTexImage1D). The arguments describe the parameters of the texture image, such as width, width of the border, level-of-detail number (see $(D_INLINECODE glTexParameter) ), and the internal resolution and format used to store the image. The last three arguments describe how the image is represented in memory. If $(D_INLINECODE target) is $(D_INLINECODE GL_PROXY_TEXTURE_1D), no data is read from $(D_INLINECODE data), but all of the texture image state is recalculated, checked for consistency, and checked against the implementation's capabilities. If the implementation cannot handle a texture of the requested texture size, it sets all of the image state to 0, but does not generate an error (see $(D_INLINECODE glGetError) ). To query for an entire mipmap array, use an image array level greater than or equal to 1. If $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_1D), data is read from $(D_INLINECODE data) as a sequence of signed or unsigned bytes, shorts, or longs, or single-precision floating-point values, depending on $(D_INLINECODE type). These values are grouped into sets of one, two, three, or four values, depending on $(D_INLINECODE format), to form elements. Each data byte is treated as eight 1-bit elements, with bit ordering determined by $(D_INLINECODE GL_UNPACK_LSB_FIRST) (see $(D_INLINECODE glPixelStore) ). If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. The first element corresponds to the left end of the texture array. Subsequent elements progress left-to-right through the remaining texels in the texture array. The final element corresponds to the right end of the texture array. $(D_INLINECODE format) determines the composition of each element in $(D_INLINECODE data). It can assume one of these symbolic values: If an application wants to store the texture at a certain resolution or in a certain format, it can request the resolution and format with $(D_INLINECODE internalFormat). The GL will choose an internal representation that closely approximates that requested by $(D_INLINECODE internalFormat), but it may not match exactly. (The representations specified by $(D_INLINECODE GL_RED), $(D_INLINECODE GL_RG), $(D_INLINECODE GL_RGB) and $(D_INLINECODE GL_RGBA) must match exactly.) If the $(D_INLINECODE internalFormat) parameter is one of the generic compressed formats, $(D_INLINECODE GL_COMPRESSED_RED), $(D_INLINECODE GL_COMPRESSED_RG), $(D_INLINECODE GL_COMPRESSED_RGB), or $(D_INLINECODE GL_COMPRESSED_RGBA), the GL will replace the internal format with the symbolic constant for a specific internal format and compress the texture before storage. If no corresponding internal format is available, or the GL can not compress that image for any reason, the internal format is instead replaced with a corresponding base internal format. If the $(D_INLINECODE internalFormat) parameter is $(D_INLINECODE GL_SRGB), $(D_INLINECODE GL_SRGB8), $(D_INLINECODE GL_SRGB_ALPHA) or $(D_INLINECODE GL_SRGB8_ALPHA8), the texture is treated as if the red, green, or blue components are encoded in the sRGB color space. Any alpha component is left unchanged. The conversion from the sRGB encoded component c s to a linear component c l is: c l = { c s 12.92 if c s &le; 0.04045 ( c s + 0.055 1.055 ) 2.4 if c s &gt; 0.04045 Assume c s is the sRGB component in the range [0,1]. Use the $(D_INLINECODE GL_PROXY_TEXTURE_1D) target to try out a resolution and format. The implementation will update and recompute its best match for the requested storage resolution and format. To then query this state, call $(D_INLINECODE glGetTexLevelParameter). If the texture cannot be accommodated, texture state is set to 0. A one-component texture image uses only the red component of the RGBA color from $(D_INLINECODE data). A two-component image uses the R and A values. A three-component image uses the R, G, and B values. A four-component image uses all of the RGBA components. Image-based shadowing can be enabled by comparing texture r coordinates to depth texture values to generate a boolean result. See $(D_INLINECODE glTexParameter) for details on texture comparison. + + $(D_INLINECODE glPixelStore) modes affect texture images. $(D_INLINECODE data) may be a null pointer. In this case texture memory is allocated to accommodate a texture of width $(D_INLINECODE width). You can then download subtextures to initialize the texture memory. The image is undefined if the program tries to apply an uninitialized portion of the texture image to a primitive. $(D_INLINECODE glTexImage1D) specifies the one-dimensional texture for the current texture unit, specified with $(D_INLINECODE glActiveTexture). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glGetCompressedTexImage), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexImage1D glTexImage1D; alias fn_glBlitFramebuffer = extern(C) void function(GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter) @system @nogc nothrow; /++ + glBlitFramebuffer: man3/glBlitFramebuffer.xml + + $(D_INLINECODE glBlitFramebuffer) transfers a rectangle of pixel values from one region of the read framebuffer to another region in the draw framebuffer. $(D_INLINECODE mask) is the bitwise OR of a number of values indicating which buffers are to be copied. The values are $(D_INLINECODE GL_COLOR_BUFFER_BIT), $(D_INLINECODE GL_DEPTH_BUFFER_BIT), and $(D_INLINECODE GL_STENCIL_BUFFER_BIT). The pixels corresponding to these buffers are copied from the source rectangle bounded by the locations ( $(D_INLINECODE srcX0); $(D_INLINECODE srcY0) ) and ( $(D_INLINECODE srcX1); $(D_INLINECODE srcY1) ) to the destination rectangle bounded by the locations ( $(D_INLINECODE dstX0); $(D_INLINECODE dstY0) ) and ( $(D_INLINECODE dstX1); $(D_INLINECODE dstY1) ). The lower bounds of the rectangle are inclusive, while the upper bounds are exclusive. The actual region taken from the read framebuffer is limited to the intersection of the source buffers being transferred, which may include the color buffer selected by the read buffer, the depth buffer, and/or the stencil buffer depending on mask. The actual region written to the draw framebuffer is limited to the intersection of the destination buffers being written, which may include multiple draw buffers, the depth buffer, and/or the stencil buffer depending on mask. Whether or not the source or destination regions are altered due to these limits, the scaling and offset applied to pixels being transferred is performed as though no such limits were present. If the sizes of the source and destination rectangles are not equal, $(D_INLINECODE filter) specifies the interpolation method that will be applied to resize the source image , and must be $(D_INLINECODE GL_NEAREST) or $(D_INLINECODE GL_LINEAR). $(D_INLINECODE GL_LINEAR) is only a valid interpolation method for the color buffer. If $(D_INLINECODE filter) is not $(D_INLINECODE GL_NEAREST) and $(D_INLINECODE mask) includes $(D_INLINECODE GL_DEPTH_BUFFER_BIT) or $(D_INLINECODE GL_STENCIL_BUFFER_BIT), no data is transferred and a $(D_INLINECODE GL_INVALID_OPERATION) error is generated. If $(D_INLINECODE filter) is $(D_INLINECODE GL_LINEAR) and the source rectangle would require sampling outside the bounds of the source framebuffer, values are read as if the $(D_INLINECODE GL_CLAMP_TO_EDGE) texture wrapping mode were applied. When the color buffer is transferred, values are taken from the read buffer of the read framebuffer and written to each of the draw buffers of the draw framebuffer. If the source and destination rectangles overlap or are the same, and the read and draw buffers are the same, the result of the operation is undefined. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glReadPixels) $(D_INLINECODE glCheckFramebufferStatus), $(D_INLINECODE glGenFramebuffers) $(D_INLINECODE glBindFramebuffer) $(D_INLINECODE glDeleteFramebuffers) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glBlitFramebuffer glBlitFramebuffer; alias fn_glStencilMask = extern(C) void function(GLuint mask) @system @nogc nothrow; /++ + glStencilMask: man3/glStencilMask.xml + + $(D_INLINECODE glStencilMask) controls the writing of individual bits in the stencil planes. The least significant n bits of $(D_INLINECODE mask), where n is the number of bits in the stencil buffer, specify a mask. Where a 1 appears in the mask, it's possible to write to the corresponding bit in the stencil buffer. Where a 0 appears, the corresponding bit is write-protected. Initially, all bits are enabled for writing. There can be two separate $(D_INLINECODE mask) writemasks; one affects back-facing polygons, and the other affects front-facing polygons as well as other non-polygon primitives. $(D_INLINECODE glStencilMask) sets both front and back stencil writemasks to the same values. Use $(D_INLINECODE glStencilMaskSeparate) to set front and back stencil writemasks to different values. + + $(D_INLINECODE glStencilMask) is the same as calling $(D_INLINECODE glStencilMaskSeparate) with $(D_INLINECODE face) set to $(D_INLINECODE GL_FRONT_AND_BACK). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glColorMask), $(D_INLINECODE glDepthMask), $(D_INLINECODE glStencilFunc), $(D_INLINECODE glStencilFuncSeparate), $(D_INLINECODE glStencilMaskSeparate), $(D_INLINECODE glStencilOp), $(D_INLINECODE glStencilOpSeparate) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glStencilMask glStencilMask; alias fn_glDeleteShader = extern(C) void function(GLuint shader) @system @nogc nothrow; /++ + glDeleteShader: man3/glDeleteShader.xml + + $(D_INLINECODE glDeleteShader) frees the memory and invalidates the name associated with the shader object specified by $(D_INLINECODE shader). This command effectively undoes the effects of a call to $(D_INLINECODE glCreateShader). If a shader object to be deleted is attached to a program object, it will be flagged for deletion, but it will not be deleted until it is no longer attached to any program object, for any rendering context (i.e., it must be detached from wherever it was attached before it will be deleted). A value of 0 for $(D_INLINECODE shader) will be silently ignored. To determine whether an object has been flagged for deletion, call $(D_INLINECODE glGetShader) with arguments $(D_INLINECODE shader) and $(D_INLINECODE GL_DELETE_STATUS). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateProgram), $(D_INLINECODE glCreateShader), $(D_INLINECODE glDetachShader), $(D_INLINECODE glUseProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glDeleteShader glDeleteShader; alias fn_glBindRenderbuffer = extern(C) void function(GLenum target, GLuint renderbuffer) @system @nogc nothrow; /++ + glBindRenderbuffer: man3/glBindRenderbuffer.xml + + $(D_INLINECODE glBindRenderbuffer) binds the renderbuffer object with name $(D_INLINECODE renderbuffer) to the renderbuffer target specified by $(D_INLINECODE target). $(D_INLINECODE target) must be $(D_INLINECODE GL_RENDERBUFFER). $(D_INLINECODE renderbuffer) is the name of a renderbuffer object previously returned from a call to $(D_INLINECODE glGenRenderbuffers), or zero to break the existing binding of a renderbuffer object to $(D_INLINECODE target). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glDeleteRenderbuffers), $(D_INLINECODE glRenderbufferStorage), $(D_INLINECODE glRenderbufferStorageMultisample), $(D_INLINECODE glIsRenderbuffer) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glBindRenderbuffer glBindRenderbuffer; alias fn_glDeleteBuffers = extern(C) void function(GLsizei n, const GLuint* buffers) @system @nogc nothrow; /++ + glDeleteBuffers: man3/glDeleteBuffers.xml + + $(D_INLINECODE glDeleteBuffers) deletes $(D_INLINECODE n) buffer objects named by the elements of the array $(D_INLINECODE buffers). After a buffer object is deleted, it has no contents, and its name is free for reuse (for example by $(D_INLINECODE glGenBuffers) ). If a buffer object that is currently bound is deleted, the binding reverts to 0 (the absence of any buffer object). $(D_INLINECODE glDeleteBuffers) silently ignores 0's and names that do not correspond to existing buffer objects. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glGenBuffers), $(D_INLINECODE glGet) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glDeleteBuffers glDeleteBuffers; alias fn_glGenRenderbuffers = extern(C) void function(GLsizei n, GLuint* renderbuffers) @system @nogc nothrow; /++ + glGenRenderbuffers: man3/glGenRenderbuffers.xml + + $(D_INLINECODE glGenRenderbuffers) returns $(D_INLINECODE n) renderbuffer object names in $(D_INLINECODE renderbuffers). There is no guarantee that the names form a contiguous set of integers; however, it is guaranteed that none of the returned names was in use immediately before the call to $(D_INLINECODE glGenRenderbuffers). Renderbuffer object names returned by a call to $(D_INLINECODE glGenRenderbuffers) are not returned by subsequent calls, unless they are first deleted with $(D_INLINECODE glDeleteRenderbuffers). The names returned in $(D_INLINECODE renderbuffers) are marked as used, for the purposes of $(D_INLINECODE glGenRenderbuffers) only, but they acquire state and type only when they are first bound. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glFramebufferRenderbuffer), $(D_INLINECODE glDeleteRenderbuffers) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glGenRenderbuffers glGenRenderbuffers; alias fn_glGetSynciv = extern(C) void function(GLsync sync, GLenum pname, GLsizei bufSize, GLsizei* length, GLint* values) @system @nogc nothrow; /++ + glGetSync: man3/glGetSync.xml + + $(D_INLINECODE glGetSynciv) retrieves properties of a sync object. $(D_INLINECODE sync) specifies the name of the sync object whose properties to retrieve. On success, $(D_INLINECODE glGetSynciv) replaces up to $(D_INLINECODE bufSize) integers in $(D_INLINECODE values) with the corresponding property values of the object being queried. The actual number of integers replaced is returned in the variable whose address is specified in $(D_INLINECODE length). If $(D_INLINECODE length) is $(D_INLINECODE null + ), no length is returned. If $(D_INLINECODE pname) is $(D_INLINECODE GL_OBJECT_TYPE), a single value representing the specific type of the sync object is placed in $(D_INLINECODE values). The only type supported is $(D_INLINECODE GL_SYNC_FENCE). If $(D_INLINECODE pname) is $(D_INLINECODE GL_SYNC_STATUS), a single value representing the status of the sync object ( $(D_INLINECODE GL_SIGNALED) or $(D_INLINECODE GL_UNSIGNALED) ) is placed in $(D_INLINECODE values). If $(D_INLINECODE pname) is $(D_INLINECODE GL_SYNC_CONDITION), a single value representing the condition of the sync object is placed in $(D_INLINECODE values). The only condition supported is $(D_INLINECODE GL_SYNC_GPU_COMMANDS_COMPLETE). If $(D_INLINECODE pname) is $(D_INLINECODE GL_SYNC_FLAGS), a single value representing the flags with which the sync object was created is placed in $(D_INLINECODE values). No flags are currently supported $(D_INLINECODE flags) is expected to be used in future extensions to the sync objects.. If an error occurs, nothing will be written to $(D_INLINECODE values) or $(D_INLINECODE length). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glFenceSync), $(D_INLINECODE glWaitSync), $(D_INLINECODE glClientWaitSync) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_sync") fn_glGetSynciv glGetSynciv; alias fn_glGetCompressedTexImage = extern(C) void function(GLenum target, GLint lod, GLvoid* img) @system @nogc nothrow; /++ + glGetCompressedTexImage: man3/glGetCompressedTexImage.xml + + $(D_INLINECODE glGetCompressedTexImage) returns the compressed texture image associated with $(D_INLINECODE target) and $(D_INLINECODE lod) into $(D_INLINECODE img). $(D_INLINECODE img) should be an array of $(D_INLINECODE GL_TEXTURE_COMPRESSED_IMAGE_SIZE) bytes. $(D_INLINECODE target) specifies whether the desired texture image was one specified by $(D_INLINECODE glTexImage1D) ( $(D_INLINECODE GL_TEXTURE_1D) ), $(D_INLINECODE glTexImage2D) ( $(D_INLINECODE GL_TEXTURE_2D) or any of $(D_INLINECODE GL_TEXTURE_CUBE_MAP_*) ), or $(D_INLINECODE glTexImage3D) ( $(D_INLINECODE GL_TEXTURE_3D) ). $(D_INLINECODE lod) specifies the level-of-detail number of the desired image. If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_PACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is requested, $(D_INLINECODE img) is treated as a byte offset into the buffer object's data store. To minimize errors, first verify that the texture is compressed by calling $(D_INLINECODE glGetTexLevelParameter) with argument $(D_INLINECODE GL_TEXTURE_COMPRESSED). If the texture is compressed, then determine the amount of memory required to store the compressed texture by calling $(D_INLINECODE glGetTexLevelParameter) with argument $(D_INLINECODE GL_TEXTURE_COMPRESSED_IMAGE_SIZE). Finally, retrieve the internal format of the texture by calling $(D_INLINECODE glGetTexLevelParameter) with argument $(D_INLINECODE GL_TEXTURE_INTERNAL_FORMAT). To store the texture for later use, associate the internal format and size with the retrieved texture image. These data can be used by the respective texture or subtexture loading routine used for loading $(D_INLINECODE target) textures. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glReadPixels), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexParameter), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glGetCompressedTexImage glGetCompressedTexImage; alias fn_glReadBuffer = extern(C) void function(GLenum mode) @system @nogc nothrow; /++ + glReadBuffer: man3/glReadBuffer.xml + + $(D_INLINECODE glReadBuffer) specifies a color buffer as the source for subsequent $(D_INLINECODE glReadPixels), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), and $(D_INLINECODE glCopyTexSubImage3D) commands. $(D_INLINECODE mode) accepts one of twelve or more predefined values. In a fully configured system, $(D_INLINECODE GL_FRONT), $(D_INLINECODE GL_LEFT), and $(D_INLINECODE GL_FRONT_LEFT) all name the front left buffer, $(D_INLINECODE GL_FRONT_RIGHT) and $(D_INLINECODE GL_RIGHT) name the front right buffer, and $(D_INLINECODE GL_BACK_LEFT) and $(D_INLINECODE GL_BACK) name the back left buffer. Furthermore, the constants $(D_INLINECODE GL_COLOR_ATTACHMENT) may be used to indicate the<sup> th</sup> color attachment where ranges from zero to the value of $(D_INLINECODE GL_MAX_COLOR_ATTACHMENTS) minus one. Nonstereo double-buffered configurations have only a front left and a back left buffer. Single-buffered configurations have a front left and a front right buffer if stereo, and only a front left buffer if nonstereo. It is an error to specify a nonexistent buffer to $(D_INLINECODE glReadBuffer). $(D_INLINECODE mode) is initially $(D_INLINECODE GL_FRONT) in single-buffered configurations and $(D_INLINECODE GL_BACK) in double-buffered configurations. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glDrawBuffer), $(D_INLINECODE glReadPixels) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glReadBuffer glReadBuffer; alias fn_glGetBufferSubData = extern(C) void function(GLenum target, GLintptr offset, GLsizeiptr size, GLvoid* data) @system @nogc nothrow; /++ + glGetBufferSubData: man3/glGetBufferSubData.xml + + $(D_INLINECODE glGetBufferSubData) returns some or all of the data from the buffer object currently bound to $(D_INLINECODE target). Data starting at byte offset $(D_INLINECODE offset) and extending for $(D_INLINECODE size) bytes is copied from the data store to the memory pointed to by $(D_INLINECODE data). An error is thrown if the buffer object is currently mapped, or if $(D_INLINECODE offset) and $(D_INLINECODE size) together define a range beyond the bounds of the buffer object's data store. + + If an error is generated, no change is made to the contents of $(D_INLINECODE data). + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBufferData), $(D_INLINECODE glBufferSubData), $(D_INLINECODE glMapBuffer), $(D_INLINECODE glUnmapBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glGetBufferSubData glGetBufferSubData; alias fn_glDeleteRenderbuffers = extern(C) void function(GLsizei n, GLuint* renderbuffers) @system @nogc nothrow; /++ + glDeleteRenderbuffers: man3/glDeleteRenderbuffers.xml + + $(D_INLINECODE glDeleteRenderbuffers) deletes the $(D_INLINECODE n) renderbuffer objects whose names are stored in the array addressed by $(D_INLINECODE renderbuffers). The name zero is reserved by the GL and is silently ignored, should it occur in $(D_INLINECODE renderbuffers), as are other unused names. Once a renderbuffer object is deleted, its name is again unused and it has no contents. If a renderbuffer that is currently bound to the target $(D_INLINECODE GL_RENDERBUFFER) is deleted, it is as though $(D_INLINECODE glBindRenderbuffer) had been executed with a $(D_INLINECODE target) of $(D_INLINECODE GL_RENDERBUFFER) and a $(D_INLINECODE name) of zero. If a renderbuffer object is attached to one or more attachment points in the currently bound framebuffer, then it as if $(D_INLINECODE glFramebufferRenderbuffer) had been called, with a $(D_INLINECODE renderbuffer) of zero for each attachment point to which this image was attached in the currently bound framebuffer. In other words, this renderbuffer object is first detached from all attachment ponits in the currently bound framebuffer. Note that the renderbuffer image is specifically detached from any non-bound framebuffers. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glFramebufferRenderbuffer), $(D_INLINECODE glRenderbufferStorage), $(D_INLINECODE glRenderbufferStorageMultisample) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glDeleteRenderbuffers glDeleteRenderbuffers; alias fn_glGetBooleanv = extern(C) void function(GLenum pname, GLboolean* params) @system @nogc nothrow; /++ + glGet: man3/glGet.xml + + These four commands return values for simple state variables in GL. $(D_INLINECODE pname) is a symbolic constant indicating the state variable to be returned, and $(D_INLINECODE params) is a pointer to an array of the indicated type in which to place the returned data. Type conversion is performed if $(D_INLINECODE params) has a different type than the state variable value being requested. If $(D_INLINECODE glGetBooleanv) is called, a floating-point (or integer) value is converted to $(D_INLINECODE GL_FALSE) if and only if it is 0.0 (or 0). Otherwise, it is converted to $(D_INLINECODE GL_TRUE). If $(D_INLINECODE glGetIntegerv) is called, boolean values are returned as $(D_INLINECODE GL_TRUE) or $(D_INLINECODE GL_FALSE), and most floating-point values are rounded to the nearest integer value. Floating-point colors and normals, however, are returned with a linear mapping that maps 1.0 to the most positive representable integer value and -1.0 to the most negative representable integer value. If $(D_INLINECODE glGetFloatv) or $(D_INLINECODE glGetDoublev) is called, boolean values are returned as $(D_INLINECODE GL_TRUE) or $(D_INLINECODE GL_FALSE), and integer values are converted to floating-point values. The following symbolic constants are accepted by $(D_INLINECODE pname) : Many of the boolean parameters can also be queried more easily using $(D_INLINECODE glIsEnabled). + + The following parameters return the associated value for the active texture unit: $(D_INLINECODE GL_TEXTURE_1D), $(D_INLINECODE GL_TEXTURE_BINDING_1D), $(D_INLINECODE GL_TEXTURE_2D), $(D_INLINECODE GL_TEXTURE_BINDING_2D), $(D_INLINECODE GL_TEXTURE_3D) and $(D_INLINECODE GL_TEXTURE_BINDING_3D). $(D_INLINECODE GL_MAX_RECTANGLE_TEXTURE_SIZE), $(D_INLINECODE GL_MAX_TEXTURE_BUFFER_SIZE), $(D_INLINECODE GL_UNIFORM_BUFFER_BINDING), $(D_INLINECODE GL_TEXTURE_BINDING_BUFFER), $(D_INLINECODE GL_MAX_VERTEX_UNIFORM_BLOCKS), $(D_INLINECODE GL_MAX_FRAGMENT_UNIFORM_BLOCKS), $(D_INLINECODE GL_MAX_COMBINED_FRAGMENT_UNIFORM_COMPONENTS), $(D_INLINECODE GL_MAX_COMBINED_VERTEX_UNIFORM_COMPONENTS) $(D_INLINECODE GL_MAX_COMBINED_UNIFORM_BLOCKS), $(D_INLINECODE GL_MAX_UNIFORM_BLOCK_SIZE), and $(D_INLINECODE GL_UNIFORM_BUFFER_OFFSET_ALIGNMENT) are available only if the GL version is 3.1 or greater. $(D_INLINECODE GL_MAX_COMBINED_GEOMETRY_UNIFORM_COMPONENTS), $(D_INLINECODE GL_MAX_GEOMETRY_UNIFORM_BLOCKS), $(D_INLINECODE GL_MAX_GEOMETRY_INPUT_COMPONENTS), $(D_INLINECODE GL_MAX_GEOMETRY_OUTPUT_COMPONENTS), $(D_INLINECODE GL_MAX_GEOMETRY_OUTPUT_VERTICES), $(D_INLINECODE GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS) and $(D_INLINECODE GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS) are available only if the GL version is 3.2 or greater. $(D_INLINECODE glGetInteger64v) and $(D_INLINECODE glGetInteger64i_v) are available only if the GL version is 3.2 or greater. $(D_INLINECODE GL_MAX_DUAL_SOURCE_DRAW_BUFFERS), $(D_INLINECODE GL_SAMPLER_BINDING), and $(D_INLINECODE GL_TIMESTAMP) are available only if the GL version is 3.3 or greater. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glGetActiveUniform), $(D_INLINECODE glGetAttachedShaders), $(D_INLINECODE glGetAttribLocation), $(D_INLINECODE glGetBufferParameter), $(D_INLINECODE glGetBufferPointerv), $(D_INLINECODE glGetBufferSubData), $(D_INLINECODE glGetCompressedTexImage), $(D_INLINECODE glGetError), $(D_INLINECODE glGetProgram), $(D_INLINECODE glGetProgramInfoLog), $(D_INLINECODE glGetQueryiv), $(D_INLINECODE glGetQueryObject), $(D_INLINECODE glGetShader), $(D_INLINECODE glGetShaderInfoLog), $(D_INLINECODE glGetShaderSource), $(D_INLINECODE glGetString), $(D_INLINECODE glGetTexImage), $(D_INLINECODE glGetTexLevelParameter), $(D_INLINECODE glGetTexParameter), $(D_INLINECODE glGetUniform), $(D_INLINECODE glGetUniformLocation), $(D_INLINECODE glGetVertexAttrib), $(D_INLINECODE glGetVertexAttribPointerv), $(D_INLINECODE glIsEnabled) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetBooleanv glGetBooleanv; alias fn_glGetDoublev = extern(C) void function(GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetDoublev glGetDoublev; alias fn_glGetFloatv = extern(C) void function(GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetFloatv glGetFloatv; alias fn_glGetIntegerv = extern(C) void function(GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetIntegerv glGetIntegerv; alias fn_glGetInteger64v = extern(C) void function(GLenum pname, GLint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_sync") fn_glGetInteger64v glGetInteger64v; alias fn_glGetBooleani_v = extern(C) void function(GLenum pname, GLuint index, GLboolean* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetBooleani_v glGetBooleani_v; alias fn_glGetIntegeri_v = extern(C) void function(GLenum pname, GLuint index, GLint* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glGetIntegeri_v glGetIntegeri_v; alias fn_glGetInteger64i_v = extern(C) void function(GLenum pname, GLuint index, GLint64* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P2) fn_glGetInteger64i_v glGetInteger64i_v; alias fn_glUseProgram = extern(C) void function(GLuint program) @system @nogc nothrow; /++ + glUseProgram: man3/glUseProgram.xml + + $(D_INLINECODE glUseProgram) installs the program object specified by $(D_INLINECODE program) as part of current rendering state. One or more executables are created in a program object by successfully attaching shader objects to it with $(D_INLINECODE glAttachShader), successfully compiling the shader objects with $(D_INLINECODE glCompileShader), and successfully linking the program object with $(D_INLINECODE glLinkProgram). A program object will contain an executable that will run on the vertex processor if it contains one or more shader objects of type $(D_INLINECODE GL_VERTEX_SHADER) that have been successfully compiled and linked. A program object will contain an executable that will run on the geometry processor if it contains one or more shader objects of type $(D_INLINECODE GL_GEOMETRY_SHADER) that have been successfully compiled and linked. Similarly, a program object will contain an executable that will run on the fragment processor if it contains one or more shader objects of type $(D_INLINECODE GL_FRAGMENT_SHADER) that have been successfully compiled and linked. While a program object is in use, applications are free to modify attached shader objects, compile attached shader objects, attach additional shader objects, and detach or delete shader objects. None of these operations will affect the executables that are part of the current state. However, relinking the program object that is currently in use will install the program object as part of the current rendering state if the link operation was successful (see $(D_INLINECODE glLinkProgram) ). If the program object currently in use is relinked unsuccessfully, its link status will be set to $(D_INLINECODE GL_FALSE), but the executables and associated state will remain part of the current state until a subsequent call to $(D_INLINECODE glUseProgram) removes it from use. After it is removed from use, it cannot be made part of current state until it has been successfully relinked. If $(D_INLINECODE program) is zero, then the current rendering state refers to an program object and the results of shader execution are undefined. However, this is not an error. If $(D_INLINECODE program) does not contain shader objects of type $(D_INLINECODE GL_FRAGMENT_SHADER), an executable will be installed on the vertex, and possibly geometry processors, but the results of fragment shader execution will be undefined. + + Like buffer and texture objects, the name space for program objects may be shared across a set of contexts, as long as the server sides of the contexts share the same address space. If the name space is shared across contexts, any attached objects and the data associated with those attached objects are shared as well. Applications are responsible for providing the synchronization across API calls when objects are accessed from different execution threads. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader), $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glCompileShader), $(D_INLINECODE glCreateProgram), $(D_INLINECODE glDeleteProgram), $(D_INLINECODE glDetachShader), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUniform), $(D_INLINECODE glValidateProgram), $(D_INLINECODE glVertexAttrib) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glUseProgram glUseProgram; alias fn_glTexImage2DMultisample = extern(C) void function(GLenum target, GLsizei samples, GLint internalformat, GLsizei width, GLsizei height, GLboolean fixedsamplelocations) @system @nogc nothrow; /++ + glTexImage2DMultisample: man3/glTexImage2DMultisample.xml + + $(D_INLINECODE glTexImage2DMultisample) establishes the data storage, format, dimensions and number of samples of a multisample texture's image. $(D_INLINECODE target) must be $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE) or $(D_INLINECODE GL_PROXY_TEXTURE_2D_MULTISAMPLE). $(D_INLINECODE width) and $(D_INLINECODE height) are the dimensions in texels of the texture, and must be in the range zero to $(D_INLINECODE GL_MAX_TEXTURE_SIZE) - 1. $(D_INLINECODE samples) specifies the number of samples in the image and must be in the range zero to $(D_INLINECODE GL_MAX_SAMPLES) - 1. $(D_INLINECODE internalformat) must be a color-renderable, depth-renderable, or stencil-renderable format. If $(D_INLINECODE fixedsamplelocations) is $(D_INLINECODE GL_TRUE), the image will use identical sample locations and the same number of samples for all texels in the image, and the sample locations will not depend on the internal format or size of the image. When a multisample texture is accessed in a shader, the access takes one vector of integers describing which texel to fetch and an integer corresponding to the sample numbers describing which sample within the texel to fetch. No standard sampling instructions are allowed on the multisample texture targets. + + $(D_INLINECODE glTexImage2DMultisample) is available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexImage2DMultisample) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_texture_multisample") fn_glTexImage2DMultisample glTexImage2DMultisample; alias fn_glDepthMask = extern(C) void function(GLboolean flag) @system @nogc nothrow; /++ + glDepthMask: man3/glDepthMask.xml + + $(D_INLINECODE glDepthMask) specifies whether the depth buffer is enabled for writing. If $(D_INLINECODE flag) is $(D_INLINECODE GL_FALSE), depth buffer writing is disabled. Otherwise, it is enabled. Initially, depth buffer writing is enabled. + + Even if the depth buffer exists and the depth mask is non-zero, the depth buffer is not updated if the depth test is disabled. In order to unconditionally write to the depth buffer, the depth test should be enabled and set to $(D_INLINECODE GL_ALWAYS) (see $(D_INLINECODE glDepthFunc) ). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2012 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glColorMask), $(D_INLINECODE glDepthFunc), $(D_INLINECODE glDepthRange), $(D_INLINECODE glStencilMask) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glDepthMask glDepthMask; alias fn_glBeginTransformFeedback = extern(C) void function(GLenum primitiveMode) @system @nogc nothrow; /++ + glBeginTransformFeedback: man3/glBeginTransformFeedback.xml + + Transform feedback mode captures the values of varying variables written by the vertex shader (or, if active, the geometry shader). Transform feedback is said to be active after a call to $(D_INLINECODE glBeginTransformFeedback) until a subsequent call to $(D_INLINECODE glEndTransformFeedback). Transform feedback commands must be paired. If no geometry shader is present, while transform feedback is active the $(D_INLINECODE mode) parameter to $(D_INLINECODE glDrawArrays) must match those specified in the following table: $(B Transform Feedback $(D_INLINECODE primitiveMode)) $(B Allowed Render Primitive $(D_INLINECODE modes)) $(D_INLINECODE GL_POINTS) $(D_INLINECODE GL_POINTS) $(D_INLINECODE GL_LINES) $(D_INLINECODE GL_LINES), $(D_INLINECODE GL_LINE_LOOP), $(D_INLINECODE GL_LINE_STRIP), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_LINE_STRIP_ADJACENCY) $(D_INLINECODE GL_TRIANGLES) $(D_INLINECODE GL_TRIANGLES), $(D_INLINECODE GL_TRIANGLE_STRIP), $(D_INLINECODE GL_TRIANGLE_FAN), $(D_INLINECODE GL_TRIANGLES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) If a geometry shader is present, the output primitive type from the geometry shader must match those provided in the following table: $(B Transform Feedback $(D_INLINECODE primitiveMode)) $(B Allowed Geometry Shader Output Primitive Type) $(D_INLINECODE GL_POINTS) $(D_INLINECODE points) $(D_INLINECODE GL_LINES) $(D_INLINECODE line_strip) $(D_INLINECODE GL_TRIANGLES) $(D_INLINECODE triangle_strip) + + Geometry shaders, and the $(D_INLINECODE GL_TRIANGLES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY) and $(D_INLINECODE GL_LINE_STRIP_ADJACENCY) primtive modes are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + +/ @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glBeginTransformFeedback glBeginTransformFeedback; alias fn_glEndTransformFeedback = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glEndTransformFeedback glEndTransformFeedback; alias fn_glFinish = extern(C) void function() @system @nogc nothrow; /++ + glFinish: man3/glFinish.xml + + $(D_INLINECODE glFinish) does not return until the effects of all previously called GL commands are complete. Such effects include all changes to GL state, all changes to connection state, and all changes to the frame buffer contents. + + $(D_INLINECODE glFinish) requires a round trip to the server. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glFlush) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFinish glFinish; alias fn_glGetShaderInfoLog = extern(C) void function(GLuint shader, GLsizei maxLength, GLsizei* length, GLchar* infoLog) @system @nogc nothrow; /++ + glGetShaderInfoLog: man3/glGetShaderInfoLog.xml + + $(D_INLINECODE glGetShaderInfoLog) returns the information log for the specified shader object. The information log for a shader object is modified when the shader is compiled. The string that is returned will be null terminated. $(D_INLINECODE glGetShaderInfoLog) returns in $(D_INLINECODE infoLog) as much of the information log as it can, up to a maximum of $(D_INLINECODE maxLength) characters. The number of characters actually returned, excluding the null termination character, is specified by $(D_INLINECODE length). If the length of the returned string is not required, a value of $(D_INLINECODE null + ) can be passed in the $(D_INLINECODE length) argument. The size of the buffer required to store the returned information log can be obtained by calling $(D_INLINECODE glGetShader) with the value $(D_INLINECODE GL_INFO_LOG_LENGTH). The information log for a shader object is a string that may contain diagnostic messages, warning messages, and other information about the last compile operation. When a shader object is created, its information log will be a string of length 0. + + The information log for a shader object is the OpenGL implementer's primary mechanism for conveying information about the compilation process. Therefore, the information log can be helpful to application developers during the development process, even when compilation is successful. Application developers should not expect different OpenGL implementations to produce identical information logs. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCompileShader), $(D_INLINECODE glGetProgramInfoLog), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glValidateProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetShaderInfoLog glGetShaderInfoLog; alias fn_glGetAttribLocation = extern(C) GLint function(GLuint program, const GLchar* name) @system @nogc nothrow; /++ + glGetAttribLocation: man3/glGetAttribLocation.xml + + $(D_INLINECODE glGetAttribLocation) queries the previously linked program object specified by $(D_INLINECODE program) for the attribute variable specified by $(D_INLINECODE name) and returns the index of the generic vertex attribute that is bound to that attribute variable. If $(D_INLINECODE name) is a matrix attribute variable, the index of the first column of the matrix is returned. If the named attribute variable is not an active attribute in the specified program object or if $(D_INLINECODE name) starts with the reserved prefix &quot;gl_&quot;, a value of -1 is returned. The association between an attribute variable name and a generic attribute index can be specified at any time by calling $(D_INLINECODE glBindAttribLocation). Attribute bindings do not go into effect until $(D_INLINECODE glLinkProgram) is called. After a program object has been linked successfully, the index values for attribute variables remain fixed until the next link command occurs. The attribute values can only be queried after a link if the link was successful. $(D_INLINECODE glGetAttribLocation) returns the binding that actually went into effect the last time $(D_INLINECODE glLinkProgram) was called for the specified program object. Attribute bindings that have been specified since the last link operation are not returned by $(D_INLINECODE glGetAttribLocation). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glVertexAttrib), $(D_INLINECODE glVertexAttribPointer) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetAttribLocation glGetAttribLocation; alias fn_glDrawElementsInstanced = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei primcount) @system @nogc nothrow; /++ + glDrawElementsInstanced: man3/glDrawElementsInstanced.xml + + $(D_INLINECODE glDrawElementsInstanced) behaves identically to $(D_INLINECODE glDrawElements) except that $(D_INLINECODE primcount) instances of the set of elements are executed and the value of the internal counter $(D_INLINECODE instanceID) advances for each iteration. $(D_INLINECODE instanceID) is an internal 32-bit integer counter that may be read by a vertex shader as $(D_INLINECODE gl_InstanceID). $(D_INLINECODE glDrawElementsInstanced) has the same effect as: + + --- + if (mode, count, or type is invalid ) + generate appropriate error + else { + for (int i = 0; i < primcount ; i++) { + instanceID = i; + glDrawElements(mode, count, type, indices); + } + instanceID = 0; + } + --- + + + $(D_INLINECODE glDrawElementsInstanced) is available only if the GL version is 3.1 or greater. $(D_INLINECODE GL_LINE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) and $(D_INLINECODE GL_TRIANGLES_ADJACENCY) are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawArraysInstanced) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) fn_glDrawElementsInstanced glDrawElementsInstanced; alias fn_glLineWidth = extern(C) void function(GLfloat width) @system @nogc nothrow; /++ + glLineWidth: man3/glLineWidth.xml + + $(D_INLINECODE glLineWidth) specifies the rasterized width of both aliased and antialiased lines. Using a line width other than 1 has different effects, depending on whether line antialiasing is enabled. To enable and disable line antialiasing, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_LINE_SMOOTH). Line antialiasing is initially disabled. If line antialiasing is disabled, the actual width is determined by rounding the supplied width to the nearest integer. (If the rounding results in the value 0, it is as if the line width were 1.) If &Delta; x &gt;= &Delta; y, pixels are filled in each column that is rasterized, where is the rounded value of $(D_INLINECODE width). Otherwise, pixels are filled in each row that is rasterized. If antialiasing is enabled, line rasterization produces a fragment for each pixel square that intersects the region lying within the rectangle having width equal to the current line width, length equal to the actual length of the line, and centered on the mathematical line segment. The coverage value for each fragment is the window coordinate area of the intersection of the rectangular region with the corresponding pixel square. This value is saved and used in the final rasterization step. Not all widths can be supported when line antialiasing is enabled. If an unsupported width is requested, the nearest supported width is used. Only width 1 is guaranteed to be supported; others depend on the implementation. Likewise, there is a range for aliased line widths as well. To query the range of supported widths and the size difference between supported widths within the range, call $(D_INLINECODE glGet) with arguments $(D_INLINECODE GL_ALIASED_LINE_WIDTH_RANGE), $(D_INLINECODE GL_SMOOTH_LINE_WIDTH_RANGE), and $(D_INLINECODE GL_SMOOTH_LINE_WIDTH_GRANULARITY). + + The line width specified by $(D_INLINECODE glLineWidth) is always returned when $(D_INLINECODE GL_LINE_WIDTH) is queried. Clamping and rounding for aliased and antialiased lines have no effect on the specified value. Nonantialiased line width may be clamped to an implementation-dependent maximum. Call $(D_INLINECODE glGet) with $(D_INLINECODE GL_ALIASED_LINE_WIDTH_RANGE) to determine the maximum width. In OpenGL 1.2, the tokens $(D_INLINECODE GL_LINE_WIDTH_RANGE) and $(D_INLINECODE GL_LINE_WIDTH_GRANULARITY) were replaced by $(D_INLINECODE GL_ALIASED_LINE_WIDTH_RANGE), $(D_INLINECODE GL_SMOOTH_LINE_WIDTH_RANGE), and $(D_INLINECODE GL_SMOOTH_LINE_WIDTH_GRANULARITY). The old names are retained for backward compatibility, but should not be used in new code. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glEnable) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLineWidth glLineWidth; alias fn_glBindFramebuffer = extern(C) void function(GLenum target, GLuint framebuffer) @system @nogc nothrow; /++ + glBindFramebuffer: man3/glBindFramebuffer.xml + + $(D_INLINECODE glBindFramebuffer) binds the framebuffer object with name $(D_INLINECODE framebuffer) to the framebuffer target specified by $(D_INLINECODE target). $(D_INLINECODE target) must be either $(D_INLINECODE GL_DRAW_FRAMEBUFFER), $(D_INLINECODE GL_READ_FRAMEBUFFER) or $(D_INLINECODE GL_FRAMEBUFFER). If a framebuffer object is bound to $(D_INLINECODE GL_DRAW_FRAMEBUFFER) or $(D_INLINECODE GL_READ_FRAMEBUFFER), it becomes the target for rendering or readback operations, respectively, until it is deleted or another framebuffer is bound to the corresponding bind point. Calling $(D_INLINECODE glBindFramebuffer) with $(D_INLINECODE target) set to $(D_INLINECODE GL_FRAMEBUFFER) binds $(D_INLINECODE framebuffer) to both the read and draw framebuffer targets. $(D_INLINECODE framebuffer) is the name of a framebuffer object previously returned from a call to $(D_INLINECODE glGenFramebuffers), or zero to break the existing binding of a framebuffer object to $(D_INLINECODE target). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glDeleteFramebuffers), $(D_INLINECODE glFramebufferRenderbuffer), $(D_INLINECODE glFramebufferTexture), $(D_INLINECODE glFramebufferTexture1D), $(D_INLINECODE glFramebufferTexture2D), $(D_INLINECODE glFramebufferTexture3D), $(D_INLINECODE glFramebufferTextureFace), $(D_INLINECODE glFramebufferTextureLayer), $(D_INLINECODE glIsFramebuffer) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glBindFramebuffer glBindFramebuffer; alias fn_glBindBuffer = extern(C) void function(GLenum target, GLuint buffer) @system @nogc nothrow; /++ + glBindBuffer: man3/glBindBuffer.xml + + $(D_INLINECODE glBindBuffer) binds a buffer object to the specified buffer binding point. Calling $(D_INLINECODE glBindBuffer) with $(D_INLINECODE target) set to one of the accepted symbolic constants and $(D_INLINECODE buffer) set to the name of a buffer object binds that buffer object name to the target. If no buffer object with name $(D_INLINECODE buffer) exists, one is created with that name. When a buffer object is bound to a target, the previous binding for that target is automatically broken. Buffer object names are unsigned integers. The value zero is reserved, but there is no default buffer object for each buffer object target. Instead, $(D_INLINECODE buffer) set to zero effectively unbinds any buffer object previously bound, and restores client memory usage for that buffer object target (if supported for that target). Buffer object names and the corresponding buffer object contents are local to the shared object space of the current GL rendering context; two rendering contexts share buffer object names only if they explicitly enable sharing between contexts through the appropriate GL windows interfaces functions. $(D_INLINECODE glGenBuffers) must be used to generate a set of unused buffer object names. The state of a buffer object immediately after it is first bound is an unmapped zero-sized memory buffer with $(D_INLINECODE GL_READ_WRITE) access and $(D_INLINECODE GL_STATIC_DRAW) usage. While a non-zero buffer object name is bound, GL operations on the target to which it is bound affect the bound buffer object, and queries of the target to which it is bound return state from the bound buffer object. While buffer object name zero is bound, as in the initial state, attempts to modify or query state on the target to which it is bound generates an $(D_INLINECODE GL_INVALID_OPERATION) error. When a non-zero buffer object is bound to the $(D_INLINECODE GL_ARRAY_BUFFER) target, the vertex array pointer parameter is interpreted as an offset within the buffer object measured in basic machine units. While a non-zero buffer object is bound to the $(D_INLINECODE GL_ELEMENT_ARRAY_BUFFER) target, the indices parameter of $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawElementsInstanced), $(D_INLINECODE glDrawElementsBaseVertex), $(D_INLINECODE glDrawRangeElements), $(D_INLINECODE glDrawRangeElementsBaseVertex), $(D_INLINECODE glMultiDrawElements), or $(D_INLINECODE glMultiDrawElementsBaseVertex) is interpreted as an offset within the buffer object measured in basic machine units. While a non-zero buffer object is bound to the $(D_INLINECODE GL_PIXEL_PACK_BUFFER) target, the following commands are affected: $(D_INLINECODE glGetCompressedTexImage), $(D_INLINECODE glGetTexImage), and $(D_INLINECODE glReadPixels). The pointer parameter is interpreted as an offset within the buffer object measured in basic machine units. While a non-zero buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target, the following commands are affected: $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), and $(D_INLINECODE glTexSubImage3D). The pointer parameter is interpreted as an offset within the buffer object measured in basic machine units. The buffer targets $(D_INLINECODE GL_COPY_READ_BUFFER) and $(D_INLINECODE GL_COPY_WRITE_BUFFER) are provided to allow $(D_INLINECODE glCopyBufferSubData) to be used without disturbing the state of other bindings. However, $(D_INLINECODE glCopyBufferSubData) may be used with any pair of buffer binding points. The $(D_INLINECODE GL_TRANSFORM_FEEDBACK_BUFFER) buffer binding point may be passed to $(D_INLINECODE glBindBuffer), but will not directly affect transform feedback state. Instead, the indexed $(D_INLINECODE GL_TRANSFORM_FEEDBACK_BUFFER) bindings must be used through a call to $(D_INLINECODE glBindBufferBase) or $(D_INLINECODE glBindBufferRange). This will affect the generic $(D_INLINECODE GL_TRANSFORM_FEEDBACK_BUFFER) binding. Likewise, the $(D_INLINECODE GL_UNIFORM_BUFFER) buffer binding point may be used, but does not directly affect uniform buffer state. $(D_INLINECODE glBindBufferBase) or $(D_INLINECODE glBindBufferRange) must be used to bind a buffer to an indexed uniform buffer binding point. A buffer object binding created with $(D_INLINECODE glBindBuffer) remains active until a different buffer object name is bound to the same target, or until the bound buffer object is deleted with $(D_INLINECODE glDeleteBuffers). Once created, a named buffer object may be re-bound to any target as often as needed. However, the GL implementation may make choices about how to optimize the storage of a buffer object based on its initial binding target. + + The $(D_INLINECODE GL_COPY_READ_BUFFER), $(D_INLINECODE GL_UNIFORM_BUFFER) and $(D_INLINECODE GL_TEXTURE_BUFFER) targets are available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenBuffers), $(D_INLINECODE glBindBufferBase), $(D_INLINECODE glBindBufferRange), $(D_INLINECODE glMapBuffer), $(D_INLINECODE glUnmapBuffer), $(D_INLINECODE glDeleteBuffers), $(D_INLINECODE glGet), $(D_INLINECODE glIsBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glBindBuffer glBindBuffer; alias fn_glGetTexParameterfv = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /++ + glGetTexParameter: man3/glGetTexParameter.xml + + $(D_INLINECODE glGetTexParameter) returns in $(D_INLINECODE params) the value or values of the texture parameter specified as $(D_INLINECODE pname). $(D_INLINECODE target) defines the target texture. $(D_INLINECODE GL_TEXTURE_1D), $(D_INLINECODE GL_TEXTURE_2D), $(D_INLINECODE GL_TEXTURE_3D), $(D_INLINECODE GL_TEXTURE_1D_ARRAY), $(D_INLINECODE GL_TEXTURE_2D_ARRAY), $(D_INLINECODE GL_TEXTURE_RECTANGLE), and $(D_INLINECODE GL_TEXTURE_CUBE_MAP) specify one-, two-, or three-dimensional, one-dimensional array, two-dimensional array, rectangle or cube-mapped texturing, respectively. $(D_INLINECODE pname) accepts the same symbols as $(D_INLINECODE glTexParameter), with the same interpretations: + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2010 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexParameterfv glGetTexParameterfv; alias fn_glGetTexParameteriv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexParameteriv glGetTexParameteriv; alias fn_glGetTexParameterIiv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetTexParameterIiv glGetTexParameterIiv; alias fn_glGetTexParameterIuiv = extern(C) void function(GLenum target, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetTexParameterIuiv glGetTexParameterIuiv; alias fn_glProvokingVertex = extern(C) void function(GLenum provokeMode) @system @nogc nothrow; /++ + glProvokingVertex: man3/glProvokingVertex.xml + + a vertex shader varying output means to assign all vetices of the primitive the same value for that output. The vertex from which these values is derived is known as the and $(D_INLINECODE glProvokingVertex) specifies which vertex is to be used as the source of data for flat shaded varyings. $(D_INLINECODE provokeMode) must be either $(D_INLINECODE GL_FIRST_VERTEX_CONVENTION) or $(D_INLINECODE GL_LAST_VERTEX_CONVENTION), and controls the selection of the vertex whose values are assigned to flatshaded varying outputs. The interpretation of these values for the supported primitive types is: $(B Primitive Type of Polygon) $(B First Vertex Convention) $(B Last Vertex Convention) point independent line 2 - 1 2 line loop + 1, if &lt; 1, if = line strip + 1 independent triangle 3 - 2 3 triangle strip + 2 triangle fan + 1 + 2 line adjacency 4 - 2 4 - 1 line strip adjacency + 1 + 2 triangle adjacency 6 - 5 6 - 1 triangle strip adjacency 2 - 1 2 + 3 If a vertex or geometry shader is active, user-defined varying outputs may be flatshaded by using the $(D_INLINECODE flat) qualifier when declaring the output. + + $(D_INLINECODE glProvokingVertex) is available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_provoking_vertex") fn_glProvokingVertex glProvokingVertex; alias fn_glGetString = extern(C) const(GLubyte)* function(GLenum name) @system @nogc nothrow; /++ + glGetString: man3/glGetString.xml + + $(D_INLINECODE glGetString) returns a pointer to a static string describing some aspect of the current GL connection. $(D_INLINECODE name) can be one of the following: $(D_INLINECODE glGetStringi) returns a pointer to a static string indexed by $(D_INLINECODE index). $(D_INLINECODE name) can be one of the following: Strings $(D_INLINECODE GL_VENDOR) and $(D_INLINECODE GL_RENDERER) together uniquely specify a platform. They do not change from release to release and should be used by platform-recognition algorithms. The $(D_INLINECODE GL_VERSION) and $(D_INLINECODE GL_SHADING_LANGUAGE_VERSION) strings begin with a version number. The version number uses one of these forms: Vendor-specific information may follow the version number. Its format depends on the implementation, but a space always separates the version number and the vendor-specific information. All strings are null-terminated. + + If an error is generated, $(D_INLINECODE glGetString) returns 0. The client and server may support different versions. $(D_INLINECODE glGetString) always returns a compatible version number. The release number always describes the server. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2010 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetString glGetString; alias fn_glGetStringi = extern(C) const(GLubyte)* function(GLenum name, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetStringi glGetStringi; alias fn_glCopyTexSubImage2D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /++ + glCopyTexSubImage2D: man3/glCopyTexSubImage2D.xml + + $(D_INLINECODE glCopyTexSubImage2D) replaces a rectangular portion of a two-dimensional texture image or cube-map texture image with pixels from the current $(D_INLINECODE GL_READ_BUFFER) (rather than from main memory, as is the case for $(D_INLINECODE glTexSubImage2D) ). The screen-aligned pixel rectangle with lower left corner at x y and with width $(D_INLINECODE width) and height $(D_INLINECODE height) replaces the portion of the texture array with x indices $(D_INLINECODE xoffset) through xoffset + width - 1, inclusive, and y indices $(D_INLINECODE yoffset) through yoffset + height - 1, inclusive, at the mipmap level specified by $(D_INLINECODE level). The pixels in the rectangle are processed exactly as if $(D_INLINECODE glReadPixels) had been called, but the process stops just before final conversion. At this point, all pixel component values are clamped to the range 0 1 and then converted to the texture's internal format for storage in the texel array. The destination rectangle in the texture array may not include any texels outside the texture array as it was originally specified. It is not an error to specify a subtexture with zero width or height, but such a specification has no effect. If any of the pixels within the specified rectangle of the current $(D_INLINECODE GL_READ_BUFFER) are outside the read window associated with the current rendering context, then the values obtained for those pixels are undefined. No change is made to the, or parameters of the specified texture array or to texel values outside the specified subregion. + + $(D_INLINECODE glPixelStore) modes affect texture images. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glReadBuffer), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexParameter), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D) +/ @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glCopyTexSubImage2D glCopyTexSubImage2D; alias fn_glGetUniformIndices = extern(C) GLuint function(GLuint program, GLsizei uniformCount, const GLchar** uniformNames, GLuint* uniformIndices) @system @nogc nothrow; /++ + glGetUniformIndices: man3/glGetUniformIndices.xml + + $(D_INLINECODE glGetUniformIndices) retrieves the indices of a number of uniforms within $(D_INLINECODE program). $(D_INLINECODE program) must be the name of a program object for which the command $(D_INLINECODE glLinkProgram) must have been called in the past, although it is not required that $(D_INLINECODE glLinkProgram) must have succeeded. The link could have failed because the number of active uniforms exceeded the limit. $(D_INLINECODE uniformCount) indicates both the number of elements in the array of names $(D_INLINECODE uniformNames) and the number of indices that may be written to $(D_INLINECODE uniformIndices). $(D_INLINECODE uniformNames) contains a list of $(D_INLINECODE uniformCount) name strings identifying the uniform names to be queried for indices. For each name string in $(D_INLINECODE uniformNames), the index assigned to the active uniform of that name will be written to the corresponding element of $(D_INLINECODE uniformIndices). If a string in $(D_INLINECODE uniformNames) is not the name of an active uniform, the special value $(D_INLINECODE GL_INVALID_INDEX) will be written to the corresponding element of $(D_INLINECODE uniformIndices). If an error occurs, nothing is written to $(D_INLINECODE uniformIndices). + + $(D_INLINECODE glGetUniformIndices) is available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetActiveUniform), $(D_INLINECODE glGetActiveUniformName), $(D_INLINECODE glLinkProgram) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glGetUniformIndices glGetUniformIndices; alias fn_glVertexAttribPointer = extern(C) void function(GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, const GLvoid* pointer) @system @nogc nothrow; /++ + glVertexAttribPointer: man3/glVertexAttribPointer.xml + + $(D_INLINECODE glVertexAttribPointer) and $(D_INLINECODE glVertexAttribIPointer) specify the location and data format of the array of generic vertex attributes at index $(D_INLINECODE index) to use when rendering. $(D_INLINECODE size) specifies the number of components per attribute and must be 1, 2, 3, 4, or $(D_INLINECODE GL_BGRA). $(D_INLINECODE type) specifies the data type of each component, and $(D_INLINECODE stride) specifies the byte stride from one attribute to the next, allowing vertices and attributes to be packed into a single array or stored in separate arrays. For $(D_INLINECODE glVertexAttribPointer), if $(D_INLINECODE normalized) is set to $(D_INLINECODE GL_TRUE), it indicates that values stored in an integer format are to be mapped to the range [-1,1] (for signed values) or [0,1] (for unsigned values) when they are accessed and converted to floating point. Otherwise, values will be converted to floats directly without normalization. For $(D_INLINECODE glVertexAttribIPointer), only the integer types $(D_INLINECODE GL_BYTE), $(D_INLINECODE GL_UNSIGNED_BYTE), $(D_INLINECODE GL_SHORT), $(D_INLINECODE GL_UNSIGNED_SHORT), $(D_INLINECODE GL_INT), $(D_INLINECODE GL_UNSIGNED_INT) are accepted. Values are always left as integer values. If $(D_INLINECODE pointer) is not $(D_INLINECODE null + ), a non-zero named buffer object must be bound to the $(D_INLINECODE GL_ARRAY_BUFFER) target (see $(D_INLINECODE glBindBuffer) ), otherwise an error is generated. $(D_INLINECODE pointer) is treated as a byte offset into the buffer object's data store. The buffer object binding ( $(D_INLINECODE GL_ARRAY_BUFFER_BINDING) ) is saved as generic vertex attribute array state ( $(D_INLINECODE GL_VERTEX_ATTRIB_ARRAY_BUFFER_BINDING) ) for index $(D_INLINECODE index). When a generic vertex attribute array is specified, $(D_INLINECODE size), $(D_INLINECODE type), $(D_INLINECODE normalized), $(D_INLINECODE stride), and $(D_INLINECODE pointer) are saved as vertex array state, in addition to the current vertex array buffer object binding. To enable and disable a generic vertex attribute array, call $(D_INLINECODE glEnableVertexAttribArray) and $(D_INLINECODE glDisableVertexAttribArray) with $(D_INLINECODE index). If enabled, the generic vertex attribute array is used when $(D_INLINECODE glDrawArrays), $(D_INLINECODE glMultiDrawArrays), $(D_INLINECODE glDrawElements), $(D_INLINECODE glMultiDrawElements), or $(D_INLINECODE glDrawRangeElements) is called. + + Each generic vertex attribute array is initially disabled and isn't accessed when $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawRangeElements), $(D_INLINECODE glDrawArrays), $(D_INLINECODE glMultiDrawArrays), or $(D_INLINECODE glMultiDrawElements) is called. $(D_INLINECODE glVertexAttribIPointer) is available only if the GL version is 3.0 or higher. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glBindBuffer), $(D_INLINECODE glDisableVertexAttribArray), $(D_INLINECODE glDrawArrays), $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawRangeElements), $(D_INLINECODE glEnableVertexAttribArray), $(D_INLINECODE glMultiDrawArrays), $(D_INLINECODE glMultiDrawElements), $(D_INLINECODE glVertexAttrib) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glVertexAttribPointer glVertexAttribPointer; alias fn_glVertexAttribIPointer = extern(C) void function(GLuint index, GLint size, GLenum type, GLsizei stride, const GLvoid* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glVertexAttribIPointer glVertexAttribIPointer; alias fn_glGetShaderSource = extern(C) void function(GLuint shader, GLsizei bufSize, GLsizei* length, GLchar* source) @system @nogc nothrow; /++ + glGetShaderSource: man3/glGetShaderSource.xml + + $(D_INLINECODE glGetShaderSource) returns the concatenation of the source code strings from the shader object specified by $(D_INLINECODE shader). The source code strings for a shader object are the result of a previous call to $(D_INLINECODE glShaderSource). The string returned by the function will be null terminated. $(D_INLINECODE glGetShaderSource) returns in $(D_INLINECODE source) as much of the source code string as it can, up to a maximum of $(D_INLINECODE bufSize) characters. The number of characters actually returned, excluding the null termination character, is specified by $(D_INLINECODE length). If the length of the returned string is not required, a value of $(D_INLINECODE null + ) can be passed in the $(D_INLINECODE length) argument. The size of the buffer required to store the returned source code string can be obtained by calling $(D_INLINECODE glGetShader) with the value $(D_INLINECODE GL_SHADER_SOURCE_LENGTH). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateShader), $(D_INLINECODE glShaderSource) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetShaderSource glGetShaderSource; alias fn_glGetTexImage = extern(C) void function(GLenum target, GLint level, GLenum format, GLenum type, GLvoid* img) @system @nogc nothrow; /++ + glGetTexImage: man3/glGetTexImage.xml + + $(D_INLINECODE glGetTexImage) returns a texture image into $(D_INLINECODE img). $(D_INLINECODE target) specifies whether the desired texture image is one specified by $(D_INLINECODE glTexImage1D) ( $(D_INLINECODE GL_TEXTURE_1D) ), $(D_INLINECODE glTexImage2D) ( $(D_INLINECODE GL_TEXTURE_1D_ARRAY), $(D_INLINECODE GL_TEXTURE_RECTANGLE), $(D_INLINECODE GL_TEXTURE_2D) or any of $(D_INLINECODE GL_TEXTURE_CUBE_MAP_*) ), or $(D_INLINECODE glTexImage3D) ( $(D_INLINECODE GL_TEXTURE_2D_ARRAY), $(D_INLINECODE GL_TEXTURE_3D) ). $(D_INLINECODE level) specifies the level-of-detail number of the desired image. $(D_INLINECODE format) and $(D_INLINECODE type) specify the format and type of the desired image array. See the reference page for $(D_INLINECODE glTexImage1D) for a description of the acceptable values for the $(D_INLINECODE format) and $(D_INLINECODE type) parameters, respectively. If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_PACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is requested, $(D_INLINECODE img) is treated as a byte offset into the buffer object's data store. To understand the operation of $(D_INLINECODE glGetTexImage), consider the selected internal four-component texture image to be an RGBA color buffer the size of the image. The semantics of $(D_INLINECODE glGetTexImage) are then identical to those of $(D_INLINECODE glReadPixels), with the exception that no pixel transfer operations are performed, when called with the same $(D_INLINECODE format) and $(D_INLINECODE type), with and set to 0, set to the width of the texture image and set to 1 for 1D images, or to the height of the texture image for 2D images. If the selected texture image does not contain four components, the following mappings are applied. Single-component textures are treated as RGBA buffers with red set to the single-component value, green set to 0, blue set to 0, and alpha set to 1. Two-component textures are treated as RGBA buffers with red set to the value of component zero, alpha set to the value of component one, and green and blue set to 0. Finally, three-component textures are treated as RGBA buffers with red set to component zero, green set to component one, blue set to component two, and alpha set to 1. To determine the required size of $(D_INLINECODE img), use $(D_INLINECODE glGetTexLevelParameter) to determine the dimensions of the internal texture image, then scale the required number of pixels by the storage required for each pixel, based on $(D_INLINECODE format) and $(D_INLINECODE type). Be sure to take the pixel storage parameters into account, especially $(D_INLINECODE GL_PACK_ALIGNMENT). + + If an error is generated, no change is made to the contents of $(D_INLINECODE img). $(D_INLINECODE glGetTexImage) returns the texture image for the active texture unit. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2010 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glReadPixels), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexImage glGetTexImage; alias fn_glIsBuffer = extern(C) GLboolean function(GLuint buffer) @system @nogc nothrow; /++ + glIsBuffer: man3/glIsBuffer.xml + + $(D_INLINECODE glIsBuffer) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE buffer) is currently the name of a buffer object. If $(D_INLINECODE buffer) is zero, or is a non-zero value that is not currently the name of a buffer object, or if an error occurs, $(D_INLINECODE glIsBuffer) returns $(D_INLINECODE GL_FALSE). A name returned by $(D_INLINECODE glGenBuffers), but not yet associated with a buffer object by calling $(D_INLINECODE glBindBuffer), is not the name of a buffer object. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glDeleteBuffers), $(D_INLINECODE glGenBuffers), $(D_INLINECODE glGet) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glIsBuffer glIsBuffer; alias fn_glAttachShader = extern(C) void function(GLuint program, GLuint shader) @system @nogc nothrow; /++ + glAttachShader: man3/glAttachShader.xml + + In order to create a complete shader program, there must be a way to specify the list of things that will be linked together. Program objects provide this mechanism. Shaders that are to be linked together in a program object must first be attached to that program object. $(D_INLINECODE glAttachShader) attaches the shader object specified by $(D_INLINECODE shader) to the program object specified by $(D_INLINECODE program). This indicates that $(D_INLINECODE shader) will be included in link operations that will be performed on $(D_INLINECODE program). All operations that can be performed on a shader object are valid whether or not the shader object is attached to a program object. It is permissible to attach a shader object to a program object before source code has been loaded into the shader object or before the shader object has been compiled. It is permissible to attach multiple shader objects of the same type because each may contain a portion of the complete shader. It is also permissible to attach a shader object to more than one program object. If a shader object is deleted while it is attached to a program object, it will be flagged for deletion, and deletion will not occur until $(D_INLINECODE glDetachShader) is called to detach it from all program objects to which it is attached. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCompileShader), $(D_INLINECODE glCreateShader), $(D_INLINECODE glDeleteShader), $(D_INLINECODE glDetachShader), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glShaderSource) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glAttachShader glAttachShader; alias fn_glFlush = extern(C) void function() @system @nogc nothrow; /++ + glFlush: man3/glFlush.xml + + Different GL implementations buffer commands in several different locations, including network buffers and the graphics accelerator itself. $(D_INLINECODE glFlush) empties all of these buffers, causing all issued commands to be executed as quickly as they are accepted by the actual rendering engine. Though this execution may not be completed in any particular time period, it does complete in finite time. Because any GL program might be executed over a network, or on an accelerator that buffers commands, all programs should call $(D_INLINECODE glFlush) whenever they count on having all of their previously issued commands completed. For example, call $(D_INLINECODE glFlush) before waiting for user input that depends on the generated image. + + $(D_INLINECODE glFlush) can return at any time. It does not wait until the execution of all previously issued GL commands is complete. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glFinish) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFlush glFlush; alias fn_glClampColor = extern(C) void function(GLenum target, GLenum clamp) @system @nogc nothrow; /++ + glClampColor: man3/glClampColor.xml + + $(D_INLINECODE glClampColor) controls color clamping that is performed during $(D_INLINECODE glReadPixels). $(D_INLINECODE target) must be $(D_INLINECODE GL_CLAMP_READ_COLOR). If $(D_INLINECODE clamp) is $(D_INLINECODE GL_TRUE), read color clamping is enabled; if $(D_INLINECODE clamp) is $(D_INLINECODE GL_FALSE), read color clamping is disabled. If $(D_INLINECODE clamp) is $(D_INLINECODE GL_FIXED_ONLY), read color clamping is enabled only if the selected read buffer has fixed point components and disabled otherwise. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + +/ @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glClampColor glClampColor; alias fn_glFrontFace = extern(C) void function(GLenum mode) @system @nogc nothrow; /++ + glFrontFace: man3/glFrontFace.xml + + In a scene composed entirely of opaque closed surfaces, back-facing polygons are never visible. Eliminating these invisible polygons has the obvious benefit of speeding up the rendering of the image. To enable and disable elimination of back-facing polygons, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_CULL_FACE). The projection of a polygon to window coordinates is said to have clockwise winding if an imaginary object following the path from its first vertex, its second vertex, and so on, to its last vertex, and finally back to its first vertex, moves in a clockwise direction about the interior of the polygon. The polygon's winding is said to be counterclockwise if the imaginary object following the same path moves in a counterclockwise direction about the interior of the polygon. $(D_INLINECODE glFrontFace) specifies whether polygons with clockwise winding in window coordinates, or counterclockwise winding in window coordinates, are taken to be front-facing. Passing $(D_INLINECODE GL_CCW) to $(D_INLINECODE mode) selects counterclockwise polygons as front-facing; $(D_INLINECODE GL_CW) selects clockwise polygons as front-facing. By default, counterclockwise polygons are taken to be front-facing. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glCullFace), +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFrontFace glFrontFace; alias fn_glGenerateMipmap = extern(C) void function(GLenum target) @system @nogc nothrow; /++ + glGenerateMipmap: man3/glGenerateMipmap.xml + + $(D_INLINECODE glGenerateMipmap) generates mipmaps for the texture attached to $(D_INLINECODE target) of the active texture unit. For cube map textures, a $(D_INLINECODE GL_INVALID_OPERATION) error is generated if the texture attached to $(D_INLINECODE target) is not cube complete. Mipmap generation replaces texel array levels level base + 1 through q with arrays derived from the level base array, regardless of their previous contents. All other mimap arrays, including the level base array, are left unchanged by this computation. The internal formats of the derived mipmap arrays all match those of the level base array. The contents of the derived arrays are computed by repeated, filtered reduction of the level base array. For one- and two-dimensional texture arrays, each layer is filtered independently. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glTexImage2D), $(D_INLINECODE glBindTexture), $(D_INLINECODE glGenTextures) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glGenerateMipmap glGenerateMipmap; alias fn_glGetQueryiv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /++ + glGetQueryiv: man3/glGetQueryiv.xml + + $(D_INLINECODE glGetQueryiv) returns in $(D_INLINECODE params) a selected parameter of the query object target specified by $(D_INLINECODE target). $(D_INLINECODE pname) names a specific query object target parameter. When $(D_INLINECODE pname) is $(D_INLINECODE GL_CURRENT_QUERY), the name of the currently active query for $(D_INLINECODE target), or zero if no query is active, will be placed in $(D_INLINECODE params). If $(D_INLINECODE pname) is $(D_INLINECODE GL_QUERY_COUNTER_BITS), the implementation-dependent number of bits used to hold the result of queries for $(D_INLINECODE target) is returned in $(D_INLINECODE params). + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetQueryObject), $(D_INLINECODE glIsQuery) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glGetQueryiv glGetQueryiv; alias fn_glQueryCounter = extern(C) void function(GLuint id, GLenum target) @system @nogc nothrow; /++ + glQueryCounter: man3/glQueryCounter.xml + + $(D_INLINECODE glQueryCounter) causes the GL to record the current time into the query object named $(D_INLINECODE id). $(D_INLINECODE target) must be $(D_INLINECODE GL_TIMESTAMP). The time is recorded after all previous commands on the GL client and server state and the framebuffer have been fully realized. When the time is recorded, the query result for that object is marked available. $(D_INLINECODE glQueryCounter) timer queries can be used within a $(D_INLINECODE glBeginQuery) / $(D_INLINECODE glEndQuery) block where the target is $(D_INLINECODE GL_TIME_ELAPSED) and it does not affect the result of that query object. + + $(D_INLINECODE glQueryCounter) is available only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenQueries), $(D_INLINECODE glBeginQuery), $(D_INLINECODE glEndQuery), $(D_INLINECODE glDeleteQueries), $(D_INLINECODE glGetQueryObject), $(D_INLINECODE glGetQueryiv), $(D_INLINECODE glGet) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_timer_query") fn_glQueryCounter glQueryCounter; alias fn_glClearStencil = extern(C) void function(GLint s) @system @nogc nothrow; /++ + glClearStencil: man3/glClearStencil.xml + + $(D_INLINECODE glClearStencil) specifies the index used by $(D_INLINECODE glClear) to clear the stencil buffer. $(D_INLINECODE s) is masked with 2 m - 1, where m is the number of bits in the stencil buffer. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glClear), $(D_INLINECODE glStencilFunc), $(D_INLINECODE glStencilFuncSeparate), $(D_INLINECODE glStencilMask), $(D_INLINECODE glStencilMaskSeparate), $(D_INLINECODE glStencilOp), $(D_INLINECODE glStencilOpSeparate) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glClearStencil glClearStencil; alias fn_glIsProgram = extern(C) GLboolean function(GLuint program) @system @nogc nothrow; /++ + glIsProgram: man3/glIsProgram.xml + + $(D_INLINECODE glIsProgram) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE program) is the name of a program object previously created with $(D_INLINECODE glCreateProgram) and not yet deleted with $(D_INLINECODE glDeleteProgram). If $(D_INLINECODE program) is zero or a non-zero value that is not the name of a program object, or if an error occurs, $(D_INLINECODE glIsProgram) returns $(D_INLINECODE GL_FALSE). + + No error is generated if $(D_INLINECODE program) is not a valid program object name. A program object marked for deletion with $(D_INLINECODE glDeleteProgram) but still in use as part of current rendering state is still considered a program object and $(D_INLINECODE glIsProgram) will return $(D_INLINECODE GL_TRUE). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader), $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glCreateProgram), $(D_INLINECODE glDeleteProgram), $(D_INLINECODE glDetachShader), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUniform), $(D_INLINECODE glUseProgram), $(D_INLINECODE glValidateProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glIsProgram glIsProgram; alias fn_glClearColor = extern(C) void function(GLclampf red, GLclampf green, GLclampf blue, GLclampf alpha) @system @nogc nothrow; /++ + glClearColor: man3/glClearColor.xml + + $(D_INLINECODE glClearColor) specifies the red, green, blue, and alpha values used by $(D_INLINECODE glClear) to clear the color buffers. Values specified by $(D_INLINECODE glClearColor) are clamped to the range 0 1. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glClear) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glClearColor glClearColor; alias fn_glStencilOpSeparate = extern(C) void function(GLenum face, GLenum sfail, GLenum dpfail, GLenum dppass) @system @nogc nothrow; /++ + glStencilOpSeparate: man3/glStencilOpSeparate.xml + + Stenciling, like depth-buffering, enables and disables drawing on a per-pixel basis. You draw into the stencil planes using GL drawing primitives, then render geometry and images, using the stencil planes to mask out portions of the screen. Stenciling is typically used in multipass rendering algorithms to achieve special effects, such as decals, outlining, and constructive solid geometry rendering. The stencil test conditionally eliminates a pixel based on the outcome of a comparison between the value in the stencil buffer and a reference value. To enable and disable the test, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_STENCIL_TEST); to control it, call $(D_INLINECODE glStencilFunc) or $(D_INLINECODE glStencilFuncSeparate). There can be two separate sets of $(D_INLINECODE sfail), $(D_INLINECODE dpfail), and $(D_INLINECODE dppass) parameters; one affects back-facing polygons, and the other affects front-facing polygons as well as other non-polygon primitives. $(D_INLINECODE glStencilOp) sets both front and back stencil state to the same values, as if $(D_INLINECODE glStencilOpSeparate) were called with $(D_INLINECODE face) set to $(D_INLINECODE GL_FRONT_AND_BACK). $(D_INLINECODE glStencilOpSeparate) takes three arguments that indicate what happens to the stored stencil value while stenciling is enabled. If the stencil test fails, no change is made to the pixel's color or depth buffers, and $(D_INLINECODE sfail) specifies what happens to the stencil buffer contents. The following eight actions are possible. Stencil buffer values are treated as unsigned integers. When incremented and decremented, values are clamped to 0 and 2 n - 1, where n is the value returned by querying $(D_INLINECODE GL_STENCIL_BITS). The other two arguments to $(D_INLINECODE glStencilOpSeparate) specify stencil buffer actions that depend on whether subsequent depth buffer tests succeed ( $(D_INLINECODE dppass) ) or fail ( $(D_INLINECODE dpfail) ) (see $(D_INLINECODE glDepthFunc) ). The actions are specified using the same eight symbolic constants as $(D_INLINECODE sfail). Note that $(D_INLINECODE dpfail) is ignored when there is no depth buffer, or when the depth buffer is not enabled. In these cases, $(D_INLINECODE sfail) and $(D_INLINECODE dppass) specify stencil action when the stencil test fails and passes, respectively. + + Initially the stencil test is disabled. If there is no stencil buffer, no stencil modification can occur and it is as if the stencil test always passes. + + Params: + + Copyright: + Copyright 2006 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBlendFunc), $(D_INLINECODE glDepthFunc), $(D_INLINECODE glEnable), $(D_INLINECODE glLogicOp), $(D_INLINECODE glStencilFunc), $(D_INLINECODE glStencilFuncSeparate), $(D_INLINECODE glStencilMask), $(D_INLINECODE glStencilMaskSeparate), $(D_INLINECODE glStencilOp) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glStencilOpSeparate glStencilOpSeparate; alias fn_glCheckFramebufferStatus = extern(C) GLenum function(GLenum target) @system @nogc nothrow; /++ + glCheckFramebufferStatus: man3/glCheckFramebufferStatus.xml + + $(D_INLINECODE glCheckFramebufferStatus) queries the completeness status of the framebuffer object currently bound to $(D_INLINECODE target). $(D_INLINECODE target) must be $(D_INLINECODE GL_DRAW_FRAMEBUFFER), $(D_INLINECODE GL_READ_FRAMEBUFFER) or $(D_INLINECODE GL_FRAMEBUFFER). $(D_INLINECODE GL_FRAMEBUFFER) is equivalent to $(D_INLINECODE GL_DRAW_FRAMEBUFFER). The return value is $(D_INLINECODE GL_FRAMEBUFFER_COMPLETE) if the framebuffer bound to $(D_INLINECODE target) is complete. Otherwise, the return value is determined as follows: $(OL $(LI $(D_INLINECODE GL_FRAMEBUFFER_UNDEFINED) is returned if $(D_INLINECODE target) is the default framebuffer, but the default framebuffer does not exist.) $(LI $(D_INLINECODE GL_FRAMEBUFFER_INCOMPLETE_ATTACHMENT) is returned if any of the framebuffer attachment points are framebuffer incomplete.) $(LI $(D_INLINECODE GL_FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT) is returned if the framebuffer does not have at least one image attached to it.) $(LI $(D_INLINECODE GL_FRAMEBUFFER_INCOMPLETE_DRAW_BUFFER) is returned if the value of $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE) is $(D_INLINECODE GL_NONE) for any color attachment point(s) named by $(D_INLINECODE GL_DRAW_BUFFERi).) $(LI $(D_INLINECODE GL_FRAMEBUFFER_INCOMPLETE_READ_BUFFER) is returned if $(D_INLINECODE GL_READ_BUFFER) is not $(D_INLINECODE GL_NONE) and the value of $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE) is $(D_INLINECODE GL_NONE) for the color attachment point named by $(D_INLINECODE GL_READ_BUFFER).) $(LI $(D_INLINECODE GL_FRAMEBUFFER_UNSUPPORTED) is returned if the combination of internal formats of the attached images violates an implementation-dependent set of restrictions.) $(LI $(D_INLINECODE GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE) is returned if the value of $(D_INLINECODE GL_RENDERBUFFER_SAMPLES) is not the same for all attached renderbuffers; if the value of $(D_INLINECODE GL_TEXTURE_SAMPLES) is the not same for all attached textures; or, if the attached images are a mix of renderbuffers and textures, the value of $(D_INLINECODE GL_RENDERBUFFER_SAMPLES) does not match the value of $(D_INLINECODE GL_TEXTURE_SAMPLES).) $(LI $(D_INLINECODE GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE) is also returned if the value of $(D_INLINECODE GL_TEXTURE_FIXED_SAMPLE_LOCATIONS) is not the same for all attached textures; or, if the attached images are a mix of renderbuffers and textures, the value of $(D_INLINECODE GL_TEXTURE_FIXED_SAMPLE_LOCATIONS) is not $(D_INLINECODE GL_TRUE) for all attached textures.) $(LI $(D_INLINECODE GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS) is returned if any framebuffer attachment is layered, and any populated attachment is not layered, or if all populated color attachments are not from textures of the same target.)) Additionally, if an error occurs, zero is returned. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glDeleteFramebuffers) $(D_INLINECODE glBindFramebuffer) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glCheckFramebufferStatus glCheckFramebufferStatus; alias fn_glBlendEquationSeparate = extern(C) void function(GLenum modeRGB, GLenum modeAlpha) @system @nogc nothrow; /++ + glBlendEquationSeparate: man3/glBlendEquationSeparate.xml + + The blend equations determines how a new pixel (the ''source'' color) is combined with a pixel already in the framebuffer (the ''destination'' color). This function specifies one blend equation for the RGB-color components and one blend equation for the alpha component. The blend equations use the source and destination blend factors specified by either $(D_INLINECODE glBlendFunc) or $(D_INLINECODE glBlendFuncSeparate). See $(D_INLINECODE glBlendFunc) or $(D_INLINECODE glBlendFuncSeparate) for a description of the various blend factors. In the equations that follow, source and destination color components are referred to as R s G s B s A s and R d G d B d A d, respectively. The result color is referred to as R r G r B r A r. The source and destination blend factors are denoted s R s G s B s A and d R d G d B d A, respectively. For these equations all color components are understood to have values in the range 0 1. $(B Mode) $(B RGB Components) $(B Alpha Component) $(D_INLINECODE GL_FUNC_ADD) Rr = R s &it; s R + R d &it; d R Gr = G s &it; s G + G d &it; d G Br = B s &it; s B + B d &it; d B Ar = A s &it; s A + A d &it; d A $(D_INLINECODE GL_FUNC_SUBTRACT) Rr = R s &it; s R - R d &it; d R Gr = G s &it; s G - G d &it; d G Br = B s &it; s B - B d &it; d B Ar = A s &it; s A - A d &it; d A $(D_INLINECODE GL_FUNC_REVERSE_SUBTRACT) Rr = R d &it; d R - R s &it; s R Gr = G d &it; d G - G s &it; s G Br = B d &it; d B - B s &it; s B Ar = A d &it; d A - A s &it; s A $(D_INLINECODE GL_MIN) Rr = min &af; R s R d Gr = min &af; G s G d Br = min &af; B s B d Ar = min &af; A s A d $(D_INLINECODE GL_MAX) Rr = max &af; R s R d Gr = max &af; G s G d Br = max &af; B s B d Ar = max &af; A s A d The results of these equations are clamped to the range 0 1. The $(D_INLINECODE GL_MIN) and $(D_INLINECODE GL_MAX) equations are useful for applications that analyze image data (image thresholding against a constant color, for example). The $(D_INLINECODE GL_FUNC_ADD) equation is useful for antialiasing and transparency, among other things. Initially, both the RGB blend equation and the alpha blend equation are set to $(D_INLINECODE GL_FUNC_ADD). + + The $(D_INLINECODE GL_MIN), and $(D_INLINECODE GL_MAX) equations do not use the source or destination factors, only the source and destination colors. + + Params: + + Copyright: + Copyright 2006 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetString), $(D_INLINECODE glBlendColor), $(D_INLINECODE glBlendFunc), $(D_INLINECODE glBlendFuncSeparate) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glBlendEquationSeparate glBlendEquationSeparate; alias fn_glGenQueries = extern(C) void function(GLsizei n, GLuint* ids) @system @nogc nothrow; /++ + glGenQueries: man3/glGenQueries.xml + + $(D_INLINECODE glGenQueries) returns $(D_INLINECODE n) query object names in $(D_INLINECODE ids). There is no guarantee that the names form a contiguous set of integers; however, it is guaranteed that none of the returned names was in use immediately before the call to $(D_INLINECODE glGenQueries). Query object names returned by a call to $(D_INLINECODE glGenQueries) are not returned by subsequent calls, unless they are first deleted with $(D_INLINECODE glDeleteQueries). No query objects are associated with the returned query object names until they are first used by calling $(D_INLINECODE glBeginQuery). + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBeginQuery), $(D_INLINECODE glDeleteQueries), $(D_INLINECODE glEndQuery) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glGenQueries glGenQueries; alias fn_glSampleMaski = extern(C) void function(GLuint maskNumber, GLbitfield mask) @system @nogc nothrow; /++ + glSampleMaski: man3/glSampleMaski.xml + + $(D_INLINECODE glSampleMaski) sets one 32-bit sub-word of the multi-word sample mask, $(D_INLINECODE GL_SAMPLE_MASK_VALUE). $(D_INLINECODE maskIndex) specifies which 32-bit sub-word of the sample mask to update, and $(D_INLINECODE mask) specifies the new value to use for that sub-word. $(D_INLINECODE maskIndex) must be less than the value of $(D_INLINECODE GL_MAX_SAMPLE_MASK_WORDS). Bit of mask word corresponds to sample 32 x +. + + $(D_INLINECODE glSampleMaski) is available only if the GL version is 3.2 or greater, or if the $(D_INLINECODE ARB_texture_multisample) extension is supported. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glBindRenderbuffer), $(D_INLINECODE glRenderbufferStorageMultisample), $(D_INLINECODE glFramebufferRenderbuffer), $(D_INLINECODE glDeleteRenderbuffers) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_texture_multisample") fn_glSampleMaski glSampleMaski; alias fn_glGetMultisamplefv = extern(C) void function(GLenum pname, GLuint index, GLfloat* val) @system @nogc nothrow; /++ + glGetMultisample: man3/glGetMultisample.xml + + $(D_INLINECODE glGetMultisamplefv) queries the location of a given sample. $(D_INLINECODE pname) specifies the sample parameter to retrieve and must be $(D_INLINECODE GL_SAMPLE_POSITION). $(D_INLINECODE index) corresponds to the sample for which the location should be returned. The sample location is returned as two floating-point values in $(D_INLINECODE val[0]) and $(D_INLINECODE val[1]), each between 0 and 1, corresponding to the $(D_INLINECODE x) and $(D_INLINECODE y) locations respectively in the GL pixel space of that sample. (0.5, 0.5) this corresponds to the pixel center. $(D_INLINECODE index) must be between zero and the value of $(D_INLINECODE GL_SAMPLES) - 1. If the multisample mode does not have fixed sample locations, the returned values may only reflect the locations of samples within some pixels. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glBindFramebuffer) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_texture_multisample") fn_glGetMultisamplefv glGetMultisamplefv; alias fn_glFramebufferRenderbuffer = extern(C) void function(GLenum target, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer) @system @nogc nothrow; /++ + glFramebufferRenderbuffer: man3/glFramebufferRenderbuffer.xml + + $(D_INLINECODE glFramebufferRenderbuffer) attaches a renderbuffer as one of the logical buffers of the currently bound framebuffer object. $(D_INLINECODE renderbuffer) is the name of the renderbuffer object to attach and must be either zero, or the name of an existing renderbuffer object of type $(D_INLINECODE renderbuffertarget). If $(D_INLINECODE renderbuffer) is not zero and if $(D_INLINECODE glFramebufferRenderbuffer) is successful, then the renderbuffer name $(D_INLINECODE renderbuffer) will be used as the logical buffer identified by $(D_INLINECODE attachment) of the framebuffer currently bound to $(D_INLINECODE target). The value of $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE) for the specified attachment point is set to $(D_INLINECODE GL_RENDERBUFFER) and the value of $(D_INLINECODE GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME) is set to $(D_INLINECODE renderbuffer). All other state values of the attachment point specified by $(D_INLINECODE attachment) are set to their default values. No change is made to the state of the renderbuuffer object and any previous attachment to the $(D_INLINECODE attachment) logical buffer of the framebuffer $(D_INLINECODE target) is broken. Calling $(D_INLINECODE glFramebufferRenderbuffer) with the renderbuffer name zero will detach the image, if any, identified by $(D_INLINECODE attachment), in the framebuffer currently bound to $(D_INLINECODE target). All state values of the attachment point specified by attachment in the object bound to target are set to their default values. Setting $(D_INLINECODE attachment) to the value $(D_INLINECODE GL_DEPTH_STENCIL_ATTACHMENT) is a special case causing both the depth and stencil attachments of the framebuffer object to be set to $(D_INLINECODE renderbuffer), which should have the base internal format $(D_INLINECODE GL_DEPTH_STENCIL). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenFramebuffers), $(D_INLINECODE glBindFramebuffer), $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glFramebufferTexture), $(D_INLINECODE glFramebufferTexture1D), $(D_INLINECODE glFramebufferTexture2D), $(D_INLINECODE glFramebufferTexture3D) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glFramebufferRenderbuffer glFramebufferRenderbuffer; alias fn_glDrawElementsInstancedBaseVertex = extern(C) void function(GLenum mode, GLsizei count, GLenum type, GLvoid* indices, GLsizei primcount, GLint basevertex) @system @nogc nothrow; /++ + glDrawElementsInstancedBaseVertex: man3/glDrawElementsInstancedBaseVertex.xml + + $(D_INLINECODE glDrawElementsInstancedBaseVertex) behaves identically to $(D_INLINECODE glDrawElementsInstanced) except that the th element transferred by the corresponding draw call will be taken from element $(D_INLINECODE indices) [i] + $(D_INLINECODE basevertex) of each enabled array. If the resulting value is larger than the maximum value representable by $(D_INLINECODE type), it is as if the calculation were upconverted to 32-bit unsigned integers (with wrapping on overflow conditions). The operation is undefined if the sum would be negative. + + $(D_INLINECODE glDrawElementsInstancedBaseVertex) is only supported if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawRangeElements), $(D_INLINECODE glDrawRangeElementsBaseVertex), $(D_INLINECODE glDrawElementsInstanced), $(D_INLINECODE glDrawElementsInstancedBaseVertex) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_draw_elements_base_vertex") fn_glDrawElementsInstancedBaseVertex glDrawElementsInstancedBaseVertex; alias fn_glDrawRangeElements = extern(C) void function(GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, const GLvoid* indices) @system @nogc nothrow; /++ + glDrawRangeElements: man3/glDrawRangeElements.xml + + $(D_INLINECODE glDrawRangeElements) is a restricted form of $(D_INLINECODE glDrawElements). $(D_INLINECODE mode), $(D_INLINECODE start), $(D_INLINECODE end), and $(D_INLINECODE count) match the corresponding arguments to $(D_INLINECODE glDrawElements), with the additional constraint that all values in the arrays $(D_INLINECODE count) must lie between $(D_INLINECODE start) and $(D_INLINECODE end), inclusive. Implementations denote recommended maximum amounts of vertex and index data, which may be queried by calling $(D_INLINECODE glGet) with argument $(D_INLINECODE GL_MAX_ELEMENTS_VERTICES) and $(D_INLINECODE GL_MAX_ELEMENTS_INDICES). If end - start + 1 is greater than the value of $(D_INLINECODE GL_MAX_ELEMENTS_VERTICES), or if $(D_INLINECODE count) is greater than the value of $(D_INLINECODE GL_MAX_ELEMENTS_INDICES), then the call may operate at reduced performance. There is no requirement that all vertices in the range start end be referenced. However, the implementation may partially process unused vertices, reducing performance from what could be achieved with an optimal index set. When $(D_INLINECODE glDrawRangeElements) is called, it uses $(D_INLINECODE count) sequential elements from an enabled array, starting at $(D_INLINECODE start) to construct a sequence of geometric primitives. $(D_INLINECODE mode) specifies what kind of primitives are constructed, and how the array elements construct these primitives. If more than one array is enabled, each is used. Vertex attributes that are modified by $(D_INLINECODE glDrawRangeElements) have an unspecified value after $(D_INLINECODE glDrawRangeElements) returns. Attributes that aren't modified maintain their previous values. + + $(D_INLINECODE GL_LINE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) and $(D_INLINECODE GL_TRIANGLES_ADJACENCY) are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDrawArrays), $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawElementsBaseVertex) +/ @OpenGL_Version(OGLIntroducedIn.V1P2) fn_glDrawRangeElements glDrawRangeElements; alias fn_glGetActiveUniformsiv = extern(C) void function(GLuint program, GLsizei uniformCount, const GLuint* uniformIndices, GLenum pname, GLint* params) @system @nogc nothrow; /++ + glGetActiveUniformsiv: man3/glGetActiveUniformsiv.xml + + $(D_INLINECODE glGetActiveUniformsiv) queries the value of the parameter named $(D_INLINECODE pname) for each of the uniforms within $(D_INLINECODE program) whose indices are specified in the array of $(D_INLINECODE uniformCount) unsigned integers $(D_INLINECODE uniformIndices). Upon success, the value of the parameter for each uniform is written into the corresponding entry in the array whose address is given in $(D_INLINECODE params). If an error is generated, nothing is written into $(D_INLINECODE params). If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_TYPE), then an array identifying the types of uniforms specified by the corresponding array of $(D_INLINECODE uniformIndices) is returned. The returned types can be any of the values from the following table: $(B Returned Symbolic Contant) $(B Shader Uniform Type) $(D_INLINECODE GL_FLOAT) $(D_INLINECODE float) $(D_INLINECODE GL_FLOAT_VEC2) $(D_INLINECODE vec2) $(D_INLINECODE GL_FLOAT_VEC3) $(D_INLINECODE vec3) $(D_INLINECODE GL_FLOAT_VEC4) $(D_INLINECODE vec4) $(D_INLINECODE GL_INT) $(D_INLINECODE int) $(D_INLINECODE GL_INT_VEC2) $(D_INLINECODE ivec2) $(D_INLINECODE GL_INT_VEC3) $(D_INLINECODE ivec3) $(D_INLINECODE GL_INT_VEC4) $(D_INLINECODE ivec4) $(D_INLINECODE GL_UNSIGNED_INT) $(D_INLINECODE unsigned int) $(D_INLINECODE GL_UNSIGNED_INT_VEC2) $(D_INLINECODE uvec2) $(D_INLINECODE GL_UNSIGNED_INT_VEC3) $(D_INLINECODE uvec3) $(D_INLINECODE GL_UNSIGNED_INT_VEC4) $(D_INLINECODE uvec4) $(D_INLINECODE GL_BOOL) $(D_INLINECODE bool) $(D_INLINECODE GL_BOOL_VEC2) $(D_INLINECODE bvec2) $(D_INLINECODE GL_BOOL_VEC3) $(D_INLINECODE bvec3) $(D_INLINECODE GL_BOOL_VEC4) $(D_INLINECODE bvec4) $(D_INLINECODE GL_FLOAT_MAT2) $(D_INLINECODE mat2) $(D_INLINECODE GL_FLOAT_MAT3) $(D_INLINECODE mat3) $(D_INLINECODE GL_FLOAT_MAT4) $(D_INLINECODE mat4) $(D_INLINECODE GL_FLOAT_MAT2x3) $(D_INLINECODE mat2x3) $(D_INLINECODE GL_FLOAT_MAT2x4) $(D_INLINECODE mat2x4) $(D_INLINECODE GL_FLOAT_MAT3x2) $(D_INLINECODE mat3x2) $(D_INLINECODE GL_FLOAT_MAT3x4) $(D_INLINECODE mat3x4) $(D_INLINECODE GL_FLOAT_MAT4x2) $(D_INLINECODE mat4x2) $(D_INLINECODE GL_FLOAT_MAT4x3) $(D_INLINECODE mat4x3) $(D_INLINECODE GL_SAMPLER_1D) $(D_INLINECODE sampler1D) $(D_INLINECODE GL_SAMPLER_2D) $(D_INLINECODE sampler2D) $(D_INLINECODE GL_SAMPLER_3D) $(D_INLINECODE sampler3D) $(D_INLINECODE GL_SAMPLER_CUBE) $(D_INLINECODE samplerCube) $(D_INLINECODE GL_SAMPLER_1D_SHADOW) $(D_INLINECODE sampler1DShadow) $(D_INLINECODE GL_SAMPLER_2D_SHADOW) $(D_INLINECODE sampler2DShadow) $(D_INLINECODE GL_SAMPLER_1D_ARRAY) $(D_INLINECODE sampler1DArray) $(D_INLINECODE GL_SAMPLER_2D_ARRAY) $(D_INLINECODE sampler2DArray) $(D_INLINECODE GL_SAMPLER_1D_ARRAY_SHADOW) $(D_INLINECODE sampler1DArrayShadow) $(D_INLINECODE GL_SAMPLER_2D_ARRAY_SHADOW) $(D_INLINECODE sampler2DArrayShadow) $(D_INLINECODE GL_SAMPLER_2D_MULTISAMPLE) $(D_INLINECODE sampler2DMS) $(D_INLINECODE GL_SAMPLER_2D_MULTISAMPLE_ARRAY) $(D_INLINECODE sampler2DMSArray) $(D_INLINECODE GL_SAMPLER_CUBE_SHADOW) $(D_INLINECODE samplerCubeShadow) $(D_INLINECODE GL_SAMPLER_BUFFER) $(D_INLINECODE samplerBuffer) $(D_INLINECODE GL_SAMPLER_2D_RECT) $(D_INLINECODE sampler2DRect) $(D_INLINECODE GL_SAMPLER_2D_RECT_SHADOW) $(D_INLINECODE sampler2DRectShadow) $(D_INLINECODE GL_INT_SAMPLER_1D) $(D_INLINECODE isampler1D) $(D_INLINECODE GL_INT_SAMPLER_2D) $(D_INLINECODE isampler2D) $(D_INLINECODE GL_INT_SAMPLER_3D) $(D_INLINECODE isampler3D) $(D_INLINECODE GL_INT_SAMPLER_CUBE) $(D_INLINECODE isamplerCube) $(D_INLINECODE GL_INT_SAMPLER_1D_ARRAY) $(D_INLINECODE isampler1DArray) $(D_INLINECODE GL_INT_SAMPLER_2D_ARRAY) $(D_INLINECODE isampler2DArray) $(D_INLINECODE GL_INT_SAMPLER_2D_MULTISAMPLE) $(D_INLINECODE isampler2DMS) $(D_INLINECODE GL_INT_SAMPLER_2D_MULTISAMPLE_ARRAY) $(D_INLINECODE isampler2DMSArray) $(D_INLINECODE GL_INT_SAMPLER_BUFFER) $(D_INLINECODE isamplerBuffer) $(D_INLINECODE GL_INT_SAMPLER_2D_RECT) $(D_INLINECODE isampler2DRect) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_1D) $(D_INLINECODE usampler1D) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D) $(D_INLINECODE usampler2D) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_3D) $(D_INLINECODE usampler3D) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_CUBE) $(D_INLINECODE usamplerCube) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_1D_ARRAY) $(D_INLINECODE usampler2DArray) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D_ARRAY) $(D_INLINECODE usampler2DArray) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE) $(D_INLINECODE usampler2DMS) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE_ARRAY) $(D_INLINECODE usampler2DMSArray) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_BUFFER) $(D_INLINECODE usamplerBuffer) $(D_INLINECODE GL_UNSIGNED_INT_SAMPLER_2D_RECT) $(D_INLINECODE usampler2DRect) If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_SIZE), then an array identifying the size of the uniforms specified by the corresponding array of $(D_INLINECODE uniformIndices) is returned. The sizes returned are in units of the type returned by a query of $(D_INLINECODE GL_UNIFORM_TYPE). For active uniforms that are arrays, the size is the number of active elements in the array; for all other uniforms, the size is one. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_NAME_LENGTH), then an array identifying the length, including the terminating null character, of the uniform name strings specified by the corresponding array of $(D_INLINECODE uniformIndices) is returned. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_BLOCK_INDEX), then an array identifying the the uniform block index of each of the uniforms specified by the corresponding array of $(D_INLINECODE uniformIndices) is returned. The uniform block index of a uniform associated with the default uniform block is -1. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_OFFSET), then an array of uniform buffer offsets is returned. For uniforms in a named uniform block, the returned value will be its offset, in basic machine units, relative to the beginning of the uniform block in the buffer object data store. For uniforms in the default uniform block, -1 will be returned. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_ARRAY_STRIDE), then an array identifying the stride between elements, in basic machine units, of each of the uniforms specified by the corresponding array of $(D_INLINECODE uniformIndices) is returned. The stride of a uniform associated with the default uniform block is -1. Note that this information only makes sense for uniforms that are arrays. For uniforms that are not arrays, but are declared in a named uniform block, an array stride of zero is returned. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_MATRIX_STRIDE), then an array identifying the stride between columns of a column-major matrix or rows of a row-major matrix, in basic machine units, of each of the uniforms specified by the corresponding array of $(D_INLINECODE uniformIndices) is returned. The matrix stride of a uniform associated with the default uniform block is -1. Note that this information only makes sense for uniforms that are matrices. For uniforms that are not matrices, but are declared in a named uniform block, a matrix stride of zero is returned. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_IS_ROW_MAJOR), then an array identifying whether each of the uniforms specified by the corresponding array of $(D_INLINECODE uniformIndices) is a row-major matrix or not is returned. A value of one indicates a row-major matrix, and a value of zero indicates a column-major matrix, a matrix in the default uniform block, or a non-matrix. + + Params: + + Copyright: + Copyright 2011 Khronos Group This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetUniform), $(D_INLINECODE glGetActiveUniform), $(D_INLINECODE glGetUniformLocation), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUniform), $(D_INLINECODE glUseProgram) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glGetActiveUniformsiv glGetActiveUniformsiv; alias fn_glGetRenderbufferParameteriv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /++ + glGetRenderbufferParameter: man3/glGetRenderbufferParameter.xml + + $(D_INLINECODE glGetRenderbufferParameteriv) retrieves information about a bound renderbuffer object. $(D_INLINECODE target) specifies the target of the query operation and must be $(D_INLINECODE GL_RENDERBUFFER). $(D_INLINECODE pname) specifies the parameter whose value to query and must be one of $(D_INLINECODE GL_RENDERBUFFER_WIDTH), $(D_INLINECODE GL_RENDERBUFFER_HEIGHT), $(D_INLINECODE GL_RENDERBUFFER_INTERNAL_FORMAT), $(D_INLINECODE GL_RENDERBUFFER_RED_SIZE), $(D_INLINECODE GL_RENDERBUFFER_GREEN_SIZE), $(D_INLINECODE GL_RENDERBUFFER_BLUE_SIZE), $(D_INLINECODE GL_RENDERBUFFER_ALPHA_SIZE), $(D_INLINECODE GL_RENDERBUFFER_DEPTH_SIZE), $(D_INLINECODE GL_RENDERBUFFER_DEPTH_SIZE), $(D_INLINECODE GL_RENDERBUFFER_STENCIL_SIZE), or $(D_INLINECODE GL_RENDERBUFFER_SAMPLES). Upon a successful return from $(D_INLINECODE glGetRenderbufferParameteriv), if $(D_INLINECODE pname) is $(D_INLINECODE GL_RENDERBUFFER_WIDTH), $(D_INLINECODE GL_RENDERBUFFER_HEIGHT), $(D_INLINECODE GL_RENDERBUFFER_INTERNAL_FORMAT), or $(D_INLINECODE GL_RENDERBUFFER_SAMPLES), then $(D_INLINECODE params) will contain the width in pixels, the height in pixels, the internal format, or the number of samples, respectively, of the image of the renderbuffer currently bound to $(D_INLINECODE target). If $(D_INLINECODE pname) is $(D_INLINECODE GL_RENDERBUFFER_RED_SIZE), $(D_INLINECODE GL_RENDERBUFFER_GREEN_SIZE), $(D_INLINECODE GL_RENDERBUFFER_BLUE_SIZE), $(D_INLINECODE GL_RENDERBUFFER_ALPHA_SIZE), $(D_INLINECODE GL_RENDERBUFFER_DEPTH_SIZE), or $(D_INLINECODE GL_RENDERBUFFER_STENCIL_SIZE), then $(D_INLINECODE params) will contain the actual resolutions (not the resolutions specified when the image array was defined) for the red, green, blue, alpha depth, or stencil components, respectively, of the image of the renderbuffer currently bound to $(D_INLINECODE target). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glFramebufferRenderbuffer), $(D_INLINECODE glBindRenderbuffer), $(D_INLINECODE glRenderbufferStorage), $(D_INLINECODE glRenderbufferStorageMultisample) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glGetRenderbufferParameteriv glGetRenderbufferParameteriv; alias fn_glBindBufferRange = extern(C) void function(GLenum target, GLuint index, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /++ + glBindBufferRange: man3/glBindBufferRange.xml + + $(D_INLINECODE glBindBufferRange) binds a range the buffer object $(D_INLINECODE buffer) represented by $(D_INLINECODE offset) and $(D_INLINECODE size) to the binding point at index $(D_INLINECODE index) of the array of targets specified by $(D_INLINECODE target). Each $(D_INLINECODE target) represents an indexed array of buffer binding points, as well as a single general binding point that can be used by other buffer manipulation functions such as $(D_INLINECODE glBindBuffer) or $(D_INLINECODE glMapBuffer). In addition to binding a range of $(D_INLINECODE buffer) to the indexed buffer binding target, $(D_INLINECODE glBindBufferRange) also binds the range to the generic buffer binding point specified by $(D_INLINECODE target). $(D_INLINECODE offset) specifies the offset in basic machine units into the buffer object $(D_INLINECODE buffer) and $(D_INLINECODE size) specifies the amount of data that can be read from the buffer object while used as an indexed target. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenBuffers), $(D_INLINECODE glDeleteBuffers), $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBindBufferBase), $(D_INLINECODE glMapBuffer), $(D_INLINECODE glUnmapBuffer), +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glBindBufferRange glBindBufferRange; alias fn_glMultiDrawElements = extern(C) void function(GLenum mode, const GLsizei* count, GLenum type, const GLvoid** indices, GLsizei primcount) @system @nogc nothrow; /++ + glMultiDrawElements: man3/glMultiDrawElements.xml + + $(D_INLINECODE glMultiDrawElements) specifies multiple sets of geometric primitives with very few subroutine calls. Instead of calling a GL function to pass each individual vertex, normal, texture coordinate, edge flag, or color, you can prespecify separate arrays of vertices, normals, and so on, and use them to construct a sequence of primitives with a single call to $(D_INLINECODE glMultiDrawElements). $(D_INLINECODE glMultiDrawElements) is identical in operation to $(D_INLINECODE glDrawElements) except that $(D_INLINECODE primcount) separate lists of elements are specified. Vertex attributes that are modified by $(D_INLINECODE glMultiDrawElements) have an unspecified value after $(D_INLINECODE glMultiDrawElements) returns. Attributes that aren't modified maintain their previous values. + + $(D_INLINECODE GL_LINE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) and $(D_INLINECODE GL_TRIANGLES_ADJACENCY) are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDrawArrays), $(D_INLINECODE glDrawRangeElements) +/ @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glMultiDrawElements glMultiDrawElements; alias fn_glGetShaderiv = extern(C) void function(GLuint shader, GLenum pname, GLint* params) @system @nogc nothrow; /++ + glGetShader: man3/glGetShader.xml + + $(D_INLINECODE glGetShader) returns in $(D_INLINECODE params) the value of a parameter for a specific shader object. The following parameters are defined: + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCompileShader), $(D_INLINECODE glCreateShader), $(D_INLINECODE glDeleteShader), $(D_INLINECODE glGetProgram), $(D_INLINECODE glShaderSource) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetShaderiv glGetShaderiv; alias fn_glPointSize = extern(C) void function(GLfloat size) @system @nogc nothrow; /++ + glPointSize: man3/glPointSize.xml + + $(D_INLINECODE glPointSize) specifies the rasterized diameter of points. If point size mode is disabled (see $(D_INLINECODE glEnable) with parameter $(D_INLINECODE GL_PROGRAM_POINT_SIZE) ), this value will be used to rasterize points. Otherwise, the value written to the shading language built-in variable $(D_INLINECODE gl_PointSize) will be used. + + The point size specified by $(D_INLINECODE glPointSize) is always returned when $(D_INLINECODE GL_POINT_SIZE) is queried. Clamping and rounding for points have no effect on the specified value. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glEnable), $(D_INLINECODE glPointParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPointSize glPointSize; alias fn_glBufferSubData = extern(C) void function(GLenum target, GLintptr offset, GLsizeiptr size, const GLvoid* data) @system @nogc nothrow; /++ + glBufferSubData: man3/glBufferSubData.xml + + $(D_INLINECODE glBufferSubData) redefines some or all of the data store for the buffer object currently bound to $(D_INLINECODE target). Data starting at byte offset $(D_INLINECODE offset) and extending for $(D_INLINECODE size) bytes is copied to the data store from the memory pointed to by $(D_INLINECODE data). An error is thrown if $(D_INLINECODE offset) and $(D_INLINECODE size) together define a range beyond the bounds of the buffer object's data store. + + When replacing the entire data store, consider using $(D_INLINECODE glBufferSubData) rather than completely recreating the data store with $(D_INLINECODE glBufferData). This avoids the cost of reallocating the data store. Consider using multiple buffer objects to avoid stalling the rendering pipeline during data store updates. If any rendering in the pipeline makes reference to data in the buffer object being updated by $(D_INLINECODE glBufferSubData), especially from the specific region being updated, that rendering must drain from the pipeline before the data store can be updated. Clients must align data elements consistent with the requirements of the client platform, with an additional base-level requirement that an offset within a buffer to a datum comprising N bytes be a multiple of N. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBufferData), $(D_INLINECODE glMapBuffer), $(D_INLINECODE glUnmapBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glBufferSubData glBufferSubData; alias fn_glRenderbufferStorageMultisample = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /++ + glRenderbufferStorageMultisample: man3/glRenderbufferStorageMultisample.xml + + $(D_INLINECODE glRenderbufferStorageMultisample) establishes the data storage, format, dimensions and number of samples of a renderbuffer object's image. The target of the operation, specified by $(D_INLINECODE target) must be $(D_INLINECODE GL_RENDERBUFFER). $(D_INLINECODE internalformat) specifies the internal format to be used for the renderbuffer object's storage and must be a color-renderable, depth-renderable, or stencil-renderable format. $(D_INLINECODE width) and $(D_INLINECODE height) are the dimensions, in pixels, of the renderbuffer. Both $(D_INLINECODE width) and $(D_INLINECODE height) must be less than or equal to the value of $(D_INLINECODE GL_MAX_RENDERBUFFER_SIZE). $(D_INLINECODE samples) specifies the number of samples to be used for the renderbuffer object's image, and must be less than or equal to the value of $(D_INLINECODE GL_MAX_SAMPLES). If $(D_INLINECODE internalformat) is a signed or unsigned integer format then $(D_INLINECODE samples) must be less than or equal to the value of $(D_INLINECODE GL_MAX_INTEGER_SAMPLES). Upon success, $(D_INLINECODE glRenderbufferStorageMultisample) deletes any existing data store for the renderbuffer image and the contents of the data store after calling $(D_INLINECODE glRenderbufferStorageMultisample) are undefined. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenRenderbuffers), $(D_INLINECODE glBindRenderbuffer), $(D_INLINECODE glRenderbufferStorage), $(D_INLINECODE glFramebufferRenderbuffer), $(D_INLINECODE glDeleteRenderbuffers) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_framebuffer_object") fn_glRenderbufferStorageMultisample glRenderbufferStorageMultisample; alias fn_glGetActiveAttrib = extern(C) void function(GLuint program, GLuint index, GLsizei bufSize, GLsizei* length, GLint* size, GLenum* type, GLchar* name) @system @nogc nothrow; /++ + glGetActiveAttrib: man3/glGetActiveAttrib.xml + + $(D_INLINECODE glGetActiveAttrib) returns information about an active attribute variable in the program object specified by $(D_INLINECODE program). The number of active attributes can be obtained by calling $(D_INLINECODE glGetProgram) with the value $(D_INLINECODE GL_ACTIVE_ATTRIBUTES). A value of 0 for $(D_INLINECODE index) selects the first active attribute variable. Permissible values for $(D_INLINECODE index) range from 0 to the number of active attribute variables minus 1. A vertex shader may use either built-in attribute variables, user-defined attribute variables, or both. Built-in attribute variables have a prefix of &quot;gl_&quot; and reference conventional OpenGL vertex attribtes (e.g., $(D_INLINECODE gl_Vertex), $(D_INLINECODE gl_Normal), etc., see the OpenGL Shading Language specification for a complete list.) User-defined attribute variables have arbitrary names and obtain their values through numbered generic vertex attributes. An attribute variable (either built-in or user-defined) is considered active if it is determined during the link operation that it may be accessed during program execution. Therefore, $(D_INLINECODE program) should have previously been the target of a call to $(D_INLINECODE glLinkProgram), but it is not necessary for it to have been linked successfully. The size of the character buffer required to store the longest attribute variable name in $(D_INLINECODE program) can be obtained by calling $(D_INLINECODE glGetProgram) with the value $(D_INLINECODE GL_ACTIVE_ATTRIBUTE_MAX_LENGTH). This value should be used to allocate a buffer of sufficient size to store the returned attribute name. The size of this character buffer is passed in $(D_INLINECODE bufSize), and a pointer to this character buffer is passed in $(D_INLINECODE name). $(D_INLINECODE glGetActiveAttrib) returns the name of the attribute variable indicated by $(D_INLINECODE index), storing it in the character buffer specified by $(D_INLINECODE name). The string returned will be null terminated. The actual number of characters written into this buffer is returned in $(D_INLINECODE length), and this count does not include the null termination character. If the length of the returned string is not required, a value of $(D_INLINECODE null + ) can be passed in the $(D_INLINECODE length) argument. The $(D_INLINECODE type) argument will return a pointer to the attribute variable's data type. The symbolic constants $(D_INLINECODE GL_FLOAT), $(D_INLINECODE GL_FLOAT_VEC2), $(D_INLINECODE GL_FLOAT_VEC3), $(D_INLINECODE GL_FLOAT_VEC4), $(D_INLINECODE GL_FLOAT_MAT2), $(D_INLINECODE GL_FLOAT_MAT3), $(D_INLINECODE GL_FLOAT_MAT4), $(D_INLINECODE GL_FLOAT_MAT2x3), $(D_INLINECODE GL_FLOAT_MAT2x4), $(D_INLINECODE GL_FLOAT_MAT3x2), $(D_INLINECODE GL_FLOAT_MAT3x4), $(D_INLINECODE GL_FLOAT_MAT4x2), $(D_INLINECODE GL_FLOAT_MAT4x3), $(D_INLINECODE GL_INT), $(D_INLINECODE GL_INT_VEC2), $(D_INLINECODE GL_INT_VEC3), $(D_INLINECODE GL_INT_VEC4), $(D_INLINECODE GL_UNSIGNED_INT), $(D_INLINECODE GL_UNSIGNED_INT_VEC2), $(D_INLINECODE GL_UNSIGNED_INT_VEC3), or $(D_INLINECODE GL_UNSIGNED_INT_VEC4) may be returned. The $(D_INLINECODE size) argument will return the size of the attribute, in units of the type returned in $(D_INLINECODE type). The list of active attribute variables may include both built-in attribute variables (which begin with the prefix &quot;gl_&quot;) as well as user-defined attribute variable names. This function will return as much information as it can about the specified active attribute variable. If no information is available, $(D_INLINECODE length) will be 0, and $(D_INLINECODE name) will be an empty string. This situation could occur if this function is called after a link operation that failed. If an error occurs, the return values $(D_INLINECODE length), $(D_INLINECODE size), $(D_INLINECODE type), and $(D_INLINECODE name) will be unmodified. + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glVertexAttrib), $(D_INLINECODE glVertexAttribPointer) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetActiveAttrib glGetActiveAttrib; alias fn_glGetUniformBlockIndex = extern(C) GLuint function(GLuint program, const GLchar* uniformBlockName) @system @nogc nothrow; /++ + glGetUniformBlockIndex: man3/glGetUniformBlockIndex.xml + + $(D_INLINECODE glGetUniformBlockIndex) retrieves the index of a uniform block within $(D_INLINECODE program). $(D_INLINECODE program) must be the name of a program object for which the command $(D_INLINECODE glLinkProgram) must have been called in the past, although it is not required that $(D_INLINECODE glLinkProgram) must have succeeded. The link could have failed because the number of active uniforms exceeded the limit. $(D_INLINECODE uniformBlockName) must contain a nul-terminated string specifying the name of the uniform block. $(D_INLINECODE glGetUniformBlockIndex) returns the uniform block index for the uniform block named $(D_INLINECODE uniformBlockName) of $(D_INLINECODE program). If $(D_INLINECODE uniformBlockName) does not identify an active uniform block of $(D_INLINECODE program), $(D_INLINECODE glGetUniformBlockIndex) returns the special identifier, $(D_INLINECODE GL_INVALID_INDEX). Indices of the active uniform blocks of a program are assigned in consecutive order, beginning with zero. + + $(D_INLINECODE glGetUniformBlockIndex) is available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetActiveUniformBlockName), $(D_INLINECODE glGetActiveUniformBlock), $(D_INLINECODE glLinkProgram) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glGetUniformBlockIndex glGetUniformBlockIndex; alias fn_glGenBuffers = extern(C) void function(GLsizei n, GLuint* buffers) @system @nogc nothrow; /++ + glGenBuffers: man3/glGenBuffers.xml + + $(D_INLINECODE glGenBuffers) returns $(D_INLINECODE n) buffer object names in $(D_INLINECODE buffers). There is no guarantee that the names form a contiguous set of integers; however, it is guaranteed that none of the returned names was in use immediately before the call to $(D_INLINECODE glGenBuffers). Buffer object names returned by a call to $(D_INLINECODE glGenBuffers) are not returned by subsequent calls, unless they are first deleted with $(D_INLINECODE glDeleteBuffers). No buffer objects are associated with the returned buffer object names until they are first bound by calling $(D_INLINECODE glBindBuffer). + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glDeleteBuffers), $(D_INLINECODE glGet) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glGenBuffers glGenBuffers; alias fn_glViewport = extern(C) void function(GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /++ + glViewport: man3/glViewport.xml + + $(D_INLINECODE glViewport) specifies the affine transformation of x and y from normalized device coordinates to window coordinates. Let x nd y nd be normalized device coordinates. Then the window coordinates x w y w are computed as follows: x w = x nd + 1 &it; width 2 + x y w = y nd + 1 &it; height 2 + y Viewport width and height are silently clamped to a range that depends on the implementation. To query this range, call $(D_INLINECODE glGet) with argument $(D_INLINECODE GL_MAX_VIEWPORT_DIMS). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDepthRange) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glViewport glViewport; alias fn_glTexBuffer = extern(C) void function(GLenum target, GLenum internalFormat, GLuint buffer) @system @nogc nothrow; /++ + glTexBuffer: man3/glTexBuffer.xml + + $(D_INLINECODE glTexBuffer) attaches the storage for the buffer object named $(D_INLINECODE buffer) to the active buffer texture, and specifies the internal format for the texel array found in the attached buffer object. If $(D_INLINECODE buffer) is zero, any buffer object attached to the buffer texture is detached and no new buffer object is attached. If $(D_INLINECODE buffer) is non-zero, it must be the name of an existing buffer object. $(D_INLINECODE target) must be $(D_INLINECODE GL_TEXTURE_BUFFER). $(D_INLINECODE internalformat) specifies the storage format, and must be one of the following sized internal formats: $(B Component) $(B Sized Internal Format) $(B Base Type) $(B Components) $(B Norm) 0 1 2 3 $(D_INLINECODE GL_R8) ubyte 1 YES R 0 0 1 $(D_INLINECODE GL_R16) ushort 1 YES R 0 0 1 $(D_INLINECODE GL_R16F) half 1 NO R 0 0 1 $(D_INLINECODE GL_R32F) float 1 NO R 0 0 1 $(D_INLINECODE GL_R8I) byte 1 NO R 0 0 1 $(D_INLINECODE GL_R16I) short 1 NO R 0 0 1 $(D_INLINECODE GL_R32I) int 1 NO R 0 0 1 $(D_INLINECODE GL_R8UI) ubyte 1 NO R 0 0 1 $(D_INLINECODE GL_R16UI) ushort 1 NO R 0 0 1 $(D_INLINECODE GL_R32UI) uint 1 NO R 0 0 1 $(D_INLINECODE GL_RG8) ubyte 2 YES R G 0 1 $(D_INLINECODE GL_RG16) ushort 2 YES R G 0 1 $(D_INLINECODE GL_RG16F) half 2 NO R G 0 1 $(D_INLINECODE GL_RG32F) float 2 NO R G 0 1 $(D_INLINECODE GL_RG8I) byte 2 NO R G 0 1 $(D_INLINECODE GL_RG16I) short 2 NO R G 0 1 $(D_INLINECODE GL_RG32I) int 2 NO R G 0 1 $(D_INLINECODE GL_RG8UI) ubyte 2 NO R G 0 1 $(D_INLINECODE GL_RG16UI) ushort 2 NO R G 0 1 $(D_INLINECODE GL_RG32UI) uint 2 NO R G 0 1 $(D_INLINECODE GL_RGBA8) uint 4 YES R G B A $(D_INLINECODE GL_RGBA16) short 4 YES R G B A $(D_INLINECODE GL_RGBA16F) half 4 NO R G B A $(D_INLINECODE GL_RGBA32F) float 4 NO R G B A $(D_INLINECODE GL_RGBA8I) byte 4 NO R G B A $(D_INLINECODE GL_RGBA16I) short 4 NO R G B A $(D_INLINECODE GL_RGBA32I) int 4 NO R G B A $(D_INLINECODE GL_RGBA8UI) ubyte 4 NO R G B A $(D_INLINECODE GL_RGBA16UI) ushort 4 NO R G B A $(D_INLINECODE GL_RGBA32UI) uint 4 NO R G B A When a buffer object is attached to a buffer texture, the buffer object's data store is taken as the texture's texel array. The number of texels in the buffer texture's texel array is given by<mml:floor/> buffer_size components sizeof ( base_type ) where is the size of the buffer object, in basic machine units and components and base type are the element count and base data type for elements, as specified in the table above. The number of texels in the texel array is then clamped to the implementation-dependent limit $(D_INLINECODE GL_MAX_TEXTURE_BUFFER_SIZE). When a buffer texture is accessed in a shader, the results of a texel fetch are undefined if the specified texel coordinate is negative, or greater than or equal to the clamped number of texels in the texel array. + + $(D_INLINECODE glTexBuffer) is available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2010-2013 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenBuffers), $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBufferData), $(D_INLINECODE glDeleteBuffers), $(D_INLINECODE glGenTextures), $(D_INLINECODE glBindTexture), $(D_INLINECODE glDeleteTextures) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) fn_glTexBuffer glTexBuffer; alias fn_glIsVertexArray = extern(C) GLboolean function(GLuint array) @system @nogc nothrow; /++ + glIsVertexArray: man3/glIsVertexArray.xml + + $(D_INLINECODE glIsVertexArray) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE array) is currently the name of a renderbuffer object. If $(D_INLINECODE renderbuffer) is zero, or if $(D_INLINECODE array) is not the name of a renderbuffer object, or if an error occurs, $(D_INLINECODE glIsVertexArray) returns $(D_INLINECODE GL_FALSE). If $(D_INLINECODE array) is a name returned by $(D_INLINECODE glGenVertexArrays), by that has not yet been bound through a call to $(D_INLINECODE glBindVertexArray), then the name is not a vertex array object and $(D_INLINECODE glIsVertexArray) returns $(D_INLINECODE GL_FALSE). + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenVertexArrays), $(D_INLINECODE glBindVertexArray), $(D_INLINECODE glDeleteVertexArrays) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_vertex_array_object") fn_glIsVertexArray glIsVertexArray; alias fn_glCompressedTexSubImage1D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const GLvoid* data) @system @nogc nothrow; /++ + glCompressedTexSubImage1D: man3/glCompressedTexSubImage1D.xml + + Texturing allows elements of an image array to be read by shaders. $(D_INLINECODE glCompressedTexSubImage1D) redefines a contiguous subregion of an existing one-dimensional texture image. The texels referenced by $(D_INLINECODE data) replace the portion of the existing texture array with x indices $(D_INLINECODE xoffset) and xoffset + width - 1, inclusive. This region may not include any texels outside the range of the texture array as it was originally specified. It is not an error to specify a subtexture with width of 0, but such a specification has no effect. $(D_INLINECODE internalformat) must be a known compressed image format (such as $(D_INLINECODE GL_RGTC) ) or an extension-specified compressed-texture format. The $(D_INLINECODE format) of the compressed texture image is selected by the GL implementation that compressed it (see $(D_INLINECODE glTexImage1D) ), and should be queried at the time the texture was compressed with $(D_INLINECODE glGetTexLevelParameter). If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glCompressedTexSubImage1D glCompressedTexSubImage1D; alias fn_glTexImage3DMultisample = extern(C) void function(GLenum target, GLsizei samples, GLint internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations) @system @nogc nothrow; /++ + glTexImage3DMultisample: man3/glTexImage3DMultisample.xml + + $(D_INLINECODE glTexImage3DMultisample) establishes the data storage, format, dimensions and number of samples of a multisample texture's image. $(D_INLINECODE target) must be $(D_INLINECODE GL_TEXTURE_2D_MULTISAMPLE_ARRAY) or $(D_INLINECODE GL_PROXY_TEXTURE_2D_MULTISAMPLE_ARRAY). $(D_INLINECODE width) and $(D_INLINECODE height) are the dimensions in texels of the texture, and must be in the range zero to $(D_INLINECODE GL_MAX_TEXTURE_SIZE) - 1. $(D_INLINECODE depth) is the number of array slices in the array texture's image. $(D_INLINECODE samples) specifies the number of samples in the image and must be in the range zero to $(D_INLINECODE GL_MAX_SAMPLES) - 1. $(D_INLINECODE internalformat) must be a color-renderable, depth-renderable, or stencil-renderable format. If $(D_INLINECODE fixedsamplelocations) is $(D_INLINECODE GL_TRUE), the image will use identical sample locations and the same number of samples for all texels in the image, and the sample locations will not depend on the internal format or size of the image. When a multisample texture is accessed in a shader, the access takes one vector of integers describing which texel to fetch and an integer corresponding to the sample numbers describing which sample within the texel to fetch. No standard sampling instructions are allowed on the multisample texture targets. + + $(D_INLINECODE glTexImage2DMultisample) is available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexImage2DMultisample) +/ @OpenGL_Version(OGLIntroducedIn.V3P2) @OpenGL_Extension("GL_ARB_texture_multisample") fn_glTexImage3DMultisample glTexImage3DMultisample; alias fn_glCompileShader = extern(C) void function(GLuint shader) @system @nogc nothrow; /++ + glCompileShader: man3/glCompileShader.xml + + $(D_INLINECODE glCompileShader) compiles the source code strings that have been stored in the shader object specified by $(D_INLINECODE shader). The compilation status will be stored as part of the shader object's state. This value will be set to $(D_INLINECODE GL_TRUE) if the shader was compiled without errors and is ready for use, and $(D_INLINECODE GL_FALSE) otherwise. It can be queried by calling $(D_INLINECODE glGetShader) with arguments $(D_INLINECODE shader) and $(D_INLINECODE GL_COMPILE_STATUS). Compilation of a shader can fail for a number of reasons as specified by the OpenGL Shading Language Specification. Whether or not the compilation was successful, information about the compilation can be obtained from the shader object's information log by calling $(D_INLINECODE glGetShaderInfoLog). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateShader), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glShaderSource) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glCompileShader glCompileShader; alias fn_glBindBufferBase = extern(C) void function(GLenum target, GLuint index, GLuint buffer) @system @nogc nothrow; /++ + glBindBufferBase: man3/glBindBufferBase.xml + + $(D_INLINECODE glBindBufferBase) binds the buffer object $(D_INLINECODE buffer) to the binding point at index $(D_INLINECODE index) of the array of targets specified by $(D_INLINECODE target). Each $(D_INLINECODE target) represents an indexed array of buffer binding points, as well as a single general binding point that can be used by other buffer manipulation functions such as $(D_INLINECODE glBindBuffer) or $(D_INLINECODE glMapBuffer). In addition to binding $(D_INLINECODE buffer) to the indexed buffer binding target, $(D_INLINECODE glBindBufferBase) also binds $(D_INLINECODE buffer) to the generic buffer binding point specified by $(D_INLINECODE target). + + Calling $(D_INLINECODE glBindBufferBase) is equivalent to calling $(D_INLINECODE glBindBufferRange) with $(D_INLINECODE offset) zero and $(D_INLINECODE size) equal to the size of the buffer. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenBuffers), $(D_INLINECODE glDeleteBuffers), $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBindBufferRange), $(D_INLINECODE glMapBuffer), $(D_INLINECODE glUnmapBuffer), +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glBindBufferBase glBindBufferBase; alias fn_glGetError = extern(C) GLenum function() @system @nogc nothrow; /++ + glGetError: man3/glGetError.xml + + $(D_INLINECODE glGetError) returns the value of the error flag. Each detectable error is assigned a numeric code and symbolic name. When an error occurs, the error flag is set to the appropriate error code value. No other errors are recorded until $(D_INLINECODE glGetError) is called, the error code is returned, and the flag is reset to $(D_INLINECODE GL_NO_ERROR). If a call to $(D_INLINECODE glGetError) returns $(D_INLINECODE GL_NO_ERROR), there has been no detectable error since the last call to $(D_INLINECODE glGetError), or since the GL was initialized. To allow for distributed implementations, there may be several error flags. If any single error flag has recorded an error, the value of that flag is returned and that flag is reset to $(D_INLINECODE GL_NO_ERROR) when $(D_INLINECODE glGetError) is called. If more than one flag has recorded an error, $(D_INLINECODE glGetError) returns and clears an arbitrary error flag value. Thus, $(D_INLINECODE glGetError) should always be called in a loop, until it returns $(D_INLINECODE GL_NO_ERROR), if all error flags are to be reset. Initially, all error flags are set to $(D_INLINECODE GL_NO_ERROR). The following errors are currently defined: When an error flag is set, results of a GL operation are undefined only if $(D_INLINECODE GL_OUT_OF_MEMORY) has occurred. In all other cases, the command generating the error is ignored and has no effect on the GL state or frame buffer contents. If the generating command returns a value, it returns 0. If $(D_INLINECODE glGetError) itself generates an error, it returns 0. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetError glGetError; alias fn_glCompressedTexSubImage2D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const GLvoid* data) @system @nogc nothrow; /++ + glCompressedTexSubImage2D: man3/glCompressedTexSubImage2D.xml + + Texturing allows elements of an image array to be read by shaders. $(D_INLINECODE glCompressedTexSubImage2D) redefines a contiguous subregion of an existing two-dimensional texture image. The texels referenced by $(D_INLINECODE data) replace the portion of the existing texture array with x indices $(D_INLINECODE xoffset) and xoffset + width - 1, and the y indices $(D_INLINECODE yoffset) and yoffset + height - 1, inclusive. This region may not include any texels outside the range of the texture array as it was originally specified. It is not an error to specify a subtexture with width of 0, but such a specification has no effect. $(D_INLINECODE internalformat) must be a known compressed image format (such as $(D_INLINECODE GL_RGTC) ) or an extension-specified compressed-texture format. The $(D_INLINECODE format) of the compressed texture image is selected by the GL implementation that compressed it (see $(D_INLINECODE glTexImage2D) ) and should be queried at the time the texture was compressed with $(D_INLINECODE glGetTexLevelParameter). If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glCompressedTexSubImage2D glCompressedTexSubImage2D; alias fn_glPolygonMode = extern(C) void function(GLenum face, GLenum mode) @system @nogc nothrow; /++ + glPolygonMode: man3/glPolygonMode.xml + + $(D_INLINECODE glPolygonMode) controls the interpretation of polygons for rasterization. $(D_INLINECODE face) describes which polygons $(D_INLINECODE mode) applies to: both front and back-facing polygons ( $(D_INLINECODE GL_FRONT_AND_BACK) ). The polygon mode affects only the final rasterization of polygons. In particular, a polygon's vertices are lit and the polygon is clipped and possibly culled before these modes are applied. Three modes are defined and can be specified in $(D_INLINECODE mode) : + + Vertices are marked as boundary or nonboundary with an edge flag. Edge flags are generated internally by the GL when it decomposes triangle stips and fans. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glLineWidth), $(D_INLINECODE glPointSize) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPolygonMode glPolygonMode; alias fn_glCopyTexSubImage3D = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /++ + glCopyTexSubImage3D: man3/glCopyTexSubImage3D.xml + + $(D_INLINECODE glCopyTexSubImage3D) replaces a rectangular portion of a three-dimensional or two-dimensional array texture image with pixels from the current $(D_INLINECODE GL_READ_BUFFER) (rather than from main memory, as is the case for $(D_INLINECODE glTexSubImage3D) ). The screen-aligned pixel rectangle with lower left corner at ( $(D_INLINECODE x), $(D_INLINECODE y) ) and with width $(D_INLINECODE width) and height $(D_INLINECODE height) replaces the portion of the texture array with x indices $(D_INLINECODE xoffset) through xoffset + width - 1, inclusive, and y indices $(D_INLINECODE yoffset) through yoffset + height - 1, inclusive, at z index $(D_INLINECODE zoffset) and at the mipmap level specified by $(D_INLINECODE level). The pixels in the rectangle are processed exactly as if $(D_INLINECODE glReadPixels) had been called, but the process stops just before final conversion. At this point, all pixel component values are clamped to the range 0 1 and then converted to the texture's internal format for storage in the texel array. The destination rectangle in the texture array may not include any texels outside the texture array as it was originally specified. It is not an error to specify a subtexture with zero width or height, but such a specification has no effect. If any of the pixels within the specified rectangle of the current $(D_INLINECODE GL_READ_BUFFER) are outside the read window associated with the current rendering context, then the values obtained for those pixels are undefined. No change is made to the,,, or parameters of the specified texture array or to texel values outside the specified subregion. + + $(D_INLINECODE glPixelStore) modes affect texture images. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glReadBuffer), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexParameter), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D) +/ @OpenGL_Version(OGLIntroducedIn.V1P2) fn_glCopyTexSubImage3D glCopyTexSubImage3D; alias fn_glBindVertexArray = extern(C) void function(GLuint array) @system @nogc nothrow; /++ + glBindVertexArray: man3/glBindVertexArray.xml + + $(D_INLINECODE glBindVertexArray) binds the vertex array object with name $(D_INLINECODE array). $(D_INLINECODE array) is the name of a vertex array object previously returned from a call to $(D_INLINECODE glGenVertexArrays), or zero to break the existing vertex array object binding. If no vertex array object with name $(D_INLINECODE array) exists, one is created when $(D_INLINECODE array) is first bound. If the bind is successful no change is made to the state of the vertex array object, and any previous vertex array object binding is broken. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGenVertexArrays), $(D_INLINECODE glDeleteVertexArrays) $(D_INLINECODE glVertexAttribPointer) $(D_INLINECODE glEnableVertexAttribArray) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_vertex_array_object") fn_glBindVertexArray glBindVertexArray; alias fn_glGetTransformFeedbackVarying = extern(C) void function(GLuint program, GLuint index, GLsizei bufSize, GLsizei* length, GLsizei* size, GLenum* type, char* name) @system @nogc nothrow; /++ + glGetTransformFeedbackVarying: man3/glGetTransformFeedbackVarying.xml + + Information about the set of varying variables in a linked program that will be captured during transform feedback may be retrieved by calling $(D_INLINECODE glGetTransformFeedbackVarying). $(D_INLINECODE glGetTransformFeedbackVarying) provides information about the varying variable selected by $(D_INLINECODE index). An $(D_INLINECODE index) of 0 selects the first varying variable specified in the $(D_INLINECODE varyings) array passed to $(D_INLINECODE glTransformFeedbackVaryings), and an $(D_INLINECODE index) of $(D_INLINECODE GL_TRANSFORM_FEEDBACK_VARYINGS) - 1 selects the last such variable. The name of the selected varying is returned as a null-terminated string in $(D_INLINECODE name). The actual number of characters written into $(D_INLINECODE name), excluding the null terminator, is returned in $(D_INLINECODE length). If $(D_INLINECODE length) is null, no length is returned. The maximum number of characters that may be written into + $(D_INLINECODE name), including the null terminator, is specified by $(D_INLINECODE bufSize). The length of the longest varying name in program is given by $(D_INLINECODE GL_TRANSFORM_FEEDBACK_VARYING_MAX_LENGTH), which can be queried with $(D_INLINECODE glGetProgram). For the selected varying variable, its type is returned into $(D_INLINECODE type). The size of the varying is returned into $(D_INLINECODE size). The value in $(D_INLINECODE size) is in units of the type returned in $(D_INLINECODE type). The type returned can be any of the scalar, vector, or matrix attribute types returned by $(D_INLINECODE glGetActiveAttrib). If an error occurred, the return parameters $(D_INLINECODE length), $(D_INLINECODE size), $(D_INLINECODE type) and $(D_INLINECODE name) will be unmodified. This command will return as much information about the varying variables as possible. If no information is available, $(D_INLINECODE length) will be set to zero and $(D_INLINECODE name) will be an empty string. This situation could arise if $(D_INLINECODE glGetTransformFeedbackVarying) is called after a failed link. + + Params: + + Copyright: + Copyright 2010-2013 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBeginTransformFeedback), $(D_INLINECODE glEndTransformFeedback), $(D_INLINECODE glTransformFeedbackVaryings), $(D_INLINECODE glGetProgram) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetTransformFeedbackVarying glGetTransformFeedbackVarying; alias fn_glGetActiveUniformBlockName = extern(C) void function(GLuint program, GLuint uniformBlockIndex, GLsizei bufSize, GLsizei* length, GLchar* uniformBlockName) @system @nogc nothrow; /++ + glGetActiveUniformBlockName: man3/glGetActiveUniformBlockName.xml + + $(D_INLINECODE glGetActiveUniformBlockName) retrieves the name of the active uniform block at $(D_INLINECODE uniformBlockIndex) within $(D_INLINECODE program). $(D_INLINECODE program) must be the name of a program object for which the command $(D_INLINECODE glLinkProgram) must have been called in the past, although it is not required that $(D_INLINECODE glLinkProgram) must have succeeded. The link could have failed because the number of active uniforms exceeded the limit. $(D_INLINECODE uniformBlockIndex) is an active uniform block index of $(D_INLINECODE program), and must be less than the value of $(D_INLINECODE GL_ACTIVE_UNIFORM_BLOCKS). Upon success, the name of the uniform block identified by $(D_INLINECODE unifomBlockIndex) is returned into $(D_INLINECODE uniformBlockName). The name is nul-terminated. The actual number of characters written into $(D_INLINECODE uniformBlockName), excluding the nul terminator, is returned in $(D_INLINECODE length). If $(D_INLINECODE length) is $(D_INLINECODE null + ), no length is returned. $(D_INLINECODE bufSize) contains the maximum number of characters (including the nul terminator) that will be written into $(D_INLINECODE uniformBlockName). If an error occurs, nothing will be written to $(D_INLINECODE uniformBlockName) or $(D_INLINECODE length). + + $(D_INLINECODE glGetActiveUniformBlockName) is available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetActiveUniformBlock), $(D_INLINECODE glGetUniformBlockIndex) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glGetActiveUniformBlockName glGetActiveUniformBlockName; alias fn_glDrawArraysInstanced = extern(C) void function(GLenum mode, GLint first, GLsizei count, GLsizei primcount) @system @nogc nothrow; /++ + glDrawArraysInstanced: man3/glDrawArraysInstanced.xml + + $(D_INLINECODE glDrawArraysInstanced) behaves identically to $(D_INLINECODE glDrawArrays) except that $(D_INLINECODE primcount) instances of the range of elements are executed and the value of the internal counter $(D_INLINECODE instanceID) advances for each iteration. $(D_INLINECODE instanceID) is an internal 32-bit integer counter that may be read by a vertex shader as $(D_INLINECODE gl_InstanceID). $(D_INLINECODE glDrawArraysInstanced) has the same effect as: + + --- + if ( mode or count is invalid ) + generate appropriate error + else { + for (int i = 0; i < primcount ; i++) { + instanceID = i; + glDrawArrays(mode, first, count); + } + instanceID = 0; + } + --- + + + $(D_INLINECODE glDrawArraysInstanced) is available only if the GL version is 3.1 or greater. $(D_INLINECODE GL_LINE_STRIP_ADJACENCY), $(D_INLINECODE GL_LINES_ADJACENCY), $(D_INLINECODE GL_TRIANGLE_STRIP_ADJACENCY) and $(D_INLINECODE GL_TRIANGLES_ADJACENCY) are available only if the GL version is 3.2 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDrawArrays), $(D_INLINECODE glDrawElementsInstanced) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) fn_glDrawArraysInstanced glDrawArraysInstanced; alias fn_glGetQueryObjectiv = extern(C) void function(GLuint id, GLenum pname, GLint* params) @system @nogc nothrow; /++ + glGetQueryObject: man3/glGetQueryObject.xml + + $(D_INLINECODE glGetQueryObject) returns in $(D_INLINECODE params) a selected parameter of the query object specified by $(D_INLINECODE id). $(D_INLINECODE pname) names a specific query object parameter. $(D_INLINECODE pname) can be as follows: + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). $(D_INLINECODE glGetQueryObject) implicitly flushes the GL pipeline so that any incomplete rendering delimited by the occlusion query completes in finite time. If multiple queries are issued using the same query object $(D_INLINECODE id) before calling $(D_INLINECODE glGetQueryObject), the results of the most recent query will be returned. In this case, when issuing a new query, the results of the previous query are discarded. $(D_INLINECODE glGetQueryObjecti64v) and $(D_INLINECODE glGetQueryObjectui64v) are available only if the GL version is 3.3 or greater. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBeginQuery), $(D_INLINECODE glEndQuery), $(D_INLINECODE glGetQueryiv), $(D_INLINECODE glIsQuery), $(D_INLINECODE glQueryCounter) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glGetQueryObjectiv glGetQueryObjectiv; alias fn_glGetQueryObjectuiv = extern(C) void function(GLuint id, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glGetQueryObjectuiv glGetQueryObjectuiv; alias fn_glGetQueryObjecti64v = extern(C) void function(GLuint id, GLenum pname, GLint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_timer_query") fn_glGetQueryObjecti64v glGetQueryObjecti64v; alias fn_glGetQueryObjectui64v = extern(C) void function(GLuint id, GLenum pname, GLuint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_timer_query") fn_glGetQueryObjectui64v glGetQueryObjectui64v; alias fn_glBeginQuery = extern(C) void function(GLenum target, GLuint id) @system @nogc nothrow; /++ + glBeginQuery: man3/glBeginQuery.xml + + $(D_INLINECODE glBeginQuery) and $(D_INLINECODE glEndQuery) delimit the boundaries of a query object. $(D_INLINECODE query) must be a name previously returned from a call to $(D_INLINECODE glGenQueries). If a query object with name $(D_INLINECODE id) does not yet exist it is created with the type determined by $(D_INLINECODE target). $(D_INLINECODE target) must be one of $(D_INLINECODE GL_SAMPLES_PASSED), $(D_INLINECODE GL_ANY_SAMPLES_PASSED), $(D_INLINECODE GL_PRIMITIVES_GENERATED), $(D_INLINECODE GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN), or $(D_INLINECODE GL_TIME_ELAPSED). The behavior of the query object depends on its type and is as follows. If $(D_INLINECODE target) is $(D_INLINECODE GL_SAMPLES_PASSED), $(D_INLINECODE id) must be an unused name, or the name of an existing occlusion query object. When $(D_INLINECODE glBeginQuery) is executed, the query object's samples-passed counter is reset to 0. Subsequent rendering will increment the counter for every sample that passes the depth test. If the value of $(D_INLINECODE GL_SAMPLE_BUFFERS) is 0, then the samples-passed count is incremented by 1 for each fragment. If the value of $(D_INLINECODE GL_SAMPLE_BUFFERS) is 1, then the samples-passed count is incremented by the number of samples whose coverage bit is set. However, implementations, at their discression may instead increase the samples-passed count by the value of $(D_INLINECODE GL_SAMPLES) if any sample in the fragment is covered. When $(D_INLINECODE glEndQuery) is executed, the samples-passed counter is assigned to the query object's result value. This value can be queried by calling $(D_INLINECODE glGetQueryObject) with $(D_INLINECODE pname) $(D_INLINECODE GL_QUERY_RESULT). If $(D_INLINECODE target) is $(D_INLINECODE GL_ANY_SAMPLES_PASSED), $(D_INLINECODE id) must be an unused name, or the name of an existing boolean occlusion query object. When $(D_INLINECODE glBeginQuery) is executed, the query object's samples-passed flag is reset to $(D_INLINECODE GL_FALSE). Subsequent rendering causes the flag to be set to $(D_INLINECODE GL_TRUE) if any sample passes the depth test. When $(D_INLINECODE glEndQuery) is executed, the samples-passed flag is assigned to the query object's result value. This value can be queried by calling $(D_INLINECODE glGetQueryObject) with $(D_INLINECODE pname) $(D_INLINECODE GL_QUERY_RESULT). If $(D_INLINECODE target) is $(D_INLINECODE GL_PRIMITIVES_GENERATED), $(D_INLINECODE id) must be an unused name, or the name of an existing primitive query object previously bound to the $(D_INLINECODE GL_PRIMITIVES_GENERATED) query binding. When $(D_INLINECODE glBeginQuery) is executed, the query object's primitives-generated counter is reset to 0. Subsequent rendering will increment the counter once for every vertex that is emitted from the geometry shader, or from the vertex shader if no geometry shader is present. When $(D_INLINECODE glEndQuery) is executed, the primitives-generated counter is assigned to the query object's result value. This value can be queried by calling $(D_INLINECODE glGetQueryObject) with $(D_INLINECODE pname) $(D_INLINECODE GL_QUERY_RESULT). If $(D_INLINECODE target) is $(D_INLINECODE GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN), $(D_INLINECODE id) must be an unused name, or the name of an existing primitive query object previously bound to the $(D_INLINECODE GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN) query binding. When $(D_INLINECODE glBeginQuery) is executed, the query object's primitives-written counter is reset to 0. Subsequent rendering will increment the counter once for every vertex that is written into the bound transform feedback buffer(s). If transform feedback mode is not activated between the call to $(D_INLINECODE glBeginQuery) and $(D_INLINECODE glEndQuery), the counter will not be incremented. When $(D_INLINECODE glEndQuery) is executed, the primitives-written counter is assigned to the query object's result value. This value can be queried by calling $(D_INLINECODE glGetQueryObject) with $(D_INLINECODE pname) $(D_INLINECODE GL_QUERY_RESULT). If $(D_INLINECODE target) is $(D_INLINECODE GL_TIME_ELAPSED), $(D_INLINECODE id) must be an unused name, or the name of an existing timer query object previously bound to the $(D_INLINECODE GL_TIME_ELAPSED) query binding. When $(D_INLINECODE glBeginQuery) is executed, the query object's time counter is reset to 0. When $(D_INLINECODE glEndQuery) is executed, the elapsed server time that has passed since the call to $(D_INLINECODE glBeginQuery) is written into the query object's time counter. This value can be queried by calling $(D_INLINECODE glGetQueryObject) with $(D_INLINECODE pname) $(D_INLINECODE GL_QUERY_RESULT). Querying the $(D_INLINECODE GL_QUERY_RESULT) implicitly flushes the GL pipeline until the rendering delimited by the query object has completed and the result is available. $(D_INLINECODE GL_QUERY_RESULT_AVAILABLE) can be queried to determine if the result is immediately available or if the rendering is not yet complete. + + If the query target's count exceeds the maximum value representable in the number of available bits, as reported by $(D_INLINECODE glGetQueryiv) with $(D_INLINECODE target) set to the appropriate query target and $(D_INLINECODE pname) $(D_INLINECODE GL_QUERY_COUNTER_BITS), the count becomes undefined. An implementation may support 0 bits in its counter, in which case query results are always undefined and essentially useless. When $(D_INLINECODE GL_SAMPLE_BUFFERS) is 0, the samples-passed counter of an occlusion query will increment once for each fragment that passes the depth test. When $(D_INLINECODE GL_SAMPLE_BUFFERS) is 1, an implementation may either increment the samples-passed counter individually for each sample of a fragment that passes the depth test, or it may choose to increment the counter for all samples of a fragment if any one of them passes the depth test. The query targets $(D_INLINECODE GL_ANY_SAMPLES_PASSED), and $(D_INLINECODE GL_TIME_ELAPSED) are availale only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDeleteQueries), $(D_INLINECODE glGenQueries), $(D_INLINECODE glGetQueryiv), $(D_INLINECODE glGetQueryObject), $(D_INLINECODE glIsQuery) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glBeginQuery glBeginQuery; alias fn_glEndQuery = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glEndQuery glEndQuery; alias fn_glGetUniformfv = extern(C) void function(GLuint program, GLint location, GLfloat* params) @system @nogc nothrow; /++ + glGetUniform: man3/glGetUniform.xml + + $(D_INLINECODE glGetUniform) returns in $(D_INLINECODE params) the value(s) of the specified uniform variable. The type of the uniform variable specified by $(D_INLINECODE location) determines the number of values returned. If the uniform variable is defined in the shader as a boolean, int, or float, a single value will be returned. If it is defined as a vec2, ivec2, or bvec2, two values will be returned. If it is defined as a vec3, ivec3, or bvec3, three values will be returned, and so on. To query values stored in uniform variables declared as arrays, call $(D_INLINECODE glGetUniform) for each element of the array. To query values stored in uniform variables declared as structures, call $(D_INLINECODE glGetUniform) for each field in the structure. The values for uniform variables declared as a matrix will be returned in column major order. The locations assigned to uniform variables are not known until the program object is linked. After linking has occurred, the command $(D_INLINECODE glGetUniformLocation) can be used to obtain the location of a uniform variable. This location value can then be passed to $(D_INLINECODE glGetUniform) in order to query the current value of the uniform variable. After a program object has been linked successfully, the index values for uniform variables remain fixed until the next link command occurs. The uniform variable values can only be queried after a link if the link was successful. + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateProgram), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glUniform) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetUniformfv glGetUniformfv; alias fn_glGetUniformiv = extern(C) void function(GLuint program, GLint location, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetUniformiv glGetUniformiv; alias fn_glGetUniformuiv = extern(C) void function(GLuint program, GLint location, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glGetUniformuiv glGetUniformuiv; alias fn_glBindAttribLocation = extern(C) void function(GLuint program, GLuint index, const GLchar* name) @system @nogc nothrow; /++ + glBindAttribLocation: man3/glBindAttribLocation.xml + + $(D_INLINECODE glBindAttribLocation) is used to associate a user-defined attribute variable in the program object specified by $(D_INLINECODE program) with a generic vertex attribute index. The name of the user-defined attribute variable is passed as a null terminated string in $(D_INLINECODE name). The generic vertex attribute index to be bound to this variable is specified by $(D_INLINECODE index). When $(D_INLINECODE program) is made part of current state, values provided via the generic vertex attribute $(D_INLINECODE index) will modify the value of the user-defined attribute variable specified by $(D_INLINECODE name). If $(D_INLINECODE name) refers to a matrix attribute variable, $(D_INLINECODE index) refers to the first column of the matrix. Other matrix columns are then automatically bound to locations $(D_INLINECODE index+1) for a matrix of type $(D_INLINECODE mat2); $(D_INLINECODE index+1) and $(D_INLINECODE index+2) for a matrix of type $(D_INLINECODE mat3); and $(D_INLINECODE index+1), $(D_INLINECODE index+2), and $(D_INLINECODE index+3) for a matrix of type $(D_INLINECODE mat4). This command makes it possible for vertex shaders to use descriptive names for attribute variables rather than generic variables that are numbered from 0 to $(D_INLINECODE GL_MAX_VERTEX_ATTRIBS) -1. The values sent to each generic attribute index are part of current state. If a different program object is made current by calling $(D_INLINECODE glUseProgram), the generic vertex attributes are tracked in such a way that the same values will be observed by attributes in the new program object that are also bound to $(D_INLINECODE index). Attribute variable name-to-generic attribute index bindings for a program object can be explicitly assigned at any time by calling $(D_INLINECODE glBindAttribLocation). Attribute bindings do not go into effect until $(D_INLINECODE glLinkProgram) is called. After a program object has been linked successfully, the index values for generic attributes remain fixed (and their values can be queried) until the next link command occurs. Any attribute binding that occurs after the program object has been linked will not take effect until the next time the program object is linked. + + $(D_INLINECODE glBindAttribLocation) can be called before any vertex shader objects are bound to the specified program object. It is also permissible to bind a generic attribute index to an attribute variable name that is never used in a vertex shader. If $(D_INLINECODE name) was bound previously, that information is lost. Thus you cannot bind one user-defined attribute variable to multiple indices, but you can bind multiple user-defined attribute variables to the same index. Applications are allowed to bind more than one user-defined attribute variable to the same generic vertex attribute index. This is called, and it is allowed only if just one of the aliased attributes is active in the executable program, or if no path through the shader consumes more than one attribute of a set of attributes aliased to the same location. The compiler and linker are allowed to assume that no aliasing is done and are free to employ optimizations that work only in the absence of aliasing. OpenGL implementations are not required to do error checking to detect aliasing. Active attributes that are not explicitly bound will be bound by the linker when $(D_INLINECODE glLinkProgram) is called. The locations assigned can be queried by calling $(D_INLINECODE glGetAttribLocation). OpenGL copies the $(D_INLINECODE name) string when $(D_INLINECODE glBindAttribLocation) is called, so an application may free its copy of the $(D_INLINECODE name) string immediately after the function returns. Generic attribute locations may be specified in the shader source text using a $(D_INLINECODE location) layout qualifier. In this case, the location of the attribute specified in the shader's source takes precedence and may be queried by calling $(D_INLINECODE glGetAttribLocation). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glDisableVertexAttribArray), $(D_INLINECODE glEnableVertexAttribArray), $(D_INLINECODE glUseProgram), $(D_INLINECODE glVertexAttrib), $(D_INLINECODE glVertexAttribPointer) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glBindAttribLocation glBindAttribLocation; alias fn_glTexImage3D = extern(C) void function(GLenum target, GLint level, GLint internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const GLvoid* data) @system @nogc nothrow; /++ + glTexImage3D: man3/glTexImage3D.xml + + Texturing maps a portion of a specified texture image onto each graphical primitive for which texturing is enabled. To enable and disable three-dimensional texturing, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_TEXTURE_3D). To define texture images, call $(D_INLINECODE glTexImage3D). The arguments describe the parameters of the texture image, such as height, width, depth, width of the border, level-of-detail number (see $(D_INLINECODE glTexParameter) ), and number of color components provided. The last three arguments describe how the image is represented in memory. If $(D_INLINECODE target) is $(D_INLINECODE GL_PROXY_TEXTURE_3D), no data is read from $(D_INLINECODE data), but all of the texture image state is recalculated, checked for consistency, and checked against the implementation's capabilities. If the implementation cannot handle a texture of the requested texture size, it sets all of the image state to 0, but does not generate an error (see $(D_INLINECODE glGetError) ). To query for an entire mipmap array, use an image array level greater than or equal to 1. If $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_3D), data is read from $(D_INLINECODE data) as a sequence of signed or unsigned bytes, shorts, or longs, or single-precision floating-point values, depending on $(D_INLINECODE type). These values are grouped into sets of one, two, three, or four values, depending on $(D_INLINECODE format), to form elements. Each data byte is treated as eight 1-bit elements, with bit ordering determined by $(D_INLINECODE GL_UNPACK_LSB_FIRST) (see $(D_INLINECODE glPixelStore) ). If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. The first element corresponds to the lower left corner of the texture image. Subsequent elements progress left-to-right through the remaining texels in the lowest row of the texture image, and then in successively higher rows of the texture image. The final element corresponds to the upper right corner of the texture image. $(D_INLINECODE format) determines the composition of each element in $(D_INLINECODE data). It can assume one of these symbolic values: If an application wants to store the texture at a certain resolution or in a certain format, it can request the resolution and format with $(D_INLINECODE internalFormat). The GL will choose an internal representation that closely approximates that requested by $(D_INLINECODE internalFormat), but it may not match exactly. (The representations specified by $(D_INLINECODE GL_RED), $(D_INLINECODE GL_RG), $(D_INLINECODE GL_RGB), and $(D_INLINECODE GL_RGBA) must match exactly.) If the $(D_INLINECODE internalFormat) parameter is one of the generic compressed formats, $(D_INLINECODE GL_COMPRESSED_RED), $(D_INLINECODE GL_COMPRESSED_RG), $(D_INLINECODE GL_COMPRESSED_RGB), or $(D_INLINECODE GL_COMPRESSED_RGBA), the GL will replace the internal format with the symbolic constant for a specific internal format and compress the texture before storage. If no corresponding internal format is available, or the GL can not compress that image for any reason, the internal format is instead replaced with a corresponding base internal format. If the $(D_INLINECODE internalFormat) parameter is $(D_INLINECODE GL_SRGB), $(D_INLINECODE GL_SRGB8), $(D_INLINECODE GL_SRGB_ALPHA), or $(D_INLINECODE GL_SRGB8_ALPHA8), the texture is treated as if the red, green, blue, or luminance components are encoded in the sRGB color space. Any alpha component is left unchanged. The conversion from the sRGB encoded component c s to a linear component c l is: c l = { c s 12.92 if c s &le; 0.04045 ( c s + 0.055 1.055 ) 2.4 if c s &gt; 0.04045 Assume c s is the sRGB component in the range [0,1]. Use the $(D_INLINECODE GL_PROXY_TEXTURE_3D) target to try out a resolution and format. The implementation will update and recompute its best match for the requested storage resolution and format. To then query this state, call $(D_INLINECODE glGetTexLevelParameter). If the texture cannot be accommodated, texture state is set to 0. A one-component texture image uses only the red component of the RGBA color extracted from $(D_INLINECODE data). A two-component image uses the R and A values. A three-component image uses the R, G, and B values. A four-component image uses all of the RGBA components. + + The $(D_INLINECODE glPixelStore) mode affects texture images. $(D_INLINECODE data) may be a null pointer. In this case texture memory is allocated to accommodate a texture of width $(D_INLINECODE width), height $(D_INLINECODE height), and depth $(D_INLINECODE depth). You can then download subtextures to initialize this texture memory. The image is undefined if the user tries to apply an uninitialized portion of the texture image to a primitive. $(D_INLINECODE glTexImage3D) specifies the three-dimensional texture for the current texture unit, specified with $(D_INLINECODE glActiveTexture). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glGetCompressedTexImage), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P2) fn_glTexImage3D glTexImage3D; alias fn_glGetProgramiv = extern(C) void function(GLuint program, GLenum pname, GLint* params) @system @nogc nothrow; /++ + glGetProgram: man3/glGetProgram.xml + + $(D_INLINECODE glGetProgram) returns in $(D_INLINECODE params) the value of a parameter for a specific program object. The following parameters are defined: + + $(D_INLINECODE GL_ACTIVE_UNIFORM_BLOCKS) and $(D_INLINECODE GL_ACTIVE_UNIFORM_BLOCK_MAX_NAME_LENGTH) are available only if the GL version 3.1 or greater. $(D_INLINECODE GL_GEOMETRY_VERTICES_OUT), $(D_INLINECODE GL_GEOMETRY_INPUT_TYPE) and $(D_INLINECODE GL_GEOMETRY_OUTPUT_TYPE) are accepted only if the GL version is 3.2 or greater. If an error is generated, no change is made to the contents of $(D_INLINECODE params). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glAttachShader), $(D_INLINECODE glCreateProgram), $(D_INLINECODE glDeleteProgram), $(D_INLINECODE glGetShader), $(D_INLINECODE glLinkProgram), $(D_INLINECODE glValidateProgram) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glGetProgramiv glGetProgramiv; alias fn_glDepthRange = extern(C) void function(GLclampd nearVal, GLclampd farVal) @system @nogc nothrow; /++ + glDepthRange: man3/glDepthRange.xml + + After clipping and division by, depth coordinates range from -1 to 1, corresponding to the near and far clipping planes. $(D_INLINECODE glDepthRange) specifies a linear mapping of the normalized depth coordinates in this range to window depth coordinates. Regardless of the actual depth buffer implementation, window coordinate depth values are treated as though they range from 0 through 1 (like color components). Thus, the values accepted by $(D_INLINECODE glDepthRange) are both clamped to this range before they are accepted. The setting of (0,1) maps the near plane to 0 and the far plane to 1. With this mapping, the depth buffer range is fully utilized. + + It is not necessary that $(D_INLINECODE nearVal) be less than $(D_INLINECODE farVal). Reverse mappings such as nearVal = 1, and farVal = 0 are acceptable. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glDepthFunc), $(D_INLINECODE glPolygonOffset), $(D_INLINECODE glViewport) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glDepthRange glDepthRange; alias fn_glStencilFunc = extern(C) void function(GLenum func, GLint ref_, GLuint mask) @system @nogc nothrow; /++ + glStencilFunc: man3/glStencilFunc.xml + + Stenciling, like depth-buffering, enables and disables drawing on a per-pixel basis. Stencil planes are first drawn into using GL drawing primitives, then geometry and images are rendered using the stencil planes to mask out portions of the screen. Stenciling is typically used in multipass rendering algorithms to achieve special effects, such as decals, outlining, and constructive solid geometry rendering. The stencil test conditionally eliminates a pixel based on the outcome of a comparison between the reference value and the value in the stencil buffer. To enable and disable the test, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) with argument $(D_INLINECODE GL_STENCIL_TEST). To specify actions based on the outcome of the stencil test, call $(D_INLINECODE glStencilOp) or $(D_INLINECODE glStencilOpSeparate). There can be two separate sets of $(D_INLINECODE func), $(D_INLINECODE ref), and $(D_INLINECODE mask) parameters; one affects back-facing polygons, and the other affects front-facing polygons as well as other non-polygon primitives. $(D_INLINECODE glStencilFunc) sets both front and back stencil state to the same values. Use $(D_INLINECODE glStencilFuncSeparate) to set front and back stencil state to different values. $(D_INLINECODE func) is a symbolic constant that determines the stencil comparison function. It accepts one of eight values, shown in the following list. $(D_INLINECODE ref) is an integer reference value that is used in the stencil comparison. It is clamped to the range 0 2 n - 1, where n is the number of bitplanes in the stencil buffer. $(D_INLINECODE mask) is bitwise ANDed with both the reference value and the stored stencil value, with the ANDed values participating in the comparison. If represents the value stored in the corresponding stencil buffer location, the following list shows the effect of each comparison function that can be specified by $(D_INLINECODE func). Only if the comparison succeeds is the pixel passed through to the next stage in the rasterization process (see $(D_INLINECODE glStencilOp) ). All tests treat values as unsigned integers in the range 0 2 n - 1, where n is the number of bitplanes in the stencil buffer. The following values are accepted by $(D_INLINECODE func) : + + Initially, the stencil test is disabled. If there is no stencil buffer, no stencil modification can occur and it is as if the stencil test always passes. $(D_INLINECODE glStencilFunc) is the same as calling $(D_INLINECODE glStencilFuncSeparate) with $(D_INLINECODE face) set to $(D_INLINECODE GL_FRONT_AND_BACK). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBlendFunc), $(D_INLINECODE glDepthFunc), $(D_INLINECODE glEnable), $(D_INLINECODE glLogicOp), $(D_INLINECODE glStencilFuncSeparate), $(D_INLINECODE glStencilMask), $(D_INLINECODE glStencilMaskSeparate), $(D_INLINECODE glStencilOp), $(D_INLINECODE glStencilOpSeparate) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glStencilFunc glStencilFunc; alias fn_glStencilMaskSeparate = extern(C) void function(GLenum face, GLuint mask) @system @nogc nothrow; /++ + glStencilMaskSeparate: man3/glStencilMaskSeparate.xml + + $(D_INLINECODE glStencilMaskSeparate) controls the writing of individual bits in the stencil planes. The least significant n bits of $(D_INLINECODE mask), where n is the number of bits in the stencil buffer, specify a mask. Where a 1 appears in the mask, it's possible to write to the corresponding bit in the stencil buffer. Where a 0 appears, the corresponding bit is write-protected. Initially, all bits are enabled for writing. There can be two separate $(D_INLINECODE mask) writemasks; one affects back-facing polygons, and the other affects front-facing polygons as well as other non-polygon primitives. $(D_INLINECODE glStencilMask) sets both front and back stencil writemasks to the same values, as if $(D_INLINECODE glStencilMaskSeparate) were called with $(D_INLINECODE face) set to $(D_INLINECODE GL_FRONT_AND_BACK). + + Params: + + Copyright: + Copyright 2006 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glColorMask), $(D_INLINECODE glDepthMask), $(D_INLINECODE glStencilFunc), $(D_INLINECODE glStencilFuncSeparate), $(D_INLINECODE glStencilMask), $(D_INLINECODE glStencilOp), $(D_INLINECODE glStencilOpSeparate) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glStencilMaskSeparate glStencilMaskSeparate; alias fn_glActiveTexture = extern(C) void function(GLenum texture) @system @nogc nothrow; /++ + glActiveTexture: man3/glActiveTexture.xml + + $(D_INLINECODE glActiveTexture) selects which texture unit subsequent texture state calls will affect. The number of texture units an implementation supports is implementation dependent, but must be at least 48. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glGenTextures), $(D_INLINECODE glBindTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glDeleteTextures) $(D_INLINECODE glIsTexture), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage2DMultisample), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexImage3DMultisample), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter), +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glActiveTexture glActiveTexture; alias fn_glGetBufferParameteriv = extern(C) void function(GLenum target, GLenum value, GLint* data) @system @nogc nothrow; /++ + glGetBufferParameter: man3/glGetBufferParameter.xml + + $(D_INLINECODE glGetBufferParameteriv) returns in $(D_INLINECODE data) a selected parameter of the buffer object specified by $(D_INLINECODE target). $(D_INLINECODE value) names a specific buffer object parameter, as follows: + + If an error is generated, no change is made to the contents of $(D_INLINECODE data). $(D_INLINECODE glGetBufferParameteri64v) is available only if the GL version is 3.2 or higher. + + Params: + + Copyright: + Copyright 2005 Addison-Wesley. Copyright 2010-2013 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindBuffer), $(D_INLINECODE glBufferData), $(D_INLINECODE glMapBuffer), $(D_INLINECODE glUnmapBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V1P5) fn_glGetBufferParameteriv glGetBufferParameteriv; alias fn_glGetBufferParameteri64v = extern(C) void function(GLenum target, GLenum value, GLint64* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P2) fn_glGetBufferParameteri64v glGetBufferParameteri64v; alias fn_glFlushMappedBufferRange = extern(C) void function(GLenum target, GLintptr offset, GLsizeiptr length) @system @nogc nothrow; /++ + glFlushMappedBufferRange: man3/glFlushMappedBufferRange.xml + + $(D_INLINECODE glFlushMappedBufferRange) indicates that modifications have been made to a range of a mapped buffer. The buffer must previously have been mapped with the $(D_INLINECODE GL_MAP_FLUSH_EXPLICIT_BIT) flag. $(D_INLINECODE offset) and $(D_INLINECODE length) indicate the modified subrange of the mapping, in basic units. The specified subrange to flush is relative to the start of the currently mapped range of the buffer. $(D_INLINECODE glFlushMappedBufferRange) may be called multiple times to indicate distinct subranges of the mapping which require flushing. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glMapBufferRange), $(D_INLINECODE glMapBuffer), $(D_INLINECODE glUnmapBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) @OpenGL_Extension("GL_ARB_map_buffer_range") fn_glFlushMappedBufferRange glFlushMappedBufferRange; alias fn_glCompressedTexImage3D = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const GLvoid* data) @system @nogc nothrow; /++ + glCompressedTexImage3D: man3/glCompressedTexImage3D.xml + + Texturing allows elements of an image array to be read by shaders. $(D_INLINECODE glCompressedTexImage3D) loads a previously defined, and retrieved, compressed three-dimensional texture image if $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_3D) (see $(D_INLINECODE glTexImage3D) ). If $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_2D_ARRAY), $(D_INLINECODE data) is treated as an array of compressed 2D textures. If $(D_INLINECODE target) is $(D_INLINECODE GL_PROXY_TEXTURE_3D) or $(D_INLINECODE GL_PROXY_TEXTURE_2D_ARRAY), no data is read from $(D_INLINECODE data), but all of the texture image state is recalculated, checked for consistency, and checked against the implementation's capabilities. If the implementation cannot handle a texture of the requested texture size, it sets all of the image state to 0, but does not generate an error (see $(D_INLINECODE glGetError) ). To query for an entire mipmap array, use an image array level greater than or equal to 1. $(D_INLINECODE internalformat) must be a known compressed image format (such as $(D_INLINECODE GL_RGTC) ) or an extension-specified compressed-texture format. When a texture is loaded with $(D_INLINECODE glTexImage2D) using a generic compressed texture format (e.g., $(D_INLINECODE GL_COMPRESSED_RGB) ), the GL selects from one of its extensions supporting compressed textures. In order to load the compressed texture image using $(D_INLINECODE glCompressedTexImage3D), query the compressed texture image's size and format using $(D_INLINECODE glGetTexLevelParameter). If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage2D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glCompressedTexImage3D glCompressedTexImage3D; alias fn_glTransformFeedbackVaryings = extern(C) void function(GLuint program, GLsizei count, const char** varyings, GLenum bufferMode) @system @nogc nothrow; /++ + glTransformFeedbackVaryings: man3/glTransformFeedbackVaryings.xml + + The names of the vertex or geometry shader outputs to be recorded in transform feedback mode are specified using $(D_INLINECODE glTransformFeedbackVaryings). When a geometry shader is active, transform feedback records the values of selected geometry shader output variables from the emitted vertices. Otherwise, the values of the selected vertex shader outputs are recorded. The state set by $(D_INLINECODE glTranformFeedbackVaryings) is stored and takes effect next time $(D_INLINECODE glLinkProgram) is called on $(D_INLINECODE program). When $(D_INLINECODE glLinkProgram) is called, $(D_INLINECODE program) is linked so that the values of the specified varying variables for the vertices of each primitive generated by the GL are written to a single buffer object if $(D_INLINECODE bufferMode) is $(D_INLINECODE GL_INTERLEAVED_ATTRIBS) or multiple buffer objects if $(D_INLINECODE bufferMode) is $(D_INLINECODE GL_SEPARATE_ATTRIBS). In addition to the errors generated by $(D_INLINECODE glTransformFeedbackVaryings), the program $(D_INLINECODE program) will fail to link if: $(OL $(LI The count specified by $(D_INLINECODE glTransformFeedbackVaryings) is non-zero, but the program object has no vertex or geometry shader.) $(LI Any variable name specified in the $(D_INLINECODE varyings) array is not declared as an output in the vertex shader (or the geometry shader, if active).) $(LI Any two entries in the $(D_INLINECODE varyings) array specify the same varying variable.) $(LI The total number of components to capture in any varying variable in $(D_INLINECODE varyings) is greater than the constant $(D_INLINECODE GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS) and the buffer mode is $(D_INLINECODE GL_SEPARATE_ATTRIBS).) $(LI The total number of components to capture is greater than the constant $(D_INLINECODE GL_MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS) and the buffer mode is $(D_INLINECODE GL_INTERLEAVED_ATTRIBS).)) + + $(D_INLINECODE glGetTransformFeedbackVarying) is available only if the GL version is 3.0 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBeginTransformFeedback), $(D_INLINECODE glEndTransformFeedback), $(D_INLINECODE glGetTransformFeedbackVarying) +/ @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glTransformFeedbackVaryings glTransformFeedbackVaryings; alias fn_glLogicOp = extern(C) void function(GLenum opcode) @system @nogc nothrow; /++ + glLogicOp: man3/glLogicOp.xml + + $(D_INLINECODE glLogicOp) specifies a logical operation that, when enabled, is applied between the incoming RGBA color and the RGBA color at the corresponding location in the frame buffer. To enable or disable the logical operation, call $(D_INLINECODE glEnable) and $(D_INLINECODE glDisable) using the symbolic constant $(D_INLINECODE GL_COLOR_LOGIC_OP). The initial value is disabled. $(B Opcode) $(B Resulting Operation) $(D_INLINECODE GL_CLEAR) 0 $(D_INLINECODE GL_SET) 1 $(D_INLINECODE GL_COPY) s $(D_INLINECODE GL_COPY_INVERTED) ~s $(D_INLINECODE GL_NOOP) d $(D_INLINECODE GL_INVERT) ~d $(D_INLINECODE GL_AND) s &amp; d $(D_INLINECODE GL_NAND) ~(s &amp; d) $(D_INLINECODE GL_OR) s | d $(D_INLINECODE GL_NOR) ~(s | d) $(D_INLINECODE GL_XOR) s ^ d $(D_INLINECODE GL_EQUIV) ~(s ^ d) $(D_INLINECODE GL_AND_REVERSE) s &amp; ~d $(D_INLINECODE GL_AND_INVERTED) ~s &amp; d $(D_INLINECODE GL_OR_REVERSE) s | ~d $(D_INLINECODE GL_OR_INVERTED) ~s | d $(D_INLINECODE opcode) is a symbolic constant chosen from the list above. In the explanation of the logical operations, represents the incoming color and represents the color in the frame buffer. Standard C-language operators are used. As these bitwise operators suggest, the logical operation is applied independently to each bit pair of the source and destination colors. + + When more than one RGBA color buffer is enabled for drawing, logical operations are performed separately for each enabled buffer, using for the destination value the contents of that buffer (see $(D_INLINECODE glDrawBuffer) ). Logic operations have no effect on floating point draw buffers. However, if $(D_INLINECODE GL_COLOR_LOGIC_OP) is enabled, blending is still disabled in this case. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBlendFunc), $(D_INLINECODE glDrawBuffer), $(D_INLINECODE glEnable), $(D_INLINECODE glStencilOp) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLogicOp glLogicOp; alias fn_glGetActiveUniformBlockiv = extern(C) void function(GLuint program, GLuint uniformBlockIndex, GLenum pname, GLint* params) @system @nogc nothrow; /++ + glGetActiveUniformBlock: man3/glGetActiveUniformBlock.xml + + $(D_INLINECODE glGetActiveUniformBlockiv) retrieves information about an active uniform block within $(D_INLINECODE program). $(D_INLINECODE program) must be the name of a program object for which the command $(D_INLINECODE glLinkProgram) must have been called in the past, although it is not required that $(D_INLINECODE glLinkProgram) must have succeeded. The link could have failed because the number of active uniforms exceeded the limit. $(D_INLINECODE uniformBlockIndex) is an active uniform block index of $(D_INLINECODE program), and must be less than the value of $(D_INLINECODE GL_ACTIVE_UNIFORM_BLOCKS). Upon success, the uniform block parameter(s) specified by $(D_INLINECODE pname) are returned in $(D_INLINECODE params). If an error occurs, nothing will be written to $(D_INLINECODE params). If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_BLOCK_BINDING), then the index of the uniform buffer binding point last selected by the uniform block specified by $(D_INLINECODE uniformBlockIndex) for $(D_INLINECODE program) is returned. If no uniform block has been previously specified, zero is returned. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_BLOCK_DATA_SIZE), then the implementation-dependent minimum total buffer object size, in basic machine units, required to hold all active uniforms in the uniform block identified by $(D_INLINECODE uniformBlockIndex) is returned. It is neither guaranteed nor expected that a given implementation will arrange uniform values as tightly packed in a buffer object. The exception to this is the, which guarantees specific packing behavior and does not require the application to query for offsets and strides. In this case the minimum size may still be queried, even though it is determined in advance based only on the uniform block declaration. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_BLOCK_NAME_LENGTH), then the total length (including the nul terminator) of the name of the uniform block identified by $(D_INLINECODE uniformBlockIndex) is returned. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_BLOCK_ACTIVE_UNIFORMS), then the number of active uniforms in the uniform block identified by $(D_INLINECODE uniformBlockIndex) is returned. If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_BLOCK_ACTIVE_UNIFORM_INDICES), then a list of the active uniform indices for the uniform block identified by $(D_INLINECODE uniformBlockIndex) is returned. The number of elements that will be written to $(D_INLINECODE params) is the value of $(D_INLINECODE GL_UNIFORM_BLOCK_ACTIVE_UNIFORMS) for $(D_INLINECODE uniformBlockIndex). If $(D_INLINECODE pname) is $(D_INLINECODE GL_UNIFORM_BLOCK_REFERENCED_BY_VERTEX_SHADER), $(D_INLINECODE GL_UNIFORM_BLOCK_REFERENCED_BY_GEOMETRY_SHADER), or $(D_INLINECODE GL_UNIFORM_BLOCK_REFERENCED_BY_FRAGMENT_SHADER), then a boolean value indicating whether the uniform block identified by $(D_INLINECODE uniformBlockIndex) is referenced by the vertex, geometry, or fragment programming stages of program, respectively, is returned. + + $(D_INLINECODE glGetActiveUniformBlockiv) is available only if the GL version is 3.1 or greater. + + Params: + + Copyright: + Copyright 2010-2013 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glGetActiveUniformBlockName), $(D_INLINECODE glGetUniformBlockIndex), $(D_INLINECODE glLinkProgram) +/ @OpenGL_Version(OGLIntroducedIn.V3P1) @OpenGL_Extension("GL_ARB_uniform_buffer_object") fn_glGetActiveUniformBlockiv glGetActiveUniformBlockiv; alias fn_glIsEnabled = extern(C) GLboolean function(GLenum cap) @system @nogc nothrow; /++ + glIsEnabled: man3/glIsEnabled.xml + + $(D_INLINECODE glIsEnabled) returns $(D_INLINECODE GL_TRUE) if $(D_INLINECODE cap) is an enabled capability and returns $(D_INLINECODE GL_FALSE) otherwise. Boolean states that are indexed may be tested with $(D_INLINECODE glIsEnabledi). For $(D_INLINECODE glIsEnabledi), $(D_INLINECODE index) specifies the index of the capability to test. $(D_INLINECODE index) must be between zero and the count of indexed capabilities for $(D_INLINECODE cap). Initially all capabilities except $(D_INLINECODE GL_DITHER) are disabled; $(D_INLINECODE GL_DITHER) is initially enabled. The following capabilities are accepted for $(D_INLINECODE cap) : $(B Constant) $(B See) $(D_INLINECODE GL_BLEND) $(D_INLINECODE glBlendFunc), $(D_INLINECODE glLogicOp) $(D_INLINECODE GL_CLIP_DISTANCE) $(D_INLINECODE glEnable) $(D_INLINECODE GL_COLOR_LOGIC_OP) $(D_INLINECODE glLogicOp) $(D_INLINECODE GL_CULL_FACE) $(D_INLINECODE glCullFace) $(D_INLINECODE GL_DEPTH_CLAMP) $(D_INLINECODE glEnable) $(D_INLINECODE GL_DEPTH_TEST) $(D_INLINECODE glDepthFunc), $(D_INLINECODE glDepthRange) $(D_INLINECODE GL_DITHER) $(D_INLINECODE glEnable) $(D_INLINECODE GL_FRAMEBUFFER_SRGB) $(D_INLINECODE glEnable) $(D_INLINECODE GL_LINE_SMOOTH) $(D_INLINECODE glLineWidth) $(D_INLINECODE GL_MULTISAMPLE) $(D_INLINECODE glSampleCoverage) $(D_INLINECODE GL_POLYGON_SMOOTH) $(D_INLINECODE glPolygonMode) $(D_INLINECODE GL_POLYGON_OFFSET_FILL) $(D_INLINECODE glPolygonOffset) $(D_INLINECODE GL_POLYGON_OFFSET_LINE) $(D_INLINECODE glPolygonOffset) $(D_INLINECODE GL_POLYGON_OFFSET_POINT) $(D_INLINECODE glPolygonOffset) $(D_INLINECODE GL_PROGRAM_POINT_SIZE) $(D_INLINECODE glEnable) $(D_INLINECODE GL_PRIMITIVE_RESTART) $(D_INLINECODE glEnable), $(D_INLINECODE glPrimitiveRestartIndex) $(D_INLINECODE GL_SAMPLE_ALPHA_TO_COVERAGE) $(D_INLINECODE glSampleCoverage) $(D_INLINECODE GL_SAMPLE_ALPHA_TO_ONE) $(D_INLINECODE glSampleCoverage) $(D_INLINECODE GL_SAMPLE_COVERAGE) $(D_INLINECODE glSampleCoverage) $(D_INLINECODE GL_SAMPLE_MASK) $(D_INLINECODE glEnable) $(D_INLINECODE GL_SCISSOR_TEST) $(D_INLINECODE glScissor) $(D_INLINECODE GL_STENCIL_TEST) $(D_INLINECODE glStencilFunc), $(D_INLINECODE glStencilOp) $(D_INLINECODE GL_TEXTURE_CUBE_MAP_SEAMLESS) $(D_INLINECODE glEnable) + + If an error is generated, $(D_INLINECODE glIsEnabled) and $(D_INLINECODE glIsEnabledi) return $(D_INLINECODE GL_FALSE). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2010-2011 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glEnable), $(D_INLINECODE glDisable), $(D_INLINECODE glGet) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIsEnabled glIsEnabled; alias fn_glIsEnabledi = extern(C) GLboolean function(GLenum cap, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glIsEnabledi glIsEnabledi; alias fn_glTexParameterf = extern(C) void function(GLenum target, GLenum pname, GLfloat param) @system @nogc nothrow; /++ + glTexParameter: man3/glTexParameter.xml + + $(D_INLINECODE glTexParameter) assigns the value or values in $(D_INLINECODE params) to the texture parameter specified as $(D_INLINECODE pname). $(D_INLINECODE target) defines the target texture, either $(D_INLINECODE GL_TEXTURE_1D), $(D_INLINECODE GL_TEXTURE_2D), $(D_INLINECODE GL_TEXTURE_1D_ARRAY), $(D_INLINECODE GL_TEXTURE_2D_ARRAY), $(D_INLINECODE GL_TEXTURE_RECTANGLE), or $(D_INLINECODE GL_TEXTURE_3D). The following symbols are accepted in $(D_INLINECODE pname) : + + Suppose that a program attempts to sample from a texture and has set $(D_INLINECODE GL_TEXTURE_MIN_FILTER) to one of the functions that requires a mipmap. If either the dimensions of the texture images currently defined (with previous calls to $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glCopyTexImage1D), or $(D_INLINECODE glCopyTexImage2D) ) do not follow the proper sequence for mipmaps (described above), or there are fewer texture images defined than are needed, or the set of texture images have differing numbers of texture components, then the texture is considered. Linear filtering accesses the four nearest texture elements only in 2D textures. In 1D textures, linear filtering accesses the two nearest texture elements. In 3D textures, linear filtering accesses the eight nearest texture elements. $(D_INLINECODE glTexParameter) specifies the texture parameters for the active texture unit, specified by calling $(D_INLINECODE glActiveTexture). + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glBindTexture), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glSamplerParameter), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexParameterf glTexParameterf; alias fn_glTexParameteri = extern(C) void function(GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexParameteri glTexParameteri; alias fn_glTexParameterfv = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexParameterfv glTexParameterfv; alias fn_glTexParameteriv = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexParameteriv glTexParameteriv; alias fn_glTexParameterIiv = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glTexParameterIiv glTexParameterIiv; alias fn_glTexParameterIuiv = extern(C) void function(GLenum target, GLenum pname, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P0) fn_glTexParameterIuiv glTexParameterIuiv; alias fn_glEnableVertexAttribArray = extern(C) void function(GLuint index) @system @nogc nothrow; /++ + glEnableVertexAttribArray: man3/glEnableVertexAttribArray.xml + + $(D_INLINECODE glEnableVertexAttribArray) enables the generic vertex attribute array specified by $(D_INLINECODE index). $(D_INLINECODE glDisableVertexAttribArray) disables the generic vertex attribute array specified by $(D_INLINECODE index). By default, all client-side capabilities are disabled, including all generic vertex attribute arrays. If enabled, the values in the generic vertex attribute array will be accessed and used for rendering when calls are made to vertex array commands such as $(D_INLINECODE glDrawArrays), $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawRangeElements), $(D_INLINECODE glMultiDrawElements), or $(D_INLINECODE glMultiDrawArrays). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBindAttribLocation), $(D_INLINECODE glDrawArrays), $(D_INLINECODE glDrawElements), $(D_INLINECODE glDrawRangeElements), $(D_INLINECODE glMultiDrawElements), $(D_INLINECODE glVertexAttrib), $(D_INLINECODE glVertexAttribPointer) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glEnableVertexAttribArray glEnableVertexAttribArray; alias fn_glDisableVertexAttribArray = extern(C) void function(GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glDisableVertexAttribArray glDisableVertexAttribArray; alias fn_glGetSamplerParameterfv = extern(C) void function(GLuint sampler, GLenum pname, GLfloat* params) @system @nogc nothrow; /++ + glGetSamplerParameter: man3/glGetSamplerParameter.xml + + $(D_INLINECODE glGetSamplerParameter) returns in $(D_INLINECODE params) the value or values of the sampler parameter specified as $(D_INLINECODE pname). $(D_INLINECODE sampler) defines the target sampler, and must be the name of an existing sampler object, returned from a previous call to $(D_INLINECODE glGenSamplers). $(D_INLINECODE pname) accepts the same symbols as $(D_INLINECODE glSamplerParameter), with the same interpretations: + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). $(D_INLINECODE glGetSamplerParameter) is available only if the GL version is 3.3 or higher. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glSamplerParameter), $(D_INLINECODE glGenSamplers), $(D_INLINECODE glDeleteSamplers), $(D_INLINECODE glSamplerParameter) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glGetSamplerParameterfv glGetSamplerParameterfv; alias fn_glGetSamplerParameteriv = extern(C) void function(GLuint sampler, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glGetSamplerParameteriv glGetSamplerParameteriv; alias fn_glGetSamplerParameterIiv = extern(C) void function(GLuint sampler, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glGetSamplerParameterIiv glGetSamplerParameterIiv; alias fn_glGetSamplerParameterIuiv = extern(C) void function(GLuint sampler, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_sampler_objects") fn_glGetSamplerParameterIuiv glGetSamplerParameterIuiv; alias fn_glDrawBuffers = extern(C) void function(GLsizei n, const GLenum* bufs) @system @nogc nothrow; /++ + glDrawBuffers: man3/glDrawBuffers.xml + + $(D_INLINECODE glDrawBuffers) defines an array of buffers into which outputs from the fragment shader data will be written. If a fragment shader writes a value to one or more user defined output variables, then the value of each variable will be written into the buffer specified at a location within $(D_INLINECODE bufs) corresponding to the location assigned to that user defined output. The draw buffer used for user defined outputs assigned to locations greater than or equal to $(D_INLINECODE n) is implicitly set to $(D_INLINECODE GL_NONE) and any data written to such an output is discarded. The symbolic constants contained in $(D_INLINECODE bufs) may be any of the following: Except for $(D_INLINECODE GL_NONE), the preceding symbolic constants may not appear more than once in $(D_INLINECODE bufs). The maximum number of draw buffers supported is implementation dependent and can be queried by calling $(D_INLINECODE glGet) with the argument $(D_INLINECODE GL_MAX_DRAW_BUFFERS). + + The symbolic constants $(D_INLINECODE GL_FRONT), $(D_INLINECODE GL_BACK), $(D_INLINECODE GL_LEFT), $(D_INLINECODE GL_RIGHT), and $(D_INLINECODE GL_FRONT_AND_BACK) are not allowed in the $(D_INLINECODE bufs) array since they may refer to multiple buffers. If a fragment shader does not write to a user defined output variable, the values of the fragment colors following shader execution are undefined. For each fragment generated in this situation, a different value may be written into each of the buffers specified by $(D_INLINECODE bufs). + + Params: + + Copyright: + Copyright 2003-2005 3Dlabs Inc. Ltd. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glBlendFunc), $(D_INLINECODE glColorMask), $(D_INLINECODE glDrawBuffers), $(D_INLINECODE glLogicOp), $(D_INLINECODE glReadBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V2P0) fn_glDrawBuffers glDrawBuffers; alias fn_glGetTexLevelParameterfv = extern(C) void function(GLenum target, GLint level, GLenum pname, GLfloat* params) @system @nogc nothrow; /++ + glGetTexLevelParameter: man3/glGetTexLevelParameter.xml + + $(D_INLINECODE glGetTexLevelParameter) returns in $(D_INLINECODE params) texture parameter values for a specific level-of-detail value, specified as $(D_INLINECODE level). $(D_INLINECODE target) defines the target texture, either $(D_INLINECODE GL_TEXTURE_1D), $(D_INLINECODE GL_TEXTURE_2D), $(D_INLINECODE GL_TEXTURE_3D), $(D_INLINECODE GL_PROXY_TEXTURE_1D), $(D_INLINECODE GL_PROXY_TEXTURE_2D), $(D_INLINECODE GL_PROXY_TEXTURE_3D), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_X), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Y), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Y), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_Z), $(D_INLINECODE GL_TEXTURE_CUBE_MAP_NEGATIVE_Z), or $(D_INLINECODE GL_PROXY_TEXTURE_CUBE_MAP). $(D_INLINECODE GL_MAX_TEXTURE_SIZE), and $(D_INLINECODE GL_MAX_3D_TEXTURE_SIZE) are not really descriptive enough. It has to report the largest square texture image that can be accommodated with mipmaps but a long skinny texture, or a texture without mipmaps may easily fit in texture memory. The proxy targets allow the user to more accurately query whether the GL can accommodate a texture of a given configuration. If the texture cannot be accommodated, the texture state variables, which may be queried with $(D_INLINECODE glGetTexLevelParameter), are set to 0. If the texture can be accommodated, the texture state values will be set as they would be set for a non-proxy target. $(D_INLINECODE pname) specifies the texture parameter whose value or values will be returned. The accepted parameter names are as follows: + + If an error is generated, no change is made to the contents of $(D_INLINECODE params). $(D_INLINECODE glGetTexLevelParameter) returns the texture level parameters for the active texture unit. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. Copyright 2010-2013 Khronos Group. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glGetTexParameter), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexImage2D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glTexImage1D), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexLevelParameterfv glGetTexLevelParameterfv; alias fn_glGetTexLevelParameteriv = extern(C) void function(GLenum target, GLint level, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexLevelParameteriv glGetTexLevelParameteriv; alias fn_glCompressedTexImage2D = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const GLvoid* data) @system @nogc nothrow; /++ + glCompressedTexImage2D: man3/glCompressedTexImage2D.xml + + Texturing allows elements of an image array to be read by shaders. $(D_INLINECODE glCompressedTexImage2D) loads a previously defined, and retrieved, compressed two-dimensional texture image if $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_2D), or one of the cube map faces such as $(D_INLINECODE GL_TEXTURE_CUBE_MAP_POSITIVE_X). (see $(D_INLINECODE glTexImage2D) ). If $(D_INLINECODE target) is $(D_INLINECODE GL_TEXTURE_1D_ARRAY), $(D_INLINECODE data) is treated as an array of compressed 1D textures. If $(D_INLINECODE target) is $(D_INLINECODE GL_PROXY_TEXTURE_2D), $(D_INLINECODE GL_PROXY_TEXTURE_1D_ARRAY) or $(D_INLINECODE GL_PROXY_TEXTURE_CUBE_MAP), no data is read from $(D_INLINECODE data), but all of the texture image state is recalculated, checked for consistency, and checked against the implementation's capabilities. If the implementation cannot handle a texture of the requested texture size, it sets all of the image state to 0, but does not generate an error (see $(D_INLINECODE glGetError) ). To query for an entire mipmap array, use an image array level greater than or equal to 1. $(D_INLINECODE internalformat) must be a known compressed image format (such as $(D_INLINECODE GL_RGTC) ) or an extension-specified compressed-texture format. When a texture is loaded with $(D_INLINECODE glTexImage2D) using a generic compressed texture format (e.g., $(D_INLINECODE GL_COMPRESSED_RGB) ), the GL selects from one of its extensions supporting compressed textures. In order to load the compressed texture image using $(D_INLINECODE glCompressedTexImage2D), query the compressed texture image's size and format using $(D_INLINECODE glGetTexLevelParameter). If a non-zero named buffer object is bound to the $(D_INLINECODE GL_PIXEL_UNPACK_BUFFER) target (see $(D_INLINECODE glBindBuffer) ) while a texture image is specified, $(D_INLINECODE data) is treated as a byte offset into the buffer object's data store. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glActiveTexture), $(D_INLINECODE glCompressedTexImage1D), $(D_INLINECODE glCompressedTexImage3D), $(D_INLINECODE glCompressedTexSubImage1D), $(D_INLINECODE glCompressedTexSubImage2D), $(D_INLINECODE glCompressedTexSubImage3D), $(D_INLINECODE glCopyTexImage1D), $(D_INLINECODE glCopyTexSubImage1D), $(D_INLINECODE glCopyTexSubImage2D), $(D_INLINECODE glCopyTexSubImage3D), $(D_INLINECODE glPixelStore), $(D_INLINECODE glTexImage2D), $(D_INLINECODE glTexImage3D), $(D_INLINECODE glTexSubImage1D), $(D_INLINECODE glTexSubImage2D), $(D_INLINECODE glTexSubImage3D), $(D_INLINECODE glTexParameter) +/ @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glCompressedTexImage2D glCompressedTexImage2D; alias fn_glGetFragDataIndex = extern(C) GLint function(GLuint program, const char* name) @system @nogc nothrow; /++ + glGetFragDataIndex: man3/glGetFragDataIndex.xml + + $(D_INLINECODE glGetFragDataIndex) returns the index of the fragment color to which the variable $(D_INLINECODE name) was bound when the program object $(D_INLINECODE program) was last linked. If $(D_INLINECODE name) is not a varying out variable of $(D_INLINECODE program), or if an error occurs, -1 will be returned. + + $(D_INLINECODE glGetFragDataIndex) is available only if the GL version is 3.3 or greater. + + Params: + + Copyright: + Copyright 2010 Khronos Group. This material may be distributed subject to the terms and conditions set forth in the Open Publication License, v 1.0, 8 June 1999. $(LINK2 http://opencontent.org/openpub/, http://opencontent.org/openpub/). + + See_Also: + $(D_INLINECODE glCreateProgram), $(D_INLINECODE glBindFragDataLocation), $(D_INLINECODE glBindFragDataLocationIndexed), $(D_INLINECODE glGetFragDataLocation) +/ @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_blend_func_extended") fn_glGetFragDataIndex glGetFragDataIndex; alias fn_glDrawBuffer = extern(C) void function(GLenum mode) @system @nogc nothrow; /++ + glDrawBuffer: man3/glDrawBuffer.xml + + When colors are written to the frame buffer, they are written into the color buffers specified by $(D_INLINECODE glDrawBuffer). The specifications are as follows: If more than one color buffer is selected for drawing, then blending or logical operations are computed and applied independently for each color buffer and can produce different results in each buffer. Monoscopic contexts include only buffers, and stereoscopic contexts include both and buffers. Likewise, single-buffered contexts include only buffers, and double-buffered contexts include both and buffers. The context is selected at GL initialization. + + Params: + + Copyright: + Copyright 1991-2006 Silicon Graphics, Inc. This document is licensed under the SGI Free Software B License. For details, see $(LINK2 http://oss.sgi.com/projects/FreeB/, http://oss.sgi.com/projects/FreeB/). + + See_Also: + $(D_INLINECODE glBlendFunc), $(D_INLINECODE glColorMask), $(D_INLINECODE glDrawBuffers), $(D_INLINECODE glLogicOp), $(D_INLINECODE glReadBuffer) +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glDrawBuffer glDrawBuffer; alias fn_glAccum = extern(C) void function(GLenum op, GLfloat value) @system @nogc nothrow; /++ + : + + + Params: + + Copyright: + + + See_Also: + +/ @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glAccum glAccum; alias fn_glAccumxOES = extern(C) void function(GLenum op, GLfixed value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glAccumxOES glAccumxOES; alias fn_glActiveProgramEXT = extern(C) void function(GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glActiveProgramEXT glActiveProgramEXT; alias fn_glActiveShaderProgram = extern(C) void function(GLuint pipeline, GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glActiveShaderProgram glActiveShaderProgram; alias fn_glActiveShaderProgramEXT = extern(C) void function(GLuint pipeline, GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glActiveShaderProgramEXT glActiveShaderProgramEXT; alias fn_glActiveStencilFaceEXT = extern(C) void function(GLenum face) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_stencil_two_side") fn_glActiveStencilFaceEXT glActiveStencilFaceEXT; alias fn_glActiveTextureARB = extern(C) void function(GLenum texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glActiveTextureARB glActiveTextureARB; alias fn_glActiveVaryingNV = extern(C) void function(GLuint program, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glActiveVaryingNV glActiveVaryingNV; alias fn_glAlphaFragmentOp1ATI = extern(C) void function(GLenum op, GLuint dst, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glAlphaFragmentOp1ATI glAlphaFragmentOp1ATI; alias fn_glAlphaFragmentOp2ATI = extern(C) void function(GLenum op, GLuint dst, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod, GLuint arg2, GLuint arg2Rep, GLuint arg2Mod) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glAlphaFragmentOp2ATI glAlphaFragmentOp2ATI; alias fn_glAlphaFragmentOp3ATI = extern(C) void function(GLenum op, GLuint dst, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod, GLuint arg2, GLuint arg2Rep, GLuint arg2Mod, GLuint arg3, GLuint arg3Rep, GLuint arg3Mod) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glAlphaFragmentOp3ATI glAlphaFragmentOp3ATI; alias fn_glAlphaFunc = extern(C) void function(GLenum func, GLfloat ref_) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glAlphaFunc glAlphaFunc; alias fn_glAlphaFuncQCOM = extern(C) void function(GLenum func, GLclampf ref_) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_alpha_test") fn_glAlphaFuncQCOM glAlphaFuncQCOM; alias fn_glAlphaFuncx = extern(C) void function(GLenum func, GLfixed ref_) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glAlphaFuncx glAlphaFuncx; alias fn_glAlphaFuncxOES = extern(C) void function(GLenum func, GLfixed ref_) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glAlphaFuncxOES glAlphaFuncxOES; alias fn_glApplyFramebufferAttachmentCMAAINTEL = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_framebuffer_CMAA") fn_glApplyFramebufferAttachmentCMAAINTEL glApplyFramebufferAttachmentCMAAINTEL; alias fn_glApplyTextureEXT = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_light_texture") fn_glApplyTextureEXT glApplyTextureEXT; alias fn_glAreProgramsResidentNV = extern(C) GLboolean function(GLsizei n, const GLuint* programs, GLboolean* residences) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glAreProgramsResidentNV glAreProgramsResidentNV; alias fn_glAreTexturesResident = extern(C) GLboolean function(GLsizei n, const GLuint* textures, GLboolean* residences) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glAreTexturesResident glAreTexturesResident; alias fn_glAreTexturesResidentEXT = extern(C) GLboolean function(GLsizei n, const GLuint* textures, GLboolean* residences) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_object") fn_glAreTexturesResidentEXT glAreTexturesResidentEXT; alias fn_glArrayElement = extern(C) void function(GLint i) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glArrayElement glArrayElement; alias fn_glArrayElementEXT = extern(C) void function(GLint i) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glArrayElementEXT glArrayElementEXT; alias fn_glArrayObjectATI = extern(C) void function(GLenum array, GLint size, GLenum type, GLsizei stride, GLuint buffer, GLuint offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glArrayObjectATI glArrayObjectATI; alias fn_glAsyncMarkerSGIX = extern(C) void function(GLuint marker) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_async") fn_glAsyncMarkerSGIX glAsyncMarkerSGIX; alias fn_glAttachObjectARB = extern(C) void function(GLhandleARB containerObj, GLhandleARB obj) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glAttachObjectARB glAttachObjectARB; alias fn_glBegin = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glBegin glBegin; alias fn_glBeginConditionalRenderNV = extern(C) void function(GLuint id, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_conditional_render") fn_glBeginConditionalRenderNV glBeginConditionalRenderNV; alias fn_glBeginConditionalRenderNVX = extern(C) void function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NVX_conditional_render") fn_glBeginConditionalRenderNVX glBeginConditionalRenderNVX; alias fn_glBeginFragmentShaderATI = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glBeginFragmentShaderATI glBeginFragmentShaderATI; alias fn_glBeginOcclusionQueryNV = extern(C) void function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_occlusion_query") fn_glBeginOcclusionQueryNV glBeginOcclusionQueryNV; alias fn_glBeginPerfMonitorAMD = extern(C) void function(GLuint monitor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glBeginPerfMonitorAMD glBeginPerfMonitorAMD; alias fn_glBeginPerfQueryINTEL = extern(C) void function(GLuint queryHandle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glBeginPerfQueryINTEL glBeginPerfQueryINTEL; alias fn_glBeginQueryARB = extern(C) void function(GLenum target, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_occlusion_query") fn_glBeginQueryARB glBeginQueryARB; alias fn_glBeginQueryEXT = extern(C) void function(GLenum target, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glBeginQueryEXT glBeginQueryEXT; alias fn_glBeginQueryIndexed = extern(C) void function(GLenum target, GLuint index, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback3") fn_glBeginQueryIndexed glBeginQueryIndexed; alias fn_glBeginTransformFeedbackEXT = extern(C) void function(GLenum primitiveMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_transform_feedback") fn_glBeginTransformFeedbackEXT glBeginTransformFeedbackEXT; alias fn_glBeginTransformFeedbackNV = extern(C) void function(GLenum primitiveMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glBeginTransformFeedbackNV glBeginTransformFeedbackNV; alias fn_glBeginVertexShaderEXT = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glBeginVertexShaderEXT glBeginVertexShaderEXT; alias fn_glBeginVideoCaptureNV = extern(C) void function(GLuint video_capture_slot) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glBeginVideoCaptureNV glBeginVideoCaptureNV; alias fn_glBindAttribLocationARB = extern(C) void function(GLhandleARB programObj, GLuint index, const GLcharARB* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_shader") fn_glBindAttribLocationARB glBindAttribLocationARB; alias fn_glBindBufferARB = extern(C) void function(GLenum target, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glBindBufferARB glBindBufferARB; alias fn_glBindBufferBaseEXT = extern(C) void function(GLenum target, GLuint index, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_transform_feedback") fn_glBindBufferBaseEXT glBindBufferBaseEXT; alias fn_glBindBufferBaseNV = extern(C) void function(GLenum target, GLuint index, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glBindBufferBaseNV glBindBufferBaseNV; alias fn_glBindBufferOffsetEXT = extern(C) void function(GLenum target, GLuint index, GLuint buffer, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_transform_feedback") fn_glBindBufferOffsetEXT glBindBufferOffsetEXT; alias fn_glBindBufferOffsetNV = extern(C) void function(GLenum target, GLuint index, GLuint buffer, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glBindBufferOffsetNV glBindBufferOffsetNV; alias fn_glBindBufferRangeEXT = extern(C) void function(GLenum target, GLuint index, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_transform_feedback") fn_glBindBufferRangeEXT glBindBufferRangeEXT; alias fn_glBindBufferRangeNV = extern(C) void function(GLenum target, GLuint index, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glBindBufferRangeNV glBindBufferRangeNV; alias fn_glBindBuffersBase = extern(C) void function(GLenum target, GLuint first, GLsizei count, const GLuint* buffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_multi_bind") fn_glBindBuffersBase glBindBuffersBase; alias fn_glBindBuffersRange = extern(C) void function(GLenum target, GLuint first, GLsizei count, const GLuint* buffers, const GLintptr* offsets, const GLsizeiptr* sizes) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_multi_bind") fn_glBindBuffersRange glBindBuffersRange; alias fn_glBindFragDataLocationEXT = extern(C) void function(GLuint program, GLuint color, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_blend_func_extended") fn_glBindFragDataLocationEXT glBindFragDataLocationEXT; alias fn_glBindFragDataLocationIndexedEXT = extern(C) void function(GLuint program, GLuint colorNumber, GLuint index, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_blend_func_extended") fn_glBindFragDataLocationIndexedEXT glBindFragDataLocationIndexedEXT; alias fn_glBindFragmentShaderATI = extern(C) void function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glBindFragmentShaderATI glBindFragmentShaderATI; alias fn_glBindFramebufferEXT = extern(C) void function(GLenum target, GLuint framebuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glBindFramebufferEXT glBindFramebufferEXT; alias fn_glBindFramebufferOES = extern(C) void function(GLenum target, GLuint framebuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glBindFramebufferOES glBindFramebufferOES; alias fn_glBindImageTexture = extern(C) void function(GLuint unit, GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum access, GLenum format) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_shader_image_load_store") fn_glBindImageTexture glBindImageTexture; alias fn_glBindImageTextureEXT = extern(C) void function(GLuint index, GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum access, GLint format) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_shader_image_load_store") fn_glBindImageTextureEXT glBindImageTextureEXT; alias fn_glBindImageTextures = extern(C) void function(GLuint first, GLsizei count, const GLuint* textures) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_multi_bind") fn_glBindImageTextures glBindImageTextures; alias fn_glBindLightParameterEXT = extern(C) GLuint function(GLenum light, GLenum value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glBindLightParameterEXT glBindLightParameterEXT; alias fn_glBindMaterialParameterEXT = extern(C) GLuint function(GLenum face, GLenum value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glBindMaterialParameterEXT glBindMaterialParameterEXT; alias fn_glBindMultiTextureEXT = extern(C) void function(GLenum texunit, GLenum target, GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glBindMultiTextureEXT glBindMultiTextureEXT; alias fn_glBindParameterEXT = extern(C) GLuint function(GLenum value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glBindParameterEXT glBindParameterEXT; alias fn_glBindProgramARB = extern(C) void function(GLenum target, GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glBindProgramARB glBindProgramARB; alias fn_glBindProgramNV = extern(C) void function(GLenum target, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glBindProgramNV glBindProgramNV; alias fn_glBindProgramPipeline = extern(C) void function(GLuint pipeline) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glBindProgramPipeline glBindProgramPipeline; alias fn_glBindProgramPipelineEXT = extern(C) void function(GLuint pipeline) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glBindProgramPipelineEXT glBindProgramPipelineEXT; alias fn_glBindRenderbufferEXT = extern(C) void function(GLenum target, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glBindRenderbufferEXT glBindRenderbufferEXT; alias fn_glBindRenderbufferOES = extern(C) void function(GLenum target, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glBindRenderbufferOES glBindRenderbufferOES; alias fn_glBindSamplers = extern(C) void function(GLuint first, GLsizei count, const GLuint* samplers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_multi_bind") fn_glBindSamplers glBindSamplers; alias fn_glBindTexGenParameterEXT = extern(C) GLuint function(GLenum unit, GLenum coord, GLenum value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glBindTexGenParameterEXT glBindTexGenParameterEXT; alias fn_glBindTextureEXT = extern(C) void function(GLenum target, GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_object") fn_glBindTextureEXT glBindTextureEXT; alias fn_glBindTextureUnit = extern(C) void function(GLuint unit, GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glBindTextureUnit glBindTextureUnit; alias fn_glBindTextureUnitParameterEXT = extern(C) GLuint function(GLenum unit, GLenum value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glBindTextureUnitParameterEXT glBindTextureUnitParameterEXT; alias fn_glBindTextures = extern(C) void function(GLuint first, GLsizei count, const GLuint* textures) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_multi_bind") fn_glBindTextures glBindTextures; alias fn_glBindTransformFeedback = extern(C) void function(GLenum target, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback2") fn_glBindTransformFeedback glBindTransformFeedback; alias fn_glBindTransformFeedbackNV = extern(C) void function(GLenum target, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback2") fn_glBindTransformFeedbackNV glBindTransformFeedbackNV; alias fn_glBindVertexArrayAPPLE = extern(C) void function(GLuint array) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_array_object") fn_glBindVertexArrayAPPLE glBindVertexArrayAPPLE; alias fn_glBindVertexArrayOES = extern(C) void function(GLuint array) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_vertex_array_object") fn_glBindVertexArrayOES glBindVertexArrayOES; alias fn_glBindVertexBuffer = extern(C) void function(GLuint bindingindex, GLuint buffer, GLintptr offset, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_vertex_attrib_binding") fn_glBindVertexBuffer glBindVertexBuffer; alias fn_glBindVertexBuffers = extern(C) void function(GLuint first, GLsizei count, const GLuint* buffers, const GLintptr* offsets, const GLsizei* strides) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_multi_bind") fn_glBindVertexBuffers glBindVertexBuffers; alias fn_glBindVertexShaderEXT = extern(C) void function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glBindVertexShaderEXT glBindVertexShaderEXT; alias fn_glBindVideoCaptureStreamBufferNV = extern(C) void function(GLuint video_capture_slot, GLuint stream, GLenum frame_region, GLintptrARB offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glBindVideoCaptureStreamBufferNV glBindVideoCaptureStreamBufferNV; alias fn_glBindVideoCaptureStreamTextureNV = extern(C) void function(GLuint video_capture_slot, GLuint stream, GLenum frame_region, GLenum target, GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glBindVideoCaptureStreamTextureNV glBindVideoCaptureStreamTextureNV; alias fn_glBinormal3bEXT = extern(C) void function(GLbyte bx, GLbyte by, GLbyte bz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3bEXT glBinormal3bEXT; alias fn_glBinormal3bvEXT = extern(C) void function(const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3bvEXT glBinormal3bvEXT; alias fn_glBinormal3dEXT = extern(C) void function(GLdouble bx, GLdouble by, GLdouble bz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3dEXT glBinormal3dEXT; alias fn_glBinormal3dvEXT = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3dvEXT glBinormal3dvEXT; alias fn_glBinormal3fEXT = extern(C) void function(GLfloat bx, GLfloat by, GLfloat bz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3fEXT glBinormal3fEXT; alias fn_glBinormal3fvEXT = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3fvEXT glBinormal3fvEXT; alias fn_glBinormal3iEXT = extern(C) void function(GLint bx, GLint by, GLint bz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3iEXT glBinormal3iEXT; alias fn_glBinormal3ivEXT = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3ivEXT glBinormal3ivEXT; alias fn_glBinormal3sEXT = extern(C) void function(GLshort bx, GLshort by, GLshort bz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3sEXT glBinormal3sEXT; alias fn_glBinormal3svEXT = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormal3svEXT glBinormal3svEXT; alias fn_glBinormalPointerEXT = extern(C) void function(GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glBinormalPointerEXT glBinormalPointerEXT; alias fn_glBitmap = extern(C) void function(GLsizei width, GLsizei height, GLfloat xorig, GLfloat yorig, GLfloat xmove, GLfloat ymove, const(GLubyte)* bitmap) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glBitmap glBitmap; alias fn_glBitmapxOES = extern(C) void function(GLsizei width, GLsizei height, GLfixed xorig, GLfixed yorig, GLfixed xmove, GLfixed ymove, const(GLubyte)* bitmap) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glBitmapxOES glBitmapxOES; alias fn_glBlendBarrier = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glBlendBarrier glBlendBarrier; alias fn_glBlendBarrierKHR = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_blend_equation_advanced") fn_glBlendBarrierKHR glBlendBarrierKHR; alias fn_glBlendBarrierNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_blend_equation_advanced") fn_glBlendBarrierNV glBlendBarrierNV; alias fn_glBlendColorEXT = extern(C) void function(GLfloat red, GLfloat green, GLfloat blue, GLfloat alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_blend_color") fn_glBlendColorEXT glBlendColorEXT; alias fn_glBlendColorxOES = extern(C) void function(GLfixed red, GLfixed green, GLfixed blue, GLfixed alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glBlendColorxOES glBlendColorxOES; alias fn_glBlendEquationEXT = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_blend_minmax") fn_glBlendEquationEXT glBlendEquationEXT; alias fn_glBlendEquationIndexedAMD = extern(C) void function(GLuint buf, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_draw_buffers_blend") fn_glBlendEquationIndexedAMD glBlendEquationIndexedAMD; alias fn_glBlendEquationOES = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_blend_subtract") fn_glBlendEquationOES glBlendEquationOES; alias fn_glBlendEquationSeparateEXT = extern(C) void function(GLenum modeRGB, GLenum modeAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_blend_equation_separate") fn_glBlendEquationSeparateEXT glBlendEquationSeparateEXT; alias fn_glBlendEquationSeparateIndexedAMD = extern(C) void function(GLuint buf, GLenum modeRGB, GLenum modeAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_draw_buffers_blend") fn_glBlendEquationSeparateIndexedAMD glBlendEquationSeparateIndexedAMD; alias fn_glBlendEquationSeparateOES = extern(C) void function(GLenum modeRGB, GLenum modeAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_blend_equation_separate") fn_glBlendEquationSeparateOES glBlendEquationSeparateOES; alias fn_glBlendEquationSeparatei = extern(C) void function(GLuint buf, GLenum modeRGB, GLenum modeAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) fn_glBlendEquationSeparatei glBlendEquationSeparatei; alias fn_glBlendEquationSeparateiARB = extern(C) void function(GLuint buf, GLenum modeRGB, GLenum modeAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_draw_buffers_blend") fn_glBlendEquationSeparateiARB glBlendEquationSeparateiARB; alias fn_glBlendEquationSeparateiEXT = extern(C) void function(GLuint buf, GLenum modeRGB, GLenum modeAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers_indexed") fn_glBlendEquationSeparateiEXT glBlendEquationSeparateiEXT; alias fn_glBlendEquationSeparateiOES = extern(C) void function(GLuint buf, GLenum modeRGB, GLenum modeAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_buffers_indexed") fn_glBlendEquationSeparateiOES glBlendEquationSeparateiOES; alias fn_glBlendEquationi = extern(C) void function(GLuint buf, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) fn_glBlendEquationi glBlendEquationi; alias fn_glBlendEquationiARB = extern(C) void function(GLuint buf, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_draw_buffers_blend") fn_glBlendEquationiARB glBlendEquationiARB; alias fn_glBlendEquationiEXT = extern(C) void function(GLuint buf, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers_indexed") fn_glBlendEquationiEXT glBlendEquationiEXT; alias fn_glBlendEquationiOES = extern(C) void function(GLuint buf, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_buffers_indexed") fn_glBlendEquationiOES glBlendEquationiOES; alias fn_glBlendFuncIndexedAMD = extern(C) void function(GLuint buf, GLenum src, GLenum dst) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_draw_buffers_blend") fn_glBlendFuncIndexedAMD glBlendFuncIndexedAMD; alias fn_glBlendFuncSeparateEXT = extern(C) void function(GLenum sfactorRGB, GLenum dfactorRGB, GLenum sfactorAlpha, GLenum dfactorAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_blend_func_separate") fn_glBlendFuncSeparateEXT glBlendFuncSeparateEXT; alias fn_glBlendFuncSeparateINGR = extern(C) void function(GLenum sfactorRGB, GLenum dfactorRGB, GLenum sfactorAlpha, GLenum dfactorAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INGR_blend_func_separate") fn_glBlendFuncSeparateINGR glBlendFuncSeparateINGR; alias fn_glBlendFuncSeparateIndexedAMD = extern(C) void function(GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_draw_buffers_blend") fn_glBlendFuncSeparateIndexedAMD glBlendFuncSeparateIndexedAMD; alias fn_glBlendFuncSeparateOES = extern(C) void function(GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_blend_func_separate") fn_glBlendFuncSeparateOES glBlendFuncSeparateOES; alias fn_glBlendFuncSeparatei = extern(C) void function(GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) fn_glBlendFuncSeparatei glBlendFuncSeparatei; alias fn_glBlendFuncSeparateiARB = extern(C) void function(GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_draw_buffers_blend") fn_glBlendFuncSeparateiARB glBlendFuncSeparateiARB; alias fn_glBlendFuncSeparateiEXT = extern(C) void function(GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers_indexed") fn_glBlendFuncSeparateiEXT glBlendFuncSeparateiEXT; alias fn_glBlendFuncSeparateiOES = extern(C) void function(GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_buffers_indexed") fn_glBlendFuncSeparateiOES glBlendFuncSeparateiOES; alias fn_glBlendFunci = extern(C) void function(GLuint buf, GLenum src, GLenum dst) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) fn_glBlendFunci glBlendFunci; alias fn_glBlendFunciARB = extern(C) void function(GLuint buf, GLenum src, GLenum dst) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_draw_buffers_blend") fn_glBlendFunciARB glBlendFunciARB; alias fn_glBlendFunciEXT = extern(C) void function(GLuint buf, GLenum src, GLenum dst) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers_indexed") fn_glBlendFunciEXT glBlendFunciEXT; alias fn_glBlendFunciOES = extern(C) void function(GLuint buf, GLenum src, GLenum dst) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_buffers_indexed") fn_glBlendFunciOES glBlendFunciOES; alias fn_glBlendParameteriNV = extern(C) void function(GLenum pname, GLint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_blend_equation_advanced") fn_glBlendParameteriNV glBlendParameteriNV; alias fn_glBlitFramebufferANGLE = extern(C) void function(GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ANGLE_framebuffer_blit") fn_glBlitFramebufferANGLE glBlitFramebufferANGLE; alias fn_glBlitFramebufferEXT = extern(C) void function(GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_blit") fn_glBlitFramebufferEXT glBlitFramebufferEXT; alias fn_glBlitFramebufferNV = extern(C) void function(GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_framebuffer_blit") fn_glBlitFramebufferNV glBlitFramebufferNV; alias fn_glBlitNamedFramebuffer = extern(C) void function(GLuint readFramebuffer, GLuint drawFramebuffer, GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glBlitNamedFramebuffer glBlitNamedFramebuffer; alias fn_glBufferAddressRangeNV = extern(C) void function(GLenum pname, GLuint index, GLuint64EXT address, GLsizeiptr length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glBufferAddressRangeNV glBufferAddressRangeNV; alias fn_glBufferDataARB = extern(C) void function(GLenum target, GLsizeiptrARB size, const void* data, GLenum usage) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glBufferDataARB glBufferDataARB; alias fn_glBufferPageCommitmentARB = extern(C) void function(GLenum target, GLintptr offset, GLsizeiptr size, GLboolean commit) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_sparse_buffer") fn_glBufferPageCommitmentARB glBufferPageCommitmentARB; alias fn_glBufferParameteriAPPLE = extern(C) void function(GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_flush_buffer_range") fn_glBufferParameteriAPPLE glBufferParameteriAPPLE; alias fn_glBufferStorage = extern(C) void function(GLenum target, GLsizeiptr size, const void* data, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_buffer_storage") fn_glBufferStorage glBufferStorage; alias fn_glBufferStorageEXT = extern(C) void function(GLenum target, GLsizeiptr size, const void* data, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_buffer_storage") fn_glBufferStorageEXT glBufferStorageEXT; alias fn_glBufferSubDataARB = extern(C) void function(GLenum target, GLintptrARB offset, GLsizeiptrARB size, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glBufferSubDataARB glBufferSubDataARB; alias fn_glCallCommandListNV = extern(C) void function(GLuint list) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glCallCommandListNV glCallCommandListNV; alias fn_glCallList = extern(C) void function(GLuint list) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glCallList glCallList; alias fn_glCallLists = extern(C) void function(GLsizei n, GLenum type, const void* lists) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glCallLists glCallLists; alias fn_glCheckFramebufferStatusEXT = extern(C) GLenum function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glCheckFramebufferStatusEXT glCheckFramebufferStatusEXT; alias fn_glCheckFramebufferStatusOES = extern(C) GLenum function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glCheckFramebufferStatusOES glCheckFramebufferStatusOES; alias fn_glCheckNamedFramebufferStatus = extern(C) GLenum function(GLuint framebuffer, GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCheckNamedFramebufferStatus glCheckNamedFramebufferStatus; alias fn_glCheckNamedFramebufferStatusEXT = extern(C) GLenum function(GLuint framebuffer, GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCheckNamedFramebufferStatusEXT glCheckNamedFramebufferStatusEXT; alias fn_glClampColorARB = extern(C) void function(GLenum target, GLenum clamp) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_color_buffer_float") fn_glClampColorARB glClampColorARB; alias fn_glClearAccum = extern(C) void function(GLfloat red, GLfloat green, GLfloat blue, GLfloat alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glClearAccum glClearAccum; alias fn_glClearAccumxOES = extern(C) void function(GLfixed red, GLfixed green, GLfixed blue, GLfixed alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glClearAccumxOES glClearAccumxOES; alias fn_glClearBufferData = extern(C) void function(GLenum target, GLenum internalformat, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_clear_buffer_object") fn_glClearBufferData glClearBufferData; alias fn_glClearBufferSubData = extern(C) void function(GLenum target, GLenum internalformat, GLintptr offset, GLsizeiptr size, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_clear_buffer_object") fn_glClearBufferSubData glClearBufferSubData; alias fn_glClearColorIiEXT = extern(C) void function(GLint red, GLint green, GLint blue, GLint alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_integer") fn_glClearColorIiEXT glClearColorIiEXT; alias fn_glClearColorIuiEXT = extern(C) void function(GLuint red, GLuint green, GLuint blue, GLuint alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_integer") fn_glClearColorIuiEXT glClearColorIuiEXT; alias fn_glClearColorx = extern(C) void function(GLfixed red, GLfixed green, GLfixed blue, GLfixed alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glClearColorx glClearColorx; alias fn_glClearColorxOES = extern(C) void function(GLfixed red, GLfixed green, GLfixed blue, GLfixed alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glClearColorxOES glClearColorxOES; alias fn_glClearDepthdNV = extern(C) void function(GLdouble depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_depth_buffer_float") fn_glClearDepthdNV glClearDepthdNV; alias fn_glClearDepthf = extern(C) void function(GLfloat d) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_ES2_compatibility") fn_glClearDepthf glClearDepthf; alias fn_glClearDepthfOES = extern(C) void function(GLclampf depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_single_precision") fn_glClearDepthfOES glClearDepthfOES; alias fn_glClearDepthx = extern(C) void function(GLfixed depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glClearDepthx glClearDepthx; alias fn_glClearDepthxOES = extern(C) void function(GLfixed depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glClearDepthxOES glClearDepthxOES; alias fn_glClearIndex = extern(C) void function(GLfloat c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glClearIndex glClearIndex; alias fn_glClearNamedBufferData = extern(C) void function(GLuint buffer, GLenum internalformat, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glClearNamedBufferData glClearNamedBufferData; alias fn_glClearNamedBufferDataEXT = extern(C) void function(GLuint buffer, GLenum internalformat, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glClearNamedBufferDataEXT glClearNamedBufferDataEXT; alias fn_glClearNamedBufferSubData = extern(C) void function(GLuint buffer, GLenum internalformat, GLintptr offset, GLsizeiptr size, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glClearNamedBufferSubData glClearNamedBufferSubData; alias fn_glClearNamedBufferSubDataEXT = extern(C) void function(GLuint buffer, GLenum internalformat, GLsizeiptr offset, GLsizeiptr size, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glClearNamedBufferSubDataEXT glClearNamedBufferSubDataEXT; alias fn_glClearNamedFramebufferfi = extern(C) void function(GLuint framebuffer, GLenum buffer, GLint drawbuffer, GLfloat depth, GLint stencil) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glClearNamedFramebufferfi glClearNamedFramebufferfi; alias fn_glClearNamedFramebufferfv = extern(C) void function(GLuint framebuffer, GLenum buffer, GLint drawbuffer, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glClearNamedFramebufferfv glClearNamedFramebufferfv; alias fn_glClearNamedFramebufferiv = extern(C) void function(GLuint framebuffer, GLenum buffer, GLint drawbuffer, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glClearNamedFramebufferiv glClearNamedFramebufferiv; alias fn_glClearNamedFramebufferuiv = extern(C) void function(GLuint framebuffer, GLenum buffer, GLint drawbuffer, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glClearNamedFramebufferuiv glClearNamedFramebufferuiv; alias fn_glClearPixelLocalStorageuiEXT = extern(C) void function(GLsizei offset, GLsizei n, const GLuint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_shader_pixel_local_storage2") fn_glClearPixelLocalStorageuiEXT glClearPixelLocalStorageuiEXT; alias fn_glClearTexImage = extern(C) void function(GLuint texture, GLint level, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_clear_texture") fn_glClearTexImage glClearTexImage; alias fn_glClearTexImageEXT = extern(C) void function(GLuint texture, GLint level, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_clear_texture") fn_glClearTexImageEXT glClearTexImageEXT; alias fn_glClearTexSubImage = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P4) @OpenGL_Extension("GL_ARB_clear_texture") fn_glClearTexSubImage glClearTexSubImage; alias fn_glClearTexSubImageEXT = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_clear_texture") fn_glClearTexSubImageEXT glClearTexSubImageEXT; alias fn_glClientActiveTexture = extern(C) void function(GLenum texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glClientActiveTexture glClientActiveTexture; alias fn_glClientActiveTextureARB = extern(C) void function(GLenum texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glClientActiveTextureARB glClientActiveTextureARB; alias fn_glClientActiveVertexStreamATI = extern(C) void function(GLenum stream) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glClientActiveVertexStreamATI glClientActiveVertexStreamATI; alias fn_glClientAttribDefaultEXT = extern(C) void function(GLbitfield mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glClientAttribDefaultEXT glClientAttribDefaultEXT; alias fn_glClientWaitSyncAPPLE = extern(C) GLenum function(GLsync sync, GLbitfield flags, GLuint64 timeout) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_sync") fn_glClientWaitSyncAPPLE glClientWaitSyncAPPLE; alias fn_glClipControl = extern(C) void function(GLenum origin, GLenum depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_clip_control") fn_glClipControl glClipControl; alias fn_glClipPlane = extern(C) void function(GLenum plane, const GLdouble* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glClipPlane glClipPlane; alias fn_glClipPlanef = extern(C) void function(GLenum p, const GLfloat* eqn) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glClipPlanef glClipPlanef; alias fn_glClipPlanefIMG = extern(C) void function(GLenum p, const GLfloat* eqn) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_user_clip_plane") fn_glClipPlanefIMG glClipPlanefIMG; alias fn_glClipPlanefOES = extern(C) void function(GLenum plane, const GLfloat* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_single_precision") fn_glClipPlanefOES glClipPlanefOES; alias fn_glClipPlanex = extern(C) void function(GLenum plane, const GLfixed* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glClipPlanex glClipPlanex; alias fn_glClipPlanexIMG = extern(C) void function(GLenum p, const GLfixed* eqn) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_user_clip_plane") fn_glClipPlanexIMG glClipPlanexIMG; alias fn_glClipPlanexOES = extern(C) void function(GLenum plane, const GLfixed* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glClipPlanexOES glClipPlanexOES; alias fn_glColor3b = extern(C) void function(GLbyte red, GLbyte green, GLbyte blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3b glColor3b; alias fn_glColor3bv = extern(C) void function(const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3bv glColor3bv; alias fn_glColor3d = extern(C) void function(GLdouble red, GLdouble green, GLdouble blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3d glColor3d; alias fn_glColor3dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3dv glColor3dv; alias fn_glColor3f = extern(C) void function(GLfloat red, GLfloat green, GLfloat blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3f glColor3f; alias fn_glColor3fVertex3fSUN = extern(C) void function(GLfloat r, GLfloat g, GLfloat b, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glColor3fVertex3fSUN glColor3fVertex3fSUN; alias fn_glColor3fVertex3fvSUN = extern(C) void function(const GLfloat* c, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glColor3fVertex3fvSUN glColor3fVertex3fvSUN; alias fn_glColor3fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3fv glColor3fv; alias fn_glColor3hNV = extern(C) void function(GLhalfNV red, GLhalfNV green, GLhalfNV blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glColor3hNV glColor3hNV; alias fn_glColor3hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glColor3hvNV glColor3hvNV; alias fn_glColor3i = extern(C) void function(GLint red, GLint green, GLint blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3i glColor3i; alias fn_glColor3iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3iv glColor3iv; alias fn_glColor3s = extern(C) void function(GLshort red, GLshort green, GLshort blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3s glColor3s; alias fn_glColor3sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3sv glColor3sv; alias fn_glColor3ub = extern(C) void function(GLubyte red, GLubyte green, GLubyte blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3ub glColor3ub; alias fn_glColor3ubv = extern(C) void function(const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3ubv glColor3ubv; alias fn_glColor3ui = extern(C) void function(GLuint red, GLuint green, GLuint blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3ui glColor3ui; alias fn_glColor3uiv = extern(C) void function(const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3uiv glColor3uiv; alias fn_glColor3us = extern(C) void function(GLushort red, GLushort green, GLushort blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3us glColor3us; alias fn_glColor3usv = extern(C) void function(const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor3usv glColor3usv; alias fn_glColor3xOES = extern(C) void function(GLfixed red, GLfixed green, GLfixed blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glColor3xOES glColor3xOES; alias fn_glColor3xvOES = extern(C) void function(const GLfixed* components) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glColor3xvOES glColor3xvOES; alias fn_glColor4b = extern(C) void function(GLbyte red, GLbyte green, GLbyte blue, GLbyte alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4b glColor4b; alias fn_glColor4bv = extern(C) void function(const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4bv glColor4bv; alias fn_glColor4d = extern(C) void function(GLdouble red, GLdouble green, GLdouble blue, GLdouble alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4d glColor4d; alias fn_glColor4dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4dv glColor4dv; alias fn_glColor4f = extern(C) void function(GLfloat red, GLfloat green, GLfloat blue, GLfloat alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4f glColor4f; alias fn_glColor4fNormal3fVertex3fSUN = extern(C) void function(GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glColor4fNormal3fVertex3fSUN glColor4fNormal3fVertex3fSUN; alias fn_glColor4fNormal3fVertex3fvSUN = extern(C) void function(const GLfloat* c, const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glColor4fNormal3fVertex3fvSUN glColor4fNormal3fVertex3fvSUN; alias fn_glColor4fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4fv glColor4fv; alias fn_glColor4hNV = extern(C) void function(GLhalfNV red, GLhalfNV green, GLhalfNV blue, GLhalfNV alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glColor4hNV glColor4hNV; alias fn_glColor4hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glColor4hvNV glColor4hvNV; alias fn_glColor4i = extern(C) void function(GLint red, GLint green, GLint blue, GLint alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4i glColor4i; alias fn_glColor4iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4iv glColor4iv; alias fn_glColor4s = extern(C) void function(GLshort red, GLshort green, GLshort blue, GLshort alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4s glColor4s; alias fn_glColor4sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4sv glColor4sv; alias fn_glColor4ub = extern(C) void function(GLubyte red, GLubyte green, GLubyte blue, GLubyte alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4ub glColor4ub; alias fn_glColor4ubVertex2fSUN = extern(C) void function(GLubyte r, GLubyte g, GLubyte b, GLubyte a, GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glColor4ubVertex2fSUN glColor4ubVertex2fSUN; alias fn_glColor4ubVertex2fvSUN = extern(C) void function(const(GLubyte)* c, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glColor4ubVertex2fvSUN glColor4ubVertex2fvSUN; alias fn_glColor4ubVertex3fSUN = extern(C) void function(GLubyte r, GLubyte g, GLubyte b, GLubyte a, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glColor4ubVertex3fSUN glColor4ubVertex3fSUN; alias fn_glColor4ubVertex3fvSUN = extern(C) void function(const(GLubyte)* c, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glColor4ubVertex3fvSUN glColor4ubVertex3fvSUN; alias fn_glColor4ubv = extern(C) void function(const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4ubv glColor4ubv; alias fn_glColor4ui = extern(C) void function(GLuint red, GLuint green, GLuint blue, GLuint alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4ui glColor4ui; alias fn_glColor4uiv = extern(C) void function(const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4uiv glColor4uiv; alias fn_glColor4us = extern(C) void function(GLushort red, GLushort green, GLushort blue, GLushort alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4us glColor4us; alias fn_glColor4usv = extern(C) void function(const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColor4usv glColor4usv; alias fn_glColor4x = extern(C) void function(GLfixed red, GLfixed green, GLfixed blue, GLfixed alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glColor4x glColor4x; alias fn_glColor4xOES = extern(C) void function(GLfixed red, GLfixed green, GLfixed blue, GLfixed alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glColor4xOES glColor4xOES; alias fn_glColor4xvOES = extern(C) void function(const GLfixed* components) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glColor4xvOES glColor4xvOES; alias fn_glColorFormatNV = extern(C) void function(GLint size, GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glColorFormatNV glColorFormatNV; alias fn_glColorFragmentOp1ATI = extern(C) void function(GLenum op, GLuint dst, GLuint dstMask, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glColorFragmentOp1ATI glColorFragmentOp1ATI; alias fn_glColorFragmentOp2ATI = extern(C) void function(GLenum op, GLuint dst, GLuint dstMask, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod, GLuint arg2, GLuint arg2Rep, GLuint arg2Mod) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glColorFragmentOp2ATI glColorFragmentOp2ATI; alias fn_glColorFragmentOp3ATI = extern(C) void function(GLenum op, GLuint dst, GLuint dstMask, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod, GLuint arg2, GLuint arg2Rep, GLuint arg2Mod, GLuint arg3, GLuint arg3Rep, GLuint arg3Mod) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glColorFragmentOp3ATI glColorFragmentOp3ATI; alias fn_glColorMaskIndexedEXT = extern(C) void function(GLuint index, GLboolean r, GLboolean g, GLboolean b, GLboolean a) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers2") fn_glColorMaskIndexedEXT glColorMaskIndexedEXT; alias fn_glColorMaskiEXT = extern(C) void function(GLuint index, GLboolean r, GLboolean g, GLboolean b, GLboolean a) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers_indexed") fn_glColorMaskiEXT glColorMaskiEXT; alias fn_glColorMaskiOES = extern(C) void function(GLuint index, GLboolean r, GLboolean g, GLboolean b, GLboolean a) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_buffers_indexed") fn_glColorMaskiOES glColorMaskiOES; alias fn_glColorMaterial = extern(C) void function(GLenum face, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glColorMaterial glColorMaterial; alias fn_glColorP3ui = extern(C) void function(GLenum type, GLuint color) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glColorP3ui glColorP3ui; alias fn_glColorP3uiv = extern(C) void function(GLenum type, const GLuint* color) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glColorP3uiv glColorP3uiv; alias fn_glColorP4ui = extern(C) void function(GLenum type, GLuint color) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glColorP4ui glColorP4ui; alias fn_glColorP4uiv = extern(C) void function(GLenum type, const GLuint* color) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glColorP4uiv glColorP4uiv; alias fn_glColorPointer = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glColorPointer glColorPointer; alias fn_glColorPointerEXT = extern(C) void function(GLint size, GLenum type, GLsizei stride, GLsizei count, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glColorPointerEXT glColorPointerEXT; alias fn_glColorPointerListIBM = extern(C) void function(GLint size, GLenum type, GLint stride, const void** pointer, GLint ptrstride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_vertex_array_lists") fn_glColorPointerListIBM glColorPointerListIBM; alias fn_glColorPointervINTEL = extern(C) void function(GLint size, GLenum type, const void** pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_parallel_arrays") fn_glColorPointervINTEL glColorPointervINTEL; alias fn_glColorSubTable = extern(C) void function(GLenum target, GLsizei start, GLsizei count, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glColorSubTable glColorSubTable; alias fn_glColorSubTableEXT = extern(C) void function(GLenum target, GLsizei start, GLsizei count, GLenum format, GLenum type, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_color_subtable") fn_glColorSubTableEXT glColorSubTableEXT; alias fn_glColorTable = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLenum format, GLenum type, const void* table) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glColorTable glColorTable; alias fn_glColorTableEXT = extern(C) void function(GLenum target, GLenum internalFormat, GLsizei width, GLenum format, GLenum type, const void* table) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_paletted_texture") fn_glColorTableEXT glColorTableEXT; alias fn_glColorTableParameterfv = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glColorTableParameterfv glColorTableParameterfv; alias fn_glColorTableParameterfvSGI = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGI_color_table") fn_glColorTableParameterfvSGI glColorTableParameterfvSGI; alias fn_glColorTableParameteriv = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glColorTableParameteriv glColorTableParameteriv; alias fn_glColorTableParameterivSGI = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGI_color_table") fn_glColorTableParameterivSGI glColorTableParameterivSGI; alias fn_glColorTableSGI = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLenum format, GLenum type, const void* table) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGI_color_table") fn_glColorTableSGI glColorTableSGI; alias fn_glCombinerInputNV = extern(C) void function(GLenum stage, GLenum portion, GLenum variable, GLenum input, GLenum mapping, GLenum componentUsage) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glCombinerInputNV glCombinerInputNV; alias fn_glCombinerOutputNV = extern(C) void function(GLenum stage, GLenum portion, GLenum abOutput, GLenum cdOutput, GLenum sumOutput, GLenum scale, GLenum bias, GLboolean abDotProduct, GLboolean cdDotProduct, GLboolean muxSum) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glCombinerOutputNV glCombinerOutputNV; alias fn_glCombinerParameterfNV = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glCombinerParameterfNV glCombinerParameterfNV; alias fn_glCombinerParameterfvNV = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glCombinerParameterfvNV glCombinerParameterfvNV; alias fn_glCombinerParameteriNV = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glCombinerParameteriNV glCombinerParameteriNV; alias fn_glCombinerParameterivNV = extern(C) void function(GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glCombinerParameterivNV glCombinerParameterivNV; alias fn_glCombinerStageParameterfvNV = extern(C) void function(GLenum stage, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners2") fn_glCombinerStageParameterfvNV glCombinerStageParameterfvNV; alias fn_glCommandListSegmentsNV = extern(C) void function(GLuint list, GLuint segments) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glCommandListSegmentsNV glCommandListSegmentsNV; alias fn_glCompileCommandListNV = extern(C) void function(GLuint list) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glCompileCommandListNV glCompileCommandListNV; alias fn_glCompileShaderARB = extern(C) void function(GLhandleARB shaderObj) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glCompileShaderARB glCompileShaderARB; alias fn_glCompileShaderIncludeARB = extern(C) void function(GLuint shader, GLsizei count, const(const(GLvoid*)*) path, const GLint* length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shading_language_include") fn_glCompileShaderIncludeARB glCompileShaderIncludeARB; alias fn_glCompressedMultiTexImage1DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLint border, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedMultiTexImage1DEXT glCompressedMultiTexImage1DEXT; alias fn_glCompressedMultiTexImage2DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedMultiTexImage2DEXT glCompressedMultiTexImage2DEXT; alias fn_glCompressedMultiTexImage3DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedMultiTexImage3DEXT glCompressedMultiTexImage3DEXT; alias fn_glCompressedMultiTexSubImage1DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedMultiTexSubImage1DEXT glCompressedMultiTexSubImage1DEXT; alias fn_glCompressedMultiTexSubImage2DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedMultiTexSubImage2DEXT glCompressedMultiTexSubImage2DEXT; alias fn_glCompressedMultiTexSubImage3DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedMultiTexSubImage3DEXT glCompressedMultiTexSubImage3DEXT; alias fn_glCompressedTexImage1DARB = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLint border, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_texture_compression") fn_glCompressedTexImage1DARB glCompressedTexImage1DARB; alias fn_glCompressedTexImage2DARB = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_texture_compression") fn_glCompressedTexImage2DARB glCompressedTexImage2DARB; alias fn_glCompressedTexImage3DARB = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_texture_compression") fn_glCompressedTexImage3DARB glCompressedTexImage3DARB; alias fn_glCompressedTexImage3DOES = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_3D") fn_glCompressedTexImage3DOES glCompressedTexImage3DOES; alias fn_glCompressedTexSubImage1DARB = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_texture_compression") fn_glCompressedTexSubImage1DARB glCompressedTexSubImage1DARB; alias fn_glCompressedTexSubImage2DARB = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_texture_compression") fn_glCompressedTexSubImage2DARB glCompressedTexSubImage2DARB; alias fn_glCompressedTexSubImage3DARB = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_texture_compression") fn_glCompressedTexSubImage3DARB glCompressedTexSubImage3DARB; alias fn_glCompressedTexSubImage3DOES = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_3D") fn_glCompressedTexSubImage3DOES glCompressedTexSubImage3DOES; alias fn_glCompressedTextureImage1DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLint border, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedTextureImage1DEXT glCompressedTextureImage1DEXT; alias fn_glCompressedTextureImage2DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedTextureImage2DEXT glCompressedTextureImage2DEXT; alias fn_glCompressedTextureImage3DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedTextureImage3DEXT glCompressedTextureImage3DEXT; alias fn_glCompressedTextureSubImage1D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCompressedTextureSubImage1D glCompressedTextureSubImage1D; alias fn_glCompressedTextureSubImage1DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedTextureSubImage1DEXT glCompressedTextureSubImage1DEXT; alias fn_glCompressedTextureSubImage2D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCompressedTextureSubImage2D glCompressedTextureSubImage2D; alias fn_glCompressedTextureSubImage2DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedTextureSubImage2DEXT glCompressedTextureSubImage2DEXT; alias fn_glCompressedTextureSubImage3D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCompressedTextureSubImage3D glCompressedTextureSubImage3D; alias fn_glCompressedTextureSubImage3DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void* bits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCompressedTextureSubImage3DEXT glCompressedTextureSubImage3DEXT; alias fn_glConservativeRasterParameterfNV = extern(C) void function(GLenum pname, GLfloat value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_conservative_raster_dilate") fn_glConservativeRasterParameterfNV glConservativeRasterParameterfNV; alias fn_glConservativeRasterParameteriNV = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_conservative_raster_pre_snap_triangles") fn_glConservativeRasterParameteriNV glConservativeRasterParameteriNV; alias fn_glConvolutionFilter1D = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLenum format, GLenum type, const void* image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glConvolutionFilter1D glConvolutionFilter1D; alias fn_glConvolutionFilter1DEXT = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLenum format, GLenum type, const void* image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glConvolutionFilter1DEXT glConvolutionFilter1DEXT; alias fn_glConvolutionFilter2D = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLsizei height, GLenum format, GLenum type, const void* image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glConvolutionFilter2D glConvolutionFilter2D; alias fn_glConvolutionFilter2DEXT = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLsizei height, GLenum format, GLenum type, const void* image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glConvolutionFilter2DEXT glConvolutionFilter2DEXT; alias fn_glConvolutionParameterf = extern(C) void function(GLenum target, GLenum pname, GLfloat params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glConvolutionParameterf glConvolutionParameterf; alias fn_glConvolutionParameterfEXT = extern(C) void function(GLenum target, GLenum pname, GLfloat params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glConvolutionParameterfEXT glConvolutionParameterfEXT; alias fn_glConvolutionParameterfv = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glConvolutionParameterfv glConvolutionParameterfv; alias fn_glConvolutionParameterfvEXT = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glConvolutionParameterfvEXT glConvolutionParameterfvEXT; alias fn_glConvolutionParameteri = extern(C) void function(GLenum target, GLenum pname, GLint params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glConvolutionParameteri glConvolutionParameteri; alias fn_glConvolutionParameteriEXT = extern(C) void function(GLenum target, GLenum pname, GLint params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glConvolutionParameteriEXT glConvolutionParameteriEXT; alias fn_glConvolutionParameteriv = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glConvolutionParameteriv glConvolutionParameteriv; alias fn_glConvolutionParameterivEXT = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glConvolutionParameterivEXT glConvolutionParameterivEXT; alias fn_glConvolutionParameterxOES = extern(C) void function(GLenum target, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glConvolutionParameterxOES glConvolutionParameterxOES; alias fn_glConvolutionParameterxvOES = extern(C) void function(GLenum target, GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glConvolutionParameterxvOES glConvolutionParameterxvOES; alias fn_glCopyBufferSubDataNV = extern(C) void function(GLenum readTarget, GLenum writeTarget, GLintptr readOffset, GLintptr writeOffset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_copy_buffer") fn_glCopyBufferSubDataNV glCopyBufferSubDataNV; alias fn_glCopyColorSubTable = extern(C) void function(GLenum target, GLsizei start, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glCopyColorSubTable glCopyColorSubTable; alias fn_glCopyColorSubTableEXT = extern(C) void function(GLenum target, GLsizei start, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_color_subtable") fn_glCopyColorSubTableEXT glCopyColorSubTableEXT; alias fn_glCopyColorTable = extern(C) void function(GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glCopyColorTable glCopyColorTable; alias fn_glCopyColorTableSGI = extern(C) void function(GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGI_color_table") fn_glCopyColorTableSGI glCopyColorTableSGI; alias fn_glCopyConvolutionFilter1D = extern(C) void function(GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glCopyConvolutionFilter1D glCopyConvolutionFilter1D; alias fn_glCopyConvolutionFilter1DEXT = extern(C) void function(GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glCopyConvolutionFilter1DEXT glCopyConvolutionFilter1DEXT; alias fn_glCopyConvolutionFilter2D = extern(C) void function(GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glCopyConvolutionFilter2D glCopyConvolutionFilter2D; alias fn_glCopyConvolutionFilter2DEXT = extern(C) void function(GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glCopyConvolutionFilter2DEXT glCopyConvolutionFilter2DEXT; alias fn_glCopyImageSubData = extern(C) void function(GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei srcWidth, GLsizei srcHeight, GLsizei srcDepth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_copy_image") fn_glCopyImageSubData glCopyImageSubData; alias fn_glCopyImageSubDataEXT = extern(C) void function(GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei srcWidth, GLsizei srcHeight, GLsizei srcDepth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_copy_image") fn_glCopyImageSubDataEXT glCopyImageSubDataEXT; alias fn_glCopyImageSubDataNV = extern(C) void function(GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei width, GLsizei height, GLsizei depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_copy_image") fn_glCopyImageSubDataNV glCopyImageSubDataNV; alias fn_glCopyImageSubDataOES = extern(C) void function(GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei srcWidth, GLsizei srcHeight, GLsizei srcDepth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_copy_image") fn_glCopyImageSubDataOES glCopyImageSubDataOES; alias fn_glCopyMultiTexImage1DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLint border) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyMultiTexImage1DEXT glCopyMultiTexImage1DEXT; alias fn_glCopyMultiTexImage2DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyMultiTexImage2DEXT glCopyMultiTexImage2DEXT; alias fn_glCopyMultiTexSubImage1DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyMultiTexSubImage1DEXT glCopyMultiTexSubImage1DEXT; alias fn_glCopyMultiTexSubImage2DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyMultiTexSubImage2DEXT glCopyMultiTexSubImage2DEXT; alias fn_glCopyMultiTexSubImage3DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyMultiTexSubImage3DEXT glCopyMultiTexSubImage3DEXT; alias fn_glCopyNamedBufferSubData = extern(C) void function(GLuint readBuffer, GLuint writeBuffer, GLintptr readOffset, GLintptr writeOffset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCopyNamedBufferSubData glCopyNamedBufferSubData; alias fn_glCopyPathNV = extern(C) void function(GLuint resultPath, GLuint srcPath) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glCopyPathNV glCopyPathNV; alias fn_glCopyPixels = extern(C) void function(GLint x, GLint y, GLsizei width, GLsizei height, GLenum type) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glCopyPixels glCopyPixels; alias fn_glCopyTexImage1DEXT = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLint border) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_copy_texture") fn_glCopyTexImage1DEXT glCopyTexImage1DEXT; alias fn_glCopyTexImage2DEXT = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_copy_texture") fn_glCopyTexImage2DEXT glCopyTexImage2DEXT; alias fn_glCopyTexSubImage1DEXT = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_copy_texture") fn_glCopyTexSubImage1DEXT glCopyTexSubImage1DEXT; alias fn_glCopyTexSubImage2DEXT = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_copy_texture") fn_glCopyTexSubImage2DEXT glCopyTexSubImage2DEXT; alias fn_glCopyTexSubImage3DEXT = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_copy_texture") fn_glCopyTexSubImage3DEXT glCopyTexSubImage3DEXT; alias fn_glCopyTexSubImage3DOES = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_3D") fn_glCopyTexSubImage3DOES glCopyTexSubImage3DOES; alias fn_glCopyTextureImage1DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLint border) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyTextureImage1DEXT glCopyTextureImage1DEXT; alias fn_glCopyTextureImage2DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyTextureImage2DEXT glCopyTextureImage2DEXT; alias fn_glCopyTextureLevelsAPPLE = extern(C) void function(GLuint destinationTexture, GLuint sourceTexture, GLint sourceBaseLevel, GLsizei sourceLevelCount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_copy_texture_levels") fn_glCopyTextureLevelsAPPLE glCopyTextureLevelsAPPLE; alias fn_glCopyTextureSubImage1D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCopyTextureSubImage1D glCopyTextureSubImage1D; alias fn_glCopyTextureSubImage1DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyTextureSubImage1DEXT glCopyTextureSubImage1DEXT; alias fn_glCopyTextureSubImage2D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCopyTextureSubImage2D glCopyTextureSubImage2D; alias fn_glCopyTextureSubImage2DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyTextureSubImage2DEXT glCopyTextureSubImage2DEXT; alias fn_glCopyTextureSubImage3D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCopyTextureSubImage3D glCopyTextureSubImage3D; alias fn_glCopyTextureSubImage3DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glCopyTextureSubImage3DEXT glCopyTextureSubImage3DEXT; alias fn_glCoverFillPathInstancedNV = extern(C) void function(GLsizei numPaths, GLenum pathNameType, const void* paths, GLuint pathBase, GLenum coverMode, GLenum transformType, const GLfloat* transformValues) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glCoverFillPathInstancedNV glCoverFillPathInstancedNV; alias fn_glCoverFillPathNV = extern(C) void function(GLuint path, GLenum coverMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glCoverFillPathNV glCoverFillPathNV; alias fn_glCoverStrokePathInstancedNV = extern(C) void function(GLsizei numPaths, GLenum pathNameType, const void* paths, GLuint pathBase, GLenum coverMode, GLenum transformType, const GLfloat* transformValues) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glCoverStrokePathInstancedNV glCoverStrokePathInstancedNV; alias fn_glCoverStrokePathNV = extern(C) void function(GLuint path, GLenum coverMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glCoverStrokePathNV glCoverStrokePathNV; alias fn_glCoverageMaskNV = extern(C) void function(GLboolean mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_coverage_sample") fn_glCoverageMaskNV glCoverageMaskNV; alias fn_glCoverageModulationNV = extern(C) void function(GLenum components) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_framebuffer_mixed_samples") fn_glCoverageModulationNV glCoverageModulationNV; alias fn_glCoverageModulationTableNV = extern(C) void function(GLsizei n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_framebuffer_mixed_samples") fn_glCoverageModulationTableNV glCoverageModulationTableNV; alias fn_glCoverageOperationNV = extern(C) void function(GLenum operation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_coverage_sample") fn_glCoverageOperationNV glCoverageOperationNV; alias fn_glCreateBuffers = extern(C) void function(GLsizei n, GLuint* buffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateBuffers glCreateBuffers; alias fn_glCreateCommandListsNV = extern(C) void function(GLsizei n, GLuint* lists) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glCreateCommandListsNV glCreateCommandListsNV; alias fn_glCreateFramebuffers = extern(C) void function(GLsizei n, GLuint* framebuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateFramebuffers glCreateFramebuffers; alias fn_glCreatePerfQueryINTEL = extern(C) void function(GLuint queryId, GLuint* queryHandle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glCreatePerfQueryINTEL glCreatePerfQueryINTEL; alias fn_glCreateProgramObjectARB = extern(C) GLhandleARB function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glCreateProgramObjectARB glCreateProgramObjectARB; alias fn_glCreateProgramPipelines = extern(C) void function(GLsizei n, GLuint* pipelines) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateProgramPipelines glCreateProgramPipelines; alias fn_glCreateQueries = extern(C) void function(GLenum target, GLsizei n, GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateQueries glCreateQueries; alias fn_glCreateRenderbuffers = extern(C) void function(GLsizei n, GLuint* renderbuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateRenderbuffers glCreateRenderbuffers; alias fn_glCreateSamplers = extern(C) void function(GLsizei n, GLuint* samplers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateSamplers glCreateSamplers; alias fn_glCreateShaderObjectARB = extern(C) GLhandleARB function(GLenum shaderType) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glCreateShaderObjectARB glCreateShaderObjectARB; alias fn_glCreateShaderProgramEXT = extern(C) GLuint function(GLenum type, const GLchar* string) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glCreateShaderProgramEXT glCreateShaderProgramEXT; alias fn_glCreateShaderProgramv = extern(C) GLuint function(GLenum type, GLsizei count, const(const(GLvoid*)*) strings) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glCreateShaderProgramv glCreateShaderProgramv; alias fn_glCreateShaderProgramvEXT = extern(C) GLuint function(GLenum type, GLsizei count, const GLchar** strings) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glCreateShaderProgramvEXT glCreateShaderProgramvEXT; alias fn_glCreateStatesNV = extern(C) void function(GLsizei n, GLuint* states) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glCreateStatesNV glCreateStatesNV; alias fn_glCreateSyncFromCLeventARB = extern(C) GLsync function(_cl_context* context, _cl_event* event, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_cl_event") fn_glCreateSyncFromCLeventARB glCreateSyncFromCLeventARB; alias fn_glCreateTextures = extern(C) void function(GLenum target, GLsizei n, GLuint* textures) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateTextures glCreateTextures; alias fn_glCreateTransformFeedbacks = extern(C) void function(GLsizei n, GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateTransformFeedbacks glCreateTransformFeedbacks; alias fn_glCreateVertexArrays = extern(C) void function(GLsizei n, GLuint* arrays) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glCreateVertexArrays glCreateVertexArrays; alias fn_glCullParameterdvEXT = extern(C) void function(GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_cull_vertex") fn_glCullParameterdvEXT glCullParameterdvEXT; alias fn_glCullParameterfvEXT = extern(C) void function(GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_cull_vertex") fn_glCullParameterfvEXT glCullParameterfvEXT; alias fn_glCurrentPaletteMatrixARB = extern(C) void function(GLint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_matrix_palette") fn_glCurrentPaletteMatrixARB glCurrentPaletteMatrixARB; alias fn_glCurrentPaletteMatrixOES = extern(C) void function(GLuint matrixpaletteindex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_matrix_palette") fn_glCurrentPaletteMatrixOES glCurrentPaletteMatrixOES; alias fn_glDebugMessageCallback = extern(C) void function(GLDEBUGPROC callback, const void* userParam) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glDebugMessageCallback glDebugMessageCallback; alias fn_glDebugMessageCallbackAMD = extern(C) void function(GLDEBUGPROCAMD callback, void* userParam) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_debug_output") fn_glDebugMessageCallbackAMD glDebugMessageCallbackAMD; alias fn_glDebugMessageCallbackARB = extern(C) void function(GLDEBUGPROCARB callback, const void* userParam) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_debug_output") fn_glDebugMessageCallbackARB glDebugMessageCallbackARB; alias fn_glDebugMessageCallbackKHR = extern(C) void function(GLDEBUGPROCKHR callback, const void* userParam) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glDebugMessageCallbackKHR glDebugMessageCallbackKHR; alias fn_glDebugMessageControl = extern(C) void function(GLenum source, GLenum type, GLenum severity, GLsizei count, const GLuint* ids, GLboolean enabled) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glDebugMessageControl glDebugMessageControl; alias fn_glDebugMessageControlARB = extern(C) void function(GLenum source, GLenum type, GLenum severity, GLsizei count, const GLuint* ids, GLboolean enabled) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_debug_output") fn_glDebugMessageControlARB glDebugMessageControlARB; alias fn_glDebugMessageControlKHR = extern(C) void function(GLenum source, GLenum type, GLenum severity, GLsizei count, const GLuint* ids, GLboolean enabled) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glDebugMessageControlKHR glDebugMessageControlKHR; alias fn_glDebugMessageEnableAMD = extern(C) void function(GLenum category, GLenum severity, GLsizei count, const GLuint* ids, GLboolean enabled) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_debug_output") fn_glDebugMessageEnableAMD glDebugMessageEnableAMD; alias fn_glDebugMessageInsert = extern(C) void function(GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const GLchar* buf) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glDebugMessageInsert glDebugMessageInsert; alias fn_glDebugMessageInsertAMD = extern(C) void function(GLenum category, GLenum severity, GLuint id, GLsizei length, const GLchar* buf) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_debug_output") fn_glDebugMessageInsertAMD glDebugMessageInsertAMD; alias fn_glDebugMessageInsertARB = extern(C) void function(GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const GLchar* buf) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_debug_output") fn_glDebugMessageInsertARB glDebugMessageInsertARB; alias fn_glDebugMessageInsertKHR = extern(C) void function(GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const GLchar* buf) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glDebugMessageInsertKHR glDebugMessageInsertKHR; alias fn_glDeformSGIX = extern(C) void function(GLbitfield mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_polynomial_ffd") fn_glDeformSGIX glDeformSGIX; alias fn_glDeformationMap3dSGIX = extern(C) void function(GLenum target, GLdouble u1, GLdouble u2, GLint ustride, GLint uorder, GLdouble v1, GLdouble v2, GLint vstride, GLint vorder, GLdouble w1, GLdouble w2, GLint wstride, GLint worder, const GLdouble* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_polynomial_ffd") fn_glDeformationMap3dSGIX glDeformationMap3dSGIX; alias fn_glDeformationMap3fSGIX = extern(C) void function(GLenum target, GLfloat u1, GLfloat u2, GLint ustride, GLint uorder, GLfloat v1, GLfloat v2, GLint vstride, GLint vorder, GLfloat w1, GLfloat w2, GLint wstride, GLint worder, const GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_polynomial_ffd") fn_glDeformationMap3fSGIX glDeformationMap3fSGIX; alias fn_glDeleteAsyncMarkersSGIX = extern(C) void function(GLuint marker, GLsizei range) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_async") fn_glDeleteAsyncMarkersSGIX glDeleteAsyncMarkersSGIX; alias fn_glDeleteBuffersARB = extern(C) void function(GLsizei n, const GLuint* buffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glDeleteBuffersARB glDeleteBuffersARB; alias fn_glDeleteCommandListsNV = extern(C) void function(GLsizei n, const GLuint* lists) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glDeleteCommandListsNV glDeleteCommandListsNV; alias fn_glDeleteFencesAPPLE = extern(C) void function(GLsizei n, const GLuint* fences) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_fence") fn_glDeleteFencesAPPLE glDeleteFencesAPPLE; alias fn_glDeleteFencesNV = extern(C) void function(GLsizei n, const GLuint* fences) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fence") fn_glDeleteFencesNV glDeleteFencesNV; alias fn_glDeleteFragmentShaderATI = extern(C) void function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glDeleteFragmentShaderATI glDeleteFragmentShaderATI; alias fn_glDeleteFramebuffersEXT = extern(C) void function(GLsizei n, const GLuint* framebuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glDeleteFramebuffersEXT glDeleteFramebuffersEXT; alias fn_glDeleteFramebuffersOES = extern(C) void function(GLsizei n, const GLuint* framebuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glDeleteFramebuffersOES glDeleteFramebuffersOES; alias fn_glDeleteLists = extern(C) void function(GLuint list, GLsizei range) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glDeleteLists glDeleteLists; alias fn_glDeleteNamedStringARB = extern(C) void function(GLint namelen, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shading_language_include") fn_glDeleteNamedStringARB glDeleteNamedStringARB; alias fn_glDeleteNamesAMD = extern(C) void function(GLenum identifier, GLuint num, const GLuint* names) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_name_gen_delete") fn_glDeleteNamesAMD glDeleteNamesAMD; alias fn_glDeleteObjectARB = extern(C) void function(GLhandleARB obj) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glDeleteObjectARB glDeleteObjectARB; alias fn_glDeleteOcclusionQueriesNV = extern(C) void function(GLsizei n, const GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_occlusion_query") fn_glDeleteOcclusionQueriesNV glDeleteOcclusionQueriesNV; alias fn_glDeletePathsNV = extern(C) void function(GLuint path, GLsizei range) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glDeletePathsNV glDeletePathsNV; alias fn_glDeletePerfMonitorsAMD = extern(C) void function(GLsizei n, GLuint* monitors) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glDeletePerfMonitorsAMD glDeletePerfMonitorsAMD; alias fn_glDeletePerfQueryINTEL = extern(C) void function(GLuint queryHandle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glDeletePerfQueryINTEL glDeletePerfQueryINTEL; alias fn_glDeleteProgramPipelines = extern(C) void function(GLsizei n, const GLuint* pipelines) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glDeleteProgramPipelines glDeleteProgramPipelines; alias fn_glDeleteProgramPipelinesEXT = extern(C) void function(GLsizei n, const GLuint* pipelines) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glDeleteProgramPipelinesEXT glDeleteProgramPipelinesEXT; alias fn_glDeleteProgramsARB = extern(C) void function(GLsizei n, const GLuint* programs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glDeleteProgramsARB glDeleteProgramsARB; alias fn_glDeleteProgramsNV = extern(C) void function(GLsizei n, const GLuint* programs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glDeleteProgramsNV glDeleteProgramsNV; alias fn_glDeleteQueriesARB = extern(C) void function(GLsizei n, const GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_occlusion_query") fn_glDeleteQueriesARB glDeleteQueriesARB; alias fn_glDeleteQueriesEXT = extern(C) void function(GLsizei n, const GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glDeleteQueriesEXT glDeleteQueriesEXT; alias fn_glDeleteRenderbuffersEXT = extern(C) void function(GLsizei n, const GLuint* renderbuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glDeleteRenderbuffersEXT glDeleteRenderbuffersEXT; alias fn_glDeleteRenderbuffersOES = extern(C) void function(GLsizei n, const GLuint* renderbuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glDeleteRenderbuffersOES glDeleteRenderbuffersOES; alias fn_glDeleteStatesNV = extern(C) void function(GLsizei n, const GLuint* states) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glDeleteStatesNV glDeleteStatesNV; alias fn_glDeleteSyncAPPLE = extern(C) void function(GLsync sync) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_sync") fn_glDeleteSyncAPPLE glDeleteSyncAPPLE; alias fn_glDeleteTexturesEXT = extern(C) void function(GLsizei n, const GLuint* textures) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_object") fn_glDeleteTexturesEXT glDeleteTexturesEXT; alias fn_glDeleteTransformFeedbacks = extern(C) void function(GLsizei n, const GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback2") fn_glDeleteTransformFeedbacks glDeleteTransformFeedbacks; alias fn_glDeleteTransformFeedbacksNV = extern(C) void function(GLsizei n, const GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback2") fn_glDeleteTransformFeedbacksNV glDeleteTransformFeedbacksNV; alias fn_glDeleteVertexArraysAPPLE = extern(C) void function(GLsizei n, const GLuint* arrays) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_array_object") fn_glDeleteVertexArraysAPPLE glDeleteVertexArraysAPPLE; alias fn_glDeleteVertexArraysOES = extern(C) void function(GLsizei n, const GLuint* arrays) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_vertex_array_object") fn_glDeleteVertexArraysOES glDeleteVertexArraysOES; alias fn_glDeleteVertexShaderEXT = extern(C) void function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glDeleteVertexShaderEXT glDeleteVertexShaderEXT; alias fn_glDepthBoundsEXT = extern(C) void function(GLclampd zmin, GLclampd zmax) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_depth_bounds_test") fn_glDepthBoundsEXT glDepthBoundsEXT; alias fn_glDepthBoundsdNV = extern(C) void function(GLdouble zmin, GLdouble zmax) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_depth_buffer_float") fn_glDepthBoundsdNV glDepthBoundsdNV; alias fn_glDepthRangeArrayfvNV = extern(C) void function(GLuint first, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glDepthRangeArrayfvNV glDepthRangeArrayfvNV; alias fn_glDepthRangeArrayfvOES = extern(C) void function(GLuint first, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glDepthRangeArrayfvOES glDepthRangeArrayfvOES; alias fn_glDepthRangeArrayv = extern(C) void function(GLuint first, GLsizei count, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glDepthRangeArrayv glDepthRangeArrayv; alias fn_glDepthRangeIndexed = extern(C) void function(GLuint index, GLdouble n, GLdouble f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glDepthRangeIndexed glDepthRangeIndexed; alias fn_glDepthRangeIndexedfNV = extern(C) void function(GLuint index, GLfloat n, GLfloat f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glDepthRangeIndexedfNV glDepthRangeIndexedfNV; alias fn_glDepthRangeIndexedfOES = extern(C) void function(GLuint index, GLfloat n, GLfloat f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glDepthRangeIndexedfOES glDepthRangeIndexedfOES; alias fn_glDepthRangedNV = extern(C) void function(GLdouble zNear, GLdouble zFar) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_depth_buffer_float") fn_glDepthRangedNV glDepthRangedNV; alias fn_glDepthRangef = extern(C) void function(GLfloat n, GLfloat f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_ES2_compatibility") fn_glDepthRangef glDepthRangef; alias fn_glDepthRangefOES = extern(C) void function(GLclampf n, GLclampf f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_single_precision") fn_glDepthRangefOES glDepthRangefOES; alias fn_glDepthRangex = extern(C) void function(GLfixed n, GLfixed f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glDepthRangex glDepthRangex; alias fn_glDepthRangexOES = extern(C) void function(GLfixed n, GLfixed f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glDepthRangexOES glDepthRangexOES; alias fn_glDetachObjectARB = extern(C) void function(GLhandleARB containerObj, GLhandleARB attachedObj) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glDetachObjectARB glDetachObjectARB; alias fn_glDetailTexFuncSGIS = extern(C) void function(GLenum target, GLsizei n, const GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_detail_texture") fn_glDetailTexFuncSGIS glDetailTexFuncSGIS; alias fn_glDisableClientState = extern(C) void function(GLenum array) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glDisableClientState glDisableClientState; alias fn_glDisableClientStateIndexedEXT = extern(C) void function(GLenum array, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glDisableClientStateIndexedEXT glDisableClientStateIndexedEXT; alias fn_glDisableClientStateiEXT = extern(C) void function(GLenum array, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glDisableClientStateiEXT glDisableClientStateiEXT; alias fn_glDisableDriverControlQCOM = extern(C) void function(GLuint driverControl) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_driver_control") fn_glDisableDriverControlQCOM glDisableDriverControlQCOM; alias fn_glDisableIndexedEXT = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glDisableIndexedEXT glDisableIndexedEXT; alias fn_glDisableVariantClientStateEXT = extern(C) void function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glDisableVariantClientStateEXT glDisableVariantClientStateEXT; alias fn_glDisableVertexArrayAttrib = extern(C) void function(GLuint vaobj, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glDisableVertexArrayAttrib glDisableVertexArrayAttrib; alias fn_glDisableVertexArrayAttribEXT = extern(C) void function(GLuint vaobj, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glDisableVertexArrayAttribEXT glDisableVertexArrayAttribEXT; alias fn_glDisableVertexArrayEXT = extern(C) void function(GLuint vaobj, GLenum array) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glDisableVertexArrayEXT glDisableVertexArrayEXT; alias fn_glDisableVertexAttribAPPLE = extern(C) void function(GLuint index, GLenum pname) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_program_evaluators") fn_glDisableVertexAttribAPPLE glDisableVertexAttribAPPLE; alias fn_glDisableVertexAttribArrayARB = extern(C) void function(GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glDisableVertexAttribArrayARB glDisableVertexAttribArrayARB; alias fn_glDisableiEXT = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers_indexed") fn_glDisableiEXT glDisableiEXT; alias fn_glDisableiNV = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glDisableiNV glDisableiNV; alias fn_glDisableiOES = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_buffers_indexed") fn_glDisableiOES glDisableiOES; alias fn_glDiscardFramebufferEXT = extern(C) void function(GLenum target, GLsizei numAttachments, const GLenum* attachments) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_discard_framebuffer") fn_glDiscardFramebufferEXT glDiscardFramebufferEXT; alias fn_glDispatchCompute = extern(C) void function(GLuint num_groups_x, GLuint num_groups_y, GLuint num_groups_z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_compute_shader") fn_glDispatchCompute glDispatchCompute; alias fn_glDispatchComputeGroupSizeARB = extern(C) void function(GLuint num_groups_x, GLuint num_groups_y, GLuint num_groups_z, GLuint group_size_x, GLuint group_size_y, GLuint group_size_z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_compute_variable_group_size") fn_glDispatchComputeGroupSizeARB glDispatchComputeGroupSizeARB; alias fn_glDispatchComputeIndirect = extern(C) void function(GLintptr indirect) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_compute_shader") fn_glDispatchComputeIndirect glDispatchComputeIndirect; alias fn_glDrawArraysEXT = extern(C) void function(GLenum mode, GLint first, GLsizei count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glDrawArraysEXT glDrawArraysEXT; alias fn_glDrawArraysIndirect = extern(C) void function(GLenum mode, const void* indirect) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_draw_indirect") fn_glDrawArraysIndirect glDrawArraysIndirect; alias fn_glDrawArraysInstancedANGLE = extern(C) void function(GLenum mode, GLint first, GLsizei count, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ANGLE_instanced_arrays") fn_glDrawArraysInstancedANGLE glDrawArraysInstancedANGLE; alias fn_glDrawArraysInstancedARB = extern(C) void function(GLenum mode, GLint first, GLsizei count, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_draw_instanced") fn_glDrawArraysInstancedARB glDrawArraysInstancedARB; alias fn_glDrawArraysInstancedBaseInstance = extern(C) void function(GLenum mode, GLint first, GLsizei count, GLsizei instancecount, GLuint baseinstance) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_base_instance") fn_glDrawArraysInstancedBaseInstance glDrawArraysInstancedBaseInstance; alias fn_glDrawArraysInstancedBaseInstanceEXT = extern(C) void function(GLenum mode, GLint first, GLsizei count, GLsizei instancecount, GLuint baseinstance) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_base_instance") fn_glDrawArraysInstancedBaseInstanceEXT glDrawArraysInstancedBaseInstanceEXT; alias fn_glDrawArraysInstancedEXT = extern(C) void function(GLenum mode, GLint start, GLsizei count, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_instanced") fn_glDrawArraysInstancedEXT glDrawArraysInstancedEXT; alias fn_glDrawArraysInstancedNV = extern(C) void function(GLenum mode, GLint first, GLsizei count, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_draw_instanced") fn_glDrawArraysInstancedNV glDrawArraysInstancedNV; alias fn_glDrawBuffersARB = extern(C) void function(GLsizei n, const GLenum* bufs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_draw_buffers") fn_glDrawBuffersARB glDrawBuffersARB; alias fn_glDrawBuffersATI = extern(C) void function(GLsizei n, const GLenum* bufs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_draw_buffers") fn_glDrawBuffersATI glDrawBuffersATI; alias fn_glDrawBuffersEXT = extern(C) void function(GLsizei n, const GLenum* bufs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers") fn_glDrawBuffersEXT glDrawBuffersEXT; alias fn_glDrawBuffersIndexedEXT = extern(C) void function(GLint n, const GLenum* location, const GLint* indices) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multiview_draw_buffers") fn_glDrawBuffersIndexedEXT glDrawBuffersIndexedEXT; alias fn_glDrawBuffersNV = extern(C) void function(GLsizei n, const GLenum* bufs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_draw_buffers") fn_glDrawBuffersNV glDrawBuffersNV; alias fn_glDrawCommandsAddressNV = extern(C) void function(GLenum primitiveMode, const GLuint64* indirects, const GLsizei* sizes, GLuint count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glDrawCommandsAddressNV glDrawCommandsAddressNV; alias fn_glDrawCommandsNV = extern(C) void function(GLenum primitiveMode, GLuint buffer, const GLintptr* indirects, const GLsizei* sizes, GLuint count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glDrawCommandsNV glDrawCommandsNV; alias fn_glDrawCommandsStatesAddressNV = extern(C) void function(const GLuint64* indirects, const GLsizei* sizes, const GLuint* states, const GLuint* fbos, GLuint count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glDrawCommandsStatesAddressNV glDrawCommandsStatesAddressNV; alias fn_glDrawCommandsStatesNV = extern(C) void function(GLuint buffer, const GLintptr* indirects, const GLsizei* sizes, const GLuint* states, const GLuint* fbos, GLuint count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glDrawCommandsStatesNV glDrawCommandsStatesNV; alias fn_glDrawElementArrayAPPLE = extern(C) void function(GLenum mode, GLint first, GLsizei count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_element_array") fn_glDrawElementArrayAPPLE glDrawElementArrayAPPLE; alias fn_glDrawElementArrayATI = extern(C) void function(GLenum mode, GLsizei count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_element_array") fn_glDrawElementArrayATI glDrawElementArrayATI; alias fn_glDrawElementsBaseVertexEXT = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLint basevertex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_elements_base_vertex") fn_glDrawElementsBaseVertexEXT glDrawElementsBaseVertexEXT; alias fn_glDrawElementsBaseVertexOES = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLint basevertex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_elements_base_vertex") fn_glDrawElementsBaseVertexOES glDrawElementsBaseVertexOES; alias fn_glDrawElementsIndirect = extern(C) void function(GLenum mode, GLenum type, const void* indirect) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_draw_indirect") fn_glDrawElementsIndirect glDrawElementsIndirect; alias fn_glDrawElementsInstancedANGLE = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ANGLE_instanced_arrays") fn_glDrawElementsInstancedANGLE glDrawElementsInstancedANGLE; alias fn_glDrawElementsInstancedARB = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_draw_instanced") fn_glDrawElementsInstancedARB glDrawElementsInstancedARB; alias fn_glDrawElementsInstancedBaseInstance = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei instancecount, GLuint baseinstance) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_base_instance") fn_glDrawElementsInstancedBaseInstance glDrawElementsInstancedBaseInstance; alias fn_glDrawElementsInstancedBaseInstanceEXT = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei instancecount, GLuint baseinstance) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_base_instance") fn_glDrawElementsInstancedBaseInstanceEXT glDrawElementsInstancedBaseInstanceEXT; alias fn_glDrawElementsInstancedBaseVertexBaseInstance = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei instancecount, GLint basevertex, GLuint baseinstance) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_base_instance") fn_glDrawElementsInstancedBaseVertexBaseInstance glDrawElementsInstancedBaseVertexBaseInstance; alias fn_glDrawElementsInstancedBaseVertexBaseInstanceEXT = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei instancecount, GLint basevertex, GLuint baseinstance) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_base_instance") fn_glDrawElementsInstancedBaseVertexBaseInstanceEXT glDrawElementsInstancedBaseVertexBaseInstanceEXT; alias fn_glDrawElementsInstancedBaseVertexEXT = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei instancecount, GLint basevertex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_elements_base_vertex") fn_glDrawElementsInstancedBaseVertexEXT glDrawElementsInstancedBaseVertexEXT; alias fn_glDrawElementsInstancedBaseVertexOES = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei instancecount, GLint basevertex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_elements_base_vertex") fn_glDrawElementsInstancedBaseVertexOES glDrawElementsInstancedBaseVertexOES; alias fn_glDrawElementsInstancedEXT = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_instanced") fn_glDrawElementsInstancedEXT glDrawElementsInstancedEXT; alias fn_glDrawElementsInstancedNV = extern(C) void function(GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_draw_instanced") fn_glDrawElementsInstancedNV glDrawElementsInstancedNV; alias fn_glDrawMeshArraysSUN = extern(C) void function(GLenum mode, GLint first, GLsizei count, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_mesh_array") fn_glDrawMeshArraysSUN glDrawMeshArraysSUN; alias fn_glDrawPixels = extern(C) void function(GLsizei width, GLsizei height, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glDrawPixels glDrawPixels; alias fn_glDrawRangeElementArrayAPPLE = extern(C) void function(GLenum mode, GLuint start, GLuint end, GLint first, GLsizei count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_element_array") fn_glDrawRangeElementArrayAPPLE glDrawRangeElementArrayAPPLE; alias fn_glDrawRangeElementArrayATI = extern(C) void function(GLenum mode, GLuint start, GLuint end, GLsizei count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_element_array") fn_glDrawRangeElementArrayATI glDrawRangeElementArrayATI; alias fn_glDrawRangeElementsBaseVertexEXT = extern(C) void function(GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, const void* indices, GLint basevertex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_elements_base_vertex") fn_glDrawRangeElementsBaseVertexEXT glDrawRangeElementsBaseVertexEXT; alias fn_glDrawRangeElementsBaseVertexOES = extern(C) void function(GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, const void* indices, GLint basevertex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_elements_base_vertex") fn_glDrawRangeElementsBaseVertexOES glDrawRangeElementsBaseVertexOES; alias fn_glDrawRangeElementsEXT = extern(C) void function(GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, const void* indices) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_range_elements") fn_glDrawRangeElementsEXT glDrawRangeElementsEXT; alias fn_glDrawTexfOES = extern(C) void function(GLfloat x, GLfloat y, GLfloat z, GLfloat width, GLfloat height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_texture") fn_glDrawTexfOES glDrawTexfOES; alias fn_glDrawTexfvOES = extern(C) void function(const GLfloat* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_texture") fn_glDrawTexfvOES glDrawTexfvOES; alias fn_glDrawTexiOES = extern(C) void function(GLint x, GLint y, GLint z, GLint width, GLint height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_texture") fn_glDrawTexiOES glDrawTexiOES; alias fn_glDrawTexivOES = extern(C) void function(const GLint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_texture") fn_glDrawTexivOES glDrawTexivOES; alias fn_glDrawTexsOES = extern(C) void function(GLshort x, GLshort y, GLshort z, GLshort width, GLshort height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_texture") fn_glDrawTexsOES glDrawTexsOES; alias fn_glDrawTexsvOES = extern(C) void function(const GLshort* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_texture") fn_glDrawTexsvOES glDrawTexsvOES; alias fn_glDrawTextureNV = extern(C) void function(GLuint texture, GLuint sampler, GLfloat x0, GLfloat y0, GLfloat x1, GLfloat y1, GLfloat z, GLfloat s0, GLfloat t0, GLfloat s1, GLfloat t1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_draw_texture") fn_glDrawTextureNV glDrawTextureNV; alias fn_glDrawTexxOES = extern(C) void function(GLfixed x, GLfixed y, GLfixed z, GLfixed width, GLfixed height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_texture") fn_glDrawTexxOES glDrawTexxOES; alias fn_glDrawTexxvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_texture") fn_glDrawTexxvOES glDrawTexxvOES; alias fn_glDrawTransformFeedback = extern(C) void function(GLenum mode, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback2") fn_glDrawTransformFeedback glDrawTransformFeedback; alias fn_glDrawTransformFeedbackEXT = extern(C) void function(GLenum mode, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_transform_feedback") fn_glDrawTransformFeedbackEXT glDrawTransformFeedbackEXT; alias fn_glDrawTransformFeedbackInstanced = extern(C) void function(GLenum mode, GLuint id, GLsizei instancecount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_transform_feedback_instanced") fn_glDrawTransformFeedbackInstanced glDrawTransformFeedbackInstanced; alias fn_glDrawTransformFeedbackInstancedEXT = extern(C) void function(GLenum mode, GLuint id, GLsizei instancecount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_transform_feedback") fn_glDrawTransformFeedbackInstancedEXT glDrawTransformFeedbackInstancedEXT; alias fn_glDrawTransformFeedbackNV = extern(C) void function(GLenum mode, GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback2") fn_glDrawTransformFeedbackNV glDrawTransformFeedbackNV; alias fn_glDrawTransformFeedbackStream = extern(C) void function(GLenum mode, GLuint id, GLuint stream) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback3") fn_glDrawTransformFeedbackStream glDrawTransformFeedbackStream; alias fn_glDrawTransformFeedbackStreamInstanced = extern(C) void function(GLenum mode, GLuint id, GLuint stream, GLsizei instancecount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_transform_feedback_instanced") fn_glDrawTransformFeedbackStreamInstanced glDrawTransformFeedbackStreamInstanced; alias fn_glEGLImageTargetRenderbufferStorageOES = extern(C) void function(GLenum target, GLeglImageOES image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_EGL_image") fn_glEGLImageTargetRenderbufferStorageOES glEGLImageTargetRenderbufferStorageOES; alias fn_glEGLImageTargetTexture2DOES = extern(C) void function(GLenum target, GLeglImageOES image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_EGL_image") fn_glEGLImageTargetTexture2DOES glEGLImageTargetTexture2DOES; alias fn_glEdgeFlag = extern(C) void function(GLboolean flag) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEdgeFlag glEdgeFlag; alias fn_glEdgeFlagFormatNV = extern(C) void function(GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glEdgeFlagFormatNV glEdgeFlagFormatNV; alias fn_glEdgeFlagPointer = extern(C) void function(GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glEdgeFlagPointer glEdgeFlagPointer; alias fn_glEdgeFlagPointerEXT = extern(C) void function(GLsizei stride, GLsizei count, const GLboolean* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glEdgeFlagPointerEXT glEdgeFlagPointerEXT; alias fn_glEdgeFlagPointerListIBM = extern(C) void function(GLint stride, const GLboolean** pointer, GLint ptrstride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_vertex_array_lists") fn_glEdgeFlagPointerListIBM glEdgeFlagPointerListIBM; alias fn_glEdgeFlagv = extern(C) void function(const GLboolean* flag) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEdgeFlagv glEdgeFlagv; alias fn_glElementPointerAPPLE = extern(C) void function(GLenum type, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_element_array") fn_glElementPointerAPPLE glElementPointerAPPLE; alias fn_glElementPointerATI = extern(C) void function(GLenum type, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_element_array") fn_glElementPointerATI glElementPointerATI; alias fn_glEnableClientState = extern(C) void function(GLenum array) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glEnableClientState glEnableClientState; alias fn_glEnableClientStateIndexedEXT = extern(C) void function(GLenum array, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glEnableClientStateIndexedEXT glEnableClientStateIndexedEXT; alias fn_glEnableClientStateiEXT = extern(C) void function(GLenum array, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glEnableClientStateiEXT glEnableClientStateiEXT; alias fn_glEnableDriverControlQCOM = extern(C) void function(GLuint driverControl) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_driver_control") fn_glEnableDriverControlQCOM glEnableDriverControlQCOM; alias fn_glEnableIndexedEXT = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glEnableIndexedEXT glEnableIndexedEXT; alias fn_glEnableVariantClientStateEXT = extern(C) void function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glEnableVariantClientStateEXT glEnableVariantClientStateEXT; alias fn_glEnableVertexArrayAttrib = extern(C) void function(GLuint vaobj, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glEnableVertexArrayAttrib glEnableVertexArrayAttrib; alias fn_glEnableVertexArrayAttribEXT = extern(C) void function(GLuint vaobj, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glEnableVertexArrayAttribEXT glEnableVertexArrayAttribEXT; alias fn_glEnableVertexArrayEXT = extern(C) void function(GLuint vaobj, GLenum array) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glEnableVertexArrayEXT glEnableVertexArrayEXT; alias fn_glEnableVertexAttribAPPLE = extern(C) void function(GLuint index, GLenum pname) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_program_evaluators") fn_glEnableVertexAttribAPPLE glEnableVertexAttribAPPLE; alias fn_glEnableVertexAttribArrayARB = extern(C) void function(GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glEnableVertexAttribArrayARB glEnableVertexAttribArrayARB; alias fn_glEnableiEXT = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers_indexed") fn_glEnableiEXT glEnableiEXT; alias fn_glEnableiNV = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glEnableiNV glEnableiNV; alias fn_glEnableiOES = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_buffers_indexed") fn_glEnableiOES glEnableiOES; alias fn_glEnd = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEnd glEnd; alias fn_glEndConditionalRenderNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_conditional_render") fn_glEndConditionalRenderNV glEndConditionalRenderNV; alias fn_glEndConditionalRenderNVX = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NVX_conditional_render") fn_glEndConditionalRenderNVX glEndConditionalRenderNVX; alias fn_glEndFragmentShaderATI = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glEndFragmentShaderATI glEndFragmentShaderATI; alias fn_glEndList = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEndList glEndList; alias fn_glEndOcclusionQueryNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_occlusion_query") fn_glEndOcclusionQueryNV glEndOcclusionQueryNV; alias fn_glEndPerfMonitorAMD = extern(C) void function(GLuint monitor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glEndPerfMonitorAMD glEndPerfMonitorAMD; alias fn_glEndPerfQueryINTEL = extern(C) void function(GLuint queryHandle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glEndPerfQueryINTEL glEndPerfQueryINTEL; alias fn_glEndQueryARB = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_occlusion_query") fn_glEndQueryARB glEndQueryARB; alias fn_glEndQueryEXT = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glEndQueryEXT glEndQueryEXT; alias fn_glEndQueryIndexed = extern(C) void function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback3") fn_glEndQueryIndexed glEndQueryIndexed; alias fn_glEndTilingQCOM = extern(C) void function(GLbitfield preserveMask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_tiled_rendering") fn_glEndTilingQCOM glEndTilingQCOM; alias fn_glEndTransformFeedbackEXT = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_transform_feedback") fn_glEndTransformFeedbackEXT glEndTransformFeedbackEXT; alias fn_glEndTransformFeedbackNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glEndTransformFeedbackNV glEndTransformFeedbackNV; alias fn_glEndVertexShaderEXT = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glEndVertexShaderEXT glEndVertexShaderEXT; alias fn_glEndVideoCaptureNV = extern(C) void function(GLuint video_capture_slot) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glEndVideoCaptureNV glEndVideoCaptureNV; alias fn_glEvalCoord1d = extern(C) void function(GLdouble u) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalCoord1d glEvalCoord1d; alias fn_glEvalCoord1dv = extern(C) void function(const GLdouble* u) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalCoord1dv glEvalCoord1dv; alias fn_glEvalCoord1f = extern(C) void function(GLfloat u) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalCoord1f glEvalCoord1f; alias fn_glEvalCoord1fv = extern(C) void function(const GLfloat* u) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalCoord1fv glEvalCoord1fv; alias fn_glEvalCoord1xOES = extern(C) void function(GLfixed u) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glEvalCoord1xOES glEvalCoord1xOES; alias fn_glEvalCoord1xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glEvalCoord1xvOES glEvalCoord1xvOES; alias fn_glEvalCoord2d = extern(C) void function(GLdouble u, GLdouble v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalCoord2d glEvalCoord2d; alias fn_glEvalCoord2dv = extern(C) void function(const GLdouble* u) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalCoord2dv glEvalCoord2dv; alias fn_glEvalCoord2f = extern(C) void function(GLfloat u, GLfloat v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalCoord2f glEvalCoord2f; alias fn_glEvalCoord2fv = extern(C) void function(const GLfloat* u) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalCoord2fv glEvalCoord2fv; alias fn_glEvalCoord2xOES = extern(C) void function(GLfixed u, GLfixed v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glEvalCoord2xOES glEvalCoord2xOES; alias fn_glEvalCoord2xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glEvalCoord2xvOES glEvalCoord2xvOES; alias fn_glEvalMapsNV = extern(C) void function(GLenum target, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glEvalMapsNV glEvalMapsNV; alias fn_glEvalMesh1 = extern(C) void function(GLenum mode, GLint i1, GLint i2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalMesh1 glEvalMesh1; alias fn_glEvalMesh2 = extern(C) void function(GLenum mode, GLint i1, GLint i2, GLint j1, GLint j2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalMesh2 glEvalMesh2; alias fn_glEvalPoint1 = extern(C) void function(GLint i) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalPoint1 glEvalPoint1; alias fn_glEvalPoint2 = extern(C) void function(GLint i, GLint j) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glEvalPoint2 glEvalPoint2; alias fn_glEvaluateDepthValuesARB = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_sample_locations") fn_glEvaluateDepthValuesARB glEvaluateDepthValuesARB; alias fn_glExecuteProgramNV = extern(C) void function(GLenum target, GLuint id, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glExecuteProgramNV glExecuteProgramNV; alias fn_glExtGetBufferPointervQCOM = extern(C) void function(GLenum target, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get") fn_glExtGetBufferPointervQCOM glExtGetBufferPointervQCOM; alias fn_glExtGetBuffersQCOM = extern(C) void function(GLuint* buffers, GLint maxBuffers, GLint* numBuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get") fn_glExtGetBuffersQCOM glExtGetBuffersQCOM; alias fn_glExtGetFramebuffersQCOM = extern(C) void function(GLuint* framebuffers, GLint maxFramebuffers, GLint* numFramebuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get") fn_glExtGetFramebuffersQCOM glExtGetFramebuffersQCOM; alias fn_glExtGetProgramBinarySourceQCOM = extern(C) void function(GLuint program, GLenum shadertype, GLchar* source, GLint* length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get2") fn_glExtGetProgramBinarySourceQCOM glExtGetProgramBinarySourceQCOM; alias fn_glExtGetProgramsQCOM = extern(C) void function(GLuint* programs, GLint maxPrograms, GLint* numPrograms) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get2") fn_glExtGetProgramsQCOM glExtGetProgramsQCOM; alias fn_glExtGetRenderbuffersQCOM = extern(C) void function(GLuint* renderbuffers, GLint maxRenderbuffers, GLint* numRenderbuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get") fn_glExtGetRenderbuffersQCOM glExtGetRenderbuffersQCOM; alias fn_glExtGetShadersQCOM = extern(C) void function(GLuint* shaders, GLint maxShaders, GLint* numShaders) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get2") fn_glExtGetShadersQCOM glExtGetShadersQCOM; alias fn_glExtGetTexLevelParameterivQCOM = extern(C) void function(GLuint texture, GLenum face, GLint level, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get") fn_glExtGetTexLevelParameterivQCOM glExtGetTexLevelParameterivQCOM; alias fn_glExtGetTexSubImageQCOM = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, void* texels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get") fn_glExtGetTexSubImageQCOM glExtGetTexSubImageQCOM; alias fn_glExtGetTexturesQCOM = extern(C) void function(GLuint* textures, GLint maxTextures, GLint* numTextures) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get") fn_glExtGetTexturesQCOM glExtGetTexturesQCOM; alias fn_glExtIsProgramBinaryQCOM = extern(C) GLboolean function(GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get2") fn_glExtIsProgramBinaryQCOM glExtIsProgramBinaryQCOM; alias fn_glExtTexObjectStateOverrideiQCOM = extern(C) void function(GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_extended_get") fn_glExtTexObjectStateOverrideiQCOM glExtTexObjectStateOverrideiQCOM; alias fn_glExtractComponentEXT = extern(C) void function(GLuint res, GLuint src, GLuint num) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glExtractComponentEXT glExtractComponentEXT; alias fn_glFeedbackBuffer = extern(C) void function(GLsizei size, GLenum type, GLfloat* buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFeedbackBuffer glFeedbackBuffer; alias fn_glFeedbackBufferxOES = extern(C) void function(GLsizei n, GLenum type, const GLfixed* buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glFeedbackBufferxOES glFeedbackBufferxOES; alias fn_glFenceSyncAPPLE = extern(C) GLsync function(GLenum condition, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_sync") fn_glFenceSyncAPPLE glFenceSyncAPPLE; alias fn_glFinalCombinerInputNV = extern(C) void function(GLenum variable, GLenum input, GLenum mapping, GLenum componentUsage) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glFinalCombinerInputNV glFinalCombinerInputNV; alias fn_glFinishAsyncSGIX = extern(C) GLint function(GLuint* markerp) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_async") fn_glFinishAsyncSGIX glFinishAsyncSGIX; alias fn_glFinishFenceAPPLE = extern(C) void function(GLuint fence) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_fence") fn_glFinishFenceAPPLE glFinishFenceAPPLE; alias fn_glFinishFenceNV = extern(C) void function(GLuint fence) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fence") fn_glFinishFenceNV glFinishFenceNV; alias fn_glFinishObjectAPPLE = extern(C) void function(GLenum object, GLint name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_fence") fn_glFinishObjectAPPLE glFinishObjectAPPLE; alias fn_glFinishTextureSUNX = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUNX_constant_data") fn_glFinishTextureSUNX glFinishTextureSUNX; alias fn_glFlushMappedBufferRangeAPPLE = extern(C) void function(GLenum target, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_flush_buffer_range") fn_glFlushMappedBufferRangeAPPLE glFlushMappedBufferRangeAPPLE; alias fn_glFlushMappedBufferRangeEXT = extern(C) void function(GLenum target, GLintptr offset, GLsizeiptr length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_map_buffer_range") fn_glFlushMappedBufferRangeEXT glFlushMappedBufferRangeEXT; alias fn_glFlushMappedNamedBufferRange = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glFlushMappedNamedBufferRange glFlushMappedNamedBufferRange; alias fn_glFlushMappedNamedBufferRangeEXT = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glFlushMappedNamedBufferRangeEXT glFlushMappedNamedBufferRangeEXT; alias fn_glFlushPixelDataRangeNV = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_pixel_data_range") fn_glFlushPixelDataRangeNV glFlushPixelDataRangeNV; alias fn_glFlushRasterSGIX = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_flush_raster") fn_glFlushRasterSGIX glFlushRasterSGIX; alias fn_glFlushStaticDataIBM = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_static_data") fn_glFlushStaticDataIBM glFlushStaticDataIBM; alias fn_glFlushVertexArrayRangeAPPLE = extern(C) void function(GLsizei length, void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_array_range") fn_glFlushVertexArrayRangeAPPLE glFlushVertexArrayRangeAPPLE; alias fn_glFlushVertexArrayRangeNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_array_range") fn_glFlushVertexArrayRangeNV glFlushVertexArrayRangeNV; alias fn_glFogCoordFormatNV = extern(C) void function(GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glFogCoordFormatNV glFogCoordFormatNV; alias fn_glFogCoordPointer = extern(C) void function(GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glFogCoordPointer glFogCoordPointer; alias fn_glFogCoordPointerEXT = extern(C) void function(GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_fog_coord") fn_glFogCoordPointerEXT glFogCoordPointerEXT; alias fn_glFogCoordPointerListIBM = extern(C) void function(GLenum type, GLint stride, const void** pointer, GLint ptrstride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_vertex_array_lists") fn_glFogCoordPointerListIBM glFogCoordPointerListIBM; alias fn_glFogCoordd = extern(C) void function(GLdouble coord) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glFogCoordd glFogCoordd; alias fn_glFogCoorddEXT = extern(C) void function(GLdouble coord) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_fog_coord") fn_glFogCoorddEXT glFogCoorddEXT; alias fn_glFogCoorddv = extern(C) void function(const GLdouble* coord) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glFogCoorddv glFogCoorddv; alias fn_glFogCoorddvEXT = extern(C) void function(const GLdouble* coord) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_fog_coord") fn_glFogCoorddvEXT glFogCoorddvEXT; alias fn_glFogCoordf = extern(C) void function(GLfloat coord) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glFogCoordf glFogCoordf; alias fn_glFogCoordfEXT = extern(C) void function(GLfloat coord) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_fog_coord") fn_glFogCoordfEXT glFogCoordfEXT; alias fn_glFogCoordfv = extern(C) void function(const GLfloat* coord) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glFogCoordfv glFogCoordfv; alias fn_glFogCoordfvEXT = extern(C) void function(const GLfloat* coord) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_fog_coord") fn_glFogCoordfvEXT glFogCoordfvEXT; alias fn_glFogCoordhNV = extern(C) void function(GLhalfNV fog) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glFogCoordhNV glFogCoordhNV; alias fn_glFogCoordhvNV = extern(C) void function(const GLhalfNV* fog) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glFogCoordhvNV glFogCoordhvNV; alias fn_glFogFuncSGIS = extern(C) void function(GLsizei n, const GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_fog_function") fn_glFogFuncSGIS glFogFuncSGIS; alias fn_glFogf = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFogf glFogf; alias fn_glFogfv = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFogfv glFogfv; alias fn_glFogi = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFogi glFogi; alias fn_glFogiv = extern(C) void function(GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFogiv glFogiv; alias fn_glFogx = extern(C) void function(GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glFogx glFogx; alias fn_glFogxOES = extern(C) void function(GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glFogxOES glFogxOES; alias fn_glFogxv = extern(C) void function(GLenum pname, const GLfixed* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glFogxv glFogxv; alias fn_glFogxvOES = extern(C) void function(GLenum pname, const GLfixed* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glFogxvOES glFogxvOES; alias fn_glFragmentColorMaterialSGIX = extern(C) void function(GLenum face, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentColorMaterialSGIX glFragmentColorMaterialSGIX; alias fn_glFragmentCoverageColorNV = extern(C) void function(GLuint color) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fragment_coverage_to_color") fn_glFragmentCoverageColorNV glFragmentCoverageColorNV; alias fn_glFragmentLightModelfSGIX = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentLightModelfSGIX glFragmentLightModelfSGIX; alias fn_glFragmentLightModelfvSGIX = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentLightModelfvSGIX glFragmentLightModelfvSGIX; alias fn_glFragmentLightModeliSGIX = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentLightModeliSGIX glFragmentLightModeliSGIX; alias fn_glFragmentLightModelivSGIX = extern(C) void function(GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentLightModelivSGIX glFragmentLightModelivSGIX; alias fn_glFragmentLightfSGIX = extern(C) void function(GLenum light, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentLightfSGIX glFragmentLightfSGIX; alias fn_glFragmentLightfvSGIX = extern(C) void function(GLenum light, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentLightfvSGIX glFragmentLightfvSGIX; alias fn_glFragmentLightiSGIX = extern(C) void function(GLenum light, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentLightiSGIX glFragmentLightiSGIX; alias fn_glFragmentLightivSGIX = extern(C) void function(GLenum light, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentLightivSGIX glFragmentLightivSGIX; alias fn_glFragmentMaterialfSGIX = extern(C) void function(GLenum face, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentMaterialfSGIX glFragmentMaterialfSGIX; alias fn_glFragmentMaterialfvSGIX = extern(C) void function(GLenum face, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentMaterialfvSGIX glFragmentMaterialfvSGIX; alias fn_glFragmentMaterialiSGIX = extern(C) void function(GLenum face, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentMaterialiSGIX glFragmentMaterialiSGIX; alias fn_glFragmentMaterialivSGIX = extern(C) void function(GLenum face, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glFragmentMaterialivSGIX glFragmentMaterialivSGIX; alias fn_glFrameTerminatorGREMEDY = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_GREMEDY_frame_terminator") fn_glFrameTerminatorGREMEDY glFrameTerminatorGREMEDY; alias fn_glFrameZoomSGIX = extern(C) void function(GLint factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_framezoom") fn_glFrameZoomSGIX glFrameZoomSGIX; alias fn_glFramebufferDrawBufferEXT = extern(C) void function(GLuint framebuffer, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glFramebufferDrawBufferEXT glFramebufferDrawBufferEXT; alias fn_glFramebufferDrawBuffersEXT = extern(C) void function(GLuint framebuffer, GLsizei n, const GLenum* bufs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glFramebufferDrawBuffersEXT glFramebufferDrawBuffersEXT; alias fn_glFramebufferParameteri = extern(C) void function(GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_framebuffer_no_attachments") fn_glFramebufferParameteri glFramebufferParameteri; alias fn_glFramebufferPixelLocalStorageSizeEXT = extern(C) void function(GLuint target, GLsizei size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_shader_pixel_local_storage2") fn_glFramebufferPixelLocalStorageSizeEXT glFramebufferPixelLocalStorageSizeEXT; alias fn_glFramebufferReadBufferEXT = extern(C) void function(GLuint framebuffer, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glFramebufferReadBufferEXT glFramebufferReadBufferEXT; alias fn_glFramebufferRenderbufferEXT = extern(C) void function(GLenum target, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glFramebufferRenderbufferEXT glFramebufferRenderbufferEXT; alias fn_glFramebufferRenderbufferOES = extern(C) void function(GLenum target, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glFramebufferRenderbufferOES glFramebufferRenderbufferOES; alias fn_glFramebufferSampleLocationsfvARB = extern(C) void function(GLenum target, GLuint start, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_sample_locations") fn_glFramebufferSampleLocationsfvARB glFramebufferSampleLocationsfvARB; alias fn_glFramebufferSampleLocationsfvNV = extern(C) void function(GLenum target, GLuint start, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_sample_locations") fn_glFramebufferSampleLocationsfvNV glFramebufferSampleLocationsfvNV; alias fn_glFramebufferTexture1DEXT = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glFramebufferTexture1DEXT glFramebufferTexture1DEXT; alias fn_glFramebufferTexture2DEXT = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glFramebufferTexture2DEXT glFramebufferTexture2DEXT; alias fn_glFramebufferTexture2DDownsampleIMG = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLint xscale, GLint yscale) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_framebuffer_downsample") fn_glFramebufferTexture2DDownsampleIMG glFramebufferTexture2DDownsampleIMG; alias fn_glFramebufferTexture2DMultisampleEXT = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLsizei samples) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multisampled_render_to_texture") fn_glFramebufferTexture2DMultisampleEXT glFramebufferTexture2DMultisampleEXT; alias fn_glFramebufferTexture2DMultisampleIMG = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLsizei samples) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_multisampled_render_to_texture") fn_glFramebufferTexture2DMultisampleIMG glFramebufferTexture2DMultisampleIMG; alias fn_glFramebufferTexture2DOES = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glFramebufferTexture2DOES glFramebufferTexture2DOES; alias fn_glFramebufferTexture3DEXT = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLint zoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glFramebufferTexture3DEXT glFramebufferTexture3DEXT; alias fn_glFramebufferTexture3DOES = extern(C) void function(GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLint zoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_3D") fn_glFramebufferTexture3DOES glFramebufferTexture3DOES; alias fn_glFramebufferTextureARB = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_geometry_shader4") fn_glFramebufferTextureARB glFramebufferTextureARB; alias fn_glFramebufferTextureEXT = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_geometry_shader") fn_glFramebufferTextureEXT glFramebufferTextureEXT; alias fn_glFramebufferTextureFaceARB = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level, GLenum face) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_geometry_shader4") fn_glFramebufferTextureFaceARB glFramebufferTextureFaceARB; alias fn_glFramebufferTextureFaceEXT = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level, GLenum face) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_geometry_program4") fn_glFramebufferTextureFaceEXT glFramebufferTextureFaceEXT; alias fn_glFramebufferTextureLayerARB = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level, GLint layer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_geometry_shader4") fn_glFramebufferTextureLayerARB glFramebufferTextureLayerARB; alias fn_glFramebufferTextureLayerEXT = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level, GLint layer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_array") fn_glFramebufferTextureLayerEXT glFramebufferTextureLayerEXT; alias fn_glFramebufferTextureLayerDownsampleIMG = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level, GLint layer, GLint xscale, GLint yscale) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_framebuffer_downsample") fn_glFramebufferTextureLayerDownsampleIMG glFramebufferTextureLayerDownsampleIMG; alias fn_glFramebufferTextureMultisampleMultiviewOVR = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level, GLsizei samples, GLint baseViewIndex, GLsizei numViews) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OVR_multiview_multisampled_render_to_texture") fn_glFramebufferTextureMultisampleMultiviewOVR glFramebufferTextureMultisampleMultiviewOVR; alias fn_glFramebufferTextureMultiviewOVR = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level, GLint baseViewIndex, GLsizei numViews) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OVR_multiview") fn_glFramebufferTextureMultiviewOVR glFramebufferTextureMultiviewOVR; alias fn_glFramebufferTextureOES = extern(C) void function(GLenum target, GLenum attachment, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_geometry_shader") fn_glFramebufferTextureOES glFramebufferTextureOES; alias fn_glFreeObjectBufferATI = extern(C) void function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glFreeObjectBufferATI glFreeObjectBufferATI; alias fn_glFrustum = extern(C) void function(GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glFrustum glFrustum; alias fn_glFrustumf = extern(C) void function(GLfloat l, GLfloat r, GLfloat b, GLfloat t, GLfloat n, GLfloat f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glFrustumf glFrustumf; alias fn_glFrustumfOES = extern(C) void function(GLfloat l, GLfloat r, GLfloat b, GLfloat t, GLfloat n, GLfloat f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_single_precision") fn_glFrustumfOES glFrustumfOES; alias fn_glFrustumx = extern(C) void function(GLfixed l, GLfixed r, GLfixed b, GLfixed t, GLfixed n, GLfixed f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glFrustumx glFrustumx; alias fn_glFrustumxOES = extern(C) void function(GLfixed l, GLfixed r, GLfixed b, GLfixed t, GLfixed n, GLfixed f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glFrustumxOES glFrustumxOES; alias fn_glGenAsyncMarkersSGIX = extern(C) GLuint function(GLsizei range) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_async") fn_glGenAsyncMarkersSGIX glGenAsyncMarkersSGIX; alias fn_glGenBuffersARB = extern(C) void function(GLsizei n, GLuint* buffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glGenBuffersARB glGenBuffersARB; alias fn_glGenFencesAPPLE = extern(C) void function(GLsizei n, GLuint* fences) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_fence") fn_glGenFencesAPPLE glGenFencesAPPLE; alias fn_glGenFencesNV = extern(C) void function(GLsizei n, GLuint* fences) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fence") fn_glGenFencesNV glGenFencesNV; alias fn_glGenFragmentShadersATI = extern(C) GLuint function(GLuint range) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glGenFragmentShadersATI glGenFragmentShadersATI; alias fn_glGenFramebuffersEXT = extern(C) void function(GLsizei n, GLuint* framebuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glGenFramebuffersEXT glGenFramebuffersEXT; alias fn_glGenFramebuffersOES = extern(C) void function(GLsizei n, GLuint* framebuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glGenFramebuffersOES glGenFramebuffersOES; alias fn_glGenLists = extern(C) GLuint function(GLsizei range) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGenLists glGenLists; alias fn_glGenNamesAMD = extern(C) void function(GLenum identifier, GLuint num, GLuint* names) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_name_gen_delete") fn_glGenNamesAMD glGenNamesAMD; alias fn_glGenOcclusionQueriesNV = extern(C) void function(GLsizei n, GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_occlusion_query") fn_glGenOcclusionQueriesNV glGenOcclusionQueriesNV; alias fn_glGenPathsNV = extern(C) GLuint function(GLsizei range) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGenPathsNV glGenPathsNV; alias fn_glGenPerfMonitorsAMD = extern(C) void function(GLsizei n, GLuint* monitors) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glGenPerfMonitorsAMD glGenPerfMonitorsAMD; alias fn_glGenProgramPipelines = extern(C) void function(GLsizei n, GLuint* pipelines) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glGenProgramPipelines glGenProgramPipelines; alias fn_glGenProgramPipelinesEXT = extern(C) void function(GLsizei n, GLuint* pipelines) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glGenProgramPipelinesEXT glGenProgramPipelinesEXT; alias fn_glGenProgramsARB = extern(C) void function(GLsizei n, GLuint* programs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glGenProgramsARB glGenProgramsARB; alias fn_glGenProgramsNV = extern(C) void function(GLsizei n, GLuint* programs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGenProgramsNV glGenProgramsNV; alias fn_glGenQueriesARB = extern(C) void function(GLsizei n, GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_occlusion_query") fn_glGenQueriesARB glGenQueriesARB; alias fn_glGenQueriesEXT = extern(C) void function(GLsizei n, GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glGenQueriesEXT glGenQueriesEXT; alias fn_glGenRenderbuffersEXT = extern(C) void function(GLsizei n, GLuint* renderbuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glGenRenderbuffersEXT glGenRenderbuffersEXT; alias fn_glGenRenderbuffersOES = extern(C) void function(GLsizei n, GLuint* renderbuffers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glGenRenderbuffersOES glGenRenderbuffersOES; alias fn_glGenSymbolsEXT = extern(C) GLuint function(GLenum datatype, GLenum storagetype, GLenum range, GLuint components) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGenSymbolsEXT glGenSymbolsEXT; alias fn_glGenTexturesEXT = extern(C) void function(GLsizei n, GLuint* textures) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_object") fn_glGenTexturesEXT glGenTexturesEXT; alias fn_glGenTransformFeedbacks = extern(C) void function(GLsizei n, GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback2") fn_glGenTransformFeedbacks glGenTransformFeedbacks; alias fn_glGenTransformFeedbacksNV = extern(C) void function(GLsizei n, GLuint* ids) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback2") fn_glGenTransformFeedbacksNV glGenTransformFeedbacksNV; alias fn_glGenVertexArraysAPPLE = extern(C) void function(GLsizei n, GLuint* arrays) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_array_object") fn_glGenVertexArraysAPPLE glGenVertexArraysAPPLE; alias fn_glGenVertexArraysOES = extern(C) void function(GLsizei n, GLuint* arrays) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_vertex_array_object") fn_glGenVertexArraysOES glGenVertexArraysOES; alias fn_glGenVertexShadersEXT = extern(C) GLuint function(GLuint range) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGenVertexShadersEXT glGenVertexShadersEXT; alias fn_glGenerateMipmapEXT = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glGenerateMipmapEXT glGenerateMipmapEXT; alias fn_glGenerateMipmapOES = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glGenerateMipmapOES glGenerateMipmapOES; alias fn_glGenerateMultiTexMipmapEXT = extern(C) void function(GLenum texunit, GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGenerateMultiTexMipmapEXT glGenerateMultiTexMipmapEXT; alias fn_glGenerateTextureMipmap = extern(C) void function(GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGenerateTextureMipmap glGenerateTextureMipmap; alias fn_glGenerateTextureMipmapEXT = extern(C) void function(GLuint texture, GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGenerateTextureMipmapEXT glGenerateTextureMipmapEXT; alias fn_glGetActiveAtomicCounterBufferiv = extern(C) void function(GLuint program, GLuint bufferIndex, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_shader_atomic_counters") fn_glGetActiveAtomicCounterBufferiv glGetActiveAtomicCounterBufferiv; alias fn_glGetActiveAttribARB = extern(C) void function(GLhandleARB programObj, GLuint index, GLsizei maxLength, GLsizei* length, GLint* size, GLenum* type, GLcharARB* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_shader") fn_glGetActiveAttribARB glGetActiveAttribARB; alias fn_glGetActiveSubroutineName = extern(C) void function(GLuint program, GLenum shadertype, GLuint index, GLsizei bufsize, GLsizei* length, GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_shader_subroutine") fn_glGetActiveSubroutineName glGetActiveSubroutineName; alias fn_glGetActiveSubroutineUniformName = extern(C) void function(GLuint program, GLenum shadertype, GLuint index, GLsizei bufsize, GLsizei* length, GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_shader_subroutine") fn_glGetActiveSubroutineUniformName glGetActiveSubroutineUniformName; alias fn_glGetActiveSubroutineUniformiv = extern(C) void function(GLuint program, GLenum shadertype, GLuint index, GLenum pname, GLint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_shader_subroutine") fn_glGetActiveSubroutineUniformiv glGetActiveSubroutineUniformiv; alias fn_glGetActiveUniformARB = extern(C) void function(GLhandleARB programObj, GLuint index, GLsizei maxLength, GLsizei* length, GLint* size, GLenum* type, GLcharARB* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetActiveUniformARB glGetActiveUniformARB; alias fn_glGetActiveVaryingNV = extern(C) void function(GLuint program, GLuint index, GLsizei bufSize, GLsizei* length, GLsizei* size, GLenum* type, GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glGetActiveVaryingNV glGetActiveVaryingNV; alias fn_glGetArrayObjectfvATI = extern(C) void function(GLenum array, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glGetArrayObjectfvATI glGetArrayObjectfvATI; alias fn_glGetArrayObjectivATI = extern(C) void function(GLenum array, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glGetArrayObjectivATI glGetArrayObjectivATI; alias fn_glGetAttachedObjectsARB = extern(C) void function(GLhandleARB containerObj, GLsizei maxCount, GLsizei* count, GLhandleARB* obj) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetAttachedObjectsARB glGetAttachedObjectsARB; alias fn_glGetAttribLocationARB = extern(C) GLint function(GLhandleARB programObj, const GLcharARB* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_shader") fn_glGetAttribLocationARB glGetAttribLocationARB; alias fn_glGetBooleanIndexedvEXT = extern(C) void function(GLenum target, GLuint index, GLboolean* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetBooleanIndexedvEXT glGetBooleanIndexedvEXT; alias fn_glGetBufferParameterivARB = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glGetBufferParameterivARB glGetBufferParameterivARB; alias fn_glGetBufferParameterui64vNV = extern(C) void function(GLenum target, GLenum pname, GLuint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glGetBufferParameterui64vNV glGetBufferParameterui64vNV; alias fn_glGetBufferPointervARB = extern(C) void function(GLenum target, GLenum pname, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glGetBufferPointervARB glGetBufferPointervARB; alias fn_glGetBufferPointervOES = extern(C) void function(GLenum target, GLenum pname, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_mapbuffer") fn_glGetBufferPointervOES glGetBufferPointervOES; alias fn_glGetBufferSubDataARB = extern(C) void function(GLenum target, GLintptrARB offset, GLsizeiptrARB size, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glGetBufferSubDataARB glGetBufferSubDataARB; alias fn_glGetClipPlane = extern(C) void function(GLenum plane, GLdouble* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetClipPlane glGetClipPlane; alias fn_glGetClipPlanef = extern(C) void function(GLenum plane, GLfloat* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glGetClipPlanef glGetClipPlanef; alias fn_glGetClipPlanefOES = extern(C) void function(GLenum plane, GLfloat* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_single_precision") fn_glGetClipPlanefOES glGetClipPlanefOES; alias fn_glGetClipPlanex = extern(C) void function(GLenum plane, GLfixed* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glGetClipPlanex glGetClipPlanex; alias fn_glGetClipPlanexOES = extern(C) void function(GLenum plane, GLfixed* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetClipPlanexOES glGetClipPlanexOES; alias fn_glGetColorTable = extern(C) void function(GLenum target, GLenum format, GLenum type, void* table) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetColorTable glGetColorTable; alias fn_glGetColorTableEXT = extern(C) void function(GLenum target, GLenum format, GLenum type, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_paletted_texture") fn_glGetColorTableEXT glGetColorTableEXT; alias fn_glGetColorTableParameterfv = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetColorTableParameterfv glGetColorTableParameterfv; alias fn_glGetColorTableParameterfvEXT = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_paletted_texture") fn_glGetColorTableParameterfvEXT glGetColorTableParameterfvEXT; alias fn_glGetColorTableParameterfvSGI = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGI_color_table") fn_glGetColorTableParameterfvSGI glGetColorTableParameterfvSGI; alias fn_glGetColorTableParameteriv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetColorTableParameteriv glGetColorTableParameteriv; alias fn_glGetColorTableParameterivEXT = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_paletted_texture") fn_glGetColorTableParameterivEXT glGetColorTableParameterivEXT; alias fn_glGetColorTableParameterivSGI = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGI_color_table") fn_glGetColorTableParameterivSGI glGetColorTableParameterivSGI; alias fn_glGetColorTableSGI = extern(C) void function(GLenum target, GLenum format, GLenum type, void* table) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGI_color_table") fn_glGetColorTableSGI glGetColorTableSGI; alias fn_glGetCombinerInputParameterfvNV = extern(C) void function(GLenum stage, GLenum portion, GLenum variable, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glGetCombinerInputParameterfvNV glGetCombinerInputParameterfvNV; alias fn_glGetCombinerInputParameterivNV = extern(C) void function(GLenum stage, GLenum portion, GLenum variable, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glGetCombinerInputParameterivNV glGetCombinerInputParameterivNV; alias fn_glGetCombinerOutputParameterfvNV = extern(C) void function(GLenum stage, GLenum portion, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glGetCombinerOutputParameterfvNV glGetCombinerOutputParameterfvNV; alias fn_glGetCombinerOutputParameterivNV = extern(C) void function(GLenum stage, GLenum portion, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glGetCombinerOutputParameterivNV glGetCombinerOutputParameterivNV; alias fn_glGetCombinerStageParameterfvNV = extern(C) void function(GLenum stage, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners2") fn_glGetCombinerStageParameterfvNV glGetCombinerStageParameterfvNV; alias fn_glGetCommandHeaderNV = extern(C) GLuint function(GLenum tokenID, GLuint size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glGetCommandHeaderNV glGetCommandHeaderNV; alias fn_glGetCompressedMultiTexImageEXT = extern(C) void function(GLenum texunit, GLenum target, GLint lod, void* img) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetCompressedMultiTexImageEXT glGetCompressedMultiTexImageEXT; alias fn_glGetCompressedTexImageARB = extern(C) void function(GLenum target, GLint level, void* img) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_texture_compression") fn_glGetCompressedTexImageARB glGetCompressedTexImageARB; alias fn_glGetCompressedTextureImage = extern(C) void function(GLuint texture, GLint level, GLsizei bufSize, void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetCompressedTextureImage glGetCompressedTextureImage; alias fn_glGetCompressedTextureImageEXT = extern(C) void function(GLuint texture, GLenum target, GLint lod, void* img) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetCompressedTextureImageEXT glGetCompressedTextureImageEXT; alias fn_glGetCompressedTextureSubImage = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLsizei bufSize, void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_get_texture_sub_image") fn_glGetCompressedTextureSubImage glGetCompressedTextureSubImage; alias fn_glGetConvolutionFilter = extern(C) void function(GLenum target, GLenum format, GLenum type, void* image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetConvolutionFilter glGetConvolutionFilter; alias fn_glGetConvolutionFilterEXT = extern(C) void function(GLenum target, GLenum format, GLenum type, void* image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glGetConvolutionFilterEXT glGetConvolutionFilterEXT; alias fn_glGetConvolutionParameterfv = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetConvolutionParameterfv glGetConvolutionParameterfv; alias fn_glGetConvolutionParameterfvEXT = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glGetConvolutionParameterfvEXT glGetConvolutionParameterfvEXT; alias fn_glGetConvolutionParameteriv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetConvolutionParameteriv glGetConvolutionParameteriv; alias fn_glGetConvolutionParameterivEXT = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glGetConvolutionParameterivEXT glGetConvolutionParameterivEXT; alias fn_glGetConvolutionParameterxvOES = extern(C) void function(GLenum target, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetConvolutionParameterxvOES glGetConvolutionParameterxvOES; alias fn_glGetCoverageModulationTableNV = extern(C) void function(GLsizei bufsize, GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_framebuffer_mixed_samples") fn_glGetCoverageModulationTableNV glGetCoverageModulationTableNV; alias fn_glGetDebugMessageLog = extern(C) GLuint function(GLuint count, GLsizei bufSize, GLenum* sources, GLenum* types, GLuint* ids, GLenum* severities, GLsizei* lengths, GLchar* messageLog) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glGetDebugMessageLog glGetDebugMessageLog; alias fn_glGetDebugMessageLogAMD = extern(C) GLuint function(GLuint count, GLsizei bufsize, GLenum* categories, GLuint* severities, GLuint* ids, GLsizei* lengths, GLchar* message) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_debug_output") fn_glGetDebugMessageLogAMD glGetDebugMessageLogAMD; alias fn_glGetDebugMessageLogARB = extern(C) GLuint function(GLuint count, GLsizei bufSize, GLenum* sources, GLenum* types, GLuint* ids, GLenum* severities, GLsizei* lengths, GLchar* messageLog) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_debug_output") fn_glGetDebugMessageLogARB glGetDebugMessageLogARB; alias fn_glGetDebugMessageLogKHR = extern(C) GLuint function(GLuint count, GLsizei bufSize, GLenum* sources, GLenum* types, GLuint* ids, GLenum* severities, GLsizei* lengths, GLchar* messageLog) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glGetDebugMessageLogKHR glGetDebugMessageLogKHR; alias fn_glGetDetailTexFuncSGIS = extern(C) void function(GLenum target, GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_detail_texture") fn_glGetDetailTexFuncSGIS glGetDetailTexFuncSGIS; alias fn_glGetDoubleIndexedvEXT = extern(C) void function(GLenum target, GLuint index, GLdouble* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetDoubleIndexedvEXT glGetDoubleIndexedvEXT; alias fn_glGetDoublei_v = extern(C) void function(GLenum target, GLuint index, GLdouble* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glGetDoublei_v glGetDoublei_v; alias fn_glGetDoublei_vEXT = extern(C) void function(GLenum pname, GLuint index, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetDoublei_vEXT glGetDoublei_vEXT; alias fn_glGetDriverControlStringQCOM = extern(C) void function(GLuint driverControl, GLsizei bufSize, GLsizei* length, GLchar* driverControlString) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_driver_control") fn_glGetDriverControlStringQCOM glGetDriverControlStringQCOM; alias fn_glGetDriverControlsQCOM = extern(C) void function(GLint* num, GLsizei size, GLuint* driverControls) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_driver_control") fn_glGetDriverControlsQCOM glGetDriverControlsQCOM; alias fn_glGetFenceivNV = extern(C) void function(GLuint fence, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fence") fn_glGetFenceivNV glGetFenceivNV; alias fn_glGetFinalCombinerInputParameterfvNV = extern(C) void function(GLenum variable, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glGetFinalCombinerInputParameterfvNV glGetFinalCombinerInputParameterfvNV; alias fn_glGetFinalCombinerInputParameterivNV = extern(C) void function(GLenum variable, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_register_combiners") fn_glGetFinalCombinerInputParameterivNV glGetFinalCombinerInputParameterivNV; alias fn_glGetFirstPerfQueryIdINTEL = extern(C) void function(GLuint* queryId) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glGetFirstPerfQueryIdINTEL glGetFirstPerfQueryIdINTEL; alias fn_glGetFixedv = extern(C) void function(GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glGetFixedv glGetFixedv; alias fn_glGetFixedvOES = extern(C) void function(GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetFixedvOES glGetFixedvOES; alias fn_glGetFloatIndexedvEXT = extern(C) void function(GLenum target, GLuint index, GLfloat* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetFloatIndexedvEXT glGetFloatIndexedvEXT; alias fn_glGetFloati_v = extern(C) void function(GLenum target, GLuint index, GLfloat* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glGetFloati_v glGetFloati_v; alias fn_glGetFloati_vEXT = extern(C) void function(GLenum pname, GLuint index, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetFloati_vEXT glGetFloati_vEXT; alias fn_glGetFloati_vNV = extern(C) void function(GLenum target, GLuint index, GLfloat* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glGetFloati_vNV glGetFloati_vNV; alias fn_glGetFloati_vOES = extern(C) void function(GLenum target, GLuint index, GLfloat* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glGetFloati_vOES glGetFloati_vOES; alias fn_glGetFogFuncSGIS = extern(C) void function(GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_fog_function") fn_glGetFogFuncSGIS glGetFogFuncSGIS; alias fn_glGetFragDataIndexEXT = extern(C) GLint function(GLuint program, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_blend_func_extended") fn_glGetFragDataIndexEXT glGetFragDataIndexEXT; alias fn_glGetFragDataLocationEXT = extern(C) GLint function(GLuint program, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glGetFragDataLocationEXT glGetFragDataLocationEXT; alias fn_glGetFragmentLightfvSGIX = extern(C) void function(GLenum light, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glGetFragmentLightfvSGIX glGetFragmentLightfvSGIX; alias fn_glGetFragmentLightivSGIX = extern(C) void function(GLenum light, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glGetFragmentLightivSGIX glGetFragmentLightivSGIX; alias fn_glGetFragmentMaterialfvSGIX = extern(C) void function(GLenum face, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glGetFragmentMaterialfvSGIX glGetFragmentMaterialfvSGIX; alias fn_glGetFragmentMaterialivSGIX = extern(C) void function(GLenum face, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glGetFragmentMaterialivSGIX glGetFragmentMaterialivSGIX; alias fn_glGetFramebufferAttachmentParameterivEXT = extern(C) void function(GLenum target, GLenum attachment, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glGetFramebufferAttachmentParameterivEXT glGetFramebufferAttachmentParameterivEXT; alias fn_glGetFramebufferAttachmentParameterivOES = extern(C) void function(GLenum target, GLenum attachment, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glGetFramebufferAttachmentParameterivOES glGetFramebufferAttachmentParameterivOES; alias fn_glGetFramebufferParameteriv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_framebuffer_no_attachments") fn_glGetFramebufferParameteriv glGetFramebufferParameteriv; alias fn_glGetFramebufferParameterivEXT = extern(C) void function(GLuint framebuffer, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetFramebufferParameterivEXT glGetFramebufferParameterivEXT; alias fn_glGetFramebufferPixelLocalStorageSizeEXT = extern(C) GLsizei function(GLuint target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_shader_pixel_local_storage2") fn_glGetFramebufferPixelLocalStorageSizeEXT glGetFramebufferPixelLocalStorageSizeEXT; alias fn_glGetGraphicsResetStatus = extern(C) GLenum function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_KHR_robustness") fn_glGetGraphicsResetStatus glGetGraphicsResetStatus; alias fn_glGetGraphicsResetStatusARB = extern(C) GLenum function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetGraphicsResetStatusARB glGetGraphicsResetStatusARB; alias fn_glGetGraphicsResetStatusEXT = extern(C) GLenum function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_robustness") fn_glGetGraphicsResetStatusEXT glGetGraphicsResetStatusEXT; alias fn_glGetGraphicsResetStatusKHR = extern(C) GLenum function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_robustness") fn_glGetGraphicsResetStatusKHR glGetGraphicsResetStatusKHR; alias fn_glGetHandleARB = extern(C) GLhandleARB function(GLenum pname) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetHandleARB glGetHandleARB; alias fn_glGetHistogram = extern(C) void function(GLenum target, GLboolean reset, GLenum format, GLenum type, void* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetHistogram glGetHistogram; alias fn_glGetHistogramEXT = extern(C) void function(GLenum target, GLboolean reset, GLenum format, GLenum type, void* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glGetHistogramEXT glGetHistogramEXT; alias fn_glGetHistogramParameterfv = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetHistogramParameterfv glGetHistogramParameterfv; alias fn_glGetHistogramParameterfvEXT = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glGetHistogramParameterfvEXT glGetHistogramParameterfvEXT; alias fn_glGetHistogramParameteriv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetHistogramParameteriv glGetHistogramParameteriv; alias fn_glGetHistogramParameterivEXT = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glGetHistogramParameterivEXT glGetHistogramParameterivEXT; alias fn_glGetHistogramParameterxvOES = extern(C) void function(GLenum target, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetHistogramParameterxvOES glGetHistogramParameterxvOES; alias fn_glGetImageHandleARB = extern(C) GLuint64 function(GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum format) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glGetImageHandleARB glGetImageHandleARB; alias fn_glGetImageHandleNV = extern(C) GLuint64 function(GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum format) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glGetImageHandleNV glGetImageHandleNV; alias fn_glGetImageTransformParameterfvHP = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_HP_image_transform") fn_glGetImageTransformParameterfvHP glGetImageTransformParameterfvHP; alias fn_glGetImageTransformParameterivHP = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_HP_image_transform") fn_glGetImageTransformParameterivHP glGetImageTransformParameterivHP; alias fn_glGetInfoLogARB = extern(C) void function(GLhandleARB obj, GLsizei maxLength, GLsizei* length, GLcharARB* infoLog) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetInfoLogARB glGetInfoLogARB; alias fn_glGetInstrumentsSGIX = extern(C) GLint function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_instruments") fn_glGetInstrumentsSGIX glGetInstrumentsSGIX; alias fn_glGetInteger64vAPPLE = extern(C) void function(GLenum pname, GLint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_sync") fn_glGetInteger64vAPPLE glGetInteger64vAPPLE; alias fn_glGetIntegerIndexedvEXT = extern(C) void function(GLenum target, GLuint index, GLint* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetIntegerIndexedvEXT glGetIntegerIndexedvEXT; alias fn_glGetIntegeri_vEXT = extern(C) void function(GLenum target, GLuint index, GLint* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multiview_draw_buffers") fn_glGetIntegeri_vEXT glGetIntegeri_vEXT; alias fn_glGetIntegerui64i_vNV = extern(C) void function(GLenum value, GLuint index, GLuint64EXT* result) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glGetIntegerui64i_vNV glGetIntegerui64i_vNV; alias fn_glGetIntegerui64vNV = extern(C) void function(GLenum value, GLuint64EXT* result) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glGetIntegerui64vNV glGetIntegerui64vNV; alias fn_glGetInternalformatSampleivNV = extern(C) void function(GLenum target, GLenum internalformat, GLsizei samples, GLenum pname, GLsizei bufSize, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_internalformat_sample_query") fn_glGetInternalformatSampleivNV glGetInternalformatSampleivNV; alias fn_glGetInternalformati64v = extern(C) void function(GLenum target, GLenum internalformat, GLenum pname, GLsizei bufSize, GLint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_internalformat_query2") fn_glGetInternalformati64v glGetInternalformati64v; alias fn_glGetInternalformativ = extern(C) void function(GLenum target, GLenum internalformat, GLenum pname, GLsizei bufSize, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_internalformat_query") fn_glGetInternalformativ glGetInternalformativ; alias fn_glGetInvariantBooleanvEXT = extern(C) void function(GLuint id, GLenum value, GLboolean* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetInvariantBooleanvEXT glGetInvariantBooleanvEXT; alias fn_glGetInvariantFloatvEXT = extern(C) void function(GLuint id, GLenum value, GLfloat* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetInvariantFloatvEXT glGetInvariantFloatvEXT; alias fn_glGetInvariantIntegervEXT = extern(C) void function(GLuint id, GLenum value, GLint* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetInvariantIntegervEXT glGetInvariantIntegervEXT; alias fn_glGetLightfv = extern(C) void function(GLenum light, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetLightfv glGetLightfv; alias fn_glGetLightiv = extern(C) void function(GLenum light, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetLightiv glGetLightiv; alias fn_glGetLightxOES = extern(C) void function(GLenum light, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetLightxOES glGetLightxOES; alias fn_glGetLightxv = extern(C) void function(GLenum light, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glGetLightxv glGetLightxv; alias fn_glGetLightxvOES = extern(C) void function(GLenum light, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetLightxvOES glGetLightxvOES; alias fn_glGetListParameterfvSGIX = extern(C) void function(GLuint list, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_list_priority") fn_glGetListParameterfvSGIX glGetListParameterfvSGIX; alias fn_glGetListParameterivSGIX = extern(C) void function(GLuint list, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_list_priority") fn_glGetListParameterivSGIX glGetListParameterivSGIX; alias fn_glGetLocalConstantBooleanvEXT = extern(C) void function(GLuint id, GLenum value, GLboolean* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetLocalConstantBooleanvEXT glGetLocalConstantBooleanvEXT; alias fn_glGetLocalConstantFloatvEXT = extern(C) void function(GLuint id, GLenum value, GLfloat* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetLocalConstantFloatvEXT glGetLocalConstantFloatvEXT; alias fn_glGetLocalConstantIntegervEXT = extern(C) void function(GLuint id, GLenum value, GLint* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetLocalConstantIntegervEXT glGetLocalConstantIntegervEXT; alias fn_glGetMapAttribParameterfvNV = extern(C) void function(GLenum target, GLuint index, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glGetMapAttribParameterfvNV glGetMapAttribParameterfvNV; alias fn_glGetMapAttribParameterivNV = extern(C) void function(GLenum target, GLuint index, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glGetMapAttribParameterivNV glGetMapAttribParameterivNV; alias fn_glGetMapControlPointsNV = extern(C) void function(GLenum target, GLuint index, GLenum type, GLsizei ustride, GLsizei vstride, GLboolean packed, void* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glGetMapControlPointsNV glGetMapControlPointsNV; alias fn_glGetMapParameterfvNV = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glGetMapParameterfvNV glGetMapParameterfvNV; alias fn_glGetMapParameterivNV = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glGetMapParameterivNV glGetMapParameterivNV; alias fn_glGetMapdv = extern(C) void function(GLenum target, GLenum query, GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetMapdv glGetMapdv; alias fn_glGetMapfv = extern(C) void function(GLenum target, GLenum query, GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetMapfv glGetMapfv; alias fn_glGetMapiv = extern(C) void function(GLenum target, GLenum query, GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetMapiv glGetMapiv; alias fn_glGetMapxvOES = extern(C) void function(GLenum target, GLenum query, GLfixed* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetMapxvOES glGetMapxvOES; alias fn_glGetMaterialfv = extern(C) void function(GLenum face, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetMaterialfv glGetMaterialfv; alias fn_glGetMaterialiv = extern(C) void function(GLenum face, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetMaterialiv glGetMaterialiv; alias fn_glGetMaterialxOES = extern(C) void function(GLenum face, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetMaterialxOES glGetMaterialxOES; alias fn_glGetMaterialxv = extern(C) void function(GLenum face, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glGetMaterialxv glGetMaterialxv; alias fn_glGetMaterialxvOES = extern(C) void function(GLenum face, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetMaterialxvOES glGetMaterialxvOES; alias fn_glGetMinmax = extern(C) void function(GLenum target, GLboolean reset, GLenum format, GLenum type, void* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetMinmax glGetMinmax; alias fn_glGetMinmaxEXT = extern(C) void function(GLenum target, GLboolean reset, GLenum format, GLenum type, void* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glGetMinmaxEXT glGetMinmaxEXT; alias fn_glGetMinmaxParameterfv = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetMinmaxParameterfv glGetMinmaxParameterfv; alias fn_glGetMinmaxParameterfvEXT = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glGetMinmaxParameterfvEXT glGetMinmaxParameterfvEXT; alias fn_glGetMinmaxParameteriv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetMinmaxParameteriv glGetMinmaxParameteriv; alias fn_glGetMinmaxParameterivEXT = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glGetMinmaxParameterivEXT glGetMinmaxParameterivEXT; alias fn_glGetMultiTexEnvfvEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexEnvfvEXT glGetMultiTexEnvfvEXT; alias fn_glGetMultiTexEnvivEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexEnvivEXT glGetMultiTexEnvivEXT; alias fn_glGetMultiTexGendvEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexGendvEXT glGetMultiTexGendvEXT; alias fn_glGetMultiTexGenfvEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexGenfvEXT glGetMultiTexGenfvEXT; alias fn_glGetMultiTexGenivEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexGenivEXT glGetMultiTexGenivEXT; alias fn_glGetMultiTexImageEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLenum format, GLenum type, void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexImageEXT glGetMultiTexImageEXT; alias fn_glGetMultiTexLevelParameterfvEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexLevelParameterfvEXT glGetMultiTexLevelParameterfvEXT; alias fn_glGetMultiTexLevelParameterivEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexLevelParameterivEXT glGetMultiTexLevelParameterivEXT; alias fn_glGetMultiTexParameterIivEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexParameterIivEXT glGetMultiTexParameterIivEXT; alias fn_glGetMultiTexParameterIuivEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexParameterIuivEXT glGetMultiTexParameterIuivEXT; alias fn_glGetMultiTexParameterfvEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexParameterfvEXT glGetMultiTexParameterfvEXT; alias fn_glGetMultiTexParameterivEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetMultiTexParameterivEXT glGetMultiTexParameterivEXT; alias fn_glGetMultisamplefvNV = extern(C) void function(GLenum pname, GLuint index, GLfloat* val) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_explicit_multisample") fn_glGetMultisamplefvNV glGetMultisamplefvNV; alias fn_glGetNamedBufferParameteri64v = extern(C) void function(GLuint buffer, GLenum pname, GLint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetNamedBufferParameteri64v glGetNamedBufferParameteri64v; alias fn_glGetNamedBufferParameteriv = extern(C) void function(GLuint buffer, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetNamedBufferParameteriv glGetNamedBufferParameteriv; alias fn_glGetNamedBufferParameterivEXT = extern(C) void function(GLuint buffer, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedBufferParameterivEXT glGetNamedBufferParameterivEXT; alias fn_glGetNamedBufferParameterui64vNV = extern(C) void function(GLuint buffer, GLenum pname, GLuint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glGetNamedBufferParameterui64vNV glGetNamedBufferParameterui64vNV; alias fn_glGetNamedBufferPointerv = extern(C) void function(GLuint buffer, GLenum pname, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetNamedBufferPointerv glGetNamedBufferPointerv; alias fn_glGetNamedBufferPointervEXT = extern(C) void function(GLuint buffer, GLenum pname, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedBufferPointervEXT glGetNamedBufferPointervEXT; alias fn_glGetNamedBufferSubData = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr size, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetNamedBufferSubData glGetNamedBufferSubData; alias fn_glGetNamedBufferSubDataEXT = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr size, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedBufferSubDataEXT glGetNamedBufferSubDataEXT; alias fn_glGetNamedFramebufferAttachmentParameteriv = extern(C) void function(GLuint framebuffer, GLenum attachment, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetNamedFramebufferAttachmentParameteriv glGetNamedFramebufferAttachmentParameteriv; alias fn_glGetNamedFramebufferAttachmentParameterivEXT = extern(C) void function(GLuint framebuffer, GLenum attachment, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedFramebufferAttachmentParameterivEXT glGetNamedFramebufferAttachmentParameterivEXT; alias fn_glGetNamedFramebufferParameteriv = extern(C) void function(GLuint framebuffer, GLenum pname, GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetNamedFramebufferParameteriv glGetNamedFramebufferParameteriv; alias fn_glGetNamedFramebufferParameterivEXT = extern(C) void function(GLuint framebuffer, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedFramebufferParameterivEXT glGetNamedFramebufferParameterivEXT; alias fn_glGetNamedProgramLocalParameterIivEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedProgramLocalParameterIivEXT glGetNamedProgramLocalParameterIivEXT; alias fn_glGetNamedProgramLocalParameterIuivEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedProgramLocalParameterIuivEXT glGetNamedProgramLocalParameterIuivEXT; alias fn_glGetNamedProgramLocalParameterdvEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedProgramLocalParameterdvEXT glGetNamedProgramLocalParameterdvEXT; alias fn_glGetNamedProgramLocalParameterfvEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedProgramLocalParameterfvEXT glGetNamedProgramLocalParameterfvEXT; alias fn_glGetNamedProgramStringEXT = extern(C) void function(GLuint program, GLenum target, GLenum pname, void* string) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedProgramStringEXT glGetNamedProgramStringEXT; alias fn_glGetNamedProgramivEXT = extern(C) void function(GLuint program, GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedProgramivEXT glGetNamedProgramivEXT; alias fn_glGetNamedRenderbufferParameteriv = extern(C) void function(GLuint renderbuffer, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetNamedRenderbufferParameteriv glGetNamedRenderbufferParameteriv; alias fn_glGetNamedRenderbufferParameterivEXT = extern(C) void function(GLuint renderbuffer, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetNamedRenderbufferParameterivEXT glGetNamedRenderbufferParameterivEXT; alias fn_glGetNamedStringARB = extern(C) void function(GLint namelen, const GLchar* name, GLsizei bufSize, GLint* stringlen, GLchar* string) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shading_language_include") fn_glGetNamedStringARB glGetNamedStringARB; alias fn_glGetNamedStringivARB = extern(C) void function(GLint namelen, const GLchar* name, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shading_language_include") fn_glGetNamedStringivARB glGetNamedStringivARB; alias fn_glGetNextPerfQueryIdINTEL = extern(C) void function(GLuint queryId, GLuint* nextQueryId) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glGetNextPerfQueryIdINTEL glGetNextPerfQueryIdINTEL; alias fn_glGetObjectBufferfvATI = extern(C) void function(GLuint buffer, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glGetObjectBufferfvATI glGetObjectBufferfvATI; alias fn_glGetObjectBufferivATI = extern(C) void function(GLuint buffer, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glGetObjectBufferivATI glGetObjectBufferivATI; alias fn_glGetObjectLabel = extern(C) void function(GLenum identifier, GLuint name, GLsizei bufSize, GLsizei* length, GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glGetObjectLabel glGetObjectLabel; alias fn_glGetObjectLabelEXT = extern(C) void function(GLenum type, GLuint object, GLsizei bufSize, GLsizei* length, GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_debug_label") fn_glGetObjectLabelEXT glGetObjectLabelEXT; alias fn_glGetObjectLabelKHR = extern(C) void function(GLenum identifier, GLuint name, GLsizei bufSize, GLsizei* length, GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glGetObjectLabelKHR glGetObjectLabelKHR; alias fn_glGetObjectParameterfvARB = extern(C) void function(GLhandleARB obj, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetObjectParameterfvARB glGetObjectParameterfvARB; alias fn_glGetObjectParameterivAPPLE = extern(C) void function(GLenum objectType, GLuint name, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_object_purgeable") fn_glGetObjectParameterivAPPLE glGetObjectParameterivAPPLE; alias fn_glGetObjectParameterivARB = extern(C) void function(GLhandleARB obj, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetObjectParameterivARB glGetObjectParameterivARB; alias fn_glGetObjectPtrLabel = extern(C) void function(const void* ptr, GLsizei bufSize, GLsizei* length, GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glGetObjectPtrLabel glGetObjectPtrLabel; alias fn_glGetObjectPtrLabelKHR = extern(C) void function(const void* ptr, GLsizei bufSize, GLsizei* length, GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glGetObjectPtrLabelKHR glGetObjectPtrLabelKHR; alias fn_glGetOcclusionQueryivNV = extern(C) void function(GLuint id, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_occlusion_query") fn_glGetOcclusionQueryivNV glGetOcclusionQueryivNV; alias fn_glGetOcclusionQueryuivNV = extern(C) void function(GLuint id, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_occlusion_query") fn_glGetOcclusionQueryuivNV glGetOcclusionQueryuivNV; alias fn_glGetPathColorGenfvNV = extern(C) void function(GLenum color, GLenum pname, GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathColorGenfvNV glGetPathColorGenfvNV; alias fn_glGetPathColorGenivNV = extern(C) void function(GLenum color, GLenum pname, GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathColorGenivNV glGetPathColorGenivNV; alias fn_glGetPathCommandsNV = extern(C) void function(GLuint path, GLubyte* commands) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathCommandsNV glGetPathCommandsNV; alias fn_glGetPathCoordsNV = extern(C) void function(GLuint path, GLfloat* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathCoordsNV glGetPathCoordsNV; alias fn_glGetPathDashArrayNV = extern(C) void function(GLuint path, GLfloat* dashArray) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathDashArrayNV glGetPathDashArrayNV; alias fn_glGetPathLengthNV = extern(C) GLfloat function(GLuint path, GLsizei startSegment, GLsizei numSegments) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathLengthNV glGetPathLengthNV; alias fn_glGetPathMetricRangeNV = extern(C) void function(GLbitfield metricQueryMask, GLuint firstPathName, GLsizei numPaths, GLsizei stride, GLfloat* metrics) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathMetricRangeNV glGetPathMetricRangeNV; alias fn_glGetPathMetricsNV = extern(C) void function(GLbitfield metricQueryMask, GLsizei numPaths, GLenum pathNameType, const void* paths, GLuint pathBase, GLsizei stride, GLfloat* metrics) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathMetricsNV glGetPathMetricsNV; alias fn_glGetPathParameterfvNV = extern(C) void function(GLuint path, GLenum pname, GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathParameterfvNV glGetPathParameterfvNV; alias fn_glGetPathParameterivNV = extern(C) void function(GLuint path, GLenum pname, GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathParameterivNV glGetPathParameterivNV; alias fn_glGetPathSpacingNV = extern(C) void function(GLenum pathListMode, GLsizei numPaths, GLenum pathNameType, const void* paths, GLuint pathBase, GLfloat advanceScale, GLfloat kerningScale, GLenum transformType, GLfloat* returnedSpacing) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathSpacingNV glGetPathSpacingNV; alias fn_glGetPathTexGenfvNV = extern(C) void function(GLenum texCoordSet, GLenum pname, GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathTexGenfvNV glGetPathTexGenfvNV; alias fn_glGetPathTexGenivNV = extern(C) void function(GLenum texCoordSet, GLenum pname, GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetPathTexGenivNV glGetPathTexGenivNV; alias fn_glGetPerfCounterInfoINTEL = extern(C) void function(GLuint queryId, GLuint counterId, GLuint counterNameLength, GLchar* counterName, GLuint counterDescLength, GLchar* counterDesc, GLuint* counterOffset, GLuint* counterDataSize, GLuint* counterTypeEnum, GLuint* counterDataTypeEnum, GLuint64* rawCounterMaxValue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glGetPerfCounterInfoINTEL glGetPerfCounterInfoINTEL; alias fn_glGetPerfMonitorCounterDataAMD = extern(C) void function(GLuint monitor, GLenum pname, GLsizei dataSize, GLuint* data, GLint* bytesWritten) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glGetPerfMonitorCounterDataAMD glGetPerfMonitorCounterDataAMD; alias fn_glGetPerfMonitorCounterInfoAMD = extern(C) void function(GLuint group, GLuint counter, GLenum pname, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glGetPerfMonitorCounterInfoAMD glGetPerfMonitorCounterInfoAMD; alias fn_glGetPerfMonitorCounterStringAMD = extern(C) void function(GLuint group, GLuint counter, GLsizei bufSize, GLsizei* length, GLchar* counterString) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glGetPerfMonitorCounterStringAMD glGetPerfMonitorCounterStringAMD; alias fn_glGetPerfMonitorCountersAMD = extern(C) void function(GLuint group, GLint* numCounters, GLint* maxActiveCounters, GLsizei counterSize, GLuint* counters) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glGetPerfMonitorCountersAMD glGetPerfMonitorCountersAMD; alias fn_glGetPerfMonitorGroupStringAMD = extern(C) void function(GLuint group, GLsizei bufSize, GLsizei* length, GLchar* groupString) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glGetPerfMonitorGroupStringAMD glGetPerfMonitorGroupStringAMD; alias fn_glGetPerfMonitorGroupsAMD = extern(C) void function(GLint* numGroups, GLsizei groupsSize, GLuint* groups) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glGetPerfMonitorGroupsAMD glGetPerfMonitorGroupsAMD; alias fn_glGetPerfQueryDataINTEL = extern(C) void function(GLuint queryHandle, GLuint flags, GLsizei dataSize, GLvoid* data, GLuint* bytesWritten) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glGetPerfQueryDataINTEL glGetPerfQueryDataINTEL; alias fn_glGetPerfQueryIdByNameINTEL = extern(C) void function(GLchar* queryName, GLuint* queryId) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glGetPerfQueryIdByNameINTEL glGetPerfQueryIdByNameINTEL; alias fn_glGetPerfQueryInfoINTEL = extern(C) void function(GLuint queryId, GLuint queryNameLength, GLchar* queryName, GLuint* dataSize, GLuint* noCounters, GLuint* noInstances, GLuint* capsMask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_performance_query") fn_glGetPerfQueryInfoINTEL glGetPerfQueryInfoINTEL; alias fn_glGetPixelMapfv = extern(C) void function(GLenum map, GLfloat* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetPixelMapfv glGetPixelMapfv; alias fn_glGetPixelMapuiv = extern(C) void function(GLenum map, GLuint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetPixelMapuiv glGetPixelMapuiv; alias fn_glGetPixelMapusv = extern(C) void function(GLenum map, GLushort* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetPixelMapusv glGetPixelMapusv; alias fn_glGetPixelMapxv = extern(C) void function(GLenum map, GLint size, GLfixed* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetPixelMapxv glGetPixelMapxv; alias fn_glGetPixelTexGenParameterfvSGIS = extern(C) void function(GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_pixel_texture") fn_glGetPixelTexGenParameterfvSGIS glGetPixelTexGenParameterfvSGIS; alias fn_glGetPixelTexGenParameterivSGIS = extern(C) void function(GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_pixel_texture") fn_glGetPixelTexGenParameterivSGIS glGetPixelTexGenParameterivSGIS; alias fn_glGetPixelTransformParameterfvEXT = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_pixel_transform") fn_glGetPixelTransformParameterfvEXT glGetPixelTransformParameterfvEXT; alias fn_glGetPixelTransformParameterivEXT = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_pixel_transform") fn_glGetPixelTransformParameterivEXT glGetPixelTransformParameterivEXT; alias fn_glGetPointerIndexedvEXT = extern(C) void function(GLenum target, GLuint index, void** data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetPointerIndexedvEXT glGetPointerIndexedvEXT; alias fn_glGetPointeri_vEXT = extern(C) void function(GLenum pname, GLuint index, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetPointeri_vEXT glGetPointeri_vEXT; alias fn_glGetPointerv = extern(C) void function(GLenum pname, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) @OpenGL_Extension("GL_KHR_debug") fn_glGetPointerv glGetPointerv; alias fn_glGetPointervEXT = extern(C) void function(GLenum pname, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glGetPointervEXT glGetPointervEXT; alias fn_glGetPointervKHR = extern(C) void function(GLenum pname, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glGetPointervKHR glGetPointervKHR; alias fn_glGetPolygonStipple = extern(C) void function(GLubyte* mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetPolygonStipple glGetPolygonStipple; alias fn_glGetProgramBinary = extern(C) void function(GLuint program, GLsizei bufSize, GLsizei* length, GLenum* binaryFormat, void* binary) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_get_program_binary") fn_glGetProgramBinary glGetProgramBinary; alias fn_glGetProgramBinaryOES = extern(C) void function(GLuint program, GLsizei bufSize, GLsizei* length, GLenum* binaryFormat, void* binary) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_get_program_binary") fn_glGetProgramBinaryOES glGetProgramBinaryOES; alias fn_glGetProgramEnvParameterIivNV = extern(C) void function(GLenum target, GLuint index, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glGetProgramEnvParameterIivNV glGetProgramEnvParameterIivNV; alias fn_glGetProgramEnvParameterIuivNV = extern(C) void function(GLenum target, GLuint index, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glGetProgramEnvParameterIuivNV glGetProgramEnvParameterIuivNV; alias fn_glGetProgramEnvParameterdvARB = extern(C) void function(GLenum target, GLuint index, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glGetProgramEnvParameterdvARB glGetProgramEnvParameterdvARB; alias fn_glGetProgramEnvParameterfvARB = extern(C) void function(GLenum target, GLuint index, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glGetProgramEnvParameterfvARB glGetProgramEnvParameterfvARB; alias fn_glGetProgramInterfaceiv = extern(C) void function(GLuint program, GLenum programInterface, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_program_interface_query") fn_glGetProgramInterfaceiv glGetProgramInterfaceiv; alias fn_glGetProgramLocalParameterIivNV = extern(C) void function(GLenum target, GLuint index, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glGetProgramLocalParameterIivNV glGetProgramLocalParameterIivNV; alias fn_glGetProgramLocalParameterIuivNV = extern(C) void function(GLenum target, GLuint index, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glGetProgramLocalParameterIuivNV glGetProgramLocalParameterIuivNV; alias fn_glGetProgramLocalParameterdvARB = extern(C) void function(GLenum target, GLuint index, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glGetProgramLocalParameterdvARB glGetProgramLocalParameterdvARB; alias fn_glGetProgramLocalParameterfvARB = extern(C) void function(GLenum target, GLuint index, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glGetProgramLocalParameterfvARB glGetProgramLocalParameterfvARB; alias fn_glGetProgramNamedParameterdvNV = extern(C) void function(GLuint id, GLsizei len, const(GLubyte)* name, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fragment_program") fn_glGetProgramNamedParameterdvNV glGetProgramNamedParameterdvNV; alias fn_glGetProgramNamedParameterfvNV = extern(C) void function(GLuint id, GLsizei len, const(GLubyte)* name, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fragment_program") fn_glGetProgramNamedParameterfvNV glGetProgramNamedParameterfvNV; alias fn_glGetProgramParameterdvNV = extern(C) void function(GLenum target, GLuint index, GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetProgramParameterdvNV glGetProgramParameterdvNV; alias fn_glGetProgramParameterfvNV = extern(C) void function(GLenum target, GLuint index, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetProgramParameterfvNV glGetProgramParameterfvNV; alias fn_glGetProgramPipelineInfoLog = extern(C) void function(GLuint pipeline, GLsizei bufSize, GLsizei* length, GLchar* infoLog) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glGetProgramPipelineInfoLog glGetProgramPipelineInfoLog; alias fn_glGetProgramPipelineInfoLogEXT = extern(C) void function(GLuint pipeline, GLsizei bufSize, GLsizei* length, GLchar* infoLog) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glGetProgramPipelineInfoLogEXT glGetProgramPipelineInfoLogEXT; alias fn_glGetProgramPipelineiv = extern(C) void function(GLuint pipeline, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glGetProgramPipelineiv glGetProgramPipelineiv; alias fn_glGetProgramPipelineivEXT = extern(C) void function(GLuint pipeline, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glGetProgramPipelineivEXT glGetProgramPipelineivEXT; alias fn_glGetProgramResourceIndex = extern(C) GLuint function(GLuint program, GLenum programInterface, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_program_interface_query") fn_glGetProgramResourceIndex glGetProgramResourceIndex; alias fn_glGetProgramResourceLocation = extern(C) GLint function(GLuint program, GLenum programInterface, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_program_interface_query") fn_glGetProgramResourceLocation glGetProgramResourceLocation; alias fn_glGetProgramResourceLocationIndex = extern(C) GLint function(GLuint program, GLenum programInterface, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_program_interface_query") fn_glGetProgramResourceLocationIndex glGetProgramResourceLocationIndex; alias fn_glGetProgramResourceLocationIndexEXT = extern(C) GLint function(GLuint program, GLenum programInterface, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_blend_func_extended") fn_glGetProgramResourceLocationIndexEXT glGetProgramResourceLocationIndexEXT; alias fn_glGetProgramResourceName = extern(C) void function(GLuint program, GLenum programInterface, GLuint index, GLsizei bufSize, GLsizei* length, GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_program_interface_query") fn_glGetProgramResourceName glGetProgramResourceName; alias fn_glGetProgramResourcefvNV = extern(C) void function(GLuint program, GLenum programInterface, GLuint index, GLsizei propCount, const GLenum* props, GLsizei bufSize, GLsizei* length, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glGetProgramResourcefvNV glGetProgramResourcefvNV; alias fn_glGetProgramResourceiv = extern(C) void function(GLuint program, GLenum programInterface, GLuint index, GLsizei propCount, const GLenum* props, GLsizei bufSize, GLsizei* length, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_program_interface_query") fn_glGetProgramResourceiv glGetProgramResourceiv; alias fn_glGetProgramStageiv = extern(C) void function(GLuint program, GLenum shadertype, GLenum pname, GLint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_shader_subroutine") fn_glGetProgramStageiv glGetProgramStageiv; alias fn_glGetProgramStringARB = extern(C) void function(GLenum target, GLenum pname, void* string) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glGetProgramStringARB glGetProgramStringARB; alias fn_glGetProgramStringNV = extern(C) void function(GLuint id, GLenum pname, GLubyte* program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetProgramStringNV glGetProgramStringNV; alias fn_glGetProgramSubroutineParameteruivNV = extern(C) void function(GLenum target, GLuint index, GLuint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program5") fn_glGetProgramSubroutineParameteruivNV glGetProgramSubroutineParameteruivNV; alias fn_glGetProgramivARB = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glGetProgramivARB glGetProgramivARB; alias fn_glGetProgramivNV = extern(C) void function(GLuint id, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetProgramivNV glGetProgramivNV; alias fn_glGetQueryBufferObjecti64v = extern(C) void function(GLuint id, GLuint buffer, GLenum pname, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetQueryBufferObjecti64v glGetQueryBufferObjecti64v; alias fn_glGetQueryBufferObjectiv = extern(C) void function(GLuint id, GLuint buffer, GLenum pname, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetQueryBufferObjectiv glGetQueryBufferObjectiv; alias fn_glGetQueryBufferObjectui64v = extern(C) void function(GLuint id, GLuint buffer, GLenum pname, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetQueryBufferObjectui64v glGetQueryBufferObjectui64v; alias fn_glGetQueryBufferObjectuiv = extern(C) void function(GLuint id, GLuint buffer, GLenum pname, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetQueryBufferObjectuiv glGetQueryBufferObjectuiv; alias fn_glGetQueryIndexediv = extern(C) void function(GLenum target, GLuint index, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback3") fn_glGetQueryIndexediv glGetQueryIndexediv; alias fn_glGetQueryObjecti64vEXT = extern(C) void function(GLuint id, GLenum pname, GLint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glGetQueryObjecti64vEXT glGetQueryObjecti64vEXT; alias fn_glGetQueryObjectivARB = extern(C) void function(GLuint id, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_occlusion_query") fn_glGetQueryObjectivARB glGetQueryObjectivARB; alias fn_glGetQueryObjectivEXT = extern(C) void function(GLuint id, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glGetQueryObjectivEXT glGetQueryObjectivEXT; alias fn_glGetQueryObjectui64vEXT = extern(C) void function(GLuint id, GLenum pname, GLuint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glGetQueryObjectui64vEXT glGetQueryObjectui64vEXT; alias fn_glGetQueryObjectuivARB = extern(C) void function(GLuint id, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_occlusion_query") fn_glGetQueryObjectuivARB glGetQueryObjectuivARB; alias fn_glGetQueryObjectuivEXT = extern(C) void function(GLuint id, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glGetQueryObjectuivEXT glGetQueryObjectuivEXT; alias fn_glGetQueryivARB = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_occlusion_query") fn_glGetQueryivARB glGetQueryivARB; alias fn_glGetQueryivEXT = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glGetQueryivEXT glGetQueryivEXT; alias fn_glGetRenderbufferParameterivEXT = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glGetRenderbufferParameterivEXT glGetRenderbufferParameterivEXT; alias fn_glGetRenderbufferParameterivOES = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glGetRenderbufferParameterivOES glGetRenderbufferParameterivOES; alias fn_glGetSamplerParameterIivEXT = extern(C) void function(GLuint sampler, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_border_clamp") fn_glGetSamplerParameterIivEXT glGetSamplerParameterIivEXT; alias fn_glGetSamplerParameterIivOES = extern(C) void function(GLuint sampler, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_border_clamp") fn_glGetSamplerParameterIivOES glGetSamplerParameterIivOES; alias fn_glGetSamplerParameterIuivEXT = extern(C) void function(GLuint sampler, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_border_clamp") fn_glGetSamplerParameterIuivEXT glGetSamplerParameterIuivEXT; alias fn_glGetSamplerParameterIuivOES = extern(C) void function(GLuint sampler, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_border_clamp") fn_glGetSamplerParameterIuivOES glGetSamplerParameterIuivOES; alias fn_glGetSeparableFilter = extern(C) void function(GLenum target, GLenum format, GLenum type, void* row, void* column, void* span) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glGetSeparableFilter glGetSeparableFilter; alias fn_glGetSeparableFilterEXT = extern(C) void function(GLenum target, GLenum format, GLenum type, void* row, void* column, void* span) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glGetSeparableFilterEXT glGetSeparableFilterEXT; alias fn_glGetShaderPrecisionFormat = extern(C) void function(GLenum shadertype, GLenum precisiontype, GLint* range, GLint* precision) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_ES2_compatibility") fn_glGetShaderPrecisionFormat glGetShaderPrecisionFormat; alias fn_glGetShaderSourceARB = extern(C) void function(GLhandleARB obj, GLsizei maxLength, GLsizei* length, GLcharARB* source) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetShaderSourceARB glGetShaderSourceARB; alias fn_glGetSharpenTexFuncSGIS = extern(C) void function(GLenum target, GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_sharpen_texture") fn_glGetSharpenTexFuncSGIS glGetSharpenTexFuncSGIS; alias fn_glGetStageIndexNV = extern(C) GLushort function(GLenum shadertype) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glGetStageIndexNV glGetStageIndexNV; alias fn_glGetSubroutineIndex = extern(C) GLuint function(GLuint program, GLenum shadertype, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_shader_subroutine") fn_glGetSubroutineIndex glGetSubroutineIndex; alias fn_glGetSubroutineUniformLocation = extern(C) GLint function(GLuint program, GLenum shadertype, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_shader_subroutine") fn_glGetSubroutineUniformLocation glGetSubroutineUniformLocation; alias fn_glGetSyncivAPPLE = extern(C) void function(GLsync sync, GLenum pname, GLsizei bufSize, GLsizei* length, GLint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_sync") fn_glGetSyncivAPPLE glGetSyncivAPPLE; alias fn_glGetTexBumpParameterfvATI = extern(C) void function(GLenum pname, GLfloat* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_envmap_bumpmap") fn_glGetTexBumpParameterfvATI glGetTexBumpParameterfvATI; alias fn_glGetTexBumpParameterivATI = extern(C) void function(GLenum pname, GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_envmap_bumpmap") fn_glGetTexBumpParameterivATI glGetTexBumpParameterivATI; alias fn_glGetTexEnvfv = extern(C) void function(GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexEnvfv glGetTexEnvfv; alias fn_glGetTexEnviv = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexEnviv glGetTexEnviv; alias fn_glGetTexEnvxv = extern(C) void function(GLenum target, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glGetTexEnvxv glGetTexEnvxv; alias fn_glGetTexEnvxvOES = extern(C) void function(GLenum target, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetTexEnvxvOES glGetTexEnvxvOES; alias fn_glGetTexFilterFuncSGIS = extern(C) void function(GLenum target, GLenum filter, GLfloat* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_texture_filter4") fn_glGetTexFilterFuncSGIS glGetTexFilterFuncSGIS; alias fn_glGetTexGendv = extern(C) void function(GLenum coord, GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexGendv glGetTexGendv; alias fn_glGetTexGenfv = extern(C) void function(GLenum coord, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexGenfv glGetTexGenfv; alias fn_glGetTexGenfvOES = extern(C) void function(GLenum coord, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_cube_map") fn_glGetTexGenfvOES glGetTexGenfvOES; alias fn_glGetTexGeniv = extern(C) void function(GLenum coord, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glGetTexGeniv glGetTexGeniv; alias fn_glGetTexGenivOES = extern(C) void function(GLenum coord, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_cube_map") fn_glGetTexGenivOES glGetTexGenivOES; alias fn_glGetTexGenxvOES = extern(C) void function(GLenum coord, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetTexGenxvOES glGetTexGenxvOES; alias fn_glGetTexLevelParameterxvOES = extern(C) void function(GLenum target, GLint level, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetTexLevelParameterxvOES glGetTexLevelParameterxvOES; alias fn_glGetTexParameterIivEXT = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_border_clamp") fn_glGetTexParameterIivEXT glGetTexParameterIivEXT; alias fn_glGetTexParameterIivOES = extern(C) void function(GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_border_clamp") fn_glGetTexParameterIivOES glGetTexParameterIivOES; alias fn_glGetTexParameterIuivEXT = extern(C) void function(GLenum target, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_border_clamp") fn_glGetTexParameterIuivEXT glGetTexParameterIuivEXT; alias fn_glGetTexParameterIuivOES = extern(C) void function(GLenum target, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_border_clamp") fn_glGetTexParameterIuivOES glGetTexParameterIuivOES; alias fn_glGetTexParameterPointervAPPLE = extern(C) void function(GLenum target, GLenum pname, void** params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_texture_range") fn_glGetTexParameterPointervAPPLE glGetTexParameterPointervAPPLE; alias fn_glGetTexParameterxv = extern(C) void function(GLenum target, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glGetTexParameterxv glGetTexParameterxv; alias fn_glGetTexParameterxvOES = extern(C) void function(GLenum target, GLenum pname, GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glGetTexParameterxvOES glGetTexParameterxvOES; alias fn_glGetTextureHandleARB = extern(C) GLuint64 function(GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glGetTextureHandleARB glGetTextureHandleARB; alias fn_glGetTextureHandleIMG = extern(C) GLuint64 function(GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_bindless_texture") fn_glGetTextureHandleIMG glGetTextureHandleIMG; alias fn_glGetTextureHandleNV = extern(C) GLuint64 function(GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glGetTextureHandleNV glGetTextureHandleNV; alias fn_glGetTextureImage = extern(C) void function(GLuint texture, GLint level, GLenum format, GLenum type, GLsizei bufSize, void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTextureImage glGetTextureImage; alias fn_glGetTextureImageEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLenum format, GLenum type, void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetTextureImageEXT glGetTextureImageEXT; alias fn_glGetTextureLevelParameterfv = extern(C) void function(GLuint texture, GLint level, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTextureLevelParameterfv glGetTextureLevelParameterfv; alias fn_glGetTextureLevelParameterfvEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetTextureLevelParameterfvEXT glGetTextureLevelParameterfvEXT; alias fn_glGetTextureLevelParameteriv = extern(C) void function(GLuint texture, GLint level, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTextureLevelParameteriv glGetTextureLevelParameteriv; alias fn_glGetTextureLevelParameterivEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetTextureLevelParameterivEXT glGetTextureLevelParameterivEXT; alias fn_glGetTextureParameterIiv = extern(C) void function(GLuint texture, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTextureParameterIiv glGetTextureParameterIiv; alias fn_glGetTextureParameterIivEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetTextureParameterIivEXT glGetTextureParameterIivEXT; alias fn_glGetTextureParameterIuiv = extern(C) void function(GLuint texture, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTextureParameterIuiv glGetTextureParameterIuiv; alias fn_glGetTextureParameterIuivEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetTextureParameterIuivEXT glGetTextureParameterIuivEXT; alias fn_glGetTextureParameterfv = extern(C) void function(GLuint texture, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTextureParameterfv glGetTextureParameterfv; alias fn_glGetTextureParameterfvEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetTextureParameterfvEXT glGetTextureParameterfvEXT; alias fn_glGetTextureParameteriv = extern(C) void function(GLuint texture, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTextureParameteriv glGetTextureParameteriv; alias fn_glGetTextureParameterivEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetTextureParameterivEXT glGetTextureParameterivEXT; alias fn_glGetTextureSamplerHandleARB = extern(C) GLuint64 function(GLuint texture, GLuint sampler) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glGetTextureSamplerHandleARB glGetTextureSamplerHandleARB; alias fn_glGetTextureSamplerHandleIMG = extern(C) GLuint64 function(GLuint texture, GLuint sampler) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_bindless_texture") fn_glGetTextureSamplerHandleIMG glGetTextureSamplerHandleIMG; alias fn_glGetTextureSamplerHandleNV = extern(C) GLuint64 function(GLuint texture, GLuint sampler) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glGetTextureSamplerHandleNV glGetTextureSamplerHandleNV; alias fn_glGetTextureSubImage = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, GLsizei bufSize, void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_get_texture_sub_image") fn_glGetTextureSubImage glGetTextureSubImage; alias fn_glGetTrackMatrixivNV = extern(C) void function(GLenum target, GLuint address, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetTrackMatrixivNV glGetTrackMatrixivNV; alias fn_glGetTransformFeedbackVaryingEXT = extern(C) void function(GLuint program, GLuint index, GLsizei bufSize, GLsizei* length, GLsizei* size, GLenum* type, GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_transform_feedback") fn_glGetTransformFeedbackVaryingEXT glGetTransformFeedbackVaryingEXT; alias fn_glGetTransformFeedbackVaryingNV = extern(C) void function(GLuint program, GLuint index, GLint* location) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glGetTransformFeedbackVaryingNV glGetTransformFeedbackVaryingNV; alias fn_glGetTransformFeedbacki64_v = extern(C) void function(GLuint xfb, GLenum pname, GLuint index, GLint64* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTransformFeedbacki64_v glGetTransformFeedbacki64_v; alias fn_glGetTransformFeedbacki_v = extern(C) void function(GLuint xfb, GLenum pname, GLuint index, GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTransformFeedbacki_v glGetTransformFeedbacki_v; alias fn_glGetTransformFeedbackiv = extern(C) void function(GLuint xfb, GLenum pname, GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetTransformFeedbackiv glGetTransformFeedbackiv; alias fn_glGetTranslatedShaderSourceANGLE = extern(C) void function(GLuint shader, GLsizei bufsize, GLsizei* length, GLchar* source) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ANGLE_translated_shader_source") fn_glGetTranslatedShaderSourceANGLE glGetTranslatedShaderSourceANGLE; alias fn_glGetUniformBufferSizeEXT = extern(C) GLint function(GLuint program, GLint location) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_bindable_uniform") fn_glGetUniformBufferSizeEXT glGetUniformBufferSizeEXT; alias fn_glGetUniformLocationARB = extern(C) GLint function(GLhandleARB programObj, const GLcharARB* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetUniformLocationARB glGetUniformLocationARB; alias fn_glGetUniformOffsetEXT = extern(C) GLintptr function(GLuint program, GLint location) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_bindable_uniform") fn_glGetUniformOffsetEXT glGetUniformOffsetEXT; alias fn_glGetUniformSubroutineuiv = extern(C) void function(GLenum shadertype, GLint location, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_shader_subroutine") fn_glGetUniformSubroutineuiv glGetUniformSubroutineuiv; alias fn_glGetUniformdv = extern(C) void function(GLuint program, GLint location, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glGetUniformdv glGetUniformdv; alias fn_glGetUniformfvARB = extern(C) void function(GLhandleARB programObj, GLint location, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetUniformfvARB glGetUniformfvARB; alias fn_glGetUniformi64vARB = extern(C) void function(GLuint program, GLint location, GLint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glGetUniformi64vARB glGetUniformi64vARB; alias fn_glGetUniformi64vNV = extern(C) void function(GLuint program, GLint location, GLint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glGetUniformi64vNV glGetUniformi64vNV; alias fn_glGetUniformivARB = extern(C) void function(GLhandleARB programObj, GLint location, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glGetUniformivARB glGetUniformivARB; alias fn_glGetUniformui64vARB = extern(C) void function(GLuint program, GLint location, GLuint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glGetUniformui64vARB glGetUniformui64vARB; alias fn_glGetUniformui64vNV = extern(C) void function(GLuint program, GLint location, GLuint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glGetUniformui64vNV glGetUniformui64vNV; alias fn_glGetUniformuivEXT = extern(C) void function(GLuint program, GLint location, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glGetUniformuivEXT glGetUniformuivEXT; alias fn_glGetVariantArrayObjectfvATI = extern(C) void function(GLuint id, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glGetVariantArrayObjectfvATI glGetVariantArrayObjectfvATI; alias fn_glGetVariantArrayObjectivATI = extern(C) void function(GLuint id, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glGetVariantArrayObjectivATI glGetVariantArrayObjectivATI; alias fn_glGetVariantBooleanvEXT = extern(C) void function(GLuint id, GLenum value, GLboolean* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetVariantBooleanvEXT glGetVariantBooleanvEXT; alias fn_glGetVariantFloatvEXT = extern(C) void function(GLuint id, GLenum value, GLfloat* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetVariantFloatvEXT glGetVariantFloatvEXT; alias fn_glGetVariantIntegervEXT = extern(C) void function(GLuint id, GLenum value, GLint* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetVariantIntegervEXT glGetVariantIntegervEXT; alias fn_glGetVariantPointervEXT = extern(C) void function(GLuint id, GLenum value, void** data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glGetVariantPointervEXT glGetVariantPointervEXT; alias fn_glGetVaryingLocationNV = extern(C) GLint function(GLuint program, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glGetVaryingLocationNV glGetVaryingLocationNV; alias fn_glGetVertexArrayIndexed64iv = extern(C) void function(GLuint vaobj, GLuint index, GLenum pname, GLint64* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetVertexArrayIndexed64iv glGetVertexArrayIndexed64iv; alias fn_glGetVertexArrayIndexediv = extern(C) void function(GLuint vaobj, GLuint index, GLenum pname, GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetVertexArrayIndexediv glGetVertexArrayIndexediv; alias fn_glGetVertexArrayIntegeri_vEXT = extern(C) void function(GLuint vaobj, GLuint index, GLenum pname, GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetVertexArrayIntegeri_vEXT glGetVertexArrayIntegeri_vEXT; alias fn_glGetVertexArrayIntegervEXT = extern(C) void function(GLuint vaobj, GLenum pname, GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetVertexArrayIntegervEXT glGetVertexArrayIntegervEXT; alias fn_glGetVertexArrayPointeri_vEXT = extern(C) void function(GLuint vaobj, GLuint index, GLenum pname, void** param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetVertexArrayPointeri_vEXT glGetVertexArrayPointeri_vEXT; alias fn_glGetVertexArrayPointervEXT = extern(C) void function(GLuint vaobj, GLenum pname, void** param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glGetVertexArrayPointervEXT glGetVertexArrayPointervEXT; alias fn_glGetVertexArrayiv = extern(C) void function(GLuint vaobj, GLenum pname, GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glGetVertexArrayiv glGetVertexArrayiv; alias fn_glGetVertexAttribArrayObjectfvATI = extern(C) void function(GLuint index, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_attrib_array_object") fn_glGetVertexAttribArrayObjectfvATI glGetVertexAttribArrayObjectfvATI; alias fn_glGetVertexAttribArrayObjectivATI = extern(C) void function(GLuint index, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_attrib_array_object") fn_glGetVertexAttribArrayObjectivATI glGetVertexAttribArrayObjectivATI; alias fn_glGetVertexAttribIivEXT = extern(C) void function(GLuint index, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glGetVertexAttribIivEXT glGetVertexAttribIivEXT; alias fn_glGetVertexAttribIuivEXT = extern(C) void function(GLuint index, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glGetVertexAttribIuivEXT glGetVertexAttribIuivEXT; alias fn_glGetVertexAttribLdv = extern(C) void function(GLuint index, GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glGetVertexAttribLdv glGetVertexAttribLdv; alias fn_glGetVertexAttribLdvEXT = extern(C) void function(GLuint index, GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glGetVertexAttribLdvEXT glGetVertexAttribLdvEXT; alias fn_glGetVertexAttribLi64vNV = extern(C) void function(GLuint index, GLenum pname, GLint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glGetVertexAttribLi64vNV glGetVertexAttribLi64vNV; alias fn_glGetVertexAttribLui64vARB = extern(C) void function(GLuint index, GLenum pname, GLuint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glGetVertexAttribLui64vARB glGetVertexAttribLui64vARB; alias fn_glGetVertexAttribLui64vNV = extern(C) void function(GLuint index, GLenum pname, GLuint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glGetVertexAttribLui64vNV glGetVertexAttribLui64vNV; alias fn_glGetVertexAttribPointervARB = extern(C) void function(GLuint index, GLenum pname, void** pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glGetVertexAttribPointervARB glGetVertexAttribPointervARB; alias fn_glGetVertexAttribPointervNV = extern(C) void function(GLuint index, GLenum pname, void** pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetVertexAttribPointervNV glGetVertexAttribPointervNV; alias fn_glGetVertexAttribdvARB = extern(C) void function(GLuint index, GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glGetVertexAttribdvARB glGetVertexAttribdvARB; alias fn_glGetVertexAttribdvNV = extern(C) void function(GLuint index, GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetVertexAttribdvNV glGetVertexAttribdvNV; alias fn_glGetVertexAttribfvARB = extern(C) void function(GLuint index, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glGetVertexAttribfvARB glGetVertexAttribfvARB; alias fn_glGetVertexAttribfvNV = extern(C) void function(GLuint index, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetVertexAttribfvNV glGetVertexAttribfvNV; alias fn_glGetVertexAttribivARB = extern(C) void function(GLuint index, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glGetVertexAttribivARB glGetVertexAttribivARB; alias fn_glGetVertexAttribivNV = extern(C) void function(GLuint index, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glGetVertexAttribivNV glGetVertexAttribivNV; alias fn_glGetVideoCaptureStreamdvNV = extern(C) void function(GLuint video_capture_slot, GLuint stream, GLenum pname, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glGetVideoCaptureStreamdvNV glGetVideoCaptureStreamdvNV; alias fn_glGetVideoCaptureStreamfvNV = extern(C) void function(GLuint video_capture_slot, GLuint stream, GLenum pname, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glGetVideoCaptureStreamfvNV glGetVideoCaptureStreamfvNV; alias fn_glGetVideoCaptureStreamivNV = extern(C) void function(GLuint video_capture_slot, GLuint stream, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glGetVideoCaptureStreamivNV glGetVideoCaptureStreamivNV; alias fn_glGetVideoCaptureivNV = extern(C) void function(GLuint video_capture_slot, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glGetVideoCaptureivNV glGetVideoCaptureivNV; alias fn_glGetVideoi64vNV = extern(C) void function(GLuint video_slot, GLenum pname, GLint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_present_video") fn_glGetVideoi64vNV glGetVideoi64vNV; alias fn_glGetVideoivNV = extern(C) void function(GLuint video_slot, GLenum pname, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_present_video") fn_glGetVideoivNV glGetVideoivNV; alias fn_glGetVideoui64vNV = extern(C) void function(GLuint video_slot, GLenum pname, GLuint64EXT* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_present_video") fn_glGetVideoui64vNV glGetVideoui64vNV; alias fn_glGetVideouivNV = extern(C) void function(GLuint video_slot, GLenum pname, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_present_video") fn_glGetVideouivNV glGetVideouivNV; alias fn_glGetnColorTable = extern(C) void function(GLenum target, GLenum format, GLenum type, GLsizei bufSize, void* table) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnColorTable glGetnColorTable; alias fn_glGetnColorTableARB = extern(C) void function(GLenum target, GLenum format, GLenum type, GLsizei bufSize, void* table) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnColorTableARB glGetnColorTableARB; alias fn_glGetnCompressedTexImage = extern(C) void function(GLenum target, GLint lod, GLsizei bufSize, void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnCompressedTexImage glGetnCompressedTexImage; alias fn_glGetnCompressedTexImageARB = extern(C) void function(GLenum target, GLint lod, GLsizei bufSize, void* img) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnCompressedTexImageARB glGetnCompressedTexImageARB; alias fn_glGetnConvolutionFilter = extern(C) void function(GLenum target, GLenum format, GLenum type, GLsizei bufSize, void* image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnConvolutionFilter glGetnConvolutionFilter; alias fn_glGetnConvolutionFilterARB = extern(C) void function(GLenum target, GLenum format, GLenum type, GLsizei bufSize, void* image) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnConvolutionFilterARB glGetnConvolutionFilterARB; alias fn_glGetnHistogram = extern(C) void function(GLenum target, GLboolean reset, GLenum format, GLenum type, GLsizei bufSize, void* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnHistogram glGetnHistogram; alias fn_glGetnHistogramARB = extern(C) void function(GLenum target, GLboolean reset, GLenum format, GLenum type, GLsizei bufSize, void* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnHistogramARB glGetnHistogramARB; alias fn_glGetnMapdv = extern(C) void function(GLenum target, GLenum query, GLsizei bufSize, GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnMapdv glGetnMapdv; alias fn_glGetnMapdvARB = extern(C) void function(GLenum target, GLenum query, GLsizei bufSize, GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnMapdvARB glGetnMapdvARB; alias fn_glGetnMapfv = extern(C) void function(GLenum target, GLenum query, GLsizei bufSize, GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnMapfv glGetnMapfv; alias fn_glGetnMapfvARB = extern(C) void function(GLenum target, GLenum query, GLsizei bufSize, GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnMapfvARB glGetnMapfvARB; alias fn_glGetnMapiv = extern(C) void function(GLenum target, GLenum query, GLsizei bufSize, GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnMapiv glGetnMapiv; alias fn_glGetnMapivARB = extern(C) void function(GLenum target, GLenum query, GLsizei bufSize, GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnMapivARB glGetnMapivARB; alias fn_glGetnMinmax = extern(C) void function(GLenum target, GLboolean reset, GLenum format, GLenum type, GLsizei bufSize, void* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnMinmax glGetnMinmax; alias fn_glGetnMinmaxARB = extern(C) void function(GLenum target, GLboolean reset, GLenum format, GLenum type, GLsizei bufSize, void* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnMinmaxARB glGetnMinmaxARB; alias fn_glGetnPixelMapfv = extern(C) void function(GLenum map, GLsizei bufSize, GLfloat* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnPixelMapfv glGetnPixelMapfv; alias fn_glGetnPixelMapfvARB = extern(C) void function(GLenum map, GLsizei bufSize, GLfloat* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnPixelMapfvARB glGetnPixelMapfvARB; alias fn_glGetnPixelMapuiv = extern(C) void function(GLenum map, GLsizei bufSize, GLuint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnPixelMapuiv glGetnPixelMapuiv; alias fn_glGetnPixelMapuivARB = extern(C) void function(GLenum map, GLsizei bufSize, GLuint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnPixelMapuivARB glGetnPixelMapuivARB; alias fn_glGetnPixelMapusv = extern(C) void function(GLenum map, GLsizei bufSize, GLushort* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnPixelMapusv glGetnPixelMapusv; alias fn_glGetnPixelMapusvARB = extern(C) void function(GLenum map, GLsizei bufSize, GLushort* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnPixelMapusvARB glGetnPixelMapusvARB; alias fn_glGetnPolygonStipple = extern(C) void function(GLsizei bufSize, GLubyte* pattern) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnPolygonStipple glGetnPolygonStipple; alias fn_glGetnPolygonStippleARB = extern(C) void function(GLsizei bufSize, GLubyte* pattern) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnPolygonStippleARB glGetnPolygonStippleARB; alias fn_glGetnSeparableFilter = extern(C) void function(GLenum target, GLenum format, GLenum type, GLsizei rowBufSize, void* row, GLsizei columnBufSize, void* column, void* span) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnSeparableFilter glGetnSeparableFilter; alias fn_glGetnSeparableFilterARB = extern(C) void function(GLenum target, GLenum format, GLenum type, GLsizei rowBufSize, void* row, GLsizei columnBufSize, void* column, void* span) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnSeparableFilterARB glGetnSeparableFilterARB; alias fn_glGetnTexImage = extern(C) void function(GLenum target, GLint level, GLenum format, GLenum type, GLsizei bufSize, void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnTexImage glGetnTexImage; alias fn_glGetnTexImageARB = extern(C) void function(GLenum target, GLint level, GLenum format, GLenum type, GLsizei bufSize, void* img) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnTexImageARB glGetnTexImageARB; alias fn_glGetnUniformdv = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) fn_glGetnUniformdv glGetnUniformdv; alias fn_glGetnUniformdvARB = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnUniformdvARB glGetnUniformdvARB; alias fn_glGetnUniformfv = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_KHR_robustness") fn_glGetnUniformfv glGetnUniformfv; alias fn_glGetnUniformfvARB = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnUniformfvARB glGetnUniformfvARB; alias fn_glGetnUniformfvEXT = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_robustness") fn_glGetnUniformfvEXT glGetnUniformfvEXT; alias fn_glGetnUniformfvKHR = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_robustness") fn_glGetnUniformfvKHR glGetnUniformfvKHR; alias fn_glGetnUniformi64vARB = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glGetnUniformi64vARB glGetnUniformi64vARB; alias fn_glGetnUniformiv = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_KHR_robustness") fn_glGetnUniformiv glGetnUniformiv; alias fn_glGetnUniformivARB = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnUniformivARB glGetnUniformivARB; alias fn_glGetnUniformivEXT = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_robustness") fn_glGetnUniformivEXT glGetnUniformivEXT; alias fn_glGetnUniformivKHR = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_robustness") fn_glGetnUniformivKHR glGetnUniformivKHR; alias fn_glGetnUniformui64vARB = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLuint64* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glGetnUniformui64vARB glGetnUniformui64vARB; alias fn_glGetnUniformuiv = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_KHR_robustness") fn_glGetnUniformuiv glGetnUniformuiv; alias fn_glGetnUniformuivARB = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glGetnUniformuivARB glGetnUniformuivARB; alias fn_glGetnUniformuivKHR = extern(C) void function(GLuint program, GLint location, GLsizei bufSize, GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_robustness") fn_glGetnUniformuivKHR glGetnUniformuivKHR; alias fn_glGlobalAlphaFactorbSUN = extern(C) void function(GLbyte factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_global_alpha") fn_glGlobalAlphaFactorbSUN glGlobalAlphaFactorbSUN; alias fn_glGlobalAlphaFactordSUN = extern(C) void function(GLdouble factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_global_alpha") fn_glGlobalAlphaFactordSUN glGlobalAlphaFactordSUN; alias fn_glGlobalAlphaFactorfSUN = extern(C) void function(GLfloat factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_global_alpha") fn_glGlobalAlphaFactorfSUN glGlobalAlphaFactorfSUN; alias fn_glGlobalAlphaFactoriSUN = extern(C) void function(GLint factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_global_alpha") fn_glGlobalAlphaFactoriSUN glGlobalAlphaFactoriSUN; alias fn_glGlobalAlphaFactorsSUN = extern(C) void function(GLshort factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_global_alpha") fn_glGlobalAlphaFactorsSUN glGlobalAlphaFactorsSUN; alias fn_glGlobalAlphaFactorubSUN = extern(C) void function(GLubyte factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_global_alpha") fn_glGlobalAlphaFactorubSUN glGlobalAlphaFactorubSUN; alias fn_glGlobalAlphaFactoruiSUN = extern(C) void function(GLuint factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_global_alpha") fn_glGlobalAlphaFactoruiSUN glGlobalAlphaFactoruiSUN; alias fn_glGlobalAlphaFactorusSUN = extern(C) void function(GLushort factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_global_alpha") fn_glGlobalAlphaFactorusSUN glGlobalAlphaFactorusSUN; alias fn_glHintPGI = extern(C) void function(GLenum target, GLint mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_PGI_misc_hints") fn_glHintPGI glHintPGI; alias fn_glHistogram = extern(C) void function(GLenum target, GLsizei width, GLenum internalformat, GLboolean sink) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glHistogram glHistogram; alias fn_glHistogramEXT = extern(C) void function(GLenum target, GLsizei width, GLenum internalformat, GLboolean sink) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glHistogramEXT glHistogramEXT; alias fn_glIglooInterfaceSGIX = extern(C) void function(GLenum pname, const void* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_igloo_interface") fn_glIglooInterfaceSGIX glIglooInterfaceSGIX; alias fn_glImageTransformParameterfHP = extern(C) void function(GLenum target, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_HP_image_transform") fn_glImageTransformParameterfHP glImageTransformParameterfHP; alias fn_glImageTransformParameterfvHP = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_HP_image_transform") fn_glImageTransformParameterfvHP glImageTransformParameterfvHP; alias fn_glImageTransformParameteriHP = extern(C) void function(GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_HP_image_transform") fn_glImageTransformParameteriHP glImageTransformParameteriHP; alias fn_glImageTransformParameterivHP = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_HP_image_transform") fn_glImageTransformParameterivHP glImageTransformParameterivHP; alias fn_glImportSyncEXT = extern(C) GLsync function(GLenum external_sync_type, GLintptr external_sync, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_x11_sync_object") fn_glImportSyncEXT glImportSyncEXT; alias fn_glIndexFormatNV = extern(C) void function(GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glIndexFormatNV glIndexFormatNV; alias fn_glIndexFuncEXT = extern(C) void function(GLenum func, GLclampf ref_) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_index_func") fn_glIndexFuncEXT glIndexFuncEXT; alias fn_glIndexMask = extern(C) void function(GLuint mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexMask glIndexMask; alias fn_glIndexMaterialEXT = extern(C) void function(GLenum face, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_index_material") fn_glIndexMaterialEXT glIndexMaterialEXT; alias fn_glIndexPointer = extern(C) void function(GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glIndexPointer glIndexPointer; alias fn_glIndexPointerEXT = extern(C) void function(GLenum type, GLsizei stride, GLsizei count, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glIndexPointerEXT glIndexPointerEXT; alias fn_glIndexPointerListIBM = extern(C) void function(GLenum type, GLint stride, const void** pointer, GLint ptrstride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_vertex_array_lists") fn_glIndexPointerListIBM glIndexPointerListIBM; alias fn_glIndexd = extern(C) void function(GLdouble c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexd glIndexd; alias fn_glIndexdv = extern(C) void function(const GLdouble* c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexdv glIndexdv; alias fn_glIndexf = extern(C) void function(GLfloat c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexf glIndexf; alias fn_glIndexfv = extern(C) void function(const GLfloat* c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexfv glIndexfv; alias fn_glIndexi = extern(C) void function(GLint c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexi glIndexi; alias fn_glIndexiv = extern(C) void function(const GLint* c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexiv glIndexiv; alias fn_glIndexs = extern(C) void function(GLshort c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexs glIndexs; alias fn_glIndexsv = extern(C) void function(const GLshort* c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIndexsv glIndexsv; alias fn_glIndexub = extern(C) void function(GLubyte c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glIndexub glIndexub; alias fn_glIndexubv = extern(C) void function(const(GLubyte)* c) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glIndexubv glIndexubv; alias fn_glIndexxOES = extern(C) void function(GLfixed component) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glIndexxOES glIndexxOES; alias fn_glIndexxvOES = extern(C) void function(const GLfixed* component) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glIndexxvOES glIndexxvOES; alias fn_glInitNames = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glInitNames glInitNames; alias fn_glInsertComponentEXT = extern(C) void function(GLuint res, GLuint src, GLuint num) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glInsertComponentEXT glInsertComponentEXT; alias fn_glInsertEventMarkerEXT = extern(C) void function(GLsizei length, const GLchar* marker) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_debug_marker") fn_glInsertEventMarkerEXT glInsertEventMarkerEXT; alias fn_glInstrumentsBufferSGIX = extern(C) void function(GLsizei size, GLint* buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_instruments") fn_glInstrumentsBufferSGIX glInstrumentsBufferSGIX; alias fn_glInterleavedArrays = extern(C) void function(GLenum format, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glInterleavedArrays glInterleavedArrays; alias fn_glInterpolatePathsNV = extern(C) void function(GLuint resultPath, GLuint pathA, GLuint pathB, GLfloat weight) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glInterpolatePathsNV glInterpolatePathsNV; alias fn_glInvalidateBufferData = extern(C) void function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_invalidate_subdata") fn_glInvalidateBufferData glInvalidateBufferData; alias fn_glInvalidateBufferSubData = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_invalidate_subdata") fn_glInvalidateBufferSubData glInvalidateBufferSubData; alias fn_glInvalidateFramebuffer = extern(C) void function(GLenum target, GLsizei numAttachments, const GLenum* attachments) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_invalidate_subdata") fn_glInvalidateFramebuffer glInvalidateFramebuffer; alias fn_glInvalidateNamedFramebufferData = extern(C) void function(GLuint framebuffer, GLsizei numAttachments, const GLenum* attachments) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glInvalidateNamedFramebufferData glInvalidateNamedFramebufferData; alias fn_glInvalidateNamedFramebufferSubData = extern(C) void function(GLuint framebuffer, GLsizei numAttachments, const GLenum* attachments, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glInvalidateNamedFramebufferSubData glInvalidateNamedFramebufferSubData; alias fn_glInvalidateSubFramebuffer = extern(C) void function(GLenum target, GLsizei numAttachments, const GLenum* attachments, GLint x, GLint y, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_invalidate_subdata") fn_glInvalidateSubFramebuffer glInvalidateSubFramebuffer; alias fn_glInvalidateTexImage = extern(C) void function(GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_invalidate_subdata") fn_glInvalidateTexImage glInvalidateTexImage; alias fn_glInvalidateTexSubImage = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_invalidate_subdata") fn_glInvalidateTexSubImage glInvalidateTexSubImage; alias fn_glIsAsyncMarkerSGIX = extern(C) GLboolean function(GLuint marker) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_async") fn_glIsAsyncMarkerSGIX glIsAsyncMarkerSGIX; alias fn_glIsBufferARB = extern(C) GLboolean function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glIsBufferARB glIsBufferARB; alias fn_glIsBufferResidentNV = extern(C) GLboolean function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glIsBufferResidentNV glIsBufferResidentNV; alias fn_glIsCommandListNV = extern(C) GLboolean function(GLuint list) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glIsCommandListNV glIsCommandListNV; alias fn_glIsEnabledIndexedEXT = extern(C) GLboolean function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glIsEnabledIndexedEXT glIsEnabledIndexedEXT; alias fn_glIsEnablediEXT = extern(C) GLboolean function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_buffers_indexed") fn_glIsEnablediEXT glIsEnablediEXT; alias fn_glIsEnablediNV = extern(C) GLboolean function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glIsEnablediNV glIsEnablediNV; alias fn_glIsEnablediOES = extern(C) GLboolean function(GLenum target, GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_buffers_indexed") fn_glIsEnablediOES glIsEnablediOES; alias fn_glIsFenceAPPLE = extern(C) GLboolean function(GLuint fence) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_fence") fn_glIsFenceAPPLE glIsFenceAPPLE; alias fn_glIsFenceNV = extern(C) GLboolean function(GLuint fence) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fence") fn_glIsFenceNV glIsFenceNV; alias fn_glIsFramebufferEXT = extern(C) GLboolean function(GLuint framebuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glIsFramebufferEXT glIsFramebufferEXT; alias fn_glIsFramebufferOES = extern(C) GLboolean function(GLuint framebuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glIsFramebufferOES glIsFramebufferOES; alias fn_glIsImageHandleResidentARB = extern(C) GLboolean function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glIsImageHandleResidentARB glIsImageHandleResidentARB; alias fn_glIsImageHandleResidentNV = extern(C) GLboolean function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glIsImageHandleResidentNV glIsImageHandleResidentNV; alias fn_glIsList = extern(C) GLboolean function(GLuint list) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glIsList glIsList; alias fn_glIsNameAMD = extern(C) GLboolean function(GLenum identifier, GLuint name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_name_gen_delete") fn_glIsNameAMD glIsNameAMD; alias fn_glIsNamedBufferResidentNV = extern(C) GLboolean function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glIsNamedBufferResidentNV glIsNamedBufferResidentNV; alias fn_glIsNamedStringARB = extern(C) GLboolean function(GLint namelen, const GLchar* name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shading_language_include") fn_glIsNamedStringARB glIsNamedStringARB; alias fn_glIsObjectBufferATI = extern(C) GLboolean function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glIsObjectBufferATI glIsObjectBufferATI; alias fn_glIsOcclusionQueryNV = extern(C) GLboolean function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_occlusion_query") fn_glIsOcclusionQueryNV glIsOcclusionQueryNV; alias fn_glIsPathNV = extern(C) GLboolean function(GLuint path) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glIsPathNV glIsPathNV; alias fn_glIsPointInFillPathNV = extern(C) GLboolean function(GLuint path, GLuint mask, GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glIsPointInFillPathNV glIsPointInFillPathNV; alias fn_glIsPointInStrokePathNV = extern(C) GLboolean function(GLuint path, GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glIsPointInStrokePathNV glIsPointInStrokePathNV; alias fn_glIsProgramARB = extern(C) GLboolean function(GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glIsProgramARB glIsProgramARB; alias fn_glIsProgramNV = extern(C) GLboolean function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glIsProgramNV glIsProgramNV; alias fn_glIsProgramPipeline = extern(C) GLboolean function(GLuint pipeline) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glIsProgramPipeline glIsProgramPipeline; alias fn_glIsProgramPipelineEXT = extern(C) GLboolean function(GLuint pipeline) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glIsProgramPipelineEXT glIsProgramPipelineEXT; alias fn_glIsQueryARB = extern(C) GLboolean function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_occlusion_query") fn_glIsQueryARB glIsQueryARB; alias fn_glIsQueryEXT = extern(C) GLboolean function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glIsQueryEXT glIsQueryEXT; alias fn_glIsRenderbufferEXT = extern(C) GLboolean function(GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glIsRenderbufferEXT glIsRenderbufferEXT; alias fn_glIsRenderbufferOES = extern(C) GLboolean function(GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glIsRenderbufferOES glIsRenderbufferOES; alias fn_glIsStateNV = extern(C) GLboolean function(GLuint state) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glIsStateNV glIsStateNV; alias fn_glIsSyncAPPLE = extern(C) GLboolean function(GLsync sync) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_sync") fn_glIsSyncAPPLE glIsSyncAPPLE; alias fn_glIsTextureEXT = extern(C) GLboolean function(GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_object") fn_glIsTextureEXT glIsTextureEXT; alias fn_glIsTextureHandleResidentARB = extern(C) GLboolean function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glIsTextureHandleResidentARB glIsTextureHandleResidentARB; alias fn_glIsTextureHandleResidentNV = extern(C) GLboolean function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glIsTextureHandleResidentNV glIsTextureHandleResidentNV; alias fn_glIsTransformFeedback = extern(C) GLboolean function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback2") fn_glIsTransformFeedback glIsTransformFeedback; alias fn_glIsTransformFeedbackNV = extern(C) GLboolean function(GLuint id) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback2") fn_glIsTransformFeedbackNV glIsTransformFeedbackNV; alias fn_glIsVariantEnabledEXT = extern(C) GLboolean function(GLuint id, GLenum cap) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glIsVariantEnabledEXT glIsVariantEnabledEXT; alias fn_glIsVertexArrayAPPLE = extern(C) GLboolean function(GLuint array) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_array_object") fn_glIsVertexArrayAPPLE glIsVertexArrayAPPLE; alias fn_glIsVertexArrayOES = extern(C) GLboolean function(GLuint array) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_vertex_array_object") fn_glIsVertexArrayOES glIsVertexArrayOES; alias fn_glIsVertexAttribEnabledAPPLE = extern(C) GLboolean function(GLuint index, GLenum pname) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_program_evaluators") fn_glIsVertexAttribEnabledAPPLE glIsVertexAttribEnabledAPPLE; alias fn_glLabelObjectEXT = extern(C) void function(GLenum type, GLuint object, GLsizei length, const GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_debug_label") fn_glLabelObjectEXT glLabelObjectEXT; alias fn_glLightEnviSGIX = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_fragment_lighting") fn_glLightEnviSGIX glLightEnviSGIX; alias fn_glLightModelf = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLightModelf glLightModelf; alias fn_glLightModelfv = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLightModelfv glLightModelfv; alias fn_glLightModeli = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLightModeli glLightModeli; alias fn_glLightModeliv = extern(C) void function(GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLightModeliv glLightModeliv; alias fn_glLightModelx = extern(C) void function(GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glLightModelx glLightModelx; alias fn_glLightModelxOES = extern(C) void function(GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glLightModelxOES glLightModelxOES; alias fn_glLightModelxv = extern(C) void function(GLenum pname, const GLfixed* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glLightModelxv glLightModelxv; alias fn_glLightModelxvOES = extern(C) void function(GLenum pname, const GLfixed* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glLightModelxvOES glLightModelxvOES; alias fn_glLightf = extern(C) void function(GLenum light, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLightf glLightf; alias fn_glLightfv = extern(C) void function(GLenum light, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLightfv glLightfv; alias fn_glLighti = extern(C) void function(GLenum light, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLighti glLighti; alias fn_glLightiv = extern(C) void function(GLenum light, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLightiv glLightiv; alias fn_glLightx = extern(C) void function(GLenum light, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glLightx glLightx; alias fn_glLightxOES = extern(C) void function(GLenum light, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glLightxOES glLightxOES; alias fn_glLightxv = extern(C) void function(GLenum light, GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glLightxv glLightxv; alias fn_glLightxvOES = extern(C) void function(GLenum light, GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glLightxvOES glLightxvOES; alias fn_glLineStipple = extern(C) void function(GLint factor, GLushort pattern) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLineStipple glLineStipple; alias fn_glLineWidthx = extern(C) void function(GLfixed width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glLineWidthx glLineWidthx; alias fn_glLineWidthxOES = extern(C) void function(GLfixed width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glLineWidthxOES glLineWidthxOES; alias fn_glLinkProgramARB = extern(C) void function(GLhandleARB programObj) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glLinkProgramARB glLinkProgramARB; alias fn_glListBase = extern(C) void function(GLuint base) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glListBase glListBase; alias fn_glListDrawCommandsStatesClientNV = extern(C) void function(GLuint list, GLuint segment, const void** indirects, const GLsizei* sizes, const GLuint* states, const GLuint* fbos, GLuint count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glListDrawCommandsStatesClientNV glListDrawCommandsStatesClientNV; alias fn_glListParameterfSGIX = extern(C) void function(GLuint list, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_list_priority") fn_glListParameterfSGIX glListParameterfSGIX; alias fn_glListParameterfvSGIX = extern(C) void function(GLuint list, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_list_priority") fn_glListParameterfvSGIX glListParameterfvSGIX; alias fn_glListParameteriSGIX = extern(C) void function(GLuint list, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_list_priority") fn_glListParameteriSGIX glListParameteriSGIX; alias fn_glListParameterivSGIX = extern(C) void function(GLuint list, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_list_priority") fn_glListParameterivSGIX glListParameterivSGIX; alias fn_glLoadIdentity = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLoadIdentity glLoadIdentity; alias fn_glLoadIdentityDeformationMapSGIX = extern(C) void function(GLbitfield mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_polynomial_ffd") fn_glLoadIdentityDeformationMapSGIX glLoadIdentityDeformationMapSGIX; alias fn_glLoadMatrixd = extern(C) void function(const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLoadMatrixd glLoadMatrixd; alias fn_glLoadMatrixf = extern(C) void function(const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLoadMatrixf glLoadMatrixf; alias fn_glLoadMatrixx = extern(C) void function(const GLfixed* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glLoadMatrixx glLoadMatrixx; alias fn_glLoadMatrixxOES = extern(C) void function(const GLfixed* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glLoadMatrixxOES glLoadMatrixxOES; alias fn_glLoadName = extern(C) void function(GLuint name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glLoadName glLoadName; alias fn_glLoadPaletteFromModelViewMatrixOES = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_matrix_palette") fn_glLoadPaletteFromModelViewMatrixOES glLoadPaletteFromModelViewMatrixOES; alias fn_glLoadProgramNV = extern(C) void function(GLenum target, GLuint id, GLsizei len, const(GLubyte)* program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glLoadProgramNV glLoadProgramNV; alias fn_glLoadTransposeMatrixd = extern(C) void function(const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glLoadTransposeMatrixd glLoadTransposeMatrixd; alias fn_glLoadTransposeMatrixdARB = extern(C) void function(const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_transpose_matrix") fn_glLoadTransposeMatrixdARB glLoadTransposeMatrixdARB; alias fn_glLoadTransposeMatrixf = extern(C) void function(const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glLoadTransposeMatrixf glLoadTransposeMatrixf; alias fn_glLoadTransposeMatrixfARB = extern(C) void function(const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_transpose_matrix") fn_glLoadTransposeMatrixfARB glLoadTransposeMatrixfARB; alias fn_glLoadTransposeMatrixxOES = extern(C) void function(const GLfixed* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glLoadTransposeMatrixxOES glLoadTransposeMatrixxOES; alias fn_glLockArraysEXT = extern(C) void function(GLint first, GLsizei count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_compiled_vertex_array") fn_glLockArraysEXT glLockArraysEXT; alias fn_glMakeBufferNonResidentNV = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glMakeBufferNonResidentNV glMakeBufferNonResidentNV; alias fn_glMakeBufferResidentNV = extern(C) void function(GLenum target, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glMakeBufferResidentNV glMakeBufferResidentNV; alias fn_glMakeImageHandleNonResidentARB = extern(C) void function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glMakeImageHandleNonResidentARB glMakeImageHandleNonResidentARB; alias fn_glMakeImageHandleNonResidentNV = extern(C) void function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glMakeImageHandleNonResidentNV glMakeImageHandleNonResidentNV; alias fn_glMakeImageHandleResidentARB = extern(C) void function(GLuint64 handle, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glMakeImageHandleResidentARB glMakeImageHandleResidentARB; alias fn_glMakeImageHandleResidentNV = extern(C) void function(GLuint64 handle, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glMakeImageHandleResidentNV glMakeImageHandleResidentNV; alias fn_glMakeNamedBufferNonResidentNV = extern(C) void function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glMakeNamedBufferNonResidentNV glMakeNamedBufferNonResidentNV; alias fn_glMakeNamedBufferResidentNV = extern(C) void function(GLuint buffer, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glMakeNamedBufferResidentNV glMakeNamedBufferResidentNV; alias fn_glMakeTextureHandleNonResidentARB = extern(C) void function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glMakeTextureHandleNonResidentARB glMakeTextureHandleNonResidentARB; alias fn_glMakeTextureHandleNonResidentNV = extern(C) void function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glMakeTextureHandleNonResidentNV glMakeTextureHandleNonResidentNV; alias fn_glMakeTextureHandleResidentARB = extern(C) void function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glMakeTextureHandleResidentARB glMakeTextureHandleResidentARB; alias fn_glMakeTextureHandleResidentNV = extern(C) void function(GLuint64 handle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glMakeTextureHandleResidentNV glMakeTextureHandleResidentNV; alias fn_glMap1d = extern(C) void function(GLenum target, GLdouble u1, GLdouble u2, GLint stride, GLint order, const GLdouble* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMap1d glMap1d; alias fn_glMap1f = extern(C) void function(GLenum target, GLfloat u1, GLfloat u2, GLint stride, GLint order, const GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMap1f glMap1f; alias fn_glMap1xOES = extern(C) void function(GLenum target, GLfixed u1, GLfixed u2, GLint stride, GLint order, GLfixed points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMap1xOES glMap1xOES; alias fn_glMap2d = extern(C) void function(GLenum target, GLdouble u1, GLdouble u2, GLint ustride, GLint uorder, GLdouble v1, GLdouble v2, GLint vstride, GLint vorder, const GLdouble* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMap2d glMap2d; alias fn_glMap2f = extern(C) void function(GLenum target, GLfloat u1, GLfloat u2, GLint ustride, GLint uorder, GLfloat v1, GLfloat v2, GLint vstride, GLint vorder, const GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMap2f glMap2f; alias fn_glMap2xOES = extern(C) void function(GLenum target, GLfixed u1, GLfixed u2, GLint ustride, GLint uorder, GLfixed v1, GLfixed v2, GLint vstride, GLint vorder, GLfixed points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMap2xOES glMap2xOES; alias fn_glMapBufferARB = extern(C) void* function(GLenum target, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glMapBufferARB glMapBufferARB; alias fn_glMapBufferOES = extern(C) void* function(GLenum target, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_mapbuffer") fn_glMapBufferOES glMapBufferOES; alias fn_glMapBufferRangeEXT = extern(C) void* function(GLenum target, GLintptr offset, GLsizeiptr length, GLbitfield access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_map_buffer_range") fn_glMapBufferRangeEXT glMapBufferRangeEXT; alias fn_glMapControlPointsNV = extern(C) void function(GLenum target, GLuint index, GLenum type, GLsizei ustride, GLsizei vstride, GLint uorder, GLint vorder, GLboolean packed, const void* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glMapControlPointsNV glMapControlPointsNV; alias fn_glMapGrid1d = extern(C) void function(GLint un, GLdouble u1, GLdouble u2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMapGrid1d glMapGrid1d; alias fn_glMapGrid1f = extern(C) void function(GLint un, GLfloat u1, GLfloat u2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMapGrid1f glMapGrid1f; alias fn_glMapGrid1xOES = extern(C) void function(GLint n, GLfixed u1, GLfixed u2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMapGrid1xOES glMapGrid1xOES; alias fn_glMapGrid2d = extern(C) void function(GLint un, GLdouble u1, GLdouble u2, GLint vn, GLdouble v1, GLdouble v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMapGrid2d glMapGrid2d; alias fn_glMapGrid2f = extern(C) void function(GLint un, GLfloat u1, GLfloat u2, GLint vn, GLfloat v1, GLfloat v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMapGrid2f glMapGrid2f; alias fn_glMapGrid2xOES = extern(C) void function(GLint n, GLfixed u1, GLfixed u2, GLfixed v1, GLfixed v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMapGrid2xOES glMapGrid2xOES; alias fn_glMapNamedBuffer = extern(C) void* function(GLuint buffer, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glMapNamedBuffer glMapNamedBuffer; alias fn_glMapNamedBufferEXT = extern(C) void* function(GLuint buffer, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMapNamedBufferEXT glMapNamedBufferEXT; alias fn_glMapNamedBufferRange = extern(C) void* function(GLuint buffer, GLintptr offset, GLsizeiptr length, GLbitfield access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glMapNamedBufferRange glMapNamedBufferRange; alias fn_glMapNamedBufferRangeEXT = extern(C) void* function(GLuint buffer, GLintptr offset, GLsizeiptr length, GLbitfield access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMapNamedBufferRangeEXT glMapNamedBufferRangeEXT; alias fn_glMapObjectBufferATI = extern(C) void* function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_map_object_buffer") fn_glMapObjectBufferATI glMapObjectBufferATI; alias fn_glMapParameterfvNV = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glMapParameterfvNV glMapParameterfvNV; alias fn_glMapParameterivNV = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_evaluators") fn_glMapParameterivNV glMapParameterivNV; alias fn_glMapTexture2DINTEL = extern(C) void* function(GLuint texture, GLint level, GLbitfield access, GLint* stride, GLenum* layout) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_map_texture") fn_glMapTexture2DINTEL glMapTexture2DINTEL; alias fn_glMapVertexAttrib1dAPPLE = extern(C) void function(GLuint index, GLuint size, GLdouble u1, GLdouble u2, GLint stride, GLint order, const GLdouble* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_program_evaluators") fn_glMapVertexAttrib1dAPPLE glMapVertexAttrib1dAPPLE; alias fn_glMapVertexAttrib1fAPPLE = extern(C) void function(GLuint index, GLuint size, GLfloat u1, GLfloat u2, GLint stride, GLint order, const GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_program_evaluators") fn_glMapVertexAttrib1fAPPLE glMapVertexAttrib1fAPPLE; alias fn_glMapVertexAttrib2dAPPLE = extern(C) void function(GLuint index, GLuint size, GLdouble u1, GLdouble u2, GLint ustride, GLint uorder, GLdouble v1, GLdouble v2, GLint vstride, GLint vorder, const GLdouble* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_program_evaluators") fn_glMapVertexAttrib2dAPPLE glMapVertexAttrib2dAPPLE; alias fn_glMapVertexAttrib2fAPPLE = extern(C) void function(GLuint index, GLuint size, GLfloat u1, GLfloat u2, GLint ustride, GLint uorder, GLfloat v1, GLfloat v2, GLint vstride, GLint vorder, const GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_program_evaluators") fn_glMapVertexAttrib2fAPPLE glMapVertexAttrib2fAPPLE; alias fn_glMaterialf = extern(C) void function(GLenum face, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMaterialf glMaterialf; alias fn_glMaterialfv = extern(C) void function(GLenum face, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMaterialfv glMaterialfv; alias fn_glMateriali = extern(C) void function(GLenum face, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMateriali glMateriali; alias fn_glMaterialiv = extern(C) void function(GLenum face, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMaterialiv glMaterialiv; alias fn_glMaterialx = extern(C) void function(GLenum face, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glMaterialx glMaterialx; alias fn_glMaterialxOES = extern(C) void function(GLenum face, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMaterialxOES glMaterialxOES; alias fn_glMaterialxv = extern(C) void function(GLenum face, GLenum pname, const GLfixed* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glMaterialxv glMaterialxv; alias fn_glMaterialxvOES = extern(C) void function(GLenum face, GLenum pname, const GLfixed* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMaterialxvOES glMaterialxvOES; alias fn_glMatrixFrustumEXT = extern(C) void function(GLenum mode, GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixFrustumEXT glMatrixFrustumEXT; alias fn_glMatrixIndexPointerARB = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_matrix_palette") fn_glMatrixIndexPointerARB glMatrixIndexPointerARB; alias fn_glMatrixIndexPointerOES = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_matrix_palette") fn_glMatrixIndexPointerOES glMatrixIndexPointerOES; alias fn_glMatrixIndexubvARB = extern(C) void function(GLint size, const(GLubyte)* indices) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_matrix_palette") fn_glMatrixIndexubvARB glMatrixIndexubvARB; alias fn_glMatrixIndexuivARB = extern(C) void function(GLint size, const GLuint* indices) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_matrix_palette") fn_glMatrixIndexuivARB glMatrixIndexuivARB; alias fn_glMatrixIndexusvARB = extern(C) void function(GLint size, const GLushort* indices) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_matrix_palette") fn_glMatrixIndexusvARB glMatrixIndexusvARB; alias fn_glMatrixLoad3x2fNV = extern(C) void function(GLenum matrixMode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glMatrixLoad3x2fNV glMatrixLoad3x2fNV; alias fn_glMatrixLoad3x3fNV = extern(C) void function(GLenum matrixMode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glMatrixLoad3x3fNV glMatrixLoad3x3fNV; alias fn_glMatrixLoadIdentityEXT = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixLoadIdentityEXT glMatrixLoadIdentityEXT; alias fn_glMatrixLoadTranspose3x3fNV = extern(C) void function(GLenum matrixMode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glMatrixLoadTranspose3x3fNV glMatrixLoadTranspose3x3fNV; alias fn_glMatrixLoadTransposedEXT = extern(C) void function(GLenum mode, const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixLoadTransposedEXT glMatrixLoadTransposedEXT; alias fn_glMatrixLoadTransposefEXT = extern(C) void function(GLenum mode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixLoadTransposefEXT glMatrixLoadTransposefEXT; alias fn_glMatrixLoaddEXT = extern(C) void function(GLenum mode, const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixLoaddEXT glMatrixLoaddEXT; alias fn_glMatrixLoadfEXT = extern(C) void function(GLenum mode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixLoadfEXT glMatrixLoadfEXT; alias fn_glMatrixMode = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMatrixMode glMatrixMode; alias fn_glMatrixMult3x2fNV = extern(C) void function(GLenum matrixMode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glMatrixMult3x2fNV glMatrixMult3x2fNV; alias fn_glMatrixMult3x3fNV = extern(C) void function(GLenum matrixMode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glMatrixMult3x3fNV glMatrixMult3x3fNV; alias fn_glMatrixMultTranspose3x3fNV = extern(C) void function(GLenum matrixMode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glMatrixMultTranspose3x3fNV glMatrixMultTranspose3x3fNV; alias fn_glMatrixMultTransposedEXT = extern(C) void function(GLenum mode, const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixMultTransposedEXT glMatrixMultTransposedEXT; alias fn_glMatrixMultTransposefEXT = extern(C) void function(GLenum mode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixMultTransposefEXT glMatrixMultTransposefEXT; alias fn_glMatrixMultdEXT = extern(C) void function(GLenum mode, const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixMultdEXT glMatrixMultdEXT; alias fn_glMatrixMultfEXT = extern(C) void function(GLenum mode, const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixMultfEXT glMatrixMultfEXT; alias fn_glMatrixOrthoEXT = extern(C) void function(GLenum mode, GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixOrthoEXT glMatrixOrthoEXT; alias fn_glMatrixPopEXT = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixPopEXT glMatrixPopEXT; alias fn_glMatrixPushEXT = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixPushEXT glMatrixPushEXT; alias fn_glMatrixRotatedEXT = extern(C) void function(GLenum mode, GLdouble angle, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixRotatedEXT glMatrixRotatedEXT; alias fn_glMatrixRotatefEXT = extern(C) void function(GLenum mode, GLfloat angle, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixRotatefEXT glMatrixRotatefEXT; alias fn_glMatrixScaledEXT = extern(C) void function(GLenum mode, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixScaledEXT glMatrixScaledEXT; alias fn_glMatrixScalefEXT = extern(C) void function(GLenum mode, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixScalefEXT glMatrixScalefEXT; alias fn_glMatrixTranslatedEXT = extern(C) void function(GLenum mode, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixTranslatedEXT glMatrixTranslatedEXT; alias fn_glMatrixTranslatefEXT = extern(C) void function(GLenum mode, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMatrixTranslatefEXT glMatrixTranslatefEXT; alias fn_glMaxShaderCompilerThreadsARB = extern(C) void function(GLuint count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_parallel_shader_compile") fn_glMaxShaderCompilerThreadsARB glMaxShaderCompilerThreadsARB; alias fn_glMemoryBarrier = extern(C) void function(GLbitfield barriers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_shader_image_load_store") fn_glMemoryBarrier glMemoryBarrier; alias fn_glMemoryBarrierByRegion = extern(C) void function(GLbitfield barriers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_ES3_1_compatibility") fn_glMemoryBarrierByRegion glMemoryBarrierByRegion; alias fn_glMemoryBarrierEXT = extern(C) void function(GLbitfield barriers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_shader_image_load_store") fn_glMemoryBarrierEXT glMemoryBarrierEXT; alias fn_glMinSampleShading = extern(C) void function(GLfloat value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) fn_glMinSampleShading glMinSampleShading; alias fn_glMinSampleShadingARB = extern(C) void function(GLfloat value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_sample_shading") fn_glMinSampleShadingARB glMinSampleShadingARB; alias fn_glMinSampleShadingOES = extern(C) void function(GLfloat value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_sample_shading") fn_glMinSampleShadingOES glMinSampleShadingOES; alias fn_glMinmax = extern(C) void function(GLenum target, GLenum internalformat, GLboolean sink) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glMinmax glMinmax; alias fn_glMinmaxEXT = extern(C) void function(GLenum target, GLenum internalformat, GLboolean sink) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glMinmaxEXT glMinmaxEXT; alias fn_glMultMatrixd = extern(C) void function(const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMultMatrixd glMultMatrixd; alias fn_glMultMatrixf = extern(C) void function(const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glMultMatrixf glMultMatrixf; alias fn_glMultMatrixx = extern(C) void function(const GLfixed* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glMultMatrixx glMultMatrixx; alias fn_glMultMatrixxOES = extern(C) void function(const GLfixed* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultMatrixxOES glMultMatrixxOES; alias fn_glMultTransposeMatrixd = extern(C) void function(const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultTransposeMatrixd glMultTransposeMatrixd; alias fn_glMultTransposeMatrixdARB = extern(C) void function(const GLdouble* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_transpose_matrix") fn_glMultTransposeMatrixdARB glMultTransposeMatrixdARB; alias fn_glMultTransposeMatrixf = extern(C) void function(const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P3) fn_glMultTransposeMatrixf glMultTransposeMatrixf; alias fn_glMultTransposeMatrixfARB = extern(C) void function(const GLfloat* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_transpose_matrix") fn_glMultTransposeMatrixfARB glMultTransposeMatrixfARB; alias fn_glMultTransposeMatrixxOES = extern(C) void function(const GLfixed* m) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultTransposeMatrixxOES glMultTransposeMatrixxOES; alias fn_glMultiDrawArraysEXT = extern(C) void function(GLenum mode, const GLint* first, const GLsizei* count, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multi_draw_arrays") fn_glMultiDrawArraysEXT glMultiDrawArraysEXT; alias fn_glMultiDrawArraysIndirect = extern(C) void function(GLenum mode, const void* indirect, GLsizei drawcount, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_multi_draw_indirect") fn_glMultiDrawArraysIndirect glMultiDrawArraysIndirect; alias fn_glMultiDrawArraysIndirectAMD = extern(C) void function(GLenum mode, const void* indirect, GLsizei primcount, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_multi_draw_indirect") fn_glMultiDrawArraysIndirectAMD glMultiDrawArraysIndirectAMD; alias fn_glMultiDrawArraysIndirectBindlessCountNV = extern(C) void function(GLenum mode, const void* indirect, GLsizei drawCount, GLsizei maxDrawCount, GLsizei stride, GLint vertexBufferCount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_multi_draw_indirect_count") fn_glMultiDrawArraysIndirectBindlessCountNV glMultiDrawArraysIndirectBindlessCountNV; alias fn_glMultiDrawArraysIndirectBindlessNV = extern(C) void function(GLenum mode, const void* indirect, GLsizei drawCount, GLsizei stride, GLint vertexBufferCount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_multi_draw_indirect") fn_glMultiDrawArraysIndirectBindlessNV glMultiDrawArraysIndirectBindlessNV; alias fn_glMultiDrawArraysIndirectCountARB = extern(C) void function(GLenum mode, GLintptr indirect, GLintptr drawcount, GLsizei maxdrawcount, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_indirect_parameters") fn_glMultiDrawArraysIndirectCountARB glMultiDrawArraysIndirectCountARB; alias fn_glMultiDrawArraysIndirectEXT = extern(C) void function(GLenum mode, const void* indirect, GLsizei drawcount, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multi_draw_indirect") fn_glMultiDrawArraysIndirectEXT glMultiDrawArraysIndirectEXT; alias fn_glMultiDrawElementArrayAPPLE = extern(C) void function(GLenum mode, const GLint* first, const GLsizei* count, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_element_array") fn_glMultiDrawElementArrayAPPLE glMultiDrawElementArrayAPPLE; alias fn_glMultiDrawElementsBaseVertexEXT = extern(C) void function(GLenum mode, const GLsizei* count, GLenum type, const(const(GLvoid*)*) indices, GLsizei primcount, const GLint* basevertex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_draw_elements_base_vertex") fn_glMultiDrawElementsBaseVertexEXT glMultiDrawElementsBaseVertexEXT; alias fn_glMultiDrawElementsBaseVertexOES = extern(C) void function(GLenum mode, const GLsizei* count, GLenum type, const(const(GLvoid*)*) indices, GLsizei primcount, const GLint* basevertex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_draw_elements_base_vertex") fn_glMultiDrawElementsBaseVertexOES glMultiDrawElementsBaseVertexOES; alias fn_glMultiDrawElementsEXT = extern(C) void function(GLenum mode, const GLsizei* count, GLenum type, const(const(GLvoid*)*) indices, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multi_draw_arrays") fn_glMultiDrawElementsEXT glMultiDrawElementsEXT; alias fn_glMultiDrawElementsIndirect = extern(C) void function(GLenum mode, GLenum type, const void* indirect, GLsizei drawcount, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_multi_draw_indirect") fn_glMultiDrawElementsIndirect glMultiDrawElementsIndirect; alias fn_glMultiDrawElementsIndirectAMD = extern(C) void function(GLenum mode, GLenum type, const void* indirect, GLsizei primcount, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_multi_draw_indirect") fn_glMultiDrawElementsIndirectAMD glMultiDrawElementsIndirectAMD; alias fn_glMultiDrawElementsIndirectBindlessCountNV = extern(C) void function(GLenum mode, GLenum type, const void* indirect, GLsizei drawCount, GLsizei maxDrawCount, GLsizei stride, GLint vertexBufferCount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_multi_draw_indirect_count") fn_glMultiDrawElementsIndirectBindlessCountNV glMultiDrawElementsIndirectBindlessCountNV; alias fn_glMultiDrawElementsIndirectBindlessNV = extern(C) void function(GLenum mode, GLenum type, const void* indirect, GLsizei drawCount, GLsizei stride, GLint vertexBufferCount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_multi_draw_indirect") fn_glMultiDrawElementsIndirectBindlessNV glMultiDrawElementsIndirectBindlessNV; alias fn_glMultiDrawElementsIndirectCountARB = extern(C) void function(GLenum mode, GLenum type, GLintptr indirect, GLintptr drawcount, GLsizei maxdrawcount, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_indirect_parameters") fn_glMultiDrawElementsIndirectCountARB glMultiDrawElementsIndirectCountARB; alias fn_glMultiDrawElementsIndirectEXT = extern(C) void function(GLenum mode, GLenum type, const void* indirect, GLsizei drawcount, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multi_draw_indirect") fn_glMultiDrawElementsIndirectEXT glMultiDrawElementsIndirectEXT; alias fn_glMultiDrawRangeElementArrayAPPLE = extern(C) void function(GLenum mode, GLuint start, GLuint end, const GLint* first, const GLsizei* count, GLsizei primcount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_element_array") fn_glMultiDrawRangeElementArrayAPPLE glMultiDrawRangeElementArrayAPPLE; alias fn_glMultiModeDrawArraysIBM = extern(C) void function(const GLenum* mode, const GLint* first, const GLsizei* count, GLsizei primcount, GLint modestride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_multimode_draw_arrays") fn_glMultiModeDrawArraysIBM glMultiModeDrawArraysIBM; alias fn_glMultiModeDrawElementsIBM = extern(C) void function(const GLenum* mode, const GLsizei* count, GLenum type, const(const(GLvoid*)*) indices, GLsizei primcount, GLint modestride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_multimode_draw_arrays") fn_glMultiModeDrawElementsIBM glMultiModeDrawElementsIBM; alias fn_glMultiTexBufferEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum internalformat, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexBufferEXT glMultiTexBufferEXT; alias fn_glMultiTexCoord1bOES = extern(C) void function(GLenum texture, GLbyte s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glMultiTexCoord1bOES glMultiTexCoord1bOES; alias fn_glMultiTexCoord1bvOES = extern(C) void function(GLenum texture, const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glMultiTexCoord1bvOES glMultiTexCoord1bvOES; alias fn_glMultiTexCoord1dARB = extern(C) void function(GLenum target, GLdouble s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord1dARB glMultiTexCoord1dARB; alias fn_glMultiTexCoord1dvARB = extern(C) void function(GLenum target, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord1dvARB glMultiTexCoord1dvARB; alias fn_glMultiTexCoord1fARB = extern(C) void function(GLenum target, GLfloat s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord1fARB glMultiTexCoord1fARB; alias fn_glMultiTexCoord1fvARB = extern(C) void function(GLenum target, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord1fvARB glMultiTexCoord1fvARB; alias fn_glMultiTexCoord1hNV = extern(C) void function(GLenum target, GLhalfNV s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glMultiTexCoord1hNV glMultiTexCoord1hNV; alias fn_glMultiTexCoord1hvNV = extern(C) void function(GLenum target, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glMultiTexCoord1hvNV glMultiTexCoord1hvNV; alias fn_glMultiTexCoord1iARB = extern(C) void function(GLenum target, GLint s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord1iARB glMultiTexCoord1iARB; alias fn_glMultiTexCoord1ivARB = extern(C) void function(GLenum target, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord1ivARB glMultiTexCoord1ivARB; alias fn_glMultiTexCoord1sARB = extern(C) void function(GLenum target, GLshort s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord1sARB glMultiTexCoord1sARB; alias fn_glMultiTexCoord1svARB = extern(C) void function(GLenum target, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord1svARB glMultiTexCoord1svARB; alias fn_glMultiTexCoord1xOES = extern(C) void function(GLenum texture, GLfixed s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultiTexCoord1xOES glMultiTexCoord1xOES; alias fn_glMultiTexCoord1xvOES = extern(C) void function(GLenum texture, const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultiTexCoord1xvOES glMultiTexCoord1xvOES; alias fn_glMultiTexCoord2bOES = extern(C) void function(GLenum texture, GLbyte s, GLbyte t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glMultiTexCoord2bOES glMultiTexCoord2bOES; alias fn_glMultiTexCoord2bvOES = extern(C) void function(GLenum texture, const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glMultiTexCoord2bvOES glMultiTexCoord2bvOES; alias fn_glMultiTexCoord2dARB = extern(C) void function(GLenum target, GLdouble s, GLdouble t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord2dARB glMultiTexCoord2dARB; alias fn_glMultiTexCoord2dvARB = extern(C) void function(GLenum target, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord2dvARB glMultiTexCoord2dvARB; alias fn_glMultiTexCoord2fARB = extern(C) void function(GLenum target, GLfloat s, GLfloat t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord2fARB glMultiTexCoord2fARB; alias fn_glMultiTexCoord2fvARB = extern(C) void function(GLenum target, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord2fvARB glMultiTexCoord2fvARB; alias fn_glMultiTexCoord2hNV = extern(C) void function(GLenum target, GLhalfNV s, GLhalfNV t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glMultiTexCoord2hNV glMultiTexCoord2hNV; alias fn_glMultiTexCoord2hvNV = extern(C) void function(GLenum target, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glMultiTexCoord2hvNV glMultiTexCoord2hvNV; alias fn_glMultiTexCoord2iARB = extern(C) void function(GLenum target, GLint s, GLint t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord2iARB glMultiTexCoord2iARB; alias fn_glMultiTexCoord2ivARB = extern(C) void function(GLenum target, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord2ivARB glMultiTexCoord2ivARB; alias fn_glMultiTexCoord2sARB = extern(C) void function(GLenum target, GLshort s, GLshort t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord2sARB glMultiTexCoord2sARB; alias fn_glMultiTexCoord2svARB = extern(C) void function(GLenum target, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord2svARB glMultiTexCoord2svARB; alias fn_glMultiTexCoord2xOES = extern(C) void function(GLenum texture, GLfixed s, GLfixed t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultiTexCoord2xOES glMultiTexCoord2xOES; alias fn_glMultiTexCoord2xvOES = extern(C) void function(GLenum texture, const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultiTexCoord2xvOES glMultiTexCoord2xvOES; alias fn_glMultiTexCoord3bOES = extern(C) void function(GLenum texture, GLbyte s, GLbyte t, GLbyte r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glMultiTexCoord3bOES glMultiTexCoord3bOES; alias fn_glMultiTexCoord3bvOES = extern(C) void function(GLenum texture, const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glMultiTexCoord3bvOES glMultiTexCoord3bvOES; alias fn_glMultiTexCoord3dARB = extern(C) void function(GLenum target, GLdouble s, GLdouble t, GLdouble r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord3dARB glMultiTexCoord3dARB; alias fn_glMultiTexCoord3dvARB = extern(C) void function(GLenum target, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord3dvARB glMultiTexCoord3dvARB; alias fn_glMultiTexCoord3fARB = extern(C) void function(GLenum target, GLfloat s, GLfloat t, GLfloat r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord3fARB glMultiTexCoord3fARB; alias fn_glMultiTexCoord3fvARB = extern(C) void function(GLenum target, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord3fvARB glMultiTexCoord3fvARB; alias fn_glMultiTexCoord3hNV = extern(C) void function(GLenum target, GLhalfNV s, GLhalfNV t, GLhalfNV r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glMultiTexCoord3hNV glMultiTexCoord3hNV; alias fn_glMultiTexCoord3hvNV = extern(C) void function(GLenum target, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glMultiTexCoord3hvNV glMultiTexCoord3hvNV; alias fn_glMultiTexCoord3iARB = extern(C) void function(GLenum target, GLint s, GLint t, GLint r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord3iARB glMultiTexCoord3iARB; alias fn_glMultiTexCoord3ivARB = extern(C) void function(GLenum target, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord3ivARB glMultiTexCoord3ivARB; alias fn_glMultiTexCoord3sARB = extern(C) void function(GLenum target, GLshort s, GLshort t, GLshort r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord3sARB glMultiTexCoord3sARB; alias fn_glMultiTexCoord3svARB = extern(C) void function(GLenum target, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord3svARB glMultiTexCoord3svARB; alias fn_glMultiTexCoord3xOES = extern(C) void function(GLenum texture, GLfixed s, GLfixed t, GLfixed r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultiTexCoord3xOES glMultiTexCoord3xOES; alias fn_glMultiTexCoord3xvOES = extern(C) void function(GLenum texture, const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultiTexCoord3xvOES glMultiTexCoord3xvOES; alias fn_glMultiTexCoord4bOES = extern(C) void function(GLenum texture, GLbyte s, GLbyte t, GLbyte r, GLbyte q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glMultiTexCoord4bOES glMultiTexCoord4bOES; alias fn_glMultiTexCoord4bvOES = extern(C) void function(GLenum texture, const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glMultiTexCoord4bvOES glMultiTexCoord4bvOES; alias fn_glMultiTexCoord4dARB = extern(C) void function(GLenum target, GLdouble s, GLdouble t, GLdouble r, GLdouble q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord4dARB glMultiTexCoord4dARB; alias fn_glMultiTexCoord4dvARB = extern(C) void function(GLenum target, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord4dvARB glMultiTexCoord4dvARB; alias fn_glMultiTexCoord4fARB = extern(C) void function(GLenum target, GLfloat s, GLfloat t, GLfloat r, GLfloat q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord4fARB glMultiTexCoord4fARB; alias fn_glMultiTexCoord4fvARB = extern(C) void function(GLenum target, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord4fvARB glMultiTexCoord4fvARB; alias fn_glMultiTexCoord4hNV = extern(C) void function(GLenum target, GLhalfNV s, GLhalfNV t, GLhalfNV r, GLhalfNV q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glMultiTexCoord4hNV glMultiTexCoord4hNV; alias fn_glMultiTexCoord4hvNV = extern(C) void function(GLenum target, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glMultiTexCoord4hvNV glMultiTexCoord4hvNV; alias fn_glMultiTexCoord4iARB = extern(C) void function(GLenum target, GLint s, GLint t, GLint r, GLint q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord4iARB glMultiTexCoord4iARB; alias fn_glMultiTexCoord4ivARB = extern(C) void function(GLenum target, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord4ivARB glMultiTexCoord4ivARB; alias fn_glMultiTexCoord4sARB = extern(C) void function(GLenum target, GLshort s, GLshort t, GLshort r, GLshort q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord4sARB glMultiTexCoord4sARB; alias fn_glMultiTexCoord4svARB = extern(C) void function(GLenum target, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multitexture") fn_glMultiTexCoord4svARB glMultiTexCoord4svARB; alias fn_glMultiTexCoord4x = extern(C) void function(GLenum texture, GLfixed s, GLfixed t, GLfixed r, GLfixed q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glMultiTexCoord4x glMultiTexCoord4x; alias fn_glMultiTexCoord4xOES = extern(C) void function(GLenum texture, GLfixed s, GLfixed t, GLfixed r, GLfixed q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultiTexCoord4xOES glMultiTexCoord4xOES; alias fn_glMultiTexCoord4xvOES = extern(C) void function(GLenum texture, const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glMultiTexCoord4xvOES glMultiTexCoord4xvOES; alias fn_glMultiTexCoordP1ui = extern(C) void function(GLenum texture, GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glMultiTexCoordP1ui glMultiTexCoordP1ui; alias fn_glMultiTexCoordP1uiv = extern(C) void function(GLenum texture, GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glMultiTexCoordP1uiv glMultiTexCoordP1uiv; alias fn_glMultiTexCoordP2ui = extern(C) void function(GLenum texture, GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glMultiTexCoordP2ui glMultiTexCoordP2ui; alias fn_glMultiTexCoordP2uiv = extern(C) void function(GLenum texture, GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glMultiTexCoordP2uiv glMultiTexCoordP2uiv; alias fn_glMultiTexCoordP3ui = extern(C) void function(GLenum texture, GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glMultiTexCoordP3ui glMultiTexCoordP3ui; alias fn_glMultiTexCoordP3uiv = extern(C) void function(GLenum texture, GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glMultiTexCoordP3uiv glMultiTexCoordP3uiv; alias fn_glMultiTexCoordP4ui = extern(C) void function(GLenum texture, GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glMultiTexCoordP4ui glMultiTexCoordP4ui; alias fn_glMultiTexCoordP4uiv = extern(C) void function(GLenum texture, GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glMultiTexCoordP4uiv glMultiTexCoordP4uiv; alias fn_glMultiTexCoordPointerEXT = extern(C) void function(GLenum texunit, GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexCoordPointerEXT glMultiTexCoordPointerEXT; alias fn_glMultiTexEnvfEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexEnvfEXT glMultiTexEnvfEXT; alias fn_glMultiTexEnvfvEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexEnvfvEXT glMultiTexEnvfvEXT; alias fn_glMultiTexEnviEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexEnviEXT glMultiTexEnviEXT; alias fn_glMultiTexEnvivEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexEnvivEXT glMultiTexEnvivEXT; alias fn_glMultiTexGendEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, GLdouble param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexGendEXT glMultiTexGendEXT; alias fn_glMultiTexGendvEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, const GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexGendvEXT glMultiTexGendvEXT; alias fn_glMultiTexGenfEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexGenfEXT glMultiTexGenfEXT; alias fn_glMultiTexGenfvEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexGenfvEXT glMultiTexGenfvEXT; alias fn_glMultiTexGeniEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexGeniEXT glMultiTexGeniEXT; alias fn_glMultiTexGenivEXT = extern(C) void function(GLenum texunit, GLenum coord, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexGenivEXT glMultiTexGenivEXT; alias fn_glMultiTexImage1DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint internalformat, GLsizei width, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexImage1DEXT glMultiTexImage1DEXT; alias fn_glMultiTexImage2DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexImage2DEXT glMultiTexImage2DEXT; alias fn_glMultiTexImage3DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexImage3DEXT glMultiTexImage3DEXT; alias fn_glMultiTexParameterIivEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexParameterIivEXT glMultiTexParameterIivEXT; alias fn_glMultiTexParameterIuivEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexParameterIuivEXT glMultiTexParameterIuivEXT; alias fn_glMultiTexParameterfEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexParameterfEXT glMultiTexParameterfEXT; alias fn_glMultiTexParameterfvEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexParameterfvEXT glMultiTexParameterfvEXT; alias fn_glMultiTexParameteriEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexParameteriEXT glMultiTexParameteriEXT; alias fn_glMultiTexParameterivEXT = extern(C) void function(GLenum texunit, GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexParameterivEXT glMultiTexParameterivEXT; alias fn_glMultiTexRenderbufferEXT = extern(C) void function(GLenum texunit, GLenum target, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexRenderbufferEXT glMultiTexRenderbufferEXT; alias fn_glMultiTexSubImage1DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexSubImage1DEXT glMultiTexSubImage1DEXT; alias fn_glMultiTexSubImage2DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexSubImage2DEXT glMultiTexSubImage2DEXT; alias fn_glMultiTexSubImage3DEXT = extern(C) void function(GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glMultiTexSubImage3DEXT glMultiTexSubImage3DEXT; alias fn_glNamedBufferData = extern(C) void function(GLuint buffer, GLsizeiptr size, const void* data, GLenum usage) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedBufferData glNamedBufferData; alias fn_glNamedBufferDataEXT = extern(C) void function(GLuint buffer, GLsizeiptr size, const void* data, GLenum usage) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedBufferDataEXT glNamedBufferDataEXT; alias fn_glNamedBufferPageCommitmentARB = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr size, GLboolean commit) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_sparse_buffer") fn_glNamedBufferPageCommitmentARB glNamedBufferPageCommitmentARB; alias fn_glNamedBufferPageCommitmentEXT = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr size, GLboolean commit) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_sparse_buffer") fn_glNamedBufferPageCommitmentEXT glNamedBufferPageCommitmentEXT; alias fn_glNamedBufferStorage = extern(C) void function(GLuint buffer, GLsizeiptr size, const void* data, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedBufferStorage glNamedBufferStorage; alias fn_glNamedBufferStorageEXT = extern(C) void function(GLuint buffer, GLsizeiptr size, const void* data, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedBufferStorageEXT glNamedBufferStorageEXT; alias fn_glNamedBufferSubData = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr size, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedBufferSubData glNamedBufferSubData; alias fn_glNamedBufferSubDataEXT = extern(C) void function(GLuint buffer, GLintptr offset, GLsizeiptr size, const void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedBufferSubDataEXT glNamedBufferSubDataEXT; alias fn_glNamedCopyBufferSubDataEXT = extern(C) void function(GLuint readBuffer, GLuint writeBuffer, GLintptr readOffset, GLintptr writeOffset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedCopyBufferSubDataEXT glNamedCopyBufferSubDataEXT; alias fn_glNamedFramebufferDrawBuffer = extern(C) void function(GLuint framebuffer, GLenum buf) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedFramebufferDrawBuffer glNamedFramebufferDrawBuffer; alias fn_glNamedFramebufferDrawBuffers = extern(C) void function(GLuint framebuffer, GLsizei n, const GLenum* bufs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedFramebufferDrawBuffers glNamedFramebufferDrawBuffers; alias fn_glNamedFramebufferParameteri = extern(C) void function(GLuint framebuffer, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedFramebufferParameteri glNamedFramebufferParameteri; alias fn_glNamedFramebufferParameteriEXT = extern(C) void function(GLuint framebuffer, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedFramebufferParameteriEXT glNamedFramebufferParameteriEXT; alias fn_glNamedFramebufferReadBuffer = extern(C) void function(GLuint framebuffer, GLenum src) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedFramebufferReadBuffer glNamedFramebufferReadBuffer; alias fn_glNamedFramebufferRenderbuffer = extern(C) void function(GLuint framebuffer, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedFramebufferRenderbuffer glNamedFramebufferRenderbuffer; alias fn_glNamedFramebufferRenderbufferEXT = extern(C) void function(GLuint framebuffer, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedFramebufferRenderbufferEXT glNamedFramebufferRenderbufferEXT; alias fn_glNamedFramebufferSampleLocationsfvARB = extern(C) void function(GLuint framebuffer, GLuint start, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_sample_locations") fn_glNamedFramebufferSampleLocationsfvARB glNamedFramebufferSampleLocationsfvARB; alias fn_glNamedFramebufferSampleLocationsfvNV = extern(C) void function(GLuint framebuffer, GLuint start, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_sample_locations") fn_glNamedFramebufferSampleLocationsfvNV glNamedFramebufferSampleLocationsfvNV; alias fn_glNamedFramebufferTexture = extern(C) void function(GLuint framebuffer, GLenum attachment, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedFramebufferTexture glNamedFramebufferTexture; alias fn_glNamedFramebufferTexture1DEXT = extern(C) void function(GLuint framebuffer, GLenum attachment, GLenum textarget, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedFramebufferTexture1DEXT glNamedFramebufferTexture1DEXT; alias fn_glNamedFramebufferTexture2DEXT = extern(C) void function(GLuint framebuffer, GLenum attachment, GLenum textarget, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedFramebufferTexture2DEXT glNamedFramebufferTexture2DEXT; alias fn_glNamedFramebufferTexture3DEXT = extern(C) void function(GLuint framebuffer, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLint zoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedFramebufferTexture3DEXT glNamedFramebufferTexture3DEXT; alias fn_glNamedFramebufferTextureEXT = extern(C) void function(GLuint framebuffer, GLenum attachment, GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedFramebufferTextureEXT glNamedFramebufferTextureEXT; alias fn_glNamedFramebufferTextureFaceEXT = extern(C) void function(GLuint framebuffer, GLenum attachment, GLuint texture, GLint level, GLenum face) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedFramebufferTextureFaceEXT glNamedFramebufferTextureFaceEXT; alias fn_glNamedFramebufferTextureLayer = extern(C) void function(GLuint framebuffer, GLenum attachment, GLuint texture, GLint level, GLint layer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedFramebufferTextureLayer glNamedFramebufferTextureLayer; alias fn_glNamedFramebufferTextureLayerEXT = extern(C) void function(GLuint framebuffer, GLenum attachment, GLuint texture, GLint level, GLint layer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedFramebufferTextureLayerEXT glNamedFramebufferTextureLayerEXT; alias fn_glNamedProgramLocalParameter4dEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameter4dEXT glNamedProgramLocalParameter4dEXT; alias fn_glNamedProgramLocalParameter4dvEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, const GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameter4dvEXT glNamedProgramLocalParameter4dvEXT; alias fn_glNamedProgramLocalParameter4fEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameter4fEXT glNamedProgramLocalParameter4fEXT; alias fn_glNamedProgramLocalParameter4fvEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameter4fvEXT glNamedProgramLocalParameter4fvEXT; alias fn_glNamedProgramLocalParameterI4iEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLint x, GLint y, GLint z, GLint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameterI4iEXT glNamedProgramLocalParameterI4iEXT; alias fn_glNamedProgramLocalParameterI4ivEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameterI4ivEXT glNamedProgramLocalParameterI4ivEXT; alias fn_glNamedProgramLocalParameterI4uiEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLuint x, GLuint y, GLuint z, GLuint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameterI4uiEXT glNamedProgramLocalParameterI4uiEXT; alias fn_glNamedProgramLocalParameterI4uivEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameterI4uivEXT glNamedProgramLocalParameterI4uivEXT; alias fn_glNamedProgramLocalParameters4fvEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLsizei count, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParameters4fvEXT glNamedProgramLocalParameters4fvEXT; alias fn_glNamedProgramLocalParametersI4ivEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLsizei count, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParametersI4ivEXT glNamedProgramLocalParametersI4ivEXT; alias fn_glNamedProgramLocalParametersI4uivEXT = extern(C) void function(GLuint program, GLenum target, GLuint index, GLsizei count, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramLocalParametersI4uivEXT glNamedProgramLocalParametersI4uivEXT; alias fn_glNamedProgramStringEXT = extern(C) void function(GLuint program, GLenum target, GLenum format, GLsizei len, const void* string) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedProgramStringEXT glNamedProgramStringEXT; alias fn_glNamedRenderbufferStorage = extern(C) void function(GLuint renderbuffer, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedRenderbufferStorage glNamedRenderbufferStorage; alias fn_glNamedRenderbufferStorageEXT = extern(C) void function(GLuint renderbuffer, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedRenderbufferStorageEXT glNamedRenderbufferStorageEXT; alias fn_glNamedRenderbufferStorageMultisample = extern(C) void function(GLuint renderbuffer, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glNamedRenderbufferStorageMultisample glNamedRenderbufferStorageMultisample; alias fn_glNamedRenderbufferStorageMultisampleCoverageEXT = extern(C) void function(GLuint renderbuffer, GLsizei coverageSamples, GLsizei colorSamples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedRenderbufferStorageMultisampleCoverageEXT glNamedRenderbufferStorageMultisampleCoverageEXT; alias fn_glNamedRenderbufferStorageMultisampleEXT = extern(C) void function(GLuint renderbuffer, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glNamedRenderbufferStorageMultisampleEXT glNamedRenderbufferStorageMultisampleEXT; alias fn_glNamedStringARB = extern(C) void function(GLenum type, GLint namelen, const GLchar* name, GLint stringlen, const GLchar* string) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shading_language_include") fn_glNamedStringARB glNamedStringARB; alias fn_glNewList = extern(C) void function(GLuint list, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNewList glNewList; alias fn_glNewObjectBufferATI = extern(C) GLuint function(GLsizei size, const void* pointer, GLenum usage) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glNewObjectBufferATI glNewObjectBufferATI; alias fn_glNormal3b = extern(C) void function(GLbyte nx, GLbyte ny, GLbyte nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3b glNormal3b; alias fn_glNormal3bv = extern(C) void function(const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3bv glNormal3bv; alias fn_glNormal3d = extern(C) void function(GLdouble nx, GLdouble ny, GLdouble nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3d glNormal3d; alias fn_glNormal3dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3dv glNormal3dv; alias fn_glNormal3f = extern(C) void function(GLfloat nx, GLfloat ny, GLfloat nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3f glNormal3f; alias fn_glNormal3fVertex3fSUN = extern(C) void function(GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glNormal3fVertex3fSUN glNormal3fVertex3fSUN; alias fn_glNormal3fVertex3fvSUN = extern(C) void function(const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glNormal3fVertex3fvSUN glNormal3fVertex3fvSUN; alias fn_glNormal3fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3fv glNormal3fv; alias fn_glNormal3hNV = extern(C) void function(GLhalfNV nx, GLhalfNV ny, GLhalfNV nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glNormal3hNV glNormal3hNV; alias fn_glNormal3hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glNormal3hvNV glNormal3hvNV; alias fn_glNormal3i = extern(C) void function(GLint nx, GLint ny, GLint nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3i glNormal3i; alias fn_glNormal3iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3iv glNormal3iv; alias fn_glNormal3s = extern(C) void function(GLshort nx, GLshort ny, GLshort nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3s glNormal3s; alias fn_glNormal3sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glNormal3sv glNormal3sv; alias fn_glNormal3x = extern(C) void function(GLfixed nx, GLfixed ny, GLfixed nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glNormal3x glNormal3x; alias fn_glNormal3xOES = extern(C) void function(GLfixed nx, GLfixed ny, GLfixed nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glNormal3xOES glNormal3xOES; alias fn_glNormal3xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glNormal3xvOES glNormal3xvOES; alias fn_glNormalFormatNV = extern(C) void function(GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glNormalFormatNV glNormalFormatNV; alias fn_glNormalP3ui = extern(C) void function(GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glNormalP3ui glNormalP3ui; alias fn_glNormalP3uiv = extern(C) void function(GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glNormalP3uiv glNormalP3uiv; alias fn_glNormalPointer = extern(C) void function(GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glNormalPointer glNormalPointer; alias fn_glNormalPointerEXT = extern(C) void function(GLenum type, GLsizei stride, GLsizei count, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glNormalPointerEXT glNormalPointerEXT; alias fn_glNormalPointerListIBM = extern(C) void function(GLenum type, GLint stride, const void** pointer, GLint ptrstride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_vertex_array_lists") fn_glNormalPointerListIBM glNormalPointerListIBM; alias fn_glNormalPointervINTEL = extern(C) void function(GLenum type, const void** pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_parallel_arrays") fn_glNormalPointervINTEL glNormalPointervINTEL; alias fn_glNormalStream3bATI = extern(C) void function(GLenum stream, GLbyte nx, GLbyte ny, GLbyte nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3bATI glNormalStream3bATI; alias fn_glNormalStream3bvATI = extern(C) void function(GLenum stream, const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3bvATI glNormalStream3bvATI; alias fn_glNormalStream3dATI = extern(C) void function(GLenum stream, GLdouble nx, GLdouble ny, GLdouble nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3dATI glNormalStream3dATI; alias fn_glNormalStream3dvATI = extern(C) void function(GLenum stream, const GLdouble* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3dvATI glNormalStream3dvATI; alias fn_glNormalStream3fATI = extern(C) void function(GLenum stream, GLfloat nx, GLfloat ny, GLfloat nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3fATI glNormalStream3fATI; alias fn_glNormalStream3fvATI = extern(C) void function(GLenum stream, const GLfloat* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3fvATI glNormalStream3fvATI; alias fn_glNormalStream3iATI = extern(C) void function(GLenum stream, GLint nx, GLint ny, GLint nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3iATI glNormalStream3iATI; alias fn_glNormalStream3ivATI = extern(C) void function(GLenum stream, const GLint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3ivATI glNormalStream3ivATI; alias fn_glNormalStream3sATI = extern(C) void function(GLenum stream, GLshort nx, GLshort ny, GLshort nz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3sATI glNormalStream3sATI; alias fn_glNormalStream3svATI = extern(C) void function(GLenum stream, const GLshort* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glNormalStream3svATI glNormalStream3svATI; alias fn_glObjectLabel = extern(C) void function(GLenum identifier, GLuint name, GLsizei length, const GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glObjectLabel glObjectLabel; alias fn_glObjectLabelKHR = extern(C) void function(GLenum identifier, GLuint name, GLsizei length, const GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glObjectLabelKHR glObjectLabelKHR; alias fn_glObjectPtrLabel = extern(C) void function(const void* ptr, GLsizei length, const GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glObjectPtrLabel glObjectPtrLabel; alias fn_glObjectPtrLabelKHR = extern(C) void function(const void* ptr, GLsizei length, const GLchar* label) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glObjectPtrLabelKHR glObjectPtrLabelKHR; alias fn_glObjectPurgeableAPPLE = extern(C) GLenum function(GLenum objectType, GLuint name, GLenum option) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_object_purgeable") fn_glObjectPurgeableAPPLE glObjectPurgeableAPPLE; alias fn_glObjectUnpurgeableAPPLE = extern(C) GLenum function(GLenum objectType, GLuint name, GLenum option) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_object_purgeable") fn_glObjectUnpurgeableAPPLE glObjectUnpurgeableAPPLE; alias fn_glOrtho = extern(C) void function(GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glOrtho glOrtho; alias fn_glOrthof = extern(C) void function(GLfloat l, GLfloat r, GLfloat b, GLfloat t, GLfloat n, GLfloat f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glOrthof glOrthof; alias fn_glOrthofOES = extern(C) void function(GLfloat l, GLfloat r, GLfloat b, GLfloat t, GLfloat n, GLfloat f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_single_precision") fn_glOrthofOES glOrthofOES; alias fn_glOrthox = extern(C) void function(GLfixed l, GLfixed r, GLfixed b, GLfixed t, GLfixed n, GLfixed f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glOrthox glOrthox; alias fn_glOrthoxOES = extern(C) void function(GLfixed l, GLfixed r, GLfixed b, GLfixed t, GLfixed n, GLfixed f) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glOrthoxOES glOrthoxOES; alias fn_glPNTrianglesfATI = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_pn_triangles") fn_glPNTrianglesfATI glPNTrianglesfATI; alias fn_glPNTrianglesiATI = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_pn_triangles") fn_glPNTrianglesiATI glPNTrianglesiATI; alias fn_glPassTexCoordATI = extern(C) void function(GLuint dst, GLuint coord, GLenum swizzle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glPassTexCoordATI glPassTexCoordATI; alias fn_glPassThrough = extern(C) void function(GLfloat token) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPassThrough glPassThrough; alias fn_glPassThroughxOES = extern(C) void function(GLfixed token) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPassThroughxOES glPassThroughxOES; alias fn_glPatchParameterfv = extern(C) void function(GLenum pname, const GLfloat* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_tessellation_shader") fn_glPatchParameterfv glPatchParameterfv; alias fn_glPatchParameteri = extern(C) void function(GLenum pname, GLint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_tessellation_shader") fn_glPatchParameteri glPatchParameteri; alias fn_glPatchParameteriEXT = extern(C) void function(GLenum pname, GLint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_tessellation_shader") fn_glPatchParameteriEXT glPatchParameteriEXT; alias fn_glPatchParameteriOES = extern(C) void function(GLenum pname, GLint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_tessellation_shader") fn_glPatchParameteriOES glPatchParameteriOES; alias fn_glPathColorGenNV = extern(C) void function(GLenum color, GLenum genMode, GLenum colorFormat, const GLfloat* coeffs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathColorGenNV glPathColorGenNV; alias fn_glPathCommandsNV = extern(C) void function(GLuint path, GLsizei numCommands, const(GLubyte)* commands, GLsizei numCoords, GLenum coordType, const void* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathCommandsNV glPathCommandsNV; alias fn_glPathCoordsNV = extern(C) void function(GLuint path, GLsizei numCoords, GLenum coordType, const void* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathCoordsNV glPathCoordsNV; alias fn_glPathCoverDepthFuncNV = extern(C) void function(GLenum func) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathCoverDepthFuncNV glPathCoverDepthFuncNV; alias fn_glPathDashArrayNV = extern(C) void function(GLuint path, GLsizei dashCount, const GLfloat* dashArray) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathDashArrayNV glPathDashArrayNV; alias fn_glPathFogGenNV = extern(C) void function(GLenum genMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathFogGenNV glPathFogGenNV; alias fn_glPathGlyphIndexArrayNV = extern(C) GLenum function(GLuint firstPathName, GLenum fontTarget, const void* fontName, GLbitfield fontStyle, GLuint firstGlyphIndex, GLsizei numGlyphs, GLuint pathParameterTemplate, GLfloat emScale) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathGlyphIndexArrayNV glPathGlyphIndexArrayNV; alias fn_glPathGlyphIndexRangeNV = extern(C) GLenum function(GLenum fontTarget, const void* fontName, GLbitfield fontStyle, GLuint pathParameterTemplate, GLfloat emScale, GLuint baseAndCount) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathGlyphIndexRangeNV glPathGlyphIndexRangeNV; alias fn_glPathGlyphRangeNV = extern(C) void function(GLuint firstPathName, GLenum fontTarget, const void* fontName, GLbitfield fontStyle, GLuint firstGlyph, GLsizei numGlyphs, GLenum handleMissingGlyphs, GLuint pathParameterTemplate, GLfloat emScale) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathGlyphRangeNV glPathGlyphRangeNV; alias fn_glPathGlyphsNV = extern(C) void function(GLuint firstPathName, GLenum fontTarget, const void* fontName, GLbitfield fontStyle, GLsizei numGlyphs, GLenum type, const void* charcodes, GLenum handleMissingGlyphs, GLuint pathParameterTemplate, GLfloat emScale) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathGlyphsNV glPathGlyphsNV; alias fn_glPathMemoryGlyphIndexArrayNV = extern(C) GLenum function(GLuint firstPathName, GLenum fontTarget, GLsizeiptr fontSize, const void* fontData, GLsizei faceIndex, GLuint firstGlyphIndex, GLsizei numGlyphs, GLuint pathParameterTemplate, GLfloat emScale) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathMemoryGlyphIndexArrayNV glPathMemoryGlyphIndexArrayNV; alias fn_glPathParameterfNV = extern(C) void function(GLuint path, GLenum pname, GLfloat value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathParameterfNV glPathParameterfNV; alias fn_glPathParameterfvNV = extern(C) void function(GLuint path, GLenum pname, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathParameterfvNV glPathParameterfvNV; alias fn_glPathParameteriNV = extern(C) void function(GLuint path, GLenum pname, GLint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathParameteriNV glPathParameteriNV; alias fn_glPathParameterivNV = extern(C) void function(GLuint path, GLenum pname, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathParameterivNV glPathParameterivNV; alias fn_glPathStencilDepthOffsetNV = extern(C) void function(GLfloat factor, GLfloat units) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathStencilDepthOffsetNV glPathStencilDepthOffsetNV; alias fn_glPathStencilFuncNV = extern(C) void function(GLenum func, GLint ref_, GLuint mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathStencilFuncNV glPathStencilFuncNV; alias fn_glPathStringNV = extern(C) void function(GLuint path, GLenum format, GLsizei length, const void* pathString) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathStringNV glPathStringNV; alias fn_glPathSubCommandsNV = extern(C) void function(GLuint path, GLsizei commandStart, GLsizei commandsToDelete, GLsizei numCommands, const(GLubyte)* commands, GLsizei numCoords, GLenum coordType, const void* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathSubCommandsNV glPathSubCommandsNV; alias fn_glPathSubCoordsNV = extern(C) void function(GLuint path, GLsizei coordStart, GLsizei numCoords, GLenum coordType, const void* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathSubCoordsNV glPathSubCoordsNV; alias fn_glPathTexGenNV = extern(C) void function(GLenum texCoordSet, GLenum genMode, GLint components, const GLfloat* coeffs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPathTexGenNV glPathTexGenNV; alias fn_glPauseTransformFeedback = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback2") fn_glPauseTransformFeedback glPauseTransformFeedback; alias fn_glPauseTransformFeedbackNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback2") fn_glPauseTransformFeedbackNV glPauseTransformFeedbackNV; alias fn_glPixelDataRangeNV = extern(C) void function(GLenum target, GLsizei length, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_pixel_data_range") fn_glPixelDataRangeNV glPixelDataRangeNV; alias fn_glPixelMapfv = extern(C) void function(GLenum map, GLsizei mapsize, const GLfloat* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPixelMapfv glPixelMapfv; alias fn_glPixelMapuiv = extern(C) void function(GLenum map, GLsizei mapsize, const GLuint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPixelMapuiv glPixelMapuiv; alias fn_glPixelMapusv = extern(C) void function(GLenum map, GLsizei mapsize, const GLushort* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPixelMapusv glPixelMapusv; alias fn_glPixelMapx = extern(C) void function(GLenum map, GLint size, const GLfixed* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPixelMapx glPixelMapx; alias fn_glPixelStorex = extern(C) void function(GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPixelStorex glPixelStorex; alias fn_glPixelTexGenParameterfSGIS = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_pixel_texture") fn_glPixelTexGenParameterfSGIS glPixelTexGenParameterfSGIS; alias fn_glPixelTexGenParameterfvSGIS = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_pixel_texture") fn_glPixelTexGenParameterfvSGIS glPixelTexGenParameterfvSGIS; alias fn_glPixelTexGenParameteriSGIS = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_pixel_texture") fn_glPixelTexGenParameteriSGIS glPixelTexGenParameteriSGIS; alias fn_glPixelTexGenParameterivSGIS = extern(C) void function(GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_pixel_texture") fn_glPixelTexGenParameterivSGIS glPixelTexGenParameterivSGIS; alias fn_glPixelTexGenSGIX = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_pixel_texture") fn_glPixelTexGenSGIX glPixelTexGenSGIX; alias fn_glPixelTransferf = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPixelTransferf glPixelTransferf; alias fn_glPixelTransferi = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPixelTransferi glPixelTransferi; alias fn_glPixelTransferxOES = extern(C) void function(GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPixelTransferxOES glPixelTransferxOES; alias fn_glPixelTransformParameterfEXT = extern(C) void function(GLenum target, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_pixel_transform") fn_glPixelTransformParameterfEXT glPixelTransformParameterfEXT; alias fn_glPixelTransformParameterfvEXT = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_pixel_transform") fn_glPixelTransformParameterfvEXT glPixelTransformParameterfvEXT; alias fn_glPixelTransformParameteriEXT = extern(C) void function(GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_pixel_transform") fn_glPixelTransformParameteriEXT glPixelTransformParameteriEXT; alias fn_glPixelTransformParameterivEXT = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_pixel_transform") fn_glPixelTransformParameterivEXT glPixelTransformParameterivEXT; alias fn_glPixelZoom = extern(C) void function(GLfloat xfactor, GLfloat yfactor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPixelZoom glPixelZoom; alias fn_glPixelZoomxOES = extern(C) void function(GLfixed xfactor, GLfixed yfactor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPixelZoomxOES glPixelZoomxOES; alias fn_glPointAlongPathNV = extern(C) GLboolean function(GLuint path, GLsizei startSegment, GLsizei numSegments, GLfloat distance, GLfloat* x, GLfloat* y, GLfloat* tangentX, GLfloat* tangentY) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glPointAlongPathNV glPointAlongPathNV; alias fn_glPointParameterfARB = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_point_parameters") fn_glPointParameterfARB glPointParameterfARB; alias fn_glPointParameterfEXT = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_point_parameters") fn_glPointParameterfEXT glPointParameterfEXT; alias fn_glPointParameterfSGIS = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_point_parameters") fn_glPointParameterfSGIS glPointParameterfSGIS; alias fn_glPointParameterfvARB = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_point_parameters") fn_glPointParameterfvARB glPointParameterfvARB; alias fn_glPointParameterfvEXT = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_point_parameters") fn_glPointParameterfvEXT glPointParameterfvEXT; alias fn_glPointParameterfvSGIS = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_point_parameters") fn_glPointParameterfvSGIS glPointParameterfvSGIS; alias fn_glPointParameteriNV = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_point_sprite") fn_glPointParameteriNV glPointParameteriNV; alias fn_glPointParameterivNV = extern(C) void function(GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_point_sprite") fn_glPointParameterivNV glPointParameterivNV; alias fn_glPointParameterx = extern(C) void function(GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glPointParameterx glPointParameterx; alias fn_glPointParameterxOES = extern(C) void function(GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPointParameterxOES glPointParameterxOES; alias fn_glPointParameterxv = extern(C) void function(GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glPointParameterxv glPointParameterxv; alias fn_glPointParameterxvOES = extern(C) void function(GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPointParameterxvOES glPointParameterxvOES; alias fn_glPointSizePointerOES = extern(C) void function(GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_point_size_array") fn_glPointSizePointerOES glPointSizePointerOES; alias fn_glPointSizex = extern(C) void function(GLfixed size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glPointSizex glPointSizex; alias fn_glPointSizexOES = extern(C) void function(GLfixed size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPointSizexOES glPointSizexOES; alias fn_glPollAsyncSGIX = extern(C) GLint function(GLuint* markerp) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_async") fn_glPollAsyncSGIX glPollAsyncSGIX; alias fn_glPollInstrumentsSGIX = extern(C) GLint function(GLint* marker_p) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_instruments") fn_glPollInstrumentsSGIX glPollInstrumentsSGIX; alias fn_glPolygonModeNV = extern(C) void function(GLenum face, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_polygon_mode") fn_glPolygonModeNV glPolygonModeNV; alias fn_glPolygonOffsetClampEXT = extern(C) void function(GLfloat factor, GLfloat units, GLfloat clamp) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_polygon_offset_clamp") fn_glPolygonOffsetClampEXT glPolygonOffsetClampEXT; alias fn_glPolygonOffsetEXT = extern(C) void function(GLfloat factor, GLfloat bias) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_polygon_offset") fn_glPolygonOffsetEXT glPolygonOffsetEXT; alias fn_glPolygonOffsetx = extern(C) void function(GLfixed factor, GLfixed units) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glPolygonOffsetx glPolygonOffsetx; alias fn_glPolygonOffsetxOES = extern(C) void function(GLfixed factor, GLfixed units) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPolygonOffsetxOES glPolygonOffsetxOES; alias fn_glPolygonStipple = extern(C) void function(const(GLubyte)* mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPolygonStipple glPolygonStipple; alias fn_glPopAttrib = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPopAttrib glPopAttrib; alias fn_glPopClientAttrib = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glPopClientAttrib glPopClientAttrib; alias fn_glPopDebugGroup = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glPopDebugGroup glPopDebugGroup; alias fn_glPopDebugGroupKHR = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glPopDebugGroupKHR glPopDebugGroupKHR; alias fn_glPopGroupMarkerEXT = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_debug_marker") fn_glPopGroupMarkerEXT glPopGroupMarkerEXT; alias fn_glPopMatrix = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPopMatrix glPopMatrix; alias fn_glPopName = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPopName glPopName; alias fn_glPresentFrameDualFillNV = extern(C) void function(GLuint video_slot, GLuint64EXT minPresentTime, GLuint beginPresentTimeId, GLuint presentDurationId, GLenum type, GLenum target0, GLuint fill0, GLenum target1, GLuint fill1, GLenum target2, GLuint fill2, GLenum target3, GLuint fill3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_present_video") fn_glPresentFrameDualFillNV glPresentFrameDualFillNV; alias fn_glPresentFrameKeyedNV = extern(C) void function(GLuint video_slot, GLuint64EXT minPresentTime, GLuint beginPresentTimeId, GLuint presentDurationId, GLenum type, GLenum target0, GLuint fill0, GLuint key0, GLenum target1, GLuint fill1, GLuint key1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_present_video") fn_glPresentFrameKeyedNV glPresentFrameKeyedNV; alias fn_glPrimitiveBoundingBox = extern(C) void function(GLfloat minX, GLfloat minY, GLfloat minZ, GLfloat minW, GLfloat maxX, GLfloat maxY, GLfloat maxZ, GLfloat maxW) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glPrimitiveBoundingBox glPrimitiveBoundingBox; alias fn_glPrimitiveBoundingBoxARB = extern(C) void function(GLfloat minX, GLfloat minY, GLfloat minZ, GLfloat minW, GLfloat maxX, GLfloat maxY, GLfloat maxZ, GLfloat maxW) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_ES3_2_compatibility") fn_glPrimitiveBoundingBoxARB glPrimitiveBoundingBoxARB; alias fn_glPrimitiveBoundingBoxEXT = extern(C) void function(GLfloat minX, GLfloat minY, GLfloat minZ, GLfloat minW, GLfloat maxX, GLfloat maxY, GLfloat maxZ, GLfloat maxW) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_primitive_bounding_box") fn_glPrimitiveBoundingBoxEXT glPrimitiveBoundingBoxEXT; alias fn_glPrimitiveBoundingBoxOES = extern(C) void function(GLfloat minX, GLfloat minY, GLfloat minZ, GLfloat minW, GLfloat maxX, GLfloat maxY, GLfloat maxZ, GLfloat maxW) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_primitive_bounding_box") fn_glPrimitiveBoundingBoxOES glPrimitiveBoundingBoxOES; alias fn_glPrimitiveRestartIndexNV = extern(C) void function(GLuint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_primitive_restart") fn_glPrimitiveRestartIndexNV glPrimitiveRestartIndexNV; alias fn_glPrimitiveRestartNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_primitive_restart") fn_glPrimitiveRestartNV glPrimitiveRestartNV; alias fn_glPrioritizeTextures = extern(C) void function(GLsizei n, const GLuint* textures, const GLfloat* priorities) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glPrioritizeTextures glPrioritizeTextures; alias fn_glPrioritizeTexturesEXT = extern(C) void function(GLsizei n, const GLuint* textures, const GLclampf* priorities) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_object") fn_glPrioritizeTexturesEXT glPrioritizeTexturesEXT; alias fn_glPrioritizeTexturesxOES = extern(C) void function(GLsizei n, const GLuint* textures, const GLfixed* priorities) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glPrioritizeTexturesxOES glPrioritizeTexturesxOES; alias fn_glProgramBinary = extern(C) void function(GLuint program, GLenum binaryFormat, const void* binary, GLsizei length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_get_program_binary") fn_glProgramBinary glProgramBinary; alias fn_glProgramBinaryOES = extern(C) void function(GLuint program, GLenum binaryFormat, const void* binary, GLint length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_get_program_binary") fn_glProgramBinaryOES glProgramBinaryOES; alias fn_glProgramBufferParametersIivNV = extern(C) void function(GLenum target, GLuint bindingIndex, GLuint wordIndex, GLsizei count, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_parameter_buffer_object") fn_glProgramBufferParametersIivNV glProgramBufferParametersIivNV; alias fn_glProgramBufferParametersIuivNV = extern(C) void function(GLenum target, GLuint bindingIndex, GLuint wordIndex, GLsizei count, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_parameter_buffer_object") fn_glProgramBufferParametersIuivNV glProgramBufferParametersIuivNV; alias fn_glProgramBufferParametersfvNV = extern(C) void function(GLenum target, GLuint bindingIndex, GLuint wordIndex, GLsizei count, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_parameter_buffer_object") fn_glProgramBufferParametersfvNV glProgramBufferParametersfvNV; alias fn_glProgramEnvParameter4dARB = extern(C) void function(GLenum target, GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramEnvParameter4dARB glProgramEnvParameter4dARB; alias fn_glProgramEnvParameter4dvARB = extern(C) void function(GLenum target, GLuint index, const GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramEnvParameter4dvARB glProgramEnvParameter4dvARB; alias fn_glProgramEnvParameter4fARB = extern(C) void function(GLenum target, GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramEnvParameter4fARB glProgramEnvParameter4fARB; alias fn_glProgramEnvParameter4fvARB = extern(C) void function(GLenum target, GLuint index, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramEnvParameter4fvARB glProgramEnvParameter4fvARB; alias fn_glProgramEnvParameterI4iNV = extern(C) void function(GLenum target, GLuint index, GLint x, GLint y, GLint z, GLint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramEnvParameterI4iNV glProgramEnvParameterI4iNV; alias fn_glProgramEnvParameterI4ivNV = extern(C) void function(GLenum target, GLuint index, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramEnvParameterI4ivNV glProgramEnvParameterI4ivNV; alias fn_glProgramEnvParameterI4uiNV = extern(C) void function(GLenum target, GLuint index, GLuint x, GLuint y, GLuint z, GLuint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramEnvParameterI4uiNV glProgramEnvParameterI4uiNV; alias fn_glProgramEnvParameterI4uivNV = extern(C) void function(GLenum target, GLuint index, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramEnvParameterI4uivNV glProgramEnvParameterI4uivNV; alias fn_glProgramEnvParameters4fvEXT = extern(C) void function(GLenum target, GLuint index, GLsizei count, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_program_parameters") fn_glProgramEnvParameters4fvEXT glProgramEnvParameters4fvEXT; alias fn_glProgramEnvParametersI4ivNV = extern(C) void function(GLenum target, GLuint index, GLsizei count, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramEnvParametersI4ivNV glProgramEnvParametersI4ivNV; alias fn_glProgramEnvParametersI4uivNV = extern(C) void function(GLenum target, GLuint index, GLsizei count, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramEnvParametersI4uivNV glProgramEnvParametersI4uivNV; alias fn_glProgramLocalParameter4dARB = extern(C) void function(GLenum target, GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramLocalParameter4dARB glProgramLocalParameter4dARB; alias fn_glProgramLocalParameter4dvARB = extern(C) void function(GLenum target, GLuint index, const GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramLocalParameter4dvARB glProgramLocalParameter4dvARB; alias fn_glProgramLocalParameter4fARB = extern(C) void function(GLenum target, GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramLocalParameter4fARB glProgramLocalParameter4fARB; alias fn_glProgramLocalParameter4fvARB = extern(C) void function(GLenum target, GLuint index, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramLocalParameter4fvARB glProgramLocalParameter4fvARB; alias fn_glProgramLocalParameterI4iNV = extern(C) void function(GLenum target, GLuint index, GLint x, GLint y, GLint z, GLint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramLocalParameterI4iNV glProgramLocalParameterI4iNV; alias fn_glProgramLocalParameterI4ivNV = extern(C) void function(GLenum target, GLuint index, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramLocalParameterI4ivNV glProgramLocalParameterI4ivNV; alias fn_glProgramLocalParameterI4uiNV = extern(C) void function(GLenum target, GLuint index, GLuint x, GLuint y, GLuint z, GLuint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramLocalParameterI4uiNV glProgramLocalParameterI4uiNV; alias fn_glProgramLocalParameterI4uivNV = extern(C) void function(GLenum target, GLuint index, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramLocalParameterI4uivNV glProgramLocalParameterI4uivNV; alias fn_glProgramLocalParameters4fvEXT = extern(C) void function(GLenum target, GLuint index, GLsizei count, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_program_parameters") fn_glProgramLocalParameters4fvEXT glProgramLocalParameters4fvEXT; alias fn_glProgramLocalParametersI4ivNV = extern(C) void function(GLenum target, GLuint index, GLsizei count, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramLocalParametersI4ivNV glProgramLocalParametersI4ivNV; alias fn_glProgramLocalParametersI4uivNV = extern(C) void function(GLenum target, GLuint index, GLsizei count, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program4") fn_glProgramLocalParametersI4uivNV glProgramLocalParametersI4uivNV; alias fn_glProgramNamedParameter4dNV = extern(C) void function(GLuint id, GLsizei len, const(GLubyte)* name, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fragment_program") fn_glProgramNamedParameter4dNV glProgramNamedParameter4dNV; alias fn_glProgramNamedParameter4dvNV = extern(C) void function(GLuint id, GLsizei len, const(GLubyte)* name, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fragment_program") fn_glProgramNamedParameter4dvNV glProgramNamedParameter4dvNV; alias fn_glProgramNamedParameter4fNV = extern(C) void function(GLuint id, GLsizei len, const(GLubyte)* name, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fragment_program") fn_glProgramNamedParameter4fNV glProgramNamedParameter4fNV; alias fn_glProgramNamedParameter4fvNV = extern(C) void function(GLuint id, GLsizei len, const(GLubyte)* name, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fragment_program") fn_glProgramNamedParameter4fvNV glProgramNamedParameter4fvNV; alias fn_glProgramParameter4dNV = extern(C) void function(GLenum target, GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glProgramParameter4dNV glProgramParameter4dNV; alias fn_glProgramParameter4dvNV = extern(C) void function(GLenum target, GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glProgramParameter4dvNV glProgramParameter4dvNV; alias fn_glProgramParameter4fNV = extern(C) void function(GLenum target, GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glProgramParameter4fNV glProgramParameter4fNV; alias fn_glProgramParameter4fvNV = extern(C) void function(GLenum target, GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glProgramParameter4fvNV glProgramParameter4fvNV; alias fn_glProgramParameteri = extern(C) void function(GLuint program, GLenum pname, GLint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_get_program_binary") fn_glProgramParameteri glProgramParameteri; alias fn_glProgramParameteriARB = extern(C) void function(GLuint program, GLenum pname, GLint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_geometry_shader4") fn_glProgramParameteriARB glProgramParameteriARB; alias fn_glProgramParameteriEXT = extern(C) void function(GLuint program, GLenum pname, GLint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_geometry_shader4") fn_glProgramParameteriEXT glProgramParameteriEXT; alias fn_glProgramParameters4dvNV = extern(C) void function(GLenum target, GLuint index, GLsizei count, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glProgramParameters4dvNV glProgramParameters4dvNV; alias fn_glProgramParameters4fvNV = extern(C) void function(GLenum target, GLuint index, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glProgramParameters4fvNV glProgramParameters4fvNV; alias fn_glProgramPathFragmentInputGenNV = extern(C) void function(GLuint program, GLint location, GLenum genMode, GLint components, const GLfloat* coeffs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glProgramPathFragmentInputGenNV glProgramPathFragmentInputGenNV; alias fn_glProgramStringARB = extern(C) void function(GLenum target, GLenum format, GLsizei len, const void* string) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_fragment_program") fn_glProgramStringARB glProgramStringARB; alias fn_glProgramSubroutineParametersuivNV = extern(C) void function(GLenum target, GLsizei count, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_gpu_program5") fn_glProgramSubroutineParametersuivNV glProgramSubroutineParametersuivNV; alias fn_glProgramUniform1d = extern(C) void function(GLuint program, GLint location, GLdouble v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform1d glProgramUniform1d; alias fn_glProgramUniform1dEXT = extern(C) void function(GLuint program, GLint location, GLdouble x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform1dEXT glProgramUniform1dEXT; alias fn_glProgramUniform1dv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform1dv glProgramUniform1dv; alias fn_glProgramUniform1dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform1dvEXT glProgramUniform1dvEXT; alias fn_glProgramUniform1f = extern(C) void function(GLuint program, GLint location, GLfloat v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform1f glProgramUniform1f; alias fn_glProgramUniform1fEXT = extern(C) void function(GLuint program, GLint location, GLfloat v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform1fEXT glProgramUniform1fEXT; alias fn_glProgramUniform1fv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform1fv glProgramUniform1fv; alias fn_glProgramUniform1fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform1fvEXT glProgramUniform1fvEXT; alias fn_glProgramUniform1i = extern(C) void function(GLuint program, GLint location, GLint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform1i glProgramUniform1i; alias fn_glProgramUniform1i64ARB = extern(C) void function(GLuint program, GLint location, GLint64 x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform1i64ARB glProgramUniform1i64ARB; alias fn_glProgramUniform1i64NV = extern(C) void function(GLuint program, GLint location, GLint64EXT x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform1i64NV glProgramUniform1i64NV; alias fn_glProgramUniform1i64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform1i64vARB glProgramUniform1i64vARB; alias fn_glProgramUniform1i64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform1i64vNV glProgramUniform1i64vNV; alias fn_glProgramUniform1iEXT = extern(C) void function(GLuint program, GLint location, GLint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform1iEXT glProgramUniform1iEXT; alias fn_glProgramUniform1iv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform1iv glProgramUniform1iv; alias fn_glProgramUniform1ivEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform1ivEXT glProgramUniform1ivEXT; alias fn_glProgramUniform1ui = extern(C) void function(GLuint program, GLint location, GLuint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform1ui glProgramUniform1ui; alias fn_glProgramUniform1ui64ARB = extern(C) void function(GLuint program, GLint location, GLuint64 x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform1ui64ARB glProgramUniform1ui64ARB; alias fn_glProgramUniform1ui64NV = extern(C) void function(GLuint program, GLint location, GLuint64EXT x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform1ui64NV glProgramUniform1ui64NV; alias fn_glProgramUniform1ui64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform1ui64vARB glProgramUniform1ui64vARB; alias fn_glProgramUniform1ui64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform1ui64vNV glProgramUniform1ui64vNV; alias fn_glProgramUniform1uiEXT = extern(C) void function(GLuint program, GLint location, GLuint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform1uiEXT glProgramUniform1uiEXT; alias fn_glProgramUniform1uiv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform1uiv glProgramUniform1uiv; alias fn_glProgramUniform1uivEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform1uivEXT glProgramUniform1uivEXT; alias fn_glProgramUniform2d = extern(C) void function(GLuint program, GLint location, GLdouble v0, GLdouble v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform2d glProgramUniform2d; alias fn_glProgramUniform2dEXT = extern(C) void function(GLuint program, GLint location, GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform2dEXT glProgramUniform2dEXT; alias fn_glProgramUniform2dv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform2dv glProgramUniform2dv; alias fn_glProgramUniform2dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform2dvEXT glProgramUniform2dvEXT; alias fn_glProgramUniform2f = extern(C) void function(GLuint program, GLint location, GLfloat v0, GLfloat v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform2f glProgramUniform2f; alias fn_glProgramUniform2fEXT = extern(C) void function(GLuint program, GLint location, GLfloat v0, GLfloat v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform2fEXT glProgramUniform2fEXT; alias fn_glProgramUniform2fv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform2fv glProgramUniform2fv; alias fn_glProgramUniform2fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform2fvEXT glProgramUniform2fvEXT; alias fn_glProgramUniform2i = extern(C) void function(GLuint program, GLint location, GLint v0, GLint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform2i glProgramUniform2i; alias fn_glProgramUniform2i64ARB = extern(C) void function(GLuint program, GLint location, GLint64 x, GLint64 y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform2i64ARB glProgramUniform2i64ARB; alias fn_glProgramUniform2i64NV = extern(C) void function(GLuint program, GLint location, GLint64EXT x, GLint64EXT y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform2i64NV glProgramUniform2i64NV; alias fn_glProgramUniform2i64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform2i64vARB glProgramUniform2i64vARB; alias fn_glProgramUniform2i64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform2i64vNV glProgramUniform2i64vNV; alias fn_glProgramUniform2iEXT = extern(C) void function(GLuint program, GLint location, GLint v0, GLint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform2iEXT glProgramUniform2iEXT; alias fn_glProgramUniform2iv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform2iv glProgramUniform2iv; alias fn_glProgramUniform2ivEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform2ivEXT glProgramUniform2ivEXT; alias fn_glProgramUniform2ui = extern(C) void function(GLuint program, GLint location, GLuint v0, GLuint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform2ui glProgramUniform2ui; alias fn_glProgramUniform2ui64ARB = extern(C) void function(GLuint program, GLint location, GLuint64 x, GLuint64 y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform2ui64ARB glProgramUniform2ui64ARB; alias fn_glProgramUniform2ui64NV = extern(C) void function(GLuint program, GLint location, GLuint64EXT x, GLuint64EXT y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform2ui64NV glProgramUniform2ui64NV; alias fn_glProgramUniform2ui64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform2ui64vARB glProgramUniform2ui64vARB; alias fn_glProgramUniform2ui64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform2ui64vNV glProgramUniform2ui64vNV; alias fn_glProgramUniform2uiEXT = extern(C) void function(GLuint program, GLint location, GLuint v0, GLuint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform2uiEXT glProgramUniform2uiEXT; alias fn_glProgramUniform2uiv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform2uiv glProgramUniform2uiv; alias fn_glProgramUniform2uivEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform2uivEXT glProgramUniform2uivEXT; alias fn_glProgramUniform3d = extern(C) void function(GLuint program, GLint location, GLdouble v0, GLdouble v1, GLdouble v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform3d glProgramUniform3d; alias fn_glProgramUniform3dEXT = extern(C) void function(GLuint program, GLint location, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform3dEXT glProgramUniform3dEXT; alias fn_glProgramUniform3dv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform3dv glProgramUniform3dv; alias fn_glProgramUniform3dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform3dvEXT glProgramUniform3dvEXT; alias fn_glProgramUniform3f = extern(C) void function(GLuint program, GLint location, GLfloat v0, GLfloat v1, GLfloat v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform3f glProgramUniform3f; alias fn_glProgramUniform3fEXT = extern(C) void function(GLuint program, GLint location, GLfloat v0, GLfloat v1, GLfloat v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform3fEXT glProgramUniform3fEXT; alias fn_glProgramUniform3fv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform3fv glProgramUniform3fv; alias fn_glProgramUniform3fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform3fvEXT glProgramUniform3fvEXT; alias fn_glProgramUniform3i = extern(C) void function(GLuint program, GLint location, GLint v0, GLint v1, GLint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform3i glProgramUniform3i; alias fn_glProgramUniform3i64ARB = extern(C) void function(GLuint program, GLint location, GLint64 x, GLint64 y, GLint64 z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform3i64ARB glProgramUniform3i64ARB; alias fn_glProgramUniform3i64NV = extern(C) void function(GLuint program, GLint location, GLint64EXT x, GLint64EXT y, GLint64EXT z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform3i64NV glProgramUniform3i64NV; alias fn_glProgramUniform3i64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform3i64vARB glProgramUniform3i64vARB; alias fn_glProgramUniform3i64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform3i64vNV glProgramUniform3i64vNV; alias fn_glProgramUniform3iEXT = extern(C) void function(GLuint program, GLint location, GLint v0, GLint v1, GLint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform3iEXT glProgramUniform3iEXT; alias fn_glProgramUniform3iv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform3iv glProgramUniform3iv; alias fn_glProgramUniform3ivEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform3ivEXT glProgramUniform3ivEXT; alias fn_glProgramUniform3ui = extern(C) void function(GLuint program, GLint location, GLuint v0, GLuint v1, GLuint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform3ui glProgramUniform3ui; alias fn_glProgramUniform3ui64ARB = extern(C) void function(GLuint program, GLint location, GLuint64 x, GLuint64 y, GLuint64 z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform3ui64ARB glProgramUniform3ui64ARB; alias fn_glProgramUniform3ui64NV = extern(C) void function(GLuint program, GLint location, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform3ui64NV glProgramUniform3ui64NV; alias fn_glProgramUniform3ui64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform3ui64vARB glProgramUniform3ui64vARB; alias fn_glProgramUniform3ui64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform3ui64vNV glProgramUniform3ui64vNV; alias fn_glProgramUniform3uiEXT = extern(C) void function(GLuint program, GLint location, GLuint v0, GLuint v1, GLuint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform3uiEXT glProgramUniform3uiEXT; alias fn_glProgramUniform3uiv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform3uiv glProgramUniform3uiv; alias fn_glProgramUniform3uivEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform3uivEXT glProgramUniform3uivEXT; alias fn_glProgramUniform4d = extern(C) void function(GLuint program, GLint location, GLdouble v0, GLdouble v1, GLdouble v2, GLdouble v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform4d glProgramUniform4d; alias fn_glProgramUniform4dEXT = extern(C) void function(GLuint program, GLint location, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform4dEXT glProgramUniform4dEXT; alias fn_glProgramUniform4dv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform4dv glProgramUniform4dv; alias fn_glProgramUniform4dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform4dvEXT glProgramUniform4dvEXT; alias fn_glProgramUniform4f = extern(C) void function(GLuint program, GLint location, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform4f glProgramUniform4f; alias fn_glProgramUniform4fEXT = extern(C) void function(GLuint program, GLint location, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform4fEXT glProgramUniform4fEXT; alias fn_glProgramUniform4fv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform4fv glProgramUniform4fv; alias fn_glProgramUniform4fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform4fvEXT glProgramUniform4fvEXT; alias fn_glProgramUniform4i = extern(C) void function(GLuint program, GLint location, GLint v0, GLint v1, GLint v2, GLint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform4i glProgramUniform4i; alias fn_glProgramUniform4i64ARB = extern(C) void function(GLuint program, GLint location, GLint64 x, GLint64 y, GLint64 z, GLint64 w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform4i64ARB glProgramUniform4i64ARB; alias fn_glProgramUniform4i64NV = extern(C) void function(GLuint program, GLint location, GLint64EXT x, GLint64EXT y, GLint64EXT z, GLint64EXT w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform4i64NV glProgramUniform4i64NV; alias fn_glProgramUniform4i64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform4i64vARB glProgramUniform4i64vARB; alias fn_glProgramUniform4i64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform4i64vNV glProgramUniform4i64vNV; alias fn_glProgramUniform4iEXT = extern(C) void function(GLuint program, GLint location, GLint v0, GLint v1, GLint v2, GLint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform4iEXT glProgramUniform4iEXT; alias fn_glProgramUniform4iv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform4iv glProgramUniform4iv; alias fn_glProgramUniform4ivEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform4ivEXT glProgramUniform4ivEXT; alias fn_glProgramUniform4ui = extern(C) void function(GLuint program, GLint location, GLuint v0, GLuint v1, GLuint v2, GLuint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform4ui glProgramUniform4ui; alias fn_glProgramUniform4ui64ARB = extern(C) void function(GLuint program, GLint location, GLuint64 x, GLuint64 y, GLuint64 z, GLuint64 w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform4ui64ARB glProgramUniform4ui64ARB; alias fn_glProgramUniform4ui64NV = extern(C) void function(GLuint program, GLint location, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z, GLuint64EXT w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform4ui64NV glProgramUniform4ui64NV; alias fn_glProgramUniform4ui64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glProgramUniform4ui64vARB glProgramUniform4ui64vARB; alias fn_glProgramUniform4ui64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glProgramUniform4ui64vNV glProgramUniform4ui64vNV; alias fn_glProgramUniform4uiEXT = extern(C) void function(GLuint program, GLint location, GLuint v0, GLuint v1, GLuint v2, GLuint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform4uiEXT glProgramUniform4uiEXT; alias fn_glProgramUniform4uiv = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniform4uiv glProgramUniform4uiv; alias fn_glProgramUniform4uivEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniform4uivEXT glProgramUniform4uivEXT; alias fn_glProgramUniformHandleui64ARB = extern(C) void function(GLuint program, GLint location, GLuint64 value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glProgramUniformHandleui64ARB glProgramUniformHandleui64ARB; alias fn_glProgramUniformHandleui64IMG = extern(C) void function(GLuint program, GLint location, GLuint64 value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_bindless_texture") fn_glProgramUniformHandleui64IMG glProgramUniformHandleui64IMG; alias fn_glProgramUniformHandleui64NV = extern(C) void function(GLuint program, GLint location, GLuint64 value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glProgramUniformHandleui64NV glProgramUniformHandleui64NV; alias fn_glProgramUniformHandleui64vARB = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glProgramUniformHandleui64vARB glProgramUniformHandleui64vARB; alias fn_glProgramUniformHandleui64vIMG = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_bindless_texture") fn_glProgramUniformHandleui64vIMG glProgramUniformHandleui64vIMG; alias fn_glProgramUniformHandleui64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glProgramUniformHandleui64vNV glProgramUniformHandleui64vNV; alias fn_glProgramUniformMatrix2dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix2dv glProgramUniformMatrix2dv; alias fn_glProgramUniformMatrix2dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix2dvEXT glProgramUniformMatrix2dvEXT; alias fn_glProgramUniformMatrix2fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix2fv glProgramUniformMatrix2fv; alias fn_glProgramUniformMatrix2fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix2fvEXT glProgramUniformMatrix2fvEXT; alias fn_glProgramUniformMatrix2x3dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix2x3dv glProgramUniformMatrix2x3dv; alias fn_glProgramUniformMatrix2x3dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix2x3dvEXT glProgramUniformMatrix2x3dvEXT; alias fn_glProgramUniformMatrix2x3fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix2x3fv glProgramUniformMatrix2x3fv; alias fn_glProgramUniformMatrix2x3fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix2x3fvEXT glProgramUniformMatrix2x3fvEXT; alias fn_glProgramUniformMatrix2x4dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix2x4dv glProgramUniformMatrix2x4dv; alias fn_glProgramUniformMatrix2x4dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix2x4dvEXT glProgramUniformMatrix2x4dvEXT; alias fn_glProgramUniformMatrix2x4fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix2x4fv glProgramUniformMatrix2x4fv; alias fn_glProgramUniformMatrix2x4fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix2x4fvEXT glProgramUniformMatrix2x4fvEXT; alias fn_glProgramUniformMatrix3dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix3dv glProgramUniformMatrix3dv; alias fn_glProgramUniformMatrix3dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix3dvEXT glProgramUniformMatrix3dvEXT; alias fn_glProgramUniformMatrix3fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix3fv glProgramUniformMatrix3fv; alias fn_glProgramUniformMatrix3fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix3fvEXT glProgramUniformMatrix3fvEXT; alias fn_glProgramUniformMatrix3x2dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix3x2dv glProgramUniformMatrix3x2dv; alias fn_glProgramUniformMatrix3x2dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix3x2dvEXT glProgramUniformMatrix3x2dvEXT; alias fn_glProgramUniformMatrix3x2fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix3x2fv glProgramUniformMatrix3x2fv; alias fn_glProgramUniformMatrix3x2fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix3x2fvEXT glProgramUniformMatrix3x2fvEXT; alias fn_glProgramUniformMatrix3x4dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix3x4dv glProgramUniformMatrix3x4dv; alias fn_glProgramUniformMatrix3x4dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix3x4dvEXT glProgramUniformMatrix3x4dvEXT; alias fn_glProgramUniformMatrix3x4fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix3x4fv glProgramUniformMatrix3x4fv; alias fn_glProgramUniformMatrix3x4fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix3x4fvEXT glProgramUniformMatrix3x4fvEXT; alias fn_glProgramUniformMatrix4dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix4dv glProgramUniformMatrix4dv; alias fn_glProgramUniformMatrix4dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix4dvEXT glProgramUniformMatrix4dvEXT; alias fn_glProgramUniformMatrix4fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix4fv glProgramUniformMatrix4fv; alias fn_glProgramUniformMatrix4fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix4fvEXT glProgramUniformMatrix4fvEXT; alias fn_glProgramUniformMatrix4x2dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix4x2dv glProgramUniformMatrix4x2dv; alias fn_glProgramUniformMatrix4x2dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix4x2dvEXT glProgramUniformMatrix4x2dvEXT; alias fn_glProgramUniformMatrix4x2fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix4x2fv glProgramUniformMatrix4x2fv; alias fn_glProgramUniformMatrix4x2fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix4x2fvEXT glProgramUniformMatrix4x2fvEXT; alias fn_glProgramUniformMatrix4x3dv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix4x3dv glProgramUniformMatrix4x3dv; alias fn_glProgramUniformMatrix4x3dvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix4x3dvEXT glProgramUniformMatrix4x3dvEXT; alias fn_glProgramUniformMatrix4x3fv = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glProgramUniformMatrix4x3fv glProgramUniformMatrix4x3fv; alias fn_glProgramUniformMatrix4x3fvEXT = extern(C) void function(GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glProgramUniformMatrix4x3fvEXT glProgramUniformMatrix4x3fvEXT; alias fn_glProgramUniformui64NV = extern(C) void function(GLuint program, GLint location, GLuint64EXT value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glProgramUniformui64NV glProgramUniformui64NV; alias fn_glProgramUniformui64vNV = extern(C) void function(GLuint program, GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glProgramUniformui64vNV glProgramUniformui64vNV; alias fn_glProgramVertexLimitNV = extern(C) void function(GLenum target, GLint limit) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_geometry_program4") fn_glProgramVertexLimitNV glProgramVertexLimitNV; alias fn_glProvokingVertexEXT = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_provoking_vertex") fn_glProvokingVertexEXT glProvokingVertexEXT; alias fn_glPushAttrib = extern(C) void function(GLbitfield mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPushAttrib glPushAttrib; alias fn_glPushClientAttrib = extern(C) void function(GLbitfield mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glPushClientAttrib glPushClientAttrib; alias fn_glPushClientAttribDefaultEXT = extern(C) void function(GLbitfield mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glPushClientAttribDefaultEXT glPushClientAttribDefaultEXT; alias fn_glPushDebugGroup = extern(C) void function(GLenum source, GLuint id, GLsizei length, const GLchar* message) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_KHR_debug") fn_glPushDebugGroup glPushDebugGroup; alias fn_glPushDebugGroupKHR = extern(C) void function(GLenum source, GLuint id, GLsizei length, const GLchar* message) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_debug") fn_glPushDebugGroupKHR glPushDebugGroupKHR; alias fn_glPushGroupMarkerEXT = extern(C) void function(GLsizei length, const GLchar* marker) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_debug_marker") fn_glPushGroupMarkerEXT glPushGroupMarkerEXT; alias fn_glPushMatrix = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPushMatrix glPushMatrix; alias fn_glPushName = extern(C) void function(GLuint name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glPushName glPushName; alias fn_glQueryCounterEXT = extern(C) void function(GLuint id, GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_disjoint_timer_query") fn_glQueryCounterEXT glQueryCounterEXT; alias fn_glQueryMatrixxOES = extern(C) GLbitfield function(GLfixed* mantissa, GLint* exponent) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_query_matrix") fn_glQueryMatrixxOES glQueryMatrixxOES; alias fn_glQueryObjectParameteruiAMD = extern(C) void function(GLenum target, GLuint id, GLenum pname, GLuint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_occlusion_query_event") fn_glQueryObjectParameteruiAMD glQueryObjectParameteruiAMD; alias fn_glRasterPos2d = extern(C) void function(GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos2d glRasterPos2d; alias fn_glRasterPos2dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos2dv glRasterPos2dv; alias fn_glRasterPos2f = extern(C) void function(GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos2f glRasterPos2f; alias fn_glRasterPos2fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos2fv glRasterPos2fv; alias fn_glRasterPos2i = extern(C) void function(GLint x, GLint y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos2i glRasterPos2i; alias fn_glRasterPos2iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos2iv glRasterPos2iv; alias fn_glRasterPos2s = extern(C) void function(GLshort x, GLshort y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos2s glRasterPos2s; alias fn_glRasterPos2sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos2sv glRasterPos2sv; alias fn_glRasterPos2xOES = extern(C) void function(GLfixed x, GLfixed y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRasterPos2xOES glRasterPos2xOES; alias fn_glRasterPos2xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRasterPos2xvOES glRasterPos2xvOES; alias fn_glRasterPos3d = extern(C) void function(GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos3d glRasterPos3d; alias fn_glRasterPos3dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos3dv glRasterPos3dv; alias fn_glRasterPos3f = extern(C) void function(GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos3f glRasterPos3f; alias fn_glRasterPos3fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos3fv glRasterPos3fv; alias fn_glRasterPos3i = extern(C) void function(GLint x, GLint y, GLint z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos3i glRasterPos3i; alias fn_glRasterPos3iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos3iv glRasterPos3iv; alias fn_glRasterPos3s = extern(C) void function(GLshort x, GLshort y, GLshort z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos3s glRasterPos3s; alias fn_glRasterPos3sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos3sv glRasterPos3sv; alias fn_glRasterPos3xOES = extern(C) void function(GLfixed x, GLfixed y, GLfixed z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRasterPos3xOES glRasterPos3xOES; alias fn_glRasterPos3xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRasterPos3xvOES glRasterPos3xvOES; alias fn_glRasterPos4d = extern(C) void function(GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos4d glRasterPos4d; alias fn_glRasterPos4dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos4dv glRasterPos4dv; alias fn_glRasterPos4f = extern(C) void function(GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos4f glRasterPos4f; alias fn_glRasterPos4fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos4fv glRasterPos4fv; alias fn_glRasterPos4i = extern(C) void function(GLint x, GLint y, GLint z, GLint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos4i glRasterPos4i; alias fn_glRasterPos4iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos4iv glRasterPos4iv; alias fn_glRasterPos4s = extern(C) void function(GLshort x, GLshort y, GLshort z, GLshort w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos4s glRasterPos4s; alias fn_glRasterPos4sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRasterPos4sv glRasterPos4sv; alias fn_glRasterPos4xOES = extern(C) void function(GLfixed x, GLfixed y, GLfixed z, GLfixed w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRasterPos4xOES glRasterPos4xOES; alias fn_glRasterPos4xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRasterPos4xvOES glRasterPos4xvOES; alias fn_glRasterSamplesEXT = extern(C) void function(GLuint samples, GLboolean fixedsamplelocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_raster_multisample") fn_glRasterSamplesEXT glRasterSamplesEXT; alias fn_glReadBufferIndexedEXT = extern(C) void function(GLenum src, GLint index) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multiview_draw_buffers") fn_glReadBufferIndexedEXT glReadBufferIndexedEXT; alias fn_glReadBufferNV = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_read_buffer") fn_glReadBufferNV glReadBufferNV; alias fn_glReadInstrumentsSGIX = extern(C) void function(GLint marker) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_instruments") fn_glReadInstrumentsSGIX glReadInstrumentsSGIX; alias fn_glReadnPixels = extern(C) void function(GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, GLsizei bufSize, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_KHR_robustness") fn_glReadnPixels glReadnPixels; alias fn_glReadnPixelsARB = extern(C) void function(GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, GLsizei bufSize, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_robustness") fn_glReadnPixelsARB glReadnPixelsARB; alias fn_glReadnPixelsEXT = extern(C) void function(GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, GLsizei bufSize, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_robustness") fn_glReadnPixelsEXT glReadnPixelsEXT; alias fn_glReadnPixelsKHR = extern(C) void function(GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, GLsizei bufSize, void* data) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_KHR_robustness") fn_glReadnPixelsKHR glReadnPixelsKHR; alias fn_glRectd = extern(C) void function(GLdouble x1, GLdouble y1, GLdouble x2, GLdouble y2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRectd glRectd; alias fn_glRectdv = extern(C) void function(const GLdouble* v1, const GLdouble* v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRectdv glRectdv; alias fn_glRectf = extern(C) void function(GLfloat x1, GLfloat y1, GLfloat x2, GLfloat y2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRectf glRectf; alias fn_glRectfv = extern(C) void function(const GLfloat* v1, const GLfloat* v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRectfv glRectfv; alias fn_glRecti = extern(C) void function(GLint x1, GLint y1, GLint x2, GLint y2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRecti glRecti; alias fn_glRectiv = extern(C) void function(const GLint* v1, const GLint* v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRectiv glRectiv; alias fn_glRects = extern(C) void function(GLshort x1, GLshort y1, GLshort x2, GLshort y2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRects glRects; alias fn_glRectsv = extern(C) void function(const GLshort* v1, const GLshort* v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRectsv glRectsv; alias fn_glRectxOES = extern(C) void function(GLfixed x1, GLfixed y1, GLfixed x2, GLfixed y2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRectxOES glRectxOES; alias fn_glRectxvOES = extern(C) void function(const GLfixed* v1, const GLfixed* v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRectxvOES glRectxvOES; alias fn_glReferencePlaneSGIX = extern(C) void function(const GLdouble* equation) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_reference_plane") fn_glReferencePlaneSGIX glReferencePlaneSGIX; alias fn_glReleaseShaderCompiler = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_ES2_compatibility") fn_glReleaseShaderCompiler glReleaseShaderCompiler; alias fn_glRenderMode = extern(C) GLint function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRenderMode glRenderMode; alias fn_glRenderbufferStorageEXT = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_object") fn_glRenderbufferStorageEXT glRenderbufferStorageEXT; alias fn_glRenderbufferStorageMultisampleANGLE = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ANGLE_framebuffer_multisample") fn_glRenderbufferStorageMultisampleANGLE glRenderbufferStorageMultisampleANGLE; alias fn_glRenderbufferStorageMultisampleAPPLE = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_framebuffer_multisample") fn_glRenderbufferStorageMultisampleAPPLE glRenderbufferStorageMultisampleAPPLE; alias fn_glRenderbufferStorageMultisampleCoverageNV = extern(C) void function(GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_framebuffer_multisample_coverage") fn_glRenderbufferStorageMultisampleCoverageNV glRenderbufferStorageMultisampleCoverageNV; alias fn_glRenderbufferStorageMultisampleEXT = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_framebuffer_multisample") fn_glRenderbufferStorageMultisampleEXT glRenderbufferStorageMultisampleEXT; alias fn_glRenderbufferStorageMultisampleIMG = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_multisampled_render_to_texture") fn_glRenderbufferStorageMultisampleIMG glRenderbufferStorageMultisampleIMG; alias fn_glRenderbufferStorageMultisampleNV = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_framebuffer_multisample") fn_glRenderbufferStorageMultisampleNV glRenderbufferStorageMultisampleNV; alias fn_glRenderbufferStorageOES = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_framebuffer_object") fn_glRenderbufferStorageOES glRenderbufferStorageOES; alias fn_glReplacementCodePointerSUN = extern(C) void function(GLenum type, GLsizei stride, const void** pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_triangle_list") fn_glReplacementCodePointerSUN glReplacementCodePointerSUN; alias fn_glReplacementCodeubSUN = extern(C) void function(GLubyte code) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_triangle_list") fn_glReplacementCodeubSUN glReplacementCodeubSUN; alias fn_glReplacementCodeubvSUN = extern(C) void function(const(GLubyte)* code) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_triangle_list") fn_glReplacementCodeubvSUN glReplacementCodeubvSUN; alias fn_glReplacementCodeuiColor3fVertex3fSUN = extern(C) void function(GLuint rc, GLfloat r, GLfloat g, GLfloat b, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiColor3fVertex3fSUN glReplacementCodeuiColor3fVertex3fSUN; alias fn_glReplacementCodeuiColor3fVertex3fvSUN = extern(C) void function(const GLuint* rc, const GLfloat* c, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiColor3fVertex3fvSUN glReplacementCodeuiColor3fVertex3fvSUN; alias fn_glReplacementCodeuiColor4fNormal3fVertex3fSUN = extern(C) void function(GLuint rc, GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiColor4fNormal3fVertex3fSUN glReplacementCodeuiColor4fNormal3fVertex3fSUN; alias fn_glReplacementCodeuiColor4fNormal3fVertex3fvSUN = extern(C) void function(const GLuint* rc, const GLfloat* c, const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiColor4fNormal3fVertex3fvSUN glReplacementCodeuiColor4fNormal3fVertex3fvSUN; alias fn_glReplacementCodeuiColor4ubVertex3fSUN = extern(C) void function(GLuint rc, GLubyte r, GLubyte g, GLubyte b, GLubyte a, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiColor4ubVertex3fSUN glReplacementCodeuiColor4ubVertex3fSUN; alias fn_glReplacementCodeuiColor4ubVertex3fvSUN = extern(C) void function(const GLuint* rc, const(GLubyte)* c, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiColor4ubVertex3fvSUN glReplacementCodeuiColor4ubVertex3fvSUN; alias fn_glReplacementCodeuiNormal3fVertex3fSUN = extern(C) void function(GLuint rc, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiNormal3fVertex3fSUN glReplacementCodeuiNormal3fVertex3fSUN; alias fn_glReplacementCodeuiNormal3fVertex3fvSUN = extern(C) void function(const GLuint* rc, const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiNormal3fVertex3fvSUN glReplacementCodeuiNormal3fVertex3fvSUN; alias fn_glReplacementCodeuiSUN = extern(C) void function(GLuint code) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_triangle_list") fn_glReplacementCodeuiSUN glReplacementCodeuiSUN; alias fn_glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN = extern(C) void function(GLuint rc, GLfloat s, GLfloat t, GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN; alias fn_glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN = extern(C) void function(const GLuint* rc, const GLfloat* tc, const GLfloat* c, const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN; alias fn_glReplacementCodeuiTexCoord2fNormal3fVertex3fSUN = extern(C) void function(GLuint rc, GLfloat s, GLfloat t, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiTexCoord2fNormal3fVertex3fSUN glReplacementCodeuiTexCoord2fNormal3fVertex3fSUN; alias fn_glReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN = extern(C) void function(const GLuint* rc, const GLfloat* tc, const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN glReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN; alias fn_glReplacementCodeuiTexCoord2fVertex3fSUN = extern(C) void function(GLuint rc, GLfloat s, GLfloat t, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiTexCoord2fVertex3fSUN glReplacementCodeuiTexCoord2fVertex3fSUN; alias fn_glReplacementCodeuiTexCoord2fVertex3fvSUN = extern(C) void function(const GLuint* rc, const GLfloat* tc, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiTexCoord2fVertex3fvSUN glReplacementCodeuiTexCoord2fVertex3fvSUN; alias fn_glReplacementCodeuiVertex3fSUN = extern(C) void function(GLuint rc, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiVertex3fSUN glReplacementCodeuiVertex3fSUN; alias fn_glReplacementCodeuiVertex3fvSUN = extern(C) void function(const GLuint* rc, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glReplacementCodeuiVertex3fvSUN glReplacementCodeuiVertex3fvSUN; alias fn_glReplacementCodeuivSUN = extern(C) void function(const GLuint* code) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_triangle_list") fn_glReplacementCodeuivSUN glReplacementCodeuivSUN; alias fn_glReplacementCodeusSUN = extern(C) void function(GLushort code) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_triangle_list") fn_glReplacementCodeusSUN glReplacementCodeusSUN; alias fn_glReplacementCodeusvSUN = extern(C) void function(const GLushort* code) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_triangle_list") fn_glReplacementCodeusvSUN glReplacementCodeusvSUN; alias fn_glRequestResidentProgramsNV = extern(C) void function(GLsizei n, const GLuint* programs) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glRequestResidentProgramsNV glRequestResidentProgramsNV; alias fn_glResetHistogram = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glResetHistogram glResetHistogram; alias fn_glResetHistogramEXT = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glResetHistogramEXT glResetHistogramEXT; alias fn_glResetMinmax = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glResetMinmax glResetMinmax; alias fn_glResetMinmaxEXT = extern(C) void function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_histogram") fn_glResetMinmaxEXT glResetMinmaxEXT; alias fn_glResizeBuffersMESA = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_resize_buffers") fn_glResizeBuffersMESA glResizeBuffersMESA; alias fn_glResolveDepthValuesNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_sample_locations") fn_glResolveDepthValuesNV glResolveDepthValuesNV; alias fn_glResolveMultisampleFramebufferAPPLE = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_framebuffer_multisample") fn_glResolveMultisampleFramebufferAPPLE glResolveMultisampleFramebufferAPPLE; alias fn_glResumeTransformFeedback = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_transform_feedback2") fn_glResumeTransformFeedback glResumeTransformFeedback; alias fn_glResumeTransformFeedbackNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback2") fn_glResumeTransformFeedbackNV glResumeTransformFeedbackNV; alias fn_glRotated = extern(C) void function(GLdouble angle, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRotated glRotated; alias fn_glRotatef = extern(C) void function(GLfloat angle, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glRotatef glRotatef; alias fn_glRotatex = extern(C) void function(GLfixed angle, GLfixed x, GLfixed y, GLfixed z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glRotatex glRotatex; alias fn_glRotatexOES = extern(C) void function(GLfixed angle, GLfixed x, GLfixed y, GLfixed z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glRotatexOES glRotatexOES; alias fn_glSampleCoverageARB = extern(C) void function(GLfloat value, GLboolean invert) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_multisample") fn_glSampleCoverageARB glSampleCoverageARB; alias fn_glSampleCoveragex = extern(C) void function(GLclampx value, GLboolean invert) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glSampleCoveragex glSampleCoveragex; alias fn_glSampleCoveragexOES = extern(C) void function(GLclampx value, GLboolean invert) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glSampleCoveragexOES glSampleCoveragexOES; alias fn_glSampleMapATI = extern(C) void function(GLuint dst, GLuint interp, GLenum swizzle) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glSampleMapATI glSampleMapATI; alias fn_glSampleMaskEXT = extern(C) void function(GLclampf value, GLboolean invert) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multisample") fn_glSampleMaskEXT glSampleMaskEXT; alias fn_glSampleMaskIndexedNV = extern(C) void function(GLuint index, GLbitfield mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_explicit_multisample") fn_glSampleMaskIndexedNV glSampleMaskIndexedNV; alias fn_glSampleMaskSGIS = extern(C) void function(GLclampf value, GLboolean invert) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_multisample") fn_glSampleMaskSGIS glSampleMaskSGIS; alias fn_glSamplePatternEXT = extern(C) void function(GLenum pattern) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_multisample") fn_glSamplePatternEXT glSamplePatternEXT; alias fn_glSamplePatternSGIS = extern(C) void function(GLenum pattern) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_multisample") fn_glSamplePatternSGIS glSamplePatternSGIS; alias fn_glSamplerParameterIivEXT = extern(C) void function(GLuint sampler, GLenum pname, const GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_border_clamp") fn_glSamplerParameterIivEXT glSamplerParameterIivEXT; alias fn_glSamplerParameterIivOES = extern(C) void function(GLuint sampler, GLenum pname, const GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_border_clamp") fn_glSamplerParameterIivOES glSamplerParameterIivOES; alias fn_glSamplerParameterIuivEXT = extern(C) void function(GLuint sampler, GLenum pname, const GLuint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_border_clamp") fn_glSamplerParameterIuivEXT glSamplerParameterIuivEXT; alias fn_glSamplerParameterIuivOES = extern(C) void function(GLuint sampler, GLenum pname, const GLuint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_border_clamp") fn_glSamplerParameterIuivOES glSamplerParameterIuivOES; alias fn_glScaled = extern(C) void function(GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glScaled glScaled; alias fn_glScalef = extern(C) void function(GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glScalef glScalef; alias fn_glScalex = extern(C) void function(GLfixed x, GLfixed y, GLfixed z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glScalex glScalex; alias fn_glScalexOES = extern(C) void function(GLfixed x, GLfixed y, GLfixed z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glScalexOES glScalexOES; alias fn_glScissorArrayv = extern(C) void function(GLuint first, GLsizei count, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glScissorArrayv glScissorArrayv; alias fn_glScissorArrayvNV = extern(C) void function(GLuint first, GLsizei count, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glScissorArrayvNV glScissorArrayvNV; alias fn_glScissorArrayvOES = extern(C) void function(GLuint first, GLsizei count, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glScissorArrayvOES glScissorArrayvOES; alias fn_glScissorIndexed = extern(C) void function(GLuint index, GLint left, GLint bottom, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glScissorIndexed glScissorIndexed; alias fn_glScissorIndexedNV = extern(C) void function(GLuint index, GLint left, GLint bottom, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glScissorIndexedNV glScissorIndexedNV; alias fn_glScissorIndexedOES = extern(C) void function(GLuint index, GLint left, GLint bottom, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glScissorIndexedOES glScissorIndexedOES; alias fn_glScissorIndexedv = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glScissorIndexedv glScissorIndexedv; alias fn_glScissorIndexedvNV = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glScissorIndexedvNV glScissorIndexedvNV; alias fn_glScissorIndexedvOES = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glScissorIndexedvOES glScissorIndexedvOES; alias fn_glSecondaryColor3b = extern(C) void function(GLbyte red, GLbyte green, GLbyte blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3b glSecondaryColor3b; alias fn_glSecondaryColor3bEXT = extern(C) void function(GLbyte red, GLbyte green, GLbyte blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3bEXT glSecondaryColor3bEXT; alias fn_glSecondaryColor3bv = extern(C) void function(const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3bv glSecondaryColor3bv; alias fn_glSecondaryColor3bvEXT = extern(C) void function(const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3bvEXT glSecondaryColor3bvEXT; alias fn_glSecondaryColor3d = extern(C) void function(GLdouble red, GLdouble green, GLdouble blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3d glSecondaryColor3d; alias fn_glSecondaryColor3dEXT = extern(C) void function(GLdouble red, GLdouble green, GLdouble blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3dEXT glSecondaryColor3dEXT; alias fn_glSecondaryColor3dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3dv glSecondaryColor3dv; alias fn_glSecondaryColor3dvEXT = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3dvEXT glSecondaryColor3dvEXT; alias fn_glSecondaryColor3f = extern(C) void function(GLfloat red, GLfloat green, GLfloat blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3f glSecondaryColor3f; alias fn_glSecondaryColor3fEXT = extern(C) void function(GLfloat red, GLfloat green, GLfloat blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3fEXT glSecondaryColor3fEXT; alias fn_glSecondaryColor3fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3fv glSecondaryColor3fv; alias fn_glSecondaryColor3fvEXT = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3fvEXT glSecondaryColor3fvEXT; alias fn_glSecondaryColor3hNV = extern(C) void function(GLhalfNV red, GLhalfNV green, GLhalfNV blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glSecondaryColor3hNV glSecondaryColor3hNV; alias fn_glSecondaryColor3hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glSecondaryColor3hvNV glSecondaryColor3hvNV; alias fn_glSecondaryColor3i = extern(C) void function(GLint red, GLint green, GLint blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3i glSecondaryColor3i; alias fn_glSecondaryColor3iEXT = extern(C) void function(GLint red, GLint green, GLint blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3iEXT glSecondaryColor3iEXT; alias fn_glSecondaryColor3iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3iv glSecondaryColor3iv; alias fn_glSecondaryColor3ivEXT = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3ivEXT glSecondaryColor3ivEXT; alias fn_glSecondaryColor3s = extern(C) void function(GLshort red, GLshort green, GLshort blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3s glSecondaryColor3s; alias fn_glSecondaryColor3sEXT = extern(C) void function(GLshort red, GLshort green, GLshort blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3sEXT glSecondaryColor3sEXT; alias fn_glSecondaryColor3sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3sv glSecondaryColor3sv; alias fn_glSecondaryColor3svEXT = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3svEXT glSecondaryColor3svEXT; alias fn_glSecondaryColor3ub = extern(C) void function(GLubyte red, GLubyte green, GLubyte blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3ub glSecondaryColor3ub; alias fn_glSecondaryColor3ubEXT = extern(C) void function(GLubyte red, GLubyte green, GLubyte blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3ubEXT glSecondaryColor3ubEXT; alias fn_glSecondaryColor3ubv = extern(C) void function(const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3ubv glSecondaryColor3ubv; alias fn_glSecondaryColor3ubvEXT = extern(C) void function(const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3ubvEXT glSecondaryColor3ubvEXT; alias fn_glSecondaryColor3ui = extern(C) void function(GLuint red, GLuint green, GLuint blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3ui glSecondaryColor3ui; alias fn_glSecondaryColor3uiEXT = extern(C) void function(GLuint red, GLuint green, GLuint blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3uiEXT glSecondaryColor3uiEXT; alias fn_glSecondaryColor3uiv = extern(C) void function(const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3uiv glSecondaryColor3uiv; alias fn_glSecondaryColor3uivEXT = extern(C) void function(const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3uivEXT glSecondaryColor3uivEXT; alias fn_glSecondaryColor3us = extern(C) void function(GLushort red, GLushort green, GLushort blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3us glSecondaryColor3us; alias fn_glSecondaryColor3usEXT = extern(C) void function(GLushort red, GLushort green, GLushort blue) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3usEXT glSecondaryColor3usEXT; alias fn_glSecondaryColor3usv = extern(C) void function(const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColor3usv glSecondaryColor3usv; alias fn_glSecondaryColor3usvEXT = extern(C) void function(const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColor3usvEXT glSecondaryColor3usvEXT; alias fn_glSecondaryColorFormatNV = extern(C) void function(GLint size, GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glSecondaryColorFormatNV glSecondaryColorFormatNV; alias fn_glSecondaryColorP3ui = extern(C) void function(GLenum type, GLuint color) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glSecondaryColorP3ui glSecondaryColorP3ui; alias fn_glSecondaryColorP3uiv = extern(C) void function(GLenum type, const GLuint* color) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glSecondaryColorP3uiv glSecondaryColorP3uiv; alias fn_glSecondaryColorPointer = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glSecondaryColorPointer glSecondaryColorPointer; alias fn_glSecondaryColorPointerEXT = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_secondary_color") fn_glSecondaryColorPointerEXT glSecondaryColorPointerEXT; alias fn_glSecondaryColorPointerListIBM = extern(C) void function(GLint size, GLenum type, GLint stride, const void** pointer, GLint ptrstride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_vertex_array_lists") fn_glSecondaryColorPointerListIBM glSecondaryColorPointerListIBM; alias fn_glSelectBuffer = extern(C) void function(GLsizei size, GLuint* buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glSelectBuffer glSelectBuffer; alias fn_glSelectPerfMonitorCountersAMD = extern(C) void function(GLuint monitor, GLboolean enable, GLuint group, GLint numCounters, GLuint* counterList) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_performance_monitor") fn_glSelectPerfMonitorCountersAMD glSelectPerfMonitorCountersAMD; alias fn_glSeparableFilter2D = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLsizei height, GLenum format, GLenum type, const void* row, const void* column) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_imaging") fn_glSeparableFilter2D glSeparableFilter2D; alias fn_glSeparableFilter2DEXT = extern(C) void function(GLenum target, GLenum internalformat, GLsizei width, GLsizei height, GLenum format, GLenum type, const void* row, const void* column) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_convolution") fn_glSeparableFilter2DEXT glSeparableFilter2DEXT; alias fn_glSetFenceAPPLE = extern(C) void function(GLuint fence) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_fence") fn_glSetFenceAPPLE glSetFenceAPPLE; alias fn_glSetFenceNV = extern(C) void function(GLuint fence, GLenum condition) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fence") fn_glSetFenceNV glSetFenceNV; alias fn_glSetFragmentShaderConstantATI = extern(C) void function(GLuint dst, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_fragment_shader") fn_glSetFragmentShaderConstantATI glSetFragmentShaderConstantATI; alias fn_glSetInvariantEXT = extern(C) void function(GLuint id, GLenum type, const void* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glSetInvariantEXT glSetInvariantEXT; alias fn_glSetLocalConstantEXT = extern(C) void function(GLuint id, GLenum type, const void* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glSetLocalConstantEXT glSetLocalConstantEXT; alias fn_glSetMultisamplefvAMD = extern(C) void function(GLenum pname, GLuint index, const GLfloat* val) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_sample_positions") fn_glSetMultisamplefvAMD glSetMultisamplefvAMD; alias fn_glShadeModel = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glShadeModel glShadeModel; alias fn_glShaderBinary = extern(C) void function(GLsizei count, const GLuint* shaders, GLenum binaryformat, const void* binary, GLsizei length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_ES2_compatibility") fn_glShaderBinary glShaderBinary; alias fn_glShaderOp1EXT = extern(C) void function(GLenum op, GLuint res, GLuint arg1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glShaderOp1EXT glShaderOp1EXT; alias fn_glShaderOp2EXT = extern(C) void function(GLenum op, GLuint res, GLuint arg1, GLuint arg2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glShaderOp2EXT glShaderOp2EXT; alias fn_glShaderOp3EXT = extern(C) void function(GLenum op, GLuint res, GLuint arg1, GLuint arg2, GLuint arg3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glShaderOp3EXT glShaderOp3EXT; alias fn_glShaderSourceARB = extern(C) void function(GLhandleARB shaderObj, GLsizei count, const GLcharARB** string, const GLint* length) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glShaderSourceARB glShaderSourceARB; alias fn_glShaderStorageBlockBinding = extern(C) void function(GLuint program, GLuint storageBlockIndex, GLuint storageBlockBinding) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_shader_storage_buffer_object") fn_glShaderStorageBlockBinding glShaderStorageBlockBinding; alias fn_glSharpenTexFuncSGIS = extern(C) void function(GLenum target, GLsizei n, const GLfloat* points) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_sharpen_texture") fn_glSharpenTexFuncSGIS glSharpenTexFuncSGIS; alias fn_glSpriteParameterfSGIX = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_sprite") fn_glSpriteParameterfSGIX glSpriteParameterfSGIX; alias fn_glSpriteParameterfvSGIX = extern(C) void function(GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_sprite") fn_glSpriteParameterfvSGIX glSpriteParameterfvSGIX; alias fn_glSpriteParameteriSGIX = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_sprite") fn_glSpriteParameteriSGIX glSpriteParameteriSGIX; alias fn_glSpriteParameterivSGIX = extern(C) void function(GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_sprite") fn_glSpriteParameterivSGIX glSpriteParameterivSGIX; alias fn_glStartInstrumentsSGIX = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_instruments") fn_glStartInstrumentsSGIX glStartInstrumentsSGIX; alias fn_glStartTilingQCOM = extern(C) void function(GLuint x, GLuint y, GLuint width, GLuint height, GLbitfield preserveMask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_QCOM_tiled_rendering") fn_glStartTilingQCOM glStartTilingQCOM; alias fn_glStateCaptureNV = extern(C) void function(GLuint state, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_command_list") fn_glStateCaptureNV glStateCaptureNV; alias fn_glStencilClearTagEXT = extern(C) void function(GLsizei stencilTagBits, GLuint stencilClearTag) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_stencil_clear_tag") fn_glStencilClearTagEXT glStencilClearTagEXT; alias fn_glStencilFillPathInstancedNV = extern(C) void function(GLsizei numPaths, GLenum pathNameType, const void* paths, GLuint pathBase, GLenum fillMode, GLuint mask, GLenum transformType, const GLfloat* transformValues) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glStencilFillPathInstancedNV glStencilFillPathInstancedNV; alias fn_glStencilFillPathNV = extern(C) void function(GLuint path, GLenum fillMode, GLuint mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glStencilFillPathNV glStencilFillPathNV; alias fn_glStencilFuncSeparateATI = extern(C) void function(GLenum frontfunc, GLenum backfunc, GLint ref_, GLuint mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_separate_stencil") fn_glStencilFuncSeparateATI glStencilFuncSeparateATI; alias fn_glStencilOpSeparateATI = extern(C) void function(GLenum face, GLenum sfail, GLenum dpfail, GLenum dppass) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_separate_stencil") fn_glStencilOpSeparateATI glStencilOpSeparateATI; alias fn_glStencilOpValueAMD = extern(C) void function(GLenum face, GLuint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_stencil_operation_extended") fn_glStencilOpValueAMD glStencilOpValueAMD; alias fn_glStencilStrokePathInstancedNV = extern(C) void function(GLsizei numPaths, GLenum pathNameType, const void* paths, GLuint pathBase, GLint reference, GLuint mask, GLenum transformType, const GLfloat* transformValues) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glStencilStrokePathInstancedNV glStencilStrokePathInstancedNV; alias fn_glStencilStrokePathNV = extern(C) void function(GLuint path, GLint reference, GLuint mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glStencilStrokePathNV glStencilStrokePathNV; alias fn_glStencilThenCoverFillPathInstancedNV = extern(C) void function(GLsizei numPaths, GLenum pathNameType, const void* paths, GLuint pathBase, GLenum fillMode, GLuint mask, GLenum coverMode, GLenum transformType, const GLfloat* transformValues) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glStencilThenCoverFillPathInstancedNV glStencilThenCoverFillPathInstancedNV; alias fn_glStencilThenCoverFillPathNV = extern(C) void function(GLuint path, GLenum fillMode, GLuint mask, GLenum coverMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glStencilThenCoverFillPathNV glStencilThenCoverFillPathNV; alias fn_glStencilThenCoverStrokePathInstancedNV = extern(C) void function(GLsizei numPaths, GLenum pathNameType, const void* paths, GLuint pathBase, GLint reference, GLuint mask, GLenum coverMode, GLenum transformType, const GLfloat* transformValues) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glStencilThenCoverStrokePathInstancedNV glStencilThenCoverStrokePathInstancedNV; alias fn_glStencilThenCoverStrokePathNV = extern(C) void function(GLuint path, GLint reference, GLuint mask, GLenum coverMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glStencilThenCoverStrokePathNV glStencilThenCoverStrokePathNV; alias fn_glStopInstrumentsSGIX = extern(C) void function(GLint marker) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_instruments") fn_glStopInstrumentsSGIX glStopInstrumentsSGIX; alias fn_glStringMarkerGREMEDY = extern(C) void function(GLsizei len, const void* string) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_GREMEDY_string_marker") fn_glStringMarkerGREMEDY glStringMarkerGREMEDY; alias fn_glSubpixelPrecisionBiasNV = extern(C) void function(GLuint xbits, GLuint ybits) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_conservative_raster") fn_glSubpixelPrecisionBiasNV glSubpixelPrecisionBiasNV; alias fn_glSwizzleEXT = extern(C) void function(GLuint res, GLuint in_, GLenum outX, GLenum outY, GLenum outZ, GLenum outW) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glSwizzleEXT glSwizzleEXT; alias fn_glSyncTextureINTEL = extern(C) void function(GLuint texture) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_map_texture") fn_glSyncTextureINTEL glSyncTextureINTEL; alias fn_glTagSampleBufferSGIX = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIX_tag_sample_buffer") fn_glTagSampleBufferSGIX glTagSampleBufferSGIX; alias fn_glTangent3bEXT = extern(C) void function(GLbyte tx, GLbyte ty, GLbyte tz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3bEXT glTangent3bEXT; alias fn_glTangent3bvEXT = extern(C) void function(const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3bvEXT glTangent3bvEXT; alias fn_glTangent3dEXT = extern(C) void function(GLdouble tx, GLdouble ty, GLdouble tz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3dEXT glTangent3dEXT; alias fn_glTangent3dvEXT = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3dvEXT glTangent3dvEXT; alias fn_glTangent3fEXT = extern(C) void function(GLfloat tx, GLfloat ty, GLfloat tz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3fEXT glTangent3fEXT; alias fn_glTangent3fvEXT = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3fvEXT glTangent3fvEXT; alias fn_glTangent3iEXT = extern(C) void function(GLint tx, GLint ty, GLint tz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3iEXT glTangent3iEXT; alias fn_glTangent3ivEXT = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3ivEXT glTangent3ivEXT; alias fn_glTangent3sEXT = extern(C) void function(GLshort tx, GLshort ty, GLshort tz) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3sEXT glTangent3sEXT; alias fn_glTangent3svEXT = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangent3svEXT glTangent3svEXT; alias fn_glTangentPointerEXT = extern(C) void function(GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_coordinate_frame") fn_glTangentPointerEXT glTangentPointerEXT; alias fn_glTbufferMask3DFX = extern(C) void function(GLuint mask) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_3DFX_tbuffer") fn_glTbufferMask3DFX glTbufferMask3DFX; alias fn_glTessellationFactorAMD = extern(C) void function(GLfloat factor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_vertex_shader_tessellator") fn_glTessellationFactorAMD glTessellationFactorAMD; alias fn_glTessellationModeAMD = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_vertex_shader_tessellator") fn_glTessellationModeAMD glTessellationModeAMD; alias fn_glTestFenceAPPLE = extern(C) GLboolean function(GLuint fence) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_fence") fn_glTestFenceAPPLE glTestFenceAPPLE; alias fn_glTestFenceNV = extern(C) GLboolean function(GLuint fence) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_fence") fn_glTestFenceNV glTestFenceNV; alias fn_glTestObjectAPPLE = extern(C) GLboolean function(GLenum object, GLuint name) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_fence") fn_glTestObjectAPPLE glTestObjectAPPLE; alias fn_glTexBufferARB = extern(C) void function(GLenum target, GLenum internalformat, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_texture_buffer_object") fn_glTexBufferARB glTexBufferARB; alias fn_glTexBufferEXT = extern(C) void function(GLenum target, GLenum internalformat, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_buffer") fn_glTexBufferEXT glTexBufferEXT; alias fn_glTexBufferOES = extern(C) void function(GLenum target, GLenum internalformat, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_buffer") fn_glTexBufferOES glTexBufferOES; alias fn_glTexBufferRange = extern(C) void function(GLenum target, GLenum internalformat, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_texture_buffer_range") fn_glTexBufferRange glTexBufferRange; alias fn_glTexBufferRangeEXT = extern(C) void function(GLenum target, GLenum internalformat, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_buffer") fn_glTexBufferRangeEXT glTexBufferRangeEXT; alias fn_glTexBufferRangeOES = extern(C) void function(GLenum target, GLenum internalformat, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_buffer") fn_glTexBufferRangeOES glTexBufferRangeOES; alias fn_glTexBumpParameterfvATI = extern(C) void function(GLenum pname, const GLfloat* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_envmap_bumpmap") fn_glTexBumpParameterfvATI glTexBumpParameterfvATI; alias fn_glTexBumpParameterivATI = extern(C) void function(GLenum pname, const GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_envmap_bumpmap") fn_glTexBumpParameterivATI glTexBumpParameterivATI; alias fn_glTexCoord1bOES = extern(C) void function(GLbyte s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glTexCoord1bOES glTexCoord1bOES; alias fn_glTexCoord1bvOES = extern(C) void function(const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glTexCoord1bvOES glTexCoord1bvOES; alias fn_glTexCoord1d = extern(C) void function(GLdouble s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord1d glTexCoord1d; alias fn_glTexCoord1dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord1dv glTexCoord1dv; alias fn_glTexCoord1f = extern(C) void function(GLfloat s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord1f glTexCoord1f; alias fn_glTexCoord1fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord1fv glTexCoord1fv; alias fn_glTexCoord1hNV = extern(C) void function(GLhalfNV s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glTexCoord1hNV glTexCoord1hNV; alias fn_glTexCoord1hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glTexCoord1hvNV glTexCoord1hvNV; alias fn_glTexCoord1i = extern(C) void function(GLint s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord1i glTexCoord1i; alias fn_glTexCoord1iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord1iv glTexCoord1iv; alias fn_glTexCoord1s = extern(C) void function(GLshort s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord1s glTexCoord1s; alias fn_glTexCoord1sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord1sv glTexCoord1sv; alias fn_glTexCoord1xOES = extern(C) void function(GLfixed s) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexCoord1xOES glTexCoord1xOES; alias fn_glTexCoord1xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexCoord1xvOES glTexCoord1xvOES; alias fn_glTexCoord2bOES = extern(C) void function(GLbyte s, GLbyte t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glTexCoord2bOES glTexCoord2bOES; alias fn_glTexCoord2bvOES = extern(C) void function(const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glTexCoord2bvOES glTexCoord2bvOES; alias fn_glTexCoord2d = extern(C) void function(GLdouble s, GLdouble t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord2d glTexCoord2d; alias fn_glTexCoord2dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord2dv glTexCoord2dv; alias fn_glTexCoord2f = extern(C) void function(GLfloat s, GLfloat t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord2f glTexCoord2f; alias fn_glTexCoord2fColor3fVertex3fSUN = extern(C) void function(GLfloat s, GLfloat t, GLfloat r, GLfloat g, GLfloat b, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fColor3fVertex3fSUN glTexCoord2fColor3fVertex3fSUN; alias fn_glTexCoord2fColor3fVertex3fvSUN = extern(C) void function(const GLfloat* tc, const GLfloat* c, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fColor3fVertex3fvSUN glTexCoord2fColor3fVertex3fvSUN; alias fn_glTexCoord2fColor4fNormal3fVertex3fSUN = extern(C) void function(GLfloat s, GLfloat t, GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fColor4fNormal3fVertex3fSUN glTexCoord2fColor4fNormal3fVertex3fSUN; alias fn_glTexCoord2fColor4fNormal3fVertex3fvSUN = extern(C) void function(const GLfloat* tc, const GLfloat* c, const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fColor4fNormal3fVertex3fvSUN glTexCoord2fColor4fNormal3fVertex3fvSUN; alias fn_glTexCoord2fColor4ubVertex3fSUN = extern(C) void function(GLfloat s, GLfloat t, GLubyte r, GLubyte g, GLubyte b, GLubyte a, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fColor4ubVertex3fSUN glTexCoord2fColor4ubVertex3fSUN; alias fn_glTexCoord2fColor4ubVertex3fvSUN = extern(C) void function(const GLfloat* tc, const(GLubyte)* c, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fColor4ubVertex3fvSUN glTexCoord2fColor4ubVertex3fvSUN; alias fn_glTexCoord2fNormal3fVertex3fSUN = extern(C) void function(GLfloat s, GLfloat t, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fNormal3fVertex3fSUN glTexCoord2fNormal3fVertex3fSUN; alias fn_glTexCoord2fNormal3fVertex3fvSUN = extern(C) void function(const GLfloat* tc, const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fNormal3fVertex3fvSUN glTexCoord2fNormal3fVertex3fvSUN; alias fn_glTexCoord2fVertex3fSUN = extern(C) void function(GLfloat s, GLfloat t, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fVertex3fSUN glTexCoord2fVertex3fSUN; alias fn_glTexCoord2fVertex3fvSUN = extern(C) void function(const GLfloat* tc, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord2fVertex3fvSUN glTexCoord2fVertex3fvSUN; alias fn_glTexCoord2fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord2fv glTexCoord2fv; alias fn_glTexCoord2hNV = extern(C) void function(GLhalfNV s, GLhalfNV t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glTexCoord2hNV glTexCoord2hNV; alias fn_glTexCoord2hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glTexCoord2hvNV glTexCoord2hvNV; alias fn_glTexCoord2i = extern(C) void function(GLint s, GLint t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord2i glTexCoord2i; alias fn_glTexCoord2iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord2iv glTexCoord2iv; alias fn_glTexCoord2s = extern(C) void function(GLshort s, GLshort t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord2s glTexCoord2s; alias fn_glTexCoord2sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord2sv glTexCoord2sv; alias fn_glTexCoord2xOES = extern(C) void function(GLfixed s, GLfixed t) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexCoord2xOES glTexCoord2xOES; alias fn_glTexCoord2xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexCoord2xvOES glTexCoord2xvOES; alias fn_glTexCoord3bOES = extern(C) void function(GLbyte s, GLbyte t, GLbyte r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glTexCoord3bOES glTexCoord3bOES; alias fn_glTexCoord3bvOES = extern(C) void function(const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glTexCoord3bvOES glTexCoord3bvOES; alias fn_glTexCoord3d = extern(C) void function(GLdouble s, GLdouble t, GLdouble r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord3d glTexCoord3d; alias fn_glTexCoord3dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord3dv glTexCoord3dv; alias fn_glTexCoord3f = extern(C) void function(GLfloat s, GLfloat t, GLfloat r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord3f glTexCoord3f; alias fn_glTexCoord3fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord3fv glTexCoord3fv; alias fn_glTexCoord3hNV = extern(C) void function(GLhalfNV s, GLhalfNV t, GLhalfNV r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glTexCoord3hNV glTexCoord3hNV; alias fn_glTexCoord3hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glTexCoord3hvNV glTexCoord3hvNV; alias fn_glTexCoord3i = extern(C) void function(GLint s, GLint t, GLint r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord3i glTexCoord3i; alias fn_glTexCoord3iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord3iv glTexCoord3iv; alias fn_glTexCoord3s = extern(C) void function(GLshort s, GLshort t, GLshort r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord3s glTexCoord3s; alias fn_glTexCoord3sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord3sv glTexCoord3sv; alias fn_glTexCoord3xOES = extern(C) void function(GLfixed s, GLfixed t, GLfixed r) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexCoord3xOES glTexCoord3xOES; alias fn_glTexCoord3xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexCoord3xvOES glTexCoord3xvOES; alias fn_glTexCoord4bOES = extern(C) void function(GLbyte s, GLbyte t, GLbyte r, GLbyte q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glTexCoord4bOES glTexCoord4bOES; alias fn_glTexCoord4bvOES = extern(C) void function(const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glTexCoord4bvOES glTexCoord4bvOES; alias fn_glTexCoord4d = extern(C) void function(GLdouble s, GLdouble t, GLdouble r, GLdouble q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord4d glTexCoord4d; alias fn_glTexCoord4dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord4dv glTexCoord4dv; alias fn_glTexCoord4f = extern(C) void function(GLfloat s, GLfloat t, GLfloat r, GLfloat q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord4f glTexCoord4f; alias fn_glTexCoord4fColor4fNormal3fVertex4fSUN = extern(C) void function(GLfloat s, GLfloat t, GLfloat p, GLfloat q, GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord4fColor4fNormal3fVertex4fSUN glTexCoord4fColor4fNormal3fVertex4fSUN; alias fn_glTexCoord4fColor4fNormal3fVertex4fvSUN = extern(C) void function(const GLfloat* tc, const GLfloat* c, const GLfloat* n, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord4fColor4fNormal3fVertex4fvSUN glTexCoord4fColor4fNormal3fVertex4fvSUN; alias fn_glTexCoord4fVertex4fSUN = extern(C) void function(GLfloat s, GLfloat t, GLfloat p, GLfloat q, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord4fVertex4fSUN glTexCoord4fVertex4fSUN; alias fn_glTexCoord4fVertex4fvSUN = extern(C) void function(const GLfloat* tc, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SUN_vertex") fn_glTexCoord4fVertex4fvSUN glTexCoord4fVertex4fvSUN; alias fn_glTexCoord4fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord4fv glTexCoord4fv; alias fn_glTexCoord4hNV = extern(C) void function(GLhalfNV s, GLhalfNV t, GLhalfNV r, GLhalfNV q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glTexCoord4hNV glTexCoord4hNV; alias fn_glTexCoord4hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glTexCoord4hvNV glTexCoord4hvNV; alias fn_glTexCoord4i = extern(C) void function(GLint s, GLint t, GLint r, GLint q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord4i glTexCoord4i; alias fn_glTexCoord4iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord4iv glTexCoord4iv; alias fn_glTexCoord4s = extern(C) void function(GLshort s, GLshort t, GLshort r, GLshort q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord4s glTexCoord4s; alias fn_glTexCoord4sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexCoord4sv glTexCoord4sv; alias fn_glTexCoord4xOES = extern(C) void function(GLfixed s, GLfixed t, GLfixed r, GLfixed q) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexCoord4xOES glTexCoord4xOES; alias fn_glTexCoord4xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexCoord4xvOES glTexCoord4xvOES; alias fn_glTexCoordFormatNV = extern(C) void function(GLint size, GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glTexCoordFormatNV glTexCoordFormatNV; alias fn_glTexCoordP1ui = extern(C) void function(GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glTexCoordP1ui glTexCoordP1ui; alias fn_glTexCoordP1uiv = extern(C) void function(GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glTexCoordP1uiv glTexCoordP1uiv; alias fn_glTexCoordP2ui = extern(C) void function(GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glTexCoordP2ui glTexCoordP2ui; alias fn_glTexCoordP2uiv = extern(C) void function(GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glTexCoordP2uiv glTexCoordP2uiv; alias fn_glTexCoordP3ui = extern(C) void function(GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glTexCoordP3ui glTexCoordP3ui; alias fn_glTexCoordP3uiv = extern(C) void function(GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glTexCoordP3uiv glTexCoordP3uiv; alias fn_glTexCoordP4ui = extern(C) void function(GLenum type, GLuint coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glTexCoordP4ui glTexCoordP4ui; alias fn_glTexCoordP4uiv = extern(C) void function(GLenum type, const GLuint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glTexCoordP4uiv glTexCoordP4uiv; alias fn_glTexCoordPointer = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glTexCoordPointer glTexCoordPointer; alias fn_glTexCoordPointerEXT = extern(C) void function(GLint size, GLenum type, GLsizei stride, GLsizei count, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glTexCoordPointerEXT glTexCoordPointerEXT; alias fn_glTexCoordPointerListIBM = extern(C) void function(GLint size, GLenum type, GLint stride, const void** pointer, GLint ptrstride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_vertex_array_lists") fn_glTexCoordPointerListIBM glTexCoordPointerListIBM; alias fn_glTexCoordPointervINTEL = extern(C) void function(GLint size, GLenum type, const void** pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_parallel_arrays") fn_glTexCoordPointervINTEL glTexCoordPointervINTEL; alias fn_glTexEnvf = extern(C) void function(GLenum target, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexEnvf glTexEnvf; alias fn_glTexEnvfv = extern(C) void function(GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexEnvfv glTexEnvfv; alias fn_glTexEnvi = extern(C) void function(GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexEnvi glTexEnvi; alias fn_glTexEnviv = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexEnviv glTexEnviv; alias fn_glTexEnvx = extern(C) void function(GLenum target, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glTexEnvx glTexEnvx; alias fn_glTexEnvxOES = extern(C) void function(GLenum target, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexEnvxOES glTexEnvxOES; alias fn_glTexEnvxv = extern(C) void function(GLenum target, GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glTexEnvxv glTexEnvxv; alias fn_glTexEnvxvOES = extern(C) void function(GLenum target, GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexEnvxvOES glTexEnvxvOES; alias fn_glTexFilterFuncSGIS = extern(C) void function(GLenum target, GLenum filter, GLsizei n, const GLfloat* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_texture_filter4") fn_glTexFilterFuncSGIS glTexFilterFuncSGIS; alias fn_glTexGend = extern(C) void function(GLenum coord, GLenum pname, GLdouble param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexGend glTexGend; alias fn_glTexGendv = extern(C) void function(GLenum coord, GLenum pname, const GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexGendv glTexGendv; alias fn_glTexGenf = extern(C) void function(GLenum coord, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexGenf glTexGenf; alias fn_glTexGenfOES = extern(C) void function(GLenum coord, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_cube_map") fn_glTexGenfOES glTexGenfOES; alias fn_glTexGenfv = extern(C) void function(GLenum coord, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexGenfv glTexGenfv; alias fn_glTexGenfvOES = extern(C) void function(GLenum coord, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_cube_map") fn_glTexGenfvOES glTexGenfvOES; alias fn_glTexGeni = extern(C) void function(GLenum coord, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexGeni glTexGeni; alias fn_glTexGeniOES = extern(C) void function(GLenum coord, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_cube_map") fn_glTexGeniOES glTexGeniOES; alias fn_glTexGeniv = extern(C) void function(GLenum coord, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTexGeniv glTexGeniv; alias fn_glTexGenivOES = extern(C) void function(GLenum coord, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_cube_map") fn_glTexGenivOES glTexGenivOES; alias fn_glTexGenxOES = extern(C) void function(GLenum coord, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexGenxOES glTexGenxOES; alias fn_glTexGenxvOES = extern(C) void function(GLenum coord, GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexGenxvOES glTexGenxvOES; alias fn_glTexImage2DMultisampleCoverageNV = extern(C) void function(GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLint internalFormat, GLsizei width, GLsizei height, GLboolean fixedSampleLocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_texture_multisample") fn_glTexImage2DMultisampleCoverageNV glTexImage2DMultisampleCoverageNV; alias fn_glTexImage3DEXT = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture3D") fn_glTexImage3DEXT glTexImage3DEXT; alias fn_glTexImage3DMultisampleCoverageNV = extern(C) void function(GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLint internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedSampleLocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_texture_multisample") fn_glTexImage3DMultisampleCoverageNV glTexImage3DMultisampleCoverageNV; alias fn_glTexImage3DOES = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_3D") fn_glTexImage3DOES glTexImage3DOES; alias fn_glTexImage4DSGIS = extern(C) void function(GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLsizei size4d, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_texture4D") fn_glTexImage4DSGIS glTexImage4DSGIS; alias fn_glTexPageCommitmentARB = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLboolean commit) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_sparse_texture") fn_glTexPageCommitmentARB glTexPageCommitmentARB; alias fn_glTexPageCommitmentEXT = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLboolean commit) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_sparse_texture") fn_glTexPageCommitmentEXT glTexPageCommitmentEXT; alias fn_glTexParameterIivEXT = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_border_clamp") fn_glTexParameterIivEXT glTexParameterIivEXT; alias fn_glTexParameterIivOES = extern(C) void function(GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_border_clamp") fn_glTexParameterIivOES glTexParameterIivOES; alias fn_glTexParameterIuivEXT = extern(C) void function(GLenum target, GLenum pname, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_border_clamp") fn_glTexParameterIuivEXT glTexParameterIuivEXT; alias fn_glTexParameterIuivOES = extern(C) void function(GLenum target, GLenum pname, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_border_clamp") fn_glTexParameterIuivOES glTexParameterIuivOES; alias fn_glTexParameterx = extern(C) void function(GLenum target, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glTexParameterx glTexParameterx; alias fn_glTexParameterxOES = extern(C) void function(GLenum target, GLenum pname, GLfixed param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexParameterxOES glTexParameterxOES; alias fn_glTexParameterxv = extern(C) void function(GLenum target, GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glTexParameterxv glTexParameterxv; alias fn_glTexParameterxvOES = extern(C) void function(GLenum target, GLenum pname, const GLfixed* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTexParameterxvOES glTexParameterxvOES; alias fn_glTexRenderbufferNV = extern(C) void function(GLenum target, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_explicit_multisample") fn_glTexRenderbufferNV glTexRenderbufferNV; alias fn_glTexStorage1D = extern(C) void function(GLenum target, GLsizei levels, GLenum internalformat, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_texture_storage") fn_glTexStorage1D glTexStorage1D; alias fn_glTexStorage1DEXT = extern(C) void function(GLenum target, GLsizei levels, GLenum internalformat, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_storage") fn_glTexStorage1DEXT glTexStorage1DEXT; alias fn_glTexStorage2D = extern(C) void function(GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_texture_storage") fn_glTexStorage2D glTexStorage2D; alias fn_glTexStorage2DEXT = extern(C) void function(GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_storage") fn_glTexStorage2DEXT glTexStorage2DEXT; alias fn_glTexStorage2DMultisample = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLboolean fixedsamplelocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_texture_storage_multisample") fn_glTexStorage2DMultisample glTexStorage2DMultisample; alias fn_glTexStorage3D = extern(C) void function(GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P2) @OpenGL_Extension("GL_ARB_texture_storage") fn_glTexStorage3D glTexStorage3D; alias fn_glTexStorage3DEXT = extern(C) void function(GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_storage") fn_glTexStorage3DEXT glTexStorage3DEXT; alias fn_glTexStorage3DMultisample = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_texture_storage_multisample") fn_glTexStorage3DMultisample glTexStorage3DMultisample; alias fn_glTexStorage3DMultisampleOES = extern(C) void function(GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_storage_multisample_2d_array") fn_glTexStorage3DMultisampleOES glTexStorage3DMultisampleOES; alias fn_glTexStorageSparseAMD = extern(C) void function(GLenum target, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLsizei layers, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_sparse_texture") fn_glTexStorageSparseAMD glTexStorageSparseAMD; alias fn_glTexSubImage1DEXT = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_subtexture") fn_glTexSubImage1DEXT glTexSubImage1DEXT; alias fn_glTexSubImage2DEXT = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_subtexture") fn_glTexSubImage2DEXT glTexSubImage2DEXT; alias fn_glTexSubImage3DEXT = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture3D") fn_glTexSubImage3DEXT glTexSubImage3DEXT; alias fn_glTexSubImage3DOES = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_3D") fn_glTexSubImage3DOES glTexSubImage3DOES; alias fn_glTexSubImage4DSGIS = extern(C) void function(GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint woffset, GLsizei width, GLsizei height, GLsizei depth, GLsizei size4d, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_texture4D") fn_glTexSubImage4DSGIS glTexSubImage4DSGIS; alias fn_glTextureBarrier = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_texture_barrier") fn_glTextureBarrier glTextureBarrier; alias fn_glTextureBarrierNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_texture_barrier") fn_glTextureBarrierNV glTextureBarrierNV; alias fn_glTextureBuffer = extern(C) void function(GLuint texture, GLenum internalformat, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureBuffer glTextureBuffer; alias fn_glTextureBufferEXT = extern(C) void function(GLuint texture, GLenum target, GLenum internalformat, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureBufferEXT glTextureBufferEXT; alias fn_glTextureBufferRange = extern(C) void function(GLuint texture, GLenum internalformat, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureBufferRange glTextureBufferRange; alias fn_glTextureBufferRangeEXT = extern(C) void function(GLuint texture, GLenum target, GLenum internalformat, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureBufferRangeEXT glTextureBufferRangeEXT; alias fn_glTextureColorMaskSGIS = extern(C) void function(GLboolean red, GLboolean green, GLboolean blue, GLboolean alpha) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_SGIS_texture_color_mask") fn_glTextureColorMaskSGIS glTextureColorMaskSGIS; alias fn_glTextureImage1DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint internalformat, GLsizei width, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureImage1DEXT glTextureImage1DEXT; alias fn_glTextureImage2DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureImage2DEXT glTextureImage2DEXT; alias fn_glTextureImage2DMultisampleCoverageNV = extern(C) void function(GLuint texture, GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLint internalFormat, GLsizei width, GLsizei height, GLboolean fixedSampleLocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_texture_multisample") fn_glTextureImage2DMultisampleCoverageNV glTextureImage2DMultisampleCoverageNV; alias fn_glTextureImage2DMultisampleNV = extern(C) void function(GLuint texture, GLenum target, GLsizei samples, GLint internalFormat, GLsizei width, GLsizei height, GLboolean fixedSampleLocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_texture_multisample") fn_glTextureImage2DMultisampleNV glTextureImage2DMultisampleNV; alias fn_glTextureImage3DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureImage3DEXT glTextureImage3DEXT; alias fn_glTextureImage3DMultisampleCoverageNV = extern(C) void function(GLuint texture, GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLint internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedSampleLocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_texture_multisample") fn_glTextureImage3DMultisampleCoverageNV glTextureImage3DMultisampleCoverageNV; alias fn_glTextureImage3DMultisampleNV = extern(C) void function(GLuint texture, GLenum target, GLsizei samples, GLint internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedSampleLocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_texture_multisample") fn_glTextureImage3DMultisampleNV glTextureImage3DMultisampleNV; alias fn_glTextureLightEXT = extern(C) void function(GLenum pname) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_light_texture") fn_glTextureLightEXT glTextureLightEXT; alias fn_glTextureMaterialEXT = extern(C) void function(GLenum face, GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_light_texture") fn_glTextureMaterialEXT glTextureMaterialEXT; alias fn_glTextureNormalEXT = extern(C) void function(GLenum mode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_perturb_normal") fn_glTextureNormalEXT glTextureNormalEXT; alias fn_glTexturePageCommitmentEXT = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLboolean commit) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTexturePageCommitmentEXT glTexturePageCommitmentEXT; alias fn_glTextureParameterIiv = extern(C) void function(GLuint texture, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureParameterIiv glTextureParameterIiv; alias fn_glTextureParameterIivEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureParameterIivEXT glTextureParameterIivEXT; alias fn_glTextureParameterIuiv = extern(C) void function(GLuint texture, GLenum pname, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureParameterIuiv glTextureParameterIuiv; alias fn_glTextureParameterIuivEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, const GLuint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureParameterIuivEXT glTextureParameterIuivEXT; alias fn_glTextureParameterf = extern(C) void function(GLuint texture, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureParameterf glTextureParameterf; alias fn_glTextureParameterfEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureParameterfEXT glTextureParameterfEXT; alias fn_glTextureParameterfv = extern(C) void function(GLuint texture, GLenum pname, const GLfloat* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureParameterfv glTextureParameterfv; alias fn_glTextureParameterfvEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureParameterfvEXT glTextureParameterfvEXT; alias fn_glTextureParameteri = extern(C) void function(GLuint texture, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureParameteri glTextureParameteri; alias fn_glTextureParameteriEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureParameteriEXT glTextureParameteriEXT; alias fn_glTextureParameteriv = extern(C) void function(GLuint texture, GLenum pname, const GLint* param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureParameteriv glTextureParameteriv; alias fn_glTextureParameterivEXT = extern(C) void function(GLuint texture, GLenum target, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureParameterivEXT glTextureParameterivEXT; alias fn_glTextureRangeAPPLE = extern(C) void function(GLenum target, GLsizei length, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_texture_range") fn_glTextureRangeAPPLE glTextureRangeAPPLE; alias fn_glTextureRenderbufferEXT = extern(C) void function(GLuint texture, GLenum target, GLuint renderbuffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureRenderbufferEXT glTextureRenderbufferEXT; alias fn_glTextureStorage1D = extern(C) void function(GLuint texture, GLsizei levels, GLenum internalformat, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureStorage1D glTextureStorage1D; alias fn_glTextureStorage1DEXT = extern(C) void function(GLuint texture, GLenum target, GLsizei levels, GLenum internalformat, GLsizei width) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureStorage1DEXT glTextureStorage1DEXT; alias fn_glTextureStorage2D = extern(C) void function(GLuint texture, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureStorage2D glTextureStorage2D; alias fn_glTextureStorage2DEXT = extern(C) void function(GLuint texture, GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureStorage2DEXT glTextureStorage2DEXT; alias fn_glTextureStorage2DMultisample = extern(C) void function(GLuint texture, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLboolean fixedsamplelocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureStorage2DMultisample glTextureStorage2DMultisample; alias fn_glTextureStorage2DMultisampleEXT = extern(C) void function(GLuint texture, GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLboolean fixedsamplelocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureStorage2DMultisampleEXT glTextureStorage2DMultisampleEXT; alias fn_glTextureStorage3D = extern(C) void function(GLuint texture, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureStorage3D glTextureStorage3D; alias fn_glTextureStorage3DEXT = extern(C) void function(GLuint texture, GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureStorage3DEXT glTextureStorage3DEXT; alias fn_glTextureStorage3DMultisample = extern(C) void function(GLuint texture, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureStorage3DMultisample glTextureStorage3DMultisample; alias fn_glTextureStorage3DMultisampleEXT = extern(C) void function(GLuint texture, GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureStorage3DMultisampleEXT glTextureStorage3DMultisampleEXT; alias fn_glTextureStorageSparseAMD = extern(C) void function(GLuint texture, GLenum target, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLsizei layers, GLbitfield flags) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_sparse_texture") fn_glTextureStorageSparseAMD glTextureStorageSparseAMD; alias fn_glTextureSubImage1D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureSubImage1D glTextureSubImage1D; alias fn_glTextureSubImage1DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureSubImage1DEXT glTextureSubImage1DEXT; alias fn_glTextureSubImage2D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureSubImage2D glTextureSubImage2D; alias fn_glTextureSubImage2DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureSubImage2DEXT glTextureSubImage2DEXT; alias fn_glTextureSubImage3D = extern(C) void function(GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTextureSubImage3D glTextureSubImage3D; alias fn_glTextureSubImage3DEXT = extern(C) void function(GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void* pixels) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glTextureSubImage3DEXT glTextureSubImage3DEXT; alias fn_glTextureView = extern(C) void function(GLuint texture, GLenum target, GLuint origtexture, GLenum internalformat, GLuint minlevel, GLuint numlevels, GLuint minlayer, GLuint numlayers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_texture_view") fn_glTextureView glTextureView; alias fn_glTextureViewEXT = extern(C) void function(GLuint texture, GLenum target, GLuint origtexture, GLenum internalformat, GLuint minlevel, GLuint numlevels, GLuint minlayer, GLuint numlayers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_texture_view") fn_glTextureViewEXT glTextureViewEXT; alias fn_glTextureViewOES = extern(C) void function(GLuint texture, GLenum target, GLuint origtexture, GLenum internalformat, GLuint minlevel, GLuint numlevels, GLuint minlayer, GLuint numlayers) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_texture_view") fn_glTextureViewOES glTextureViewOES; alias fn_glTrackMatrixNV = extern(C) void function(GLenum target, GLuint address, GLenum matrix, GLenum transform) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glTrackMatrixNV glTrackMatrixNV; alias fn_glTransformFeedbackAttribsNV = extern(C) void function(GLsizei count, const GLint* attribs, GLenum bufferMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glTransformFeedbackAttribsNV glTransformFeedbackAttribsNV; alias fn_glTransformFeedbackBufferBase = extern(C) void function(GLuint xfb, GLuint index, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTransformFeedbackBufferBase glTransformFeedbackBufferBase; alias fn_glTransformFeedbackBufferRange = extern(C) void function(GLuint xfb, GLuint index, GLuint buffer, GLintptr offset, GLsizeiptr size) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glTransformFeedbackBufferRange glTransformFeedbackBufferRange; alias fn_glTransformFeedbackStreamAttribsNV = extern(C) void function(GLsizei count, const GLint* attribs, GLsizei nbuffers, const GLint* bufstreams, GLenum bufferMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glTransformFeedbackStreamAttribsNV glTransformFeedbackStreamAttribsNV; alias fn_glTransformFeedbackVaryingsEXT = extern(C) void function(GLuint program, GLsizei count, const(const(GLvoid*)*) varyings, GLenum bufferMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_transform_feedback") fn_glTransformFeedbackVaryingsEXT glTransformFeedbackVaryingsEXT; alias fn_glTransformFeedbackVaryingsNV = extern(C) void function(GLuint program, GLsizei count, const GLint* locations, GLenum bufferMode) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_transform_feedback") fn_glTransformFeedbackVaryingsNV glTransformFeedbackVaryingsNV; alias fn_glTransformPathNV = extern(C) void function(GLuint resultPath, GLuint srcPath, GLenum transformType, const GLfloat* transformValues) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glTransformPathNV glTransformPathNV; alias fn_glTranslated = extern(C) void function(GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTranslated glTranslated; alias fn_glTranslatef = extern(C) void function(GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glTranslatef glTranslatef; alias fn_glTranslatex = extern(C) void function(GLfixed x, GLfixed y, GLfixed z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) fn_glTranslatex glTranslatex; alias fn_glTranslatexOES = extern(C) void function(GLfixed x, GLfixed y, GLfixed z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glTranslatexOES glTranslatexOES; alias fn_glUniform1d = extern(C) void function(GLint location, GLdouble x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniform1d glUniform1d; alias fn_glUniform1dv = extern(C) void function(GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniform1dv glUniform1dv; alias fn_glUniform1fARB = extern(C) void function(GLint location, GLfloat v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform1fARB glUniform1fARB; alias fn_glUniform1fvARB = extern(C) void function(GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform1fvARB glUniform1fvARB; alias fn_glUniform1i64ARB = extern(C) void function(GLint location, GLint64 x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform1i64ARB glUniform1i64ARB; alias fn_glUniform1i64NV = extern(C) void function(GLint location, GLint64EXT x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform1i64NV glUniform1i64NV; alias fn_glUniform1i64vARB = extern(C) void function(GLint location, GLsizei count, const GLint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform1i64vARB glUniform1i64vARB; alias fn_glUniform1i64vNV = extern(C) void function(GLint location, GLsizei count, const GLint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform1i64vNV glUniform1i64vNV; alias fn_glUniform1iARB = extern(C) void function(GLint location, GLint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform1iARB glUniform1iARB; alias fn_glUniform1ivARB = extern(C) void function(GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform1ivARB glUniform1ivARB; alias fn_glUniform1ui64ARB = extern(C) void function(GLint location, GLuint64 x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform1ui64ARB glUniform1ui64ARB; alias fn_glUniform1ui64NV = extern(C) void function(GLint location, GLuint64EXT x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform1ui64NV glUniform1ui64NV; alias fn_glUniform1ui64vARB = extern(C) void function(GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform1ui64vARB glUniform1ui64vARB; alias fn_glUniform1ui64vNV = extern(C) void function(GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform1ui64vNV glUniform1ui64vNV; alias fn_glUniform1uiEXT = extern(C) void function(GLint location, GLuint v0) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glUniform1uiEXT glUniform1uiEXT; alias fn_glUniform1uivEXT = extern(C) void function(GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glUniform1uivEXT glUniform1uivEXT; alias fn_glUniform2d = extern(C) void function(GLint location, GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniform2d glUniform2d; alias fn_glUniform2dv = extern(C) void function(GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniform2dv glUniform2dv; alias fn_glUniform2fARB = extern(C) void function(GLint location, GLfloat v0, GLfloat v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform2fARB glUniform2fARB; alias fn_glUniform2fvARB = extern(C) void function(GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform2fvARB glUniform2fvARB; alias fn_glUniform2i64ARB = extern(C) void function(GLint location, GLint64 x, GLint64 y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform2i64ARB glUniform2i64ARB; alias fn_glUniform2i64NV = extern(C) void function(GLint location, GLint64EXT x, GLint64EXT y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform2i64NV glUniform2i64NV; alias fn_glUniform2i64vARB = extern(C) void function(GLint location, GLsizei count, const GLint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform2i64vARB glUniform2i64vARB; alias fn_glUniform2i64vNV = extern(C) void function(GLint location, GLsizei count, const GLint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform2i64vNV glUniform2i64vNV; alias fn_glUniform2iARB = extern(C) void function(GLint location, GLint v0, GLint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform2iARB glUniform2iARB; alias fn_glUniform2ivARB = extern(C) void function(GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform2ivARB glUniform2ivARB; alias fn_glUniform2ui64ARB = extern(C) void function(GLint location, GLuint64 x, GLuint64 y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform2ui64ARB glUniform2ui64ARB; alias fn_glUniform2ui64NV = extern(C) void function(GLint location, GLuint64EXT x, GLuint64EXT y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform2ui64NV glUniform2ui64NV; alias fn_glUniform2ui64vARB = extern(C) void function(GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform2ui64vARB glUniform2ui64vARB; alias fn_glUniform2ui64vNV = extern(C) void function(GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform2ui64vNV glUniform2ui64vNV; alias fn_glUniform2uiEXT = extern(C) void function(GLint location, GLuint v0, GLuint v1) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glUniform2uiEXT glUniform2uiEXT; alias fn_glUniform2uivEXT = extern(C) void function(GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glUniform2uivEXT glUniform2uivEXT; alias fn_glUniform3d = extern(C) void function(GLint location, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniform3d glUniform3d; alias fn_glUniform3dv = extern(C) void function(GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniform3dv glUniform3dv; alias fn_glUniform3fARB = extern(C) void function(GLint location, GLfloat v0, GLfloat v1, GLfloat v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform3fARB glUniform3fARB; alias fn_glUniform3fvARB = extern(C) void function(GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform3fvARB glUniform3fvARB; alias fn_glUniform3i64ARB = extern(C) void function(GLint location, GLint64 x, GLint64 y, GLint64 z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform3i64ARB glUniform3i64ARB; alias fn_glUniform3i64NV = extern(C) void function(GLint location, GLint64EXT x, GLint64EXT y, GLint64EXT z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform3i64NV glUniform3i64NV; alias fn_glUniform3i64vARB = extern(C) void function(GLint location, GLsizei count, const GLint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform3i64vARB glUniform3i64vARB; alias fn_glUniform3i64vNV = extern(C) void function(GLint location, GLsizei count, const GLint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform3i64vNV glUniform3i64vNV; alias fn_glUniform3iARB = extern(C) void function(GLint location, GLint v0, GLint v1, GLint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform3iARB glUniform3iARB; alias fn_glUniform3ivARB = extern(C) void function(GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform3ivARB glUniform3ivARB; alias fn_glUniform3ui64ARB = extern(C) void function(GLint location, GLuint64 x, GLuint64 y, GLuint64 z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform3ui64ARB glUniform3ui64ARB; alias fn_glUniform3ui64NV = extern(C) void function(GLint location, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform3ui64NV glUniform3ui64NV; alias fn_glUniform3ui64vARB = extern(C) void function(GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform3ui64vARB glUniform3ui64vARB; alias fn_glUniform3ui64vNV = extern(C) void function(GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform3ui64vNV glUniform3ui64vNV; alias fn_glUniform3uiEXT = extern(C) void function(GLint location, GLuint v0, GLuint v1, GLuint v2) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glUniform3uiEXT glUniform3uiEXT; alias fn_glUniform3uivEXT = extern(C) void function(GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glUniform3uivEXT glUniform3uivEXT; alias fn_glUniform4d = extern(C) void function(GLint location, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniform4d glUniform4d; alias fn_glUniform4dv = extern(C) void function(GLint location, GLsizei count, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniform4dv glUniform4dv; alias fn_glUniform4fARB = extern(C) void function(GLint location, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform4fARB glUniform4fARB; alias fn_glUniform4fvARB = extern(C) void function(GLint location, GLsizei count, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform4fvARB glUniform4fvARB; alias fn_glUniform4i64ARB = extern(C) void function(GLint location, GLint64 x, GLint64 y, GLint64 z, GLint64 w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform4i64ARB glUniform4i64ARB; alias fn_glUniform4i64NV = extern(C) void function(GLint location, GLint64EXT x, GLint64EXT y, GLint64EXT z, GLint64EXT w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform4i64NV glUniform4i64NV; alias fn_glUniform4i64vARB = extern(C) void function(GLint location, GLsizei count, const GLint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform4i64vARB glUniform4i64vARB; alias fn_glUniform4i64vNV = extern(C) void function(GLint location, GLsizei count, const GLint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform4i64vNV glUniform4i64vNV; alias fn_glUniform4iARB = extern(C) void function(GLint location, GLint v0, GLint v1, GLint v2, GLint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform4iARB glUniform4iARB; alias fn_glUniform4ivARB = extern(C) void function(GLint location, GLsizei count, const GLint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniform4ivARB glUniform4ivARB; alias fn_glUniform4ui64ARB = extern(C) void function(GLint location, GLuint64 x, GLuint64 y, GLuint64 z, GLuint64 w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform4ui64ARB glUniform4ui64ARB; alias fn_glUniform4ui64NV = extern(C) void function(GLint location, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z, GLuint64EXT w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform4ui64NV glUniform4ui64NV; alias fn_glUniform4ui64vARB = extern(C) void function(GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_gpu_shader_int64") fn_glUniform4ui64vARB glUniform4ui64vARB; alias fn_glUniform4ui64vNV = extern(C) void function(GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_gpu_shader_int64") fn_glUniform4ui64vNV glUniform4ui64vNV; alias fn_glUniform4uiEXT = extern(C) void function(GLint location, GLuint v0, GLuint v1, GLuint v2, GLuint v3) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glUniform4uiEXT glUniform4uiEXT; alias fn_glUniform4uivEXT = extern(C) void function(GLint location, GLsizei count, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_gpu_shader4") fn_glUniform4uivEXT glUniform4uivEXT; alias fn_glUniformBufferEXT = extern(C) void function(GLuint program, GLint location, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_bindable_uniform") fn_glUniformBufferEXT glUniformBufferEXT; alias fn_glUniformHandleui64ARB = extern(C) void function(GLint location, GLuint64 value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glUniformHandleui64ARB glUniformHandleui64ARB; alias fn_glUniformHandleui64IMG = extern(C) void function(GLint location, GLuint64 value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_bindless_texture") fn_glUniformHandleui64IMG glUniformHandleui64IMG; alias fn_glUniformHandleui64NV = extern(C) void function(GLint location, GLuint64 value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glUniformHandleui64NV glUniformHandleui64NV; alias fn_glUniformHandleui64vARB = extern(C) void function(GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glUniformHandleui64vARB glUniformHandleui64vARB; alias fn_glUniformHandleui64vIMG = extern(C) void function(GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IMG_bindless_texture") fn_glUniformHandleui64vIMG glUniformHandleui64vIMG; alias fn_glUniformHandleui64vNV = extern(C) void function(GLint location, GLsizei count, const GLuint64* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_bindless_texture") fn_glUniformHandleui64vNV glUniformHandleui64vNV; alias fn_glUniformMatrix2dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix2dv glUniformMatrix2dv; alias fn_glUniformMatrix2fvARB = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniformMatrix2fvARB glUniformMatrix2fvARB; alias fn_glUniformMatrix2x3dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix2x3dv glUniformMatrix2x3dv; alias fn_glUniformMatrix2x3fvNV = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_non_square_matrices") fn_glUniformMatrix2x3fvNV glUniformMatrix2x3fvNV; alias fn_glUniformMatrix2x4dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix2x4dv glUniformMatrix2x4dv; alias fn_glUniformMatrix2x4fvNV = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_non_square_matrices") fn_glUniformMatrix2x4fvNV glUniformMatrix2x4fvNV; alias fn_glUniformMatrix3dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix3dv glUniformMatrix3dv; alias fn_glUniformMatrix3fvARB = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniformMatrix3fvARB glUniformMatrix3fvARB; alias fn_glUniformMatrix3x2dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix3x2dv glUniformMatrix3x2dv; alias fn_glUniformMatrix3x2fvNV = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_non_square_matrices") fn_glUniformMatrix3x2fvNV glUniformMatrix3x2fvNV; alias fn_glUniformMatrix3x4dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix3x4dv glUniformMatrix3x4dv; alias fn_glUniformMatrix3x4fvNV = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_non_square_matrices") fn_glUniformMatrix3x4fvNV glUniformMatrix3x4fvNV; alias fn_glUniformMatrix4dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix4dv glUniformMatrix4dv; alias fn_glUniformMatrix4fvARB = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUniformMatrix4fvARB glUniformMatrix4fvARB; alias fn_glUniformMatrix4x2dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix4x2dv glUniformMatrix4x2dv; alias fn_glUniformMatrix4x2fvNV = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_non_square_matrices") fn_glUniformMatrix4x2fvNV glUniformMatrix4x2fvNV; alias fn_glUniformMatrix4x3dv = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLdouble* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_gpu_shader_fp64") fn_glUniformMatrix4x3dv glUniformMatrix4x3dv; alias fn_glUniformMatrix4x3fvNV = extern(C) void function(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_non_square_matrices") fn_glUniformMatrix4x3fvNV glUniformMatrix4x3fvNV; alias fn_glUniformSubroutinesuiv = extern(C) void function(GLenum shadertype, GLsizei count, const GLuint* indices) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P0) @OpenGL_Extension("GL_ARB_shader_subroutine") fn_glUniformSubroutinesuiv glUniformSubroutinesuiv; alias fn_glUniformui64NV = extern(C) void function(GLint location, GLuint64EXT value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glUniformui64NV glUniformui64NV; alias fn_glUniformui64vNV = extern(C) void function(GLint location, GLsizei count, const GLuint64EXT* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_shader_buffer_load") fn_glUniformui64vNV glUniformui64vNV; alias fn_glUnlockArraysEXT = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_compiled_vertex_array") fn_glUnlockArraysEXT glUnlockArraysEXT; alias fn_glUnmapBufferARB = extern(C) GLboolean function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_buffer_object") fn_glUnmapBufferARB glUnmapBufferARB; alias fn_glUnmapBufferOES = extern(C) GLboolean function(GLenum target) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_mapbuffer") fn_glUnmapBufferOES glUnmapBufferOES; alias fn_glUnmapNamedBuffer = extern(C) GLboolean function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glUnmapNamedBuffer glUnmapNamedBuffer; alias fn_glUnmapNamedBufferEXT = extern(C) GLboolean function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glUnmapNamedBufferEXT glUnmapNamedBufferEXT; alias fn_glUnmapObjectBufferATI = extern(C) void function(GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_map_object_buffer") fn_glUnmapObjectBufferATI glUnmapObjectBufferATI; alias fn_glUnmapTexture2DINTEL = extern(C) void function(GLuint texture, GLint level) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_map_texture") fn_glUnmapTexture2DINTEL glUnmapTexture2DINTEL; alias fn_glUpdateObjectBufferATI = extern(C) void function(GLuint buffer, GLuint offset, GLsizei size, const void* pointer, GLenum preserve) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glUpdateObjectBufferATI glUpdateObjectBufferATI; alias fn_glUseProgramObjectARB = extern(C) void function(GLhandleARB programObj) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glUseProgramObjectARB glUseProgramObjectARB; alias fn_glUseProgramStages = extern(C) void function(GLuint pipeline, GLbitfield stages, GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glUseProgramStages glUseProgramStages; alias fn_glUseProgramStagesEXT = extern(C) void function(GLuint pipeline, GLbitfield stages, GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glUseProgramStagesEXT glUseProgramStagesEXT; alias fn_glUseShaderProgramEXT = extern(C) void function(GLenum type, GLuint program) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glUseShaderProgramEXT glUseShaderProgramEXT; alias fn_glVDPAUFiniNV = extern(C) void function() @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAUFiniNV glVDPAUFiniNV; alias fn_glVDPAUGetSurfaceivNV = extern(C) void function(GLvdpauSurfaceNV surface, GLenum pname, GLsizei bufSize, GLsizei* length, GLint* values) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAUGetSurfaceivNV glVDPAUGetSurfaceivNV; alias fn_glVDPAUInitNV = extern(C) void function(const void* vdpDevice, const void* getProcAddress) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAUInitNV glVDPAUInitNV; alias fn_glVDPAUIsSurfaceNV = extern(C) GLboolean function(GLvdpauSurfaceNV surface) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAUIsSurfaceNV glVDPAUIsSurfaceNV; alias fn_glVDPAUMapSurfacesNV = extern(C) void function(GLsizei numSurfaces, const GLvdpauSurfaceNV* surfaces) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAUMapSurfacesNV glVDPAUMapSurfacesNV; alias fn_glVDPAURegisterOutputSurfaceNV = extern(C) GLvdpauSurfaceNV function(const void* vdpSurface, GLenum target, GLsizei numTextureNames, const GLuint* textureNames) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAURegisterOutputSurfaceNV glVDPAURegisterOutputSurfaceNV; alias fn_glVDPAURegisterVideoSurfaceNV = extern(C) GLvdpauSurfaceNV function(const void* vdpSurface, GLenum target, GLsizei numTextureNames, const GLuint* textureNames) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAURegisterVideoSurfaceNV glVDPAURegisterVideoSurfaceNV; alias fn_glVDPAUSurfaceAccessNV = extern(C) void function(GLvdpauSurfaceNV surface, GLenum access) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAUSurfaceAccessNV glVDPAUSurfaceAccessNV; alias fn_glVDPAUUnmapSurfacesNV = extern(C) void function(GLsizei numSurface, const GLvdpauSurfaceNV* surfaces) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAUUnmapSurfacesNV glVDPAUUnmapSurfacesNV; alias fn_glVDPAUUnregisterSurfaceNV = extern(C) void function(GLvdpauSurfaceNV surface) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vdpau_interop") fn_glVDPAUUnregisterSurfaceNV glVDPAUUnregisterSurfaceNV; alias fn_glValidateProgramARB = extern(C) void function(GLhandleARB programObj) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_shader_objects") fn_glValidateProgramARB glValidateProgramARB; alias fn_glValidateProgramPipeline = extern(C) void function(GLuint pipeline) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_separate_shader_objects") fn_glValidateProgramPipeline glValidateProgramPipeline; alias fn_glValidateProgramPipelineEXT = extern(C) void function(GLuint pipeline) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_separate_shader_objects") fn_glValidateProgramPipelineEXT glValidateProgramPipelineEXT; alias fn_glVariantArrayObjectATI = extern(C) void function(GLuint id, GLenum type, GLsizei stride, GLuint buffer, GLuint offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_array_object") fn_glVariantArrayObjectATI glVariantArrayObjectATI; alias fn_glVariantPointerEXT = extern(C) void function(GLuint id, GLenum type, GLuint stride, const void* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantPointerEXT glVariantPointerEXT; alias fn_glVariantbvEXT = extern(C) void function(GLuint id, const GLbyte* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantbvEXT glVariantbvEXT; alias fn_glVariantdvEXT = extern(C) void function(GLuint id, const GLdouble* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantdvEXT glVariantdvEXT; alias fn_glVariantfvEXT = extern(C) void function(GLuint id, const GLfloat* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantfvEXT glVariantfvEXT; alias fn_glVariantivEXT = extern(C) void function(GLuint id, const GLint* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantivEXT glVariantivEXT; alias fn_glVariantsvEXT = extern(C) void function(GLuint id, const GLshort* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantsvEXT glVariantsvEXT; alias fn_glVariantubvEXT = extern(C) void function(GLuint id, const(GLubyte)* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantubvEXT glVariantubvEXT; alias fn_glVariantuivEXT = extern(C) void function(GLuint id, const GLuint* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantuivEXT glVariantuivEXT; alias fn_glVariantusvEXT = extern(C) void function(GLuint id, const GLushort* addr) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glVariantusvEXT glVariantusvEXT; alias fn_glVertex2bOES = extern(C) void function(GLbyte x, GLbyte y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glVertex2bOES glVertex2bOES; alias fn_glVertex2bvOES = extern(C) void function(const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glVertex2bvOES glVertex2bvOES; alias fn_glVertex2d = extern(C) void function(GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex2d glVertex2d; alias fn_glVertex2dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex2dv glVertex2dv; alias fn_glVertex2f = extern(C) void function(GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex2f glVertex2f; alias fn_glVertex2fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex2fv glVertex2fv; alias fn_glVertex2hNV = extern(C) void function(GLhalfNV x, GLhalfNV y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertex2hNV glVertex2hNV; alias fn_glVertex2hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertex2hvNV glVertex2hvNV; alias fn_glVertex2i = extern(C) void function(GLint x, GLint y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex2i glVertex2i; alias fn_glVertex2iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex2iv glVertex2iv; alias fn_glVertex2s = extern(C) void function(GLshort x, GLshort y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex2s glVertex2s; alias fn_glVertex2sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex2sv glVertex2sv; alias fn_glVertex2xOES = extern(C) void function(GLfixed x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glVertex2xOES glVertex2xOES; alias fn_glVertex2xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glVertex2xvOES glVertex2xvOES; alias fn_glVertex3bOES = extern(C) void function(GLbyte x, GLbyte y, GLbyte z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glVertex3bOES glVertex3bOES; alias fn_glVertex3bvOES = extern(C) void function(const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glVertex3bvOES glVertex3bvOES; alias fn_glVertex3d = extern(C) void function(GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex3d glVertex3d; alias fn_glVertex3dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex3dv glVertex3dv; alias fn_glVertex3f = extern(C) void function(GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex3f glVertex3f; alias fn_glVertex3fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex3fv glVertex3fv; alias fn_glVertex3hNV = extern(C) void function(GLhalfNV x, GLhalfNV y, GLhalfNV z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertex3hNV glVertex3hNV; alias fn_glVertex3hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertex3hvNV glVertex3hvNV; alias fn_glVertex3i = extern(C) void function(GLint x, GLint y, GLint z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex3i glVertex3i; alias fn_glVertex3iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex3iv glVertex3iv; alias fn_glVertex3s = extern(C) void function(GLshort x, GLshort y, GLshort z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex3s glVertex3s; alias fn_glVertex3sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex3sv glVertex3sv; alias fn_glVertex3xOES = extern(C) void function(GLfixed x, GLfixed y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glVertex3xOES glVertex3xOES; alias fn_glVertex3xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glVertex3xvOES glVertex3xvOES; alias fn_glVertex4bOES = extern(C) void function(GLbyte x, GLbyte y, GLbyte z, GLbyte w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glVertex4bOES glVertex4bOES; alias fn_glVertex4bvOES = extern(C) void function(const GLbyte* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_byte_coordinates") fn_glVertex4bvOES glVertex4bvOES; alias fn_glVertex4d = extern(C) void function(GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex4d glVertex4d; alias fn_glVertex4dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex4dv glVertex4dv; alias fn_glVertex4f = extern(C) void function(GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex4f glVertex4f; alias fn_glVertex4fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex4fv glVertex4fv; alias fn_glVertex4hNV = extern(C) void function(GLhalfNV x, GLhalfNV y, GLhalfNV z, GLhalfNV w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertex4hNV glVertex4hNV; alias fn_glVertex4hvNV = extern(C) void function(const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertex4hvNV glVertex4hvNV; alias fn_glVertex4i = extern(C) void function(GLint x, GLint y, GLint z, GLint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex4i glVertex4i; alias fn_glVertex4iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex4iv glVertex4iv; alias fn_glVertex4s = extern(C) void function(GLshort x, GLshort y, GLshort z, GLshort w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex4s glVertex4s; alias fn_glVertex4sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P0) fn_glVertex4sv glVertex4sv; alias fn_glVertex4xOES = extern(C) void function(GLfixed x, GLfixed y, GLfixed z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glVertex4xOES glVertex4xOES; alias fn_glVertex4xvOES = extern(C) void function(const GLfixed* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_fixed_point") fn_glVertex4xvOES glVertex4xvOES; alias fn_glVertexArrayAttribBinding = extern(C) void function(GLuint vaobj, GLuint attribindex, GLuint bindingindex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glVertexArrayAttribBinding glVertexArrayAttribBinding; alias fn_glVertexArrayAttribFormat = extern(C) void function(GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLboolean normalized, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glVertexArrayAttribFormat glVertexArrayAttribFormat; alias fn_glVertexArrayAttribIFormat = extern(C) void function(GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glVertexArrayAttribIFormat glVertexArrayAttribIFormat; alias fn_glVertexArrayAttribLFormat = extern(C) void function(GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glVertexArrayAttribLFormat glVertexArrayAttribLFormat; alias fn_glVertexArrayBindVertexBufferEXT = extern(C) void function(GLuint vaobj, GLuint bindingindex, GLuint buffer, GLintptr offset, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayBindVertexBufferEXT glVertexArrayBindVertexBufferEXT; alias fn_glVertexArrayBindingDivisor = extern(C) void function(GLuint vaobj, GLuint bindingindex, GLuint divisor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glVertexArrayBindingDivisor glVertexArrayBindingDivisor; alias fn_glVertexArrayColorOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLint size, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayColorOffsetEXT glVertexArrayColorOffsetEXT; alias fn_glVertexArrayEdgeFlagOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayEdgeFlagOffsetEXT glVertexArrayEdgeFlagOffsetEXT; alias fn_glVertexArrayElementBuffer = extern(C) void function(GLuint vaobj, GLuint buffer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glVertexArrayElementBuffer glVertexArrayElementBuffer; alias fn_glVertexArrayFogCoordOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayFogCoordOffsetEXT glVertexArrayFogCoordOffsetEXT; alias fn_glVertexArrayIndexOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayIndexOffsetEXT glVertexArrayIndexOffsetEXT; alias fn_glVertexArrayMultiTexCoordOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLenum texunit, GLint size, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayMultiTexCoordOffsetEXT glVertexArrayMultiTexCoordOffsetEXT; alias fn_glVertexArrayNormalOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayNormalOffsetEXT glVertexArrayNormalOffsetEXT; alias fn_glVertexArrayParameteriAPPLE = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_array_range") fn_glVertexArrayParameteriAPPLE glVertexArrayParameteriAPPLE; alias fn_glVertexArrayRangeAPPLE = extern(C) void function(GLsizei length, void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_vertex_array_range") fn_glVertexArrayRangeAPPLE glVertexArrayRangeAPPLE; alias fn_glVertexArrayRangeNV = extern(C) void function(GLsizei length, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_array_range") fn_glVertexArrayRangeNV glVertexArrayRangeNV; alias fn_glVertexArraySecondaryColorOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLint size, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArraySecondaryColorOffsetEXT glVertexArraySecondaryColorOffsetEXT; alias fn_glVertexArrayTexCoordOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLint size, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayTexCoordOffsetEXT glVertexArrayTexCoordOffsetEXT; alias fn_glVertexArrayVertexAttribBindingEXT = extern(C) void function(GLuint vaobj, GLuint attribindex, GLuint bindingindex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexAttribBindingEXT glVertexArrayVertexAttribBindingEXT; alias fn_glVertexArrayVertexAttribDivisorEXT = extern(C) void function(GLuint vaobj, GLuint index, GLuint divisor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexAttribDivisorEXT glVertexArrayVertexAttribDivisorEXT; alias fn_glVertexArrayVertexAttribFormatEXT = extern(C) void function(GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLboolean normalized, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexAttribFormatEXT glVertexArrayVertexAttribFormatEXT; alias fn_glVertexArrayVertexAttribIFormatEXT = extern(C) void function(GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexAttribIFormatEXT glVertexArrayVertexAttribIFormatEXT; alias fn_glVertexArrayVertexAttribIOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLuint index, GLint size, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexAttribIOffsetEXT glVertexArrayVertexAttribIOffsetEXT; alias fn_glVertexArrayVertexAttribLFormatEXT = extern(C) void function(GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexAttribLFormatEXT glVertexArrayVertexAttribLFormatEXT; alias fn_glVertexArrayVertexAttribLOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLuint index, GLint size, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexAttribLOffsetEXT glVertexArrayVertexAttribLOffsetEXT; alias fn_glVertexArrayVertexAttribOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexAttribOffsetEXT glVertexArrayVertexAttribOffsetEXT; alias fn_glVertexArrayVertexBindingDivisorEXT = extern(C) void function(GLuint vaobj, GLuint bindingindex, GLuint divisor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexBindingDivisorEXT glVertexArrayVertexBindingDivisorEXT; alias fn_glVertexArrayVertexBuffer = extern(C) void function(GLuint vaobj, GLuint bindingindex, GLuint buffer, GLintptr offset, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glVertexArrayVertexBuffer glVertexArrayVertexBuffer; alias fn_glVertexArrayVertexBuffers = extern(C) void function(GLuint vaobj, GLuint first, GLsizei count, const GLuint* buffers, const GLintptr* offsets, const GLsizei* strides) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P5) @OpenGL_Extension("GL_ARB_direct_state_access") fn_glVertexArrayVertexBuffers glVertexArrayVertexBuffers; alias fn_glVertexArrayVertexOffsetEXT = extern(C) void function(GLuint vaobj, GLuint buffer, GLint size, GLenum type, GLsizei stride, GLintptr offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_direct_state_access") fn_glVertexArrayVertexOffsetEXT glVertexArrayVertexOffsetEXT; alias fn_glVertexAttrib1dARB = extern(C) void function(GLuint index, GLdouble x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib1dARB glVertexAttrib1dARB; alias fn_glVertexAttrib1dNV = extern(C) void function(GLuint index, GLdouble x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib1dNV glVertexAttrib1dNV; alias fn_glVertexAttrib1dvARB = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib1dvARB glVertexAttrib1dvARB; alias fn_glVertexAttrib1dvNV = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib1dvNV glVertexAttrib1dvNV; alias fn_glVertexAttrib1fARB = extern(C) void function(GLuint index, GLfloat x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib1fARB glVertexAttrib1fARB; alias fn_glVertexAttrib1fNV = extern(C) void function(GLuint index, GLfloat x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib1fNV glVertexAttrib1fNV; alias fn_glVertexAttrib1fvARB = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib1fvARB glVertexAttrib1fvARB; alias fn_glVertexAttrib1fvNV = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib1fvNV glVertexAttrib1fvNV; alias fn_glVertexAttrib1hNV = extern(C) void function(GLuint index, GLhalfNV x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttrib1hNV glVertexAttrib1hNV; alias fn_glVertexAttrib1hvNV = extern(C) void function(GLuint index, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttrib1hvNV glVertexAttrib1hvNV; alias fn_glVertexAttrib1sARB = extern(C) void function(GLuint index, GLshort x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib1sARB glVertexAttrib1sARB; alias fn_glVertexAttrib1sNV = extern(C) void function(GLuint index, GLshort x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib1sNV glVertexAttrib1sNV; alias fn_glVertexAttrib1svARB = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib1svARB glVertexAttrib1svARB; alias fn_glVertexAttrib1svNV = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib1svNV glVertexAttrib1svNV; alias fn_glVertexAttrib2dARB = extern(C) void function(GLuint index, GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib2dARB glVertexAttrib2dARB; alias fn_glVertexAttrib2dNV = extern(C) void function(GLuint index, GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib2dNV glVertexAttrib2dNV; alias fn_glVertexAttrib2dvARB = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib2dvARB glVertexAttrib2dvARB; alias fn_glVertexAttrib2dvNV = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib2dvNV glVertexAttrib2dvNV; alias fn_glVertexAttrib2fARB = extern(C) void function(GLuint index, GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib2fARB glVertexAttrib2fARB; alias fn_glVertexAttrib2fNV = extern(C) void function(GLuint index, GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib2fNV glVertexAttrib2fNV; alias fn_glVertexAttrib2fvARB = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib2fvARB glVertexAttrib2fvARB; alias fn_glVertexAttrib2fvNV = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib2fvNV glVertexAttrib2fvNV; alias fn_glVertexAttrib2hNV = extern(C) void function(GLuint index, GLhalfNV x, GLhalfNV y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttrib2hNV glVertexAttrib2hNV; alias fn_glVertexAttrib2hvNV = extern(C) void function(GLuint index, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttrib2hvNV glVertexAttrib2hvNV; alias fn_glVertexAttrib2sARB = extern(C) void function(GLuint index, GLshort x, GLshort y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib2sARB glVertexAttrib2sARB; alias fn_glVertexAttrib2sNV = extern(C) void function(GLuint index, GLshort x, GLshort y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib2sNV glVertexAttrib2sNV; alias fn_glVertexAttrib2svARB = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib2svARB glVertexAttrib2svARB; alias fn_glVertexAttrib2svNV = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib2svNV glVertexAttrib2svNV; alias fn_glVertexAttrib3dARB = extern(C) void function(GLuint index, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib3dARB glVertexAttrib3dARB; alias fn_glVertexAttrib3dNV = extern(C) void function(GLuint index, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib3dNV glVertexAttrib3dNV; alias fn_glVertexAttrib3dvARB = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib3dvARB glVertexAttrib3dvARB; alias fn_glVertexAttrib3dvNV = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib3dvNV glVertexAttrib3dvNV; alias fn_glVertexAttrib3fARB = extern(C) void function(GLuint index, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib3fARB glVertexAttrib3fARB; alias fn_glVertexAttrib3fNV = extern(C) void function(GLuint index, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib3fNV glVertexAttrib3fNV; alias fn_glVertexAttrib3fvARB = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib3fvARB glVertexAttrib3fvARB; alias fn_glVertexAttrib3fvNV = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib3fvNV glVertexAttrib3fvNV; alias fn_glVertexAttrib3hNV = extern(C) void function(GLuint index, GLhalfNV x, GLhalfNV y, GLhalfNV z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttrib3hNV glVertexAttrib3hNV; alias fn_glVertexAttrib3hvNV = extern(C) void function(GLuint index, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttrib3hvNV glVertexAttrib3hvNV; alias fn_glVertexAttrib3sARB = extern(C) void function(GLuint index, GLshort x, GLshort y, GLshort z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib3sARB glVertexAttrib3sARB; alias fn_glVertexAttrib3sNV = extern(C) void function(GLuint index, GLshort x, GLshort y, GLshort z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib3sNV glVertexAttrib3sNV; alias fn_glVertexAttrib3svARB = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib3svARB glVertexAttrib3svARB; alias fn_glVertexAttrib3svNV = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib3svNV glVertexAttrib3svNV; alias fn_glVertexAttrib4NbvARB = extern(C) void function(GLuint index, const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4NbvARB glVertexAttrib4NbvARB; alias fn_glVertexAttrib4NivARB = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4NivARB glVertexAttrib4NivARB; alias fn_glVertexAttrib4NsvARB = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4NsvARB glVertexAttrib4NsvARB; alias fn_glVertexAttrib4NubARB = extern(C) void function(GLuint index, GLubyte x, GLubyte y, GLubyte z, GLubyte w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4NubARB glVertexAttrib4NubARB; alias fn_glVertexAttrib4NubvARB = extern(C) void function(GLuint index, const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4NubvARB glVertexAttrib4NubvARB; alias fn_glVertexAttrib4NuivARB = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4NuivARB glVertexAttrib4NuivARB; alias fn_glVertexAttrib4NusvARB = extern(C) void function(GLuint index, const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4NusvARB glVertexAttrib4NusvARB; alias fn_glVertexAttrib4bvARB = extern(C) void function(GLuint index, const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4bvARB glVertexAttrib4bvARB; alias fn_glVertexAttrib4dARB = extern(C) void function(GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4dARB glVertexAttrib4dARB; alias fn_glVertexAttrib4dNV = extern(C) void function(GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib4dNV glVertexAttrib4dNV; alias fn_glVertexAttrib4dvARB = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4dvARB glVertexAttrib4dvARB; alias fn_glVertexAttrib4dvNV = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib4dvNV glVertexAttrib4dvNV; alias fn_glVertexAttrib4fARB = extern(C) void function(GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4fARB glVertexAttrib4fARB; alias fn_glVertexAttrib4fNV = extern(C) void function(GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib4fNV glVertexAttrib4fNV; alias fn_glVertexAttrib4fvARB = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4fvARB glVertexAttrib4fvARB; alias fn_glVertexAttrib4fvNV = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib4fvNV glVertexAttrib4fvNV; alias fn_glVertexAttrib4hNV = extern(C) void function(GLuint index, GLhalfNV x, GLhalfNV y, GLhalfNV z, GLhalfNV w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttrib4hNV glVertexAttrib4hNV; alias fn_glVertexAttrib4hvNV = extern(C) void function(GLuint index, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttrib4hvNV glVertexAttrib4hvNV; alias fn_glVertexAttrib4ivARB = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4ivARB glVertexAttrib4ivARB; alias fn_glVertexAttrib4sARB = extern(C) void function(GLuint index, GLshort x, GLshort y, GLshort z, GLshort w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4sARB glVertexAttrib4sARB; alias fn_glVertexAttrib4sNV = extern(C) void function(GLuint index, GLshort x, GLshort y, GLshort z, GLshort w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib4sNV glVertexAttrib4sNV; alias fn_glVertexAttrib4svARB = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4svARB glVertexAttrib4svARB; alias fn_glVertexAttrib4svNV = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib4svNV glVertexAttrib4svNV; alias fn_glVertexAttrib4ubNV = extern(C) void function(GLuint index, GLubyte x, GLubyte y, GLubyte z, GLubyte w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib4ubNV glVertexAttrib4ubNV; alias fn_glVertexAttrib4ubvARB = extern(C) void function(GLuint index, const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4ubvARB glVertexAttrib4ubvARB; alias fn_glVertexAttrib4ubvNV = extern(C) void function(GLuint index, const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttrib4ubvNV glVertexAttrib4ubvNV; alias fn_glVertexAttrib4uivARB = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4uivARB glVertexAttrib4uivARB; alias fn_glVertexAttrib4usvARB = extern(C) void function(GLuint index, const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttrib4usvARB glVertexAttrib4usvARB; alias fn_glVertexAttribArrayObjectATI = extern(C) void function(GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, GLuint buffer, GLuint offset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_attrib_array_object") fn_glVertexAttribArrayObjectATI glVertexAttribArrayObjectATI; alias fn_glVertexAttribBinding = extern(C) void function(GLuint attribindex, GLuint bindingindex) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_vertex_attrib_binding") fn_glVertexAttribBinding glVertexAttribBinding; alias fn_glVertexAttribDivisorANGLE = extern(C) void function(GLuint index, GLuint divisor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ANGLE_instanced_arrays") fn_glVertexAttribDivisorANGLE glVertexAttribDivisorANGLE; alias fn_glVertexAttribDivisorARB = extern(C) void function(GLuint index, GLuint divisor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_instanced_arrays") fn_glVertexAttribDivisorARB glVertexAttribDivisorARB; alias fn_glVertexAttribDivisorEXT = extern(C) void function(GLuint index, GLuint divisor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_instanced_arrays") fn_glVertexAttribDivisorEXT glVertexAttribDivisorEXT; alias fn_glVertexAttribDivisorNV = extern(C) void function(GLuint index, GLuint divisor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_instanced_arrays") fn_glVertexAttribDivisorNV glVertexAttribDivisorNV; alias fn_glVertexAttribFormat = extern(C) void function(GLuint attribindex, GLint size, GLenum type, GLboolean normalized, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_vertex_attrib_binding") fn_glVertexAttribFormat glVertexAttribFormat; alias fn_glVertexAttribFormatNV = extern(C) void function(GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glVertexAttribFormatNV glVertexAttribFormatNV; alias fn_glVertexAttribI1iEXT = extern(C) void function(GLuint index, GLint x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI1iEXT glVertexAttribI1iEXT; alias fn_glVertexAttribI1ivEXT = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI1ivEXT glVertexAttribI1ivEXT; alias fn_glVertexAttribI1uiEXT = extern(C) void function(GLuint index, GLuint x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI1uiEXT glVertexAttribI1uiEXT; alias fn_glVertexAttribI1uivEXT = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI1uivEXT glVertexAttribI1uivEXT; alias fn_glVertexAttribI2iEXT = extern(C) void function(GLuint index, GLint x, GLint y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI2iEXT glVertexAttribI2iEXT; alias fn_glVertexAttribI2ivEXT = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI2ivEXT glVertexAttribI2ivEXT; alias fn_glVertexAttribI2uiEXT = extern(C) void function(GLuint index, GLuint x, GLuint y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI2uiEXT glVertexAttribI2uiEXT; alias fn_glVertexAttribI2uivEXT = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI2uivEXT glVertexAttribI2uivEXT; alias fn_glVertexAttribI3iEXT = extern(C) void function(GLuint index, GLint x, GLint y, GLint z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI3iEXT glVertexAttribI3iEXT; alias fn_glVertexAttribI3ivEXT = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI3ivEXT glVertexAttribI3ivEXT; alias fn_glVertexAttribI3uiEXT = extern(C) void function(GLuint index, GLuint x, GLuint y, GLuint z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI3uiEXT glVertexAttribI3uiEXT; alias fn_glVertexAttribI3uivEXT = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI3uivEXT glVertexAttribI3uivEXT; alias fn_glVertexAttribI4bvEXT = extern(C) void function(GLuint index, const GLbyte* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI4bvEXT glVertexAttribI4bvEXT; alias fn_glVertexAttribI4iEXT = extern(C) void function(GLuint index, GLint x, GLint y, GLint z, GLint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI4iEXT glVertexAttribI4iEXT; alias fn_glVertexAttribI4ivEXT = extern(C) void function(GLuint index, const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI4ivEXT glVertexAttribI4ivEXT; alias fn_glVertexAttribI4svEXT = extern(C) void function(GLuint index, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI4svEXT glVertexAttribI4svEXT; alias fn_glVertexAttribI4ubvEXT = extern(C) void function(GLuint index, const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI4ubvEXT glVertexAttribI4ubvEXT; alias fn_glVertexAttribI4uiEXT = extern(C) void function(GLuint index, GLuint x, GLuint y, GLuint z, GLuint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI4uiEXT glVertexAttribI4uiEXT; alias fn_glVertexAttribI4uivEXT = extern(C) void function(GLuint index, const GLuint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI4uivEXT glVertexAttribI4uivEXT; alias fn_glVertexAttribI4usvEXT = extern(C) void function(GLuint index, const GLushort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribI4usvEXT glVertexAttribI4usvEXT; alias fn_glVertexAttribIFormat = extern(C) void function(GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_vertex_attrib_binding") fn_glVertexAttribIFormat glVertexAttribIFormat; alias fn_glVertexAttribIFormatNV = extern(C) void function(GLuint index, GLint size, GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glVertexAttribIFormatNV glVertexAttribIFormatNV; alias fn_glVertexAttribIPointerEXT = extern(C) void function(GLuint index, GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program4") fn_glVertexAttribIPointerEXT glVertexAttribIPointerEXT; alias fn_glVertexAttribL1d = extern(C) void function(GLuint index, GLdouble x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribL1d glVertexAttribL1d; alias fn_glVertexAttribL1dEXT = extern(C) void function(GLuint index, GLdouble x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribL1dEXT glVertexAttribL1dEXT; alias fn_glVertexAttribL1dv = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribL1dv glVertexAttribL1dv; alias fn_glVertexAttribL1dvEXT = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribL1dvEXT glVertexAttribL1dvEXT; alias fn_glVertexAttribL1i64NV = extern(C) void function(GLuint index, GLint64EXT x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL1i64NV glVertexAttribL1i64NV; alias fn_glVertexAttribL1i64vNV = extern(C) void function(GLuint index, const GLint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL1i64vNV glVertexAttribL1i64vNV; alias fn_glVertexAttribL1ui64ARB = extern(C) void function(GLuint index, GLuint64EXT x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glVertexAttribL1ui64ARB glVertexAttribL1ui64ARB; alias fn_glVertexAttribL1ui64NV = extern(C) void function(GLuint index, GLuint64EXT x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL1ui64NV glVertexAttribL1ui64NV; alias fn_glVertexAttribL1ui64vARB = extern(C) void function(GLuint index, const GLuint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_bindless_texture") fn_glVertexAttribL1ui64vARB glVertexAttribL1ui64vARB; alias fn_glVertexAttribL1ui64vNV = extern(C) void function(GLuint index, const GLuint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL1ui64vNV glVertexAttribL1ui64vNV; alias fn_glVertexAttribL2d = extern(C) void function(GLuint index, GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribL2d glVertexAttribL2d; alias fn_glVertexAttribL2dEXT = extern(C) void function(GLuint index, GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribL2dEXT glVertexAttribL2dEXT; alias fn_glVertexAttribL2dv = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribL2dv glVertexAttribL2dv; alias fn_glVertexAttribL2dvEXT = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribL2dvEXT glVertexAttribL2dvEXT; alias fn_glVertexAttribL2i64NV = extern(C) void function(GLuint index, GLint64EXT x, GLint64EXT y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL2i64NV glVertexAttribL2i64NV; alias fn_glVertexAttribL2i64vNV = extern(C) void function(GLuint index, const GLint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL2i64vNV glVertexAttribL2i64vNV; alias fn_glVertexAttribL2ui64NV = extern(C) void function(GLuint index, GLuint64EXT x, GLuint64EXT y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL2ui64NV glVertexAttribL2ui64NV; alias fn_glVertexAttribL2ui64vNV = extern(C) void function(GLuint index, const GLuint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL2ui64vNV glVertexAttribL2ui64vNV; alias fn_glVertexAttribL3d = extern(C) void function(GLuint index, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribL3d glVertexAttribL3d; alias fn_glVertexAttribL3dEXT = extern(C) void function(GLuint index, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribL3dEXT glVertexAttribL3dEXT; alias fn_glVertexAttribL3dv = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribL3dv glVertexAttribL3dv; alias fn_glVertexAttribL3dvEXT = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribL3dvEXT glVertexAttribL3dvEXT; alias fn_glVertexAttribL3i64NV = extern(C) void function(GLuint index, GLint64EXT x, GLint64EXT y, GLint64EXT z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL3i64NV glVertexAttribL3i64NV; alias fn_glVertexAttribL3i64vNV = extern(C) void function(GLuint index, const GLint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL3i64vNV glVertexAttribL3i64vNV; alias fn_glVertexAttribL3ui64NV = extern(C) void function(GLuint index, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL3ui64NV glVertexAttribL3ui64NV; alias fn_glVertexAttribL3ui64vNV = extern(C) void function(GLuint index, const GLuint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL3ui64vNV glVertexAttribL3ui64vNV; alias fn_glVertexAttribL4d = extern(C) void function(GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribL4d glVertexAttribL4d; alias fn_glVertexAttribL4dEXT = extern(C) void function(GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribL4dEXT glVertexAttribL4dEXT; alias fn_glVertexAttribL4dv = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribL4dv glVertexAttribL4dv; alias fn_glVertexAttribL4dvEXT = extern(C) void function(GLuint index, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribL4dvEXT glVertexAttribL4dvEXT; alias fn_glVertexAttribL4i64NV = extern(C) void function(GLuint index, GLint64EXT x, GLint64EXT y, GLint64EXT z, GLint64EXT w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL4i64NV glVertexAttribL4i64NV; alias fn_glVertexAttribL4i64vNV = extern(C) void function(GLuint index, const GLint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL4i64vNV glVertexAttribL4i64vNV; alias fn_glVertexAttribL4ui64NV = extern(C) void function(GLuint index, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z, GLuint64EXT w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL4ui64NV glVertexAttribL4ui64NV; alias fn_glVertexAttribL4ui64vNV = extern(C) void function(GLuint index, const GLuint64EXT* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribL4ui64vNV glVertexAttribL4ui64vNV; alias fn_glVertexAttribLFormat = extern(C) void function(GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_vertex_attrib_binding") fn_glVertexAttribLFormat glVertexAttribLFormat; alias fn_glVertexAttribLFormatNV = extern(C) void function(GLuint index, GLint size, GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_attrib_integer_64bit") fn_glVertexAttribLFormatNV glVertexAttribLFormatNV; alias fn_glVertexAttribLPointer = extern(C) void function(GLuint index, GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_vertex_attrib_64bit") fn_glVertexAttribLPointer glVertexAttribLPointer; alias fn_glVertexAttribLPointerEXT = extern(C) void function(GLuint index, GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_attrib_64bit") fn_glVertexAttribLPointerEXT glVertexAttribLPointerEXT; alias fn_glVertexAttribP1uiv = extern(C) void function(GLuint index, GLenum type, GLboolean normalized, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexAttribP1uiv glVertexAttribP1uiv; alias fn_glVertexAttribP2uiv = extern(C) void function(GLuint index, GLenum type, GLboolean normalized, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexAttribP2uiv glVertexAttribP2uiv; alias fn_glVertexAttribP3uiv = extern(C) void function(GLuint index, GLenum type, GLboolean normalized, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexAttribP3uiv glVertexAttribP3uiv; alias fn_glVertexAttribP4uiv = extern(C) void function(GLuint index, GLenum type, GLboolean normalized, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexAttribP4uiv glVertexAttribP4uiv; alias fn_glVertexAttribParameteriAMD = extern(C) void function(GLuint index, GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_AMD_interleaved_elements") fn_glVertexAttribParameteriAMD glVertexAttribParameteriAMD; alias fn_glVertexAttribPointerARB = extern(C) void function(GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_program") fn_glVertexAttribPointerARB glVertexAttribPointerARB; alias fn_glVertexAttribPointerNV = extern(C) void function(GLuint index, GLint fsize, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribPointerNV glVertexAttribPointerNV; alias fn_glVertexAttribs1dvNV = extern(C) void function(GLuint index, GLsizei count, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs1dvNV glVertexAttribs1dvNV; alias fn_glVertexAttribs1fvNV = extern(C) void function(GLuint index, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs1fvNV glVertexAttribs1fvNV; alias fn_glVertexAttribs1hvNV = extern(C) void function(GLuint index, GLsizei n, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttribs1hvNV glVertexAttribs1hvNV; alias fn_glVertexAttribs1svNV = extern(C) void function(GLuint index, GLsizei count, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs1svNV glVertexAttribs1svNV; alias fn_glVertexAttribs2dvNV = extern(C) void function(GLuint index, GLsizei count, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs2dvNV glVertexAttribs2dvNV; alias fn_glVertexAttribs2fvNV = extern(C) void function(GLuint index, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs2fvNV glVertexAttribs2fvNV; alias fn_glVertexAttribs2hvNV = extern(C) void function(GLuint index, GLsizei n, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttribs2hvNV glVertexAttribs2hvNV; alias fn_glVertexAttribs2svNV = extern(C) void function(GLuint index, GLsizei count, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs2svNV glVertexAttribs2svNV; alias fn_glVertexAttribs3dvNV = extern(C) void function(GLuint index, GLsizei count, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs3dvNV glVertexAttribs3dvNV; alias fn_glVertexAttribs3fvNV = extern(C) void function(GLuint index, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs3fvNV glVertexAttribs3fvNV; alias fn_glVertexAttribs3hvNV = extern(C) void function(GLuint index, GLsizei n, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttribs3hvNV glVertexAttribs3hvNV; alias fn_glVertexAttribs3svNV = extern(C) void function(GLuint index, GLsizei count, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs3svNV glVertexAttribs3svNV; alias fn_glVertexAttribs4dvNV = extern(C) void function(GLuint index, GLsizei count, const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs4dvNV glVertexAttribs4dvNV; alias fn_glVertexAttribs4fvNV = extern(C) void function(GLuint index, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs4fvNV glVertexAttribs4fvNV; alias fn_glVertexAttribs4hvNV = extern(C) void function(GLuint index, GLsizei n, const GLhalfNV* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexAttribs4hvNV glVertexAttribs4hvNV; alias fn_glVertexAttribs4svNV = extern(C) void function(GLuint index, GLsizei count, const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs4svNV glVertexAttribs4svNV; alias fn_glVertexAttribs4ubvNV = extern(C) void function(GLuint index, GLsizei count, const(GLubyte)* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_program") fn_glVertexAttribs4ubvNV glVertexAttribs4ubvNV; alias fn_glVertexBindingDivisor = extern(C) void function(GLuint bindingindex, GLuint divisor) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P3) @OpenGL_Extension("GL_ARB_vertex_attrib_binding") fn_glVertexBindingDivisor glVertexBindingDivisor; alias fn_glVertexBlendARB = extern(C) void function(GLint count) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glVertexBlendARB glVertexBlendARB; alias fn_glVertexBlendEnvfATI = extern(C) void function(GLenum pname, GLfloat param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexBlendEnvfATI glVertexBlendEnvfATI; alias fn_glVertexBlendEnviATI = extern(C) void function(GLenum pname, GLint param) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexBlendEnviATI glVertexBlendEnviATI; alias fn_glVertexFormatNV = extern(C) void function(GLint size, GLenum type, GLsizei stride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_vertex_buffer_unified_memory") fn_glVertexFormatNV glVertexFormatNV; alias fn_glVertexP2ui = extern(C) void function(GLenum type, GLuint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexP2ui glVertexP2ui; alias fn_glVertexP2uiv = extern(C) void function(GLenum type, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexP2uiv glVertexP2uiv; alias fn_glVertexP3ui = extern(C) void function(GLenum type, GLuint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexP3ui glVertexP3ui; alias fn_glVertexP3uiv = extern(C) void function(GLenum type, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexP3uiv glVertexP3uiv; alias fn_glVertexP4ui = extern(C) void function(GLenum type, GLuint value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexP4ui glVertexP4ui; alias fn_glVertexP4uiv = extern(C) void function(GLenum type, const GLuint* value) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V3P3) @OpenGL_Extension("GL_ARB_vertex_type_2_10_10_10_rev") fn_glVertexP4uiv glVertexP4uiv; alias fn_glVertexPointer = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P1) fn_glVertexPointer glVertexPointer; alias fn_glVertexPointerEXT = extern(C) void function(GLint size, GLenum type, GLsizei stride, GLsizei count, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_array") fn_glVertexPointerEXT glVertexPointerEXT; alias fn_glVertexPointerListIBM = extern(C) void function(GLint size, GLenum type, GLint stride, const void** pointer, GLint ptrstride) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_IBM_vertex_array_lists") fn_glVertexPointerListIBM glVertexPointerListIBM; alias fn_glVertexPointervINTEL = extern(C) void function(GLint size, GLenum type, const void** pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_INTEL_parallel_arrays") fn_glVertexPointervINTEL glVertexPointervINTEL; alias fn_glVertexStream1dATI = extern(C) void function(GLenum stream, GLdouble x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream1dATI glVertexStream1dATI; alias fn_glVertexStream1dvATI = extern(C) void function(GLenum stream, const GLdouble* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream1dvATI glVertexStream1dvATI; alias fn_glVertexStream1fATI = extern(C) void function(GLenum stream, GLfloat x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream1fATI glVertexStream1fATI; alias fn_glVertexStream1fvATI = extern(C) void function(GLenum stream, const GLfloat* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream1fvATI glVertexStream1fvATI; alias fn_glVertexStream1iATI = extern(C) void function(GLenum stream, GLint x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream1iATI glVertexStream1iATI; alias fn_glVertexStream1ivATI = extern(C) void function(GLenum stream, const GLint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream1ivATI glVertexStream1ivATI; alias fn_glVertexStream1sATI = extern(C) void function(GLenum stream, GLshort x) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream1sATI glVertexStream1sATI; alias fn_glVertexStream1svATI = extern(C) void function(GLenum stream, const GLshort* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream1svATI glVertexStream1svATI; alias fn_glVertexStream2dATI = extern(C) void function(GLenum stream, GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream2dATI glVertexStream2dATI; alias fn_glVertexStream2dvATI = extern(C) void function(GLenum stream, const GLdouble* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream2dvATI glVertexStream2dvATI; alias fn_glVertexStream2fATI = extern(C) void function(GLenum stream, GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream2fATI glVertexStream2fATI; alias fn_glVertexStream2fvATI = extern(C) void function(GLenum stream, const GLfloat* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream2fvATI glVertexStream2fvATI; alias fn_glVertexStream2iATI = extern(C) void function(GLenum stream, GLint x, GLint y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream2iATI glVertexStream2iATI; alias fn_glVertexStream2ivATI = extern(C) void function(GLenum stream, const GLint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream2ivATI glVertexStream2ivATI; alias fn_glVertexStream2sATI = extern(C) void function(GLenum stream, GLshort x, GLshort y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream2sATI glVertexStream2sATI; alias fn_glVertexStream2svATI = extern(C) void function(GLenum stream, const GLshort* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream2svATI glVertexStream2svATI; alias fn_glVertexStream3dATI = extern(C) void function(GLenum stream, GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream3dATI glVertexStream3dATI; alias fn_glVertexStream3dvATI = extern(C) void function(GLenum stream, const GLdouble* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream3dvATI glVertexStream3dvATI; alias fn_glVertexStream3fATI = extern(C) void function(GLenum stream, GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream3fATI glVertexStream3fATI; alias fn_glVertexStream3fvATI = extern(C) void function(GLenum stream, const GLfloat* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream3fvATI glVertexStream3fvATI; alias fn_glVertexStream3iATI = extern(C) void function(GLenum stream, GLint x, GLint y, GLint z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream3iATI glVertexStream3iATI; alias fn_glVertexStream3ivATI = extern(C) void function(GLenum stream, const GLint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream3ivATI glVertexStream3ivATI; alias fn_glVertexStream3sATI = extern(C) void function(GLenum stream, GLshort x, GLshort y, GLshort z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream3sATI glVertexStream3sATI; alias fn_glVertexStream3svATI = extern(C) void function(GLenum stream, const GLshort* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream3svATI glVertexStream3svATI; alias fn_glVertexStream4dATI = extern(C) void function(GLenum stream, GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream4dATI glVertexStream4dATI; alias fn_glVertexStream4dvATI = extern(C) void function(GLenum stream, const GLdouble* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream4dvATI glVertexStream4dvATI; alias fn_glVertexStream4fATI = extern(C) void function(GLenum stream, GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream4fATI glVertexStream4fATI; alias fn_glVertexStream4fvATI = extern(C) void function(GLenum stream, const GLfloat* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream4fvATI glVertexStream4fvATI; alias fn_glVertexStream4iATI = extern(C) void function(GLenum stream, GLint x, GLint y, GLint z, GLint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream4iATI glVertexStream4iATI; alias fn_glVertexStream4ivATI = extern(C) void function(GLenum stream, const GLint* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream4ivATI glVertexStream4ivATI; alias fn_glVertexStream4sATI = extern(C) void function(GLenum stream, GLshort x, GLshort y, GLshort z, GLshort w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream4sATI glVertexStream4sATI; alias fn_glVertexStream4svATI = extern(C) void function(GLenum stream, const GLshort* coords) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ATI_vertex_streams") fn_glVertexStream4svATI glVertexStream4svATI; alias fn_glVertexWeightPointerEXT = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_weighting") fn_glVertexWeightPointerEXT glVertexWeightPointerEXT; alias fn_glVertexWeightfEXT = extern(C) void function(GLfloat weight) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_weighting") fn_glVertexWeightfEXT glVertexWeightfEXT; alias fn_glVertexWeightfvEXT = extern(C) void function(const GLfloat* weight) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_weighting") fn_glVertexWeightfvEXT glVertexWeightfvEXT; alias fn_glVertexWeighthNV = extern(C) void function(GLhalfNV weight) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexWeighthNV glVertexWeighthNV; alias fn_glVertexWeighthvNV = extern(C) void function(const GLhalfNV* weight) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_half_float") fn_glVertexWeighthvNV glVertexWeighthvNV; alias fn_glVideoCaptureNV = extern(C) GLenum function(GLuint video_capture_slot, GLuint* sequence_num, GLuint64EXT* capture_time) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glVideoCaptureNV glVideoCaptureNV; alias fn_glVideoCaptureStreamParameterdvNV = extern(C) void function(GLuint video_capture_slot, GLuint stream, GLenum pname, const GLdouble* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glVideoCaptureStreamParameterdvNV glVideoCaptureStreamParameterdvNV; alias fn_glVideoCaptureStreamParameterfvNV = extern(C) void function(GLuint video_capture_slot, GLuint stream, GLenum pname, const GLfloat* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glVideoCaptureStreamParameterfvNV glVideoCaptureStreamParameterfvNV; alias fn_glVideoCaptureStreamParameterivNV = extern(C) void function(GLuint video_capture_slot, GLuint stream, GLenum pname, const GLint* params) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_video_capture") fn_glVideoCaptureStreamParameterivNV glVideoCaptureStreamParameterivNV; alias fn_glViewportArrayv = extern(C) void function(GLuint first, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glViewportArrayv glViewportArrayv; alias fn_glViewportArrayvNV = extern(C) void function(GLuint first, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glViewportArrayvNV glViewportArrayvNV; alias fn_glViewportArrayvOES = extern(C) void function(GLuint first, GLsizei count, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glViewportArrayvOES glViewportArrayvOES; alias fn_glViewportIndexedf = extern(C) void function(GLuint index, GLfloat x, GLfloat y, GLfloat w, GLfloat h) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glViewportIndexedf glViewportIndexedf; alias fn_glViewportIndexedfOES = extern(C) void function(GLuint index, GLfloat x, GLfloat y, GLfloat w, GLfloat h) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glViewportIndexedfOES glViewportIndexedfOES; alias fn_glViewportIndexedfNV = extern(C) void function(GLuint index, GLfloat x, GLfloat y, GLfloat w, GLfloat h) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glViewportIndexedfNV glViewportIndexedfNV; alias fn_glViewportIndexedfv = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V4P1) @OpenGL_Extension("GL_ARB_viewport_array") fn_glViewportIndexedfv glViewportIndexedfv; alias fn_glViewportIndexedfvOES = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_viewport_array") fn_glViewportIndexedfvOES glViewportIndexedfvOES; alias fn_glViewportIndexedfvNV = extern(C) void function(GLuint index, const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_array") fn_glViewportIndexedfvNV glViewportIndexedfvNV; alias fn_glViewportPositionWScaleNV = extern(C) void function(GLuint index, GLfloat xcoeff, GLfloat ycoeff) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_clip_space_w_scaling") fn_glViewportPositionWScaleNV glViewportPositionWScaleNV; alias fn_glViewportSwizzleNV = extern(C) void function(GLuint index, GLenum swizzlex, GLenum swizzley, GLenum swizzlez, GLenum swizzlew) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_viewport_swizzle") fn_glViewportSwizzleNV glViewportSwizzleNV; alias fn_glWaitSyncAPPLE = extern(C) void function(GLsync sync, GLbitfield flags, GLuint64 timeout) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_APPLE_sync") fn_glWaitSyncAPPLE glWaitSyncAPPLE; alias fn_glWeightPathsNV = extern(C) void function(GLuint resultPath, GLsizei numPaths, const GLuint* paths, const GLfloat* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_NV_path_rendering") fn_glWeightPathsNV glWeightPathsNV; alias fn_glWeightPointerARB = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightPointerARB glWeightPointerARB; alias fn_glWeightPointerOES = extern(C) void function(GLint size, GLenum type, GLsizei stride, const void* pointer) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_OES_matrix_palette") fn_glWeightPointerOES glWeightPointerOES; alias fn_glWeightbvARB = extern(C) void function(GLint size, const GLbyte* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightbvARB glWeightbvARB; alias fn_glWeightdvARB = extern(C) void function(GLint size, const GLdouble* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightdvARB glWeightdvARB; alias fn_glWeightfvARB = extern(C) void function(GLint size, const GLfloat* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightfvARB glWeightfvARB; alias fn_glWeightivARB = extern(C) void function(GLint size, const GLint* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightivARB glWeightivARB; alias fn_glWeightsvARB = extern(C) void function(GLint size, const GLshort* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightsvARB glWeightsvARB; alias fn_glWeightubvARB = extern(C) void function(GLint size, const(GLubyte)* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightubvARB glWeightubvARB; alias fn_glWeightuivARB = extern(C) void function(GLint size, const GLuint* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightuivARB glWeightuivARB; alias fn_glWeightusvARB = extern(C) void function(GLint size, const GLushort* weights) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_vertex_blend") fn_glWeightusvARB glWeightusvARB; alias fn_glWindowPos2d = extern(C) void function(GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos2d glWindowPos2d; alias fn_glWindowPos2dARB = extern(C) void function(GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos2dARB glWindowPos2dARB; alias fn_glWindowPos2dMESA = extern(C) void function(GLdouble x, GLdouble y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos2dMESA glWindowPos2dMESA; alias fn_glWindowPos2dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos2dv glWindowPos2dv; alias fn_glWindowPos2dvARB = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos2dvARB glWindowPos2dvARB; alias fn_glWindowPos2dvMESA = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos2dvMESA glWindowPos2dvMESA; alias fn_glWindowPos2f = extern(C) void function(GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos2f glWindowPos2f; alias fn_glWindowPos2fARB = extern(C) void function(GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos2fARB glWindowPos2fARB; alias fn_glWindowPos2fMESA = extern(C) void function(GLfloat x, GLfloat y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos2fMESA glWindowPos2fMESA; alias fn_glWindowPos2fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos2fv glWindowPos2fv; alias fn_glWindowPos2fvARB = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos2fvARB glWindowPos2fvARB; alias fn_glWindowPos2fvMESA = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos2fvMESA glWindowPos2fvMESA; alias fn_glWindowPos2i = extern(C) void function(GLint x, GLint y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos2i glWindowPos2i; alias fn_glWindowPos2iARB = extern(C) void function(GLint x, GLint y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos2iARB glWindowPos2iARB; alias fn_glWindowPos2iMESA = extern(C) void function(GLint x, GLint y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos2iMESA glWindowPos2iMESA; alias fn_glWindowPos2iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos2iv glWindowPos2iv; alias fn_glWindowPos2ivARB = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos2ivARB glWindowPos2ivARB; alias fn_glWindowPos2ivMESA = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos2ivMESA glWindowPos2ivMESA; alias fn_glWindowPos2s = extern(C) void function(GLshort x, GLshort y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos2s glWindowPos2s; alias fn_glWindowPos2sARB = extern(C) void function(GLshort x, GLshort y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos2sARB glWindowPos2sARB; alias fn_glWindowPos2sMESA = extern(C) void function(GLshort x, GLshort y) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos2sMESA glWindowPos2sMESA; alias fn_glWindowPos2sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos2sv glWindowPos2sv; alias fn_glWindowPos2svARB = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos2svARB glWindowPos2svARB; alias fn_glWindowPos2svMESA = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos2svMESA glWindowPos2svMESA; alias fn_glWindowPos3d = extern(C) void function(GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos3d glWindowPos3d; alias fn_glWindowPos3dARB = extern(C) void function(GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos3dARB glWindowPos3dARB; alias fn_glWindowPos3dMESA = extern(C) void function(GLdouble x, GLdouble y, GLdouble z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos3dMESA glWindowPos3dMESA; alias fn_glWindowPos3dv = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos3dv glWindowPos3dv; alias fn_glWindowPos3dvARB = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos3dvARB glWindowPos3dvARB; alias fn_glWindowPos3dvMESA = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos3dvMESA glWindowPos3dvMESA; alias fn_glWindowPos3f = extern(C) void function(GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos3f glWindowPos3f; alias fn_glWindowPos3fARB = extern(C) void function(GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos3fARB glWindowPos3fARB; alias fn_glWindowPos3fMESA = extern(C) void function(GLfloat x, GLfloat y, GLfloat z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos3fMESA glWindowPos3fMESA; alias fn_glWindowPos3fv = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos3fv glWindowPos3fv; alias fn_glWindowPos3fvARB = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos3fvARB glWindowPos3fvARB; alias fn_glWindowPos3fvMESA = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos3fvMESA glWindowPos3fvMESA; alias fn_glWindowPos3i = extern(C) void function(GLint x, GLint y, GLint z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos3i glWindowPos3i; alias fn_glWindowPos3iARB = extern(C) void function(GLint x, GLint y, GLint z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos3iARB glWindowPos3iARB; alias fn_glWindowPos3iMESA = extern(C) void function(GLint x, GLint y, GLint z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos3iMESA glWindowPos3iMESA; alias fn_glWindowPos3iv = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos3iv glWindowPos3iv; alias fn_glWindowPos3ivARB = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos3ivARB glWindowPos3ivARB; alias fn_glWindowPos3ivMESA = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos3ivMESA glWindowPos3ivMESA; alias fn_glWindowPos3s = extern(C) void function(GLshort x, GLshort y, GLshort z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos3s glWindowPos3s; alias fn_glWindowPos3sARB = extern(C) void function(GLshort x, GLshort y, GLshort z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos3sARB glWindowPos3sARB; alias fn_glWindowPos3sMESA = extern(C) void function(GLshort x, GLshort y, GLshort z) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos3sMESA glWindowPos3sMESA; alias fn_glWindowPos3sv = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.V1P4) fn_glWindowPos3sv glWindowPos3sv; alias fn_glWindowPos3svARB = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_ARB_window_pos") fn_glWindowPos3svARB glWindowPos3svARB; alias fn_glWindowPos3svMESA = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos3svMESA glWindowPos3svMESA; alias fn_glWindowPos4dMESA = extern(C) void function(GLdouble x, GLdouble y, GLdouble z, GLdouble w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos4dMESA glWindowPos4dMESA; alias fn_glWindowPos4dvMESA = extern(C) void function(const GLdouble* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos4dvMESA glWindowPos4dvMESA; alias fn_glWindowPos4fMESA = extern(C) void function(GLfloat x, GLfloat y, GLfloat z, GLfloat w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos4fMESA glWindowPos4fMESA; alias fn_glWindowPos4fvMESA = extern(C) void function(const GLfloat* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos4fvMESA glWindowPos4fvMESA; alias fn_glWindowPos4iMESA = extern(C) void function(GLint x, GLint y, GLint z, GLint w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos4iMESA glWindowPos4iMESA; alias fn_glWindowPos4ivMESA = extern(C) void function(const GLint* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos4ivMESA glWindowPos4ivMESA; alias fn_glWindowPos4sMESA = extern(C) void function(GLshort x, GLshort y, GLshort z, GLshort w) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos4sMESA glWindowPos4sMESA; alias fn_glWindowPos4svMESA = extern(C) void function(const GLshort* v) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_MESA_window_pos") fn_glWindowPos4svMESA glWindowPos4svMESA; alias fn_glWindowRectanglesEXT = extern(C) void function(GLenum mode, GLsizei count, const GLint* box) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_window_rectangles") fn_glWindowRectanglesEXT glWindowRectanglesEXT; alias fn_glWriteMaskEXT = extern(C) void function(GLuint res, GLuint in_, GLenum outX, GLenum outY, GLenum outZ, GLenum outW) @system @nogc nothrow; /// Ditto @OpenGL_Version(OGLIntroducedIn.Unknown) @OpenGL_Extension("GL_EXT_vertex_shader") fn_glWriteMaskEXT glWriteMaskEXT;
D
module hunt.markdown.ext.table.TableBlock; import hunt.markdown.node.CustomBlock; /** * Table block containing a {@link TableHead} and optionally a {@link TableBody}. */ class TableBlock : CustomBlock { }
D
module mci.debugger.client; import core.thread, std.signals, std.socket, mci.core.atomic, mci.core.io, mci.core.nullable, mci.core.sync, mci.debugger.protocol, mci.debugger.utilities; public alias void delegate() InterruptCallback; public abstract class DebuggerClient { private Atomic!bool _running; private Address _address; private Atomic!TcpSocket _socket; private Atomic!Thread _thread; private Mutex _killMutex; private Mutex _interruptLock; private Mutex _interruptMutex; private Condition _interruptCondition; private InterruptCallback _callback; private Atomic!bool _interrupt; pure nothrow invariant() { if ((cast()_running).value) { assert((cast()_socket).value); assert((cast()_thread).value); } else { assert(!(cast()_socket).value); assert(!(cast()_thread).value); } assert(_address); assert(_killMutex); assert(_interruptLock); assert(_interruptMutex); assert(_interruptCondition); assert((cast()_interrupt).value ? !!_callback : !_callback); } protected this(Address address) in { assert(address); assert(address.addressFamily == AddressFamily.INET || address.addressFamily == AddressFamily.INET6); } body { _address = address; _killMutex = new typeof(_killMutex)(); _interruptLock = new typeof(_interruptLock)(); _interruptMutex = new typeof(_interruptMutex)(); _interruptCondition = new typeof(_interruptCondition)(_interruptMutex); } @property public bool running() pure nothrow { return _running.value; } public final void start() in { assert(!_running.value); } body { _running.value = true; _socket.value = new TcpSocket(_address.addressFamily); _thread.value = new Thread(&run); _thread.value.start(); } public final void stop() in { assert(_running.value); } body { auto thr = _thread.value; _running.value = false; _thread.value = null; kill(); thr.join(); } private void run() { scope (exit) kill(); try _socket.value.connect(_address); catch (SocketOSException) return; handleConnect(_socket.value); scope (exit) handleDisconnect(_socket.value); _socket.value.blocking = false; while (_running.value) { auto headerBuf = new ubyte[packetHeaderSize]; // Read the header. This contains opcode, protocol version, and length. if (!receive(headerBuf)) break; auto headerReader = new BinaryReader(new MemoryStream(headerBuf, false)); auto header = readHeader(headerReader); headerReader.stream.close(); auto packetBuf = new ubyte[header.z]; // Next up, we fetch the body of the packet. if (header.z && !receive(packetBuf)) break; auto packetReader = new BinaryReader(new MemoryStream(packetBuf, false)); scope (exit) packetReader.stream.close(); // We can't use final switch. The thing is, the server could send a bad // opcode, so we need to handle that case gracefully. switch (cast(DebuggerServerOpCode)header.x) { case DebuggerServerOpCode.result: auto pkt = new ServerResultPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.started: auto pkt = new ServerStartedPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.paused: auto pkt = new ServerPausedPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.continued: auto pkt = new ServerContinuedPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.exited: auto pkt = new ServerExitedPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.thread: auto pkt = new ServerThreadPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.frame: auto pkt = new ServerFramePacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.break_: auto pkt = new ServerBreakPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.catch_: auto pkt = new ServerCatchPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.unhandled: auto pkt = new ServerUnhandledPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.disassembly: auto pkt = new ServerDisassemblyPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; case DebuggerServerOpCode.values: auto pkt = new ServerValuesPacket(); pkt.read(packetReader); handle(_socket.value, pkt); break; default: return; } } } private void kill() { _killMutex.lock(); scope (exit) _killMutex.unlock(); if (_socket.value) { _socket.value.shutdown(SocketShutdown.BOTH); _socket.value.close(); _socket.value = null; } } public final void send(Packet packet) in { assert(packet); assert(_running.value); } body { auto stream = new MemoryStream(new ubyte[packetHeaderSize]); scope (exit) stream.close(); auto bw = new BinaryWriter(stream); stream.position = packetHeaderSize; packet.write(bw); stream.position = 0; writeHeader(bw, packet.opCode, protocolVersion, cast(uint)(stream.length - packetHeaderSize)); while (true) { auto result = .send(_socket.value, stream.data); if (!result.hasValue) { kill(); return; } if (result.value == true) break; Thread.yield(); } } private bool receive(ubyte[] buf) in { assert(buf); } body { while (true) { handleInterrupt(); auto result = .receive(_socket.value, buf); if (!result.hasValue) return false; if (result.value == true) return true; Thread.sleep(dur!("msecs")(10)); } } private void handleInterrupt() { if (!_interrupt.value) return; _callback(); _interrupt.value = false; _callback = null; _interruptMutex.lock(); scope (exit) _interruptMutex.unlock(); _interruptCondition.notifyAll(); } public final void interrupt(InterruptCallback callback) in { assert(callback); } body { _interruptLock.lock(); scope (exit) _interruptLock.unlock(); _callback = callback; _interrupt.value = true; _interruptMutex.lock(); scope (exit) _interruptMutex.unlock(); _interruptCondition.wait(); } protected void handleConnect(Socket socket) in { assert(socket); } body { } protected void handleDisconnect(Socket socket) { } protected abstract void handle(Socket socket, ServerResultPacket packet); protected abstract void handle(Socket socket, ServerStartedPacket packet); protected abstract void handle(Socket socket, ServerPausedPacket packet); protected abstract void handle(Socket socket, ServerContinuedPacket packet); protected abstract void handle(Socket socket, ServerExitedPacket packet); protected abstract void handle(Socket socket, ServerThreadPacket packet); protected abstract void handle(Socket socket, ServerFramePacket packet); protected abstract void handle(Socket socket, ServerBreakPacket packet); protected abstract void handle(Socket socket, ServerCatchPacket packet); protected abstract void handle(Socket socket, ServerUnhandledPacket packet); protected abstract void handle(Socket socket, ServerDisassemblyPacket packet); protected abstract void handle(Socket socket, ServerValuesPacket packet); } public final class SignalDebuggerClient : DebuggerClient { public this(Address address) in { assert(address); assert(address.addressFamily == AddressFamily.INET || address.addressFamily == AddressFamily.INET6); } body { super(address); } protected override void handleConnect(Socket socket) { connected.emit(socket); } protected override void handleDisconnect(Socket socket) { disconnected.emit(socket); } protected override void handle(Socket socket, ServerResultPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerStartedPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerPausedPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerContinuedPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerExitedPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerThreadPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerFramePacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerBreakPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerCatchPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerUnhandledPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerDisassemblyPacket packet) { received.emit(socket, packet); } protected override void handle(Socket socket, ServerValuesPacket packet) { received.emit(socket, packet); } mixin Signal!Socket connected; mixin Signal!Socket disconnected; mixin Signal!(Socket, Packet) received; }
D
/Users/ismael/Desktop/LYCLocalization/Build/Intermediates/LYCLocalization.build/Debug-iphonesimulator/LYCLocalization.build/Objects-normal/x86_64/LYCLocalization.o : /Users/ismael/Desktop/LYCLocalization/LYCLocalization/Classes/LYCLocalization.swift /Users/ismael/Desktop/LYCLocalization/LYCLocalization/ViewController.swift /Users/ismael/Desktop/LYCLocalization/LYCLocalization/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/ismael/Desktop/LYCLocalization/Build/Intermediates/LYCLocalization.build/Debug-iphonesimulator/LYCLocalization.build/Objects-normal/x86_64/LYCLocalization~partial.swiftmodule : /Users/ismael/Desktop/LYCLocalization/LYCLocalization/Classes/LYCLocalization.swift /Users/ismael/Desktop/LYCLocalization/LYCLocalization/ViewController.swift /Users/ismael/Desktop/LYCLocalization/LYCLocalization/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/ismael/Desktop/LYCLocalization/Build/Intermediates/LYCLocalization.build/Debug-iphonesimulator/LYCLocalization.build/Objects-normal/x86_64/LYCLocalization~partial.swiftdoc : /Users/ismael/Desktop/LYCLocalization/LYCLocalization/Classes/LYCLocalization.swift /Users/ismael/Desktop/LYCLocalization/LYCLocalization/ViewController.swift /Users/ismael/Desktop/LYCLocalization/LYCLocalization/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
D
/mnt/c/Users/35984/Documents/code/qwe/musk/target/debug/build/parking_lot_core-dcb76498807b9676/build_script_build-dcb76498807b9676: /home/denniszhang/.cargo/registry/src/github.com-1ecc6299db9ec823/parking_lot_core-0.8.4/build.rs /mnt/c/Users/35984/Documents/code/qwe/musk/target/debug/build/parking_lot_core-dcb76498807b9676/build_script_build-dcb76498807b9676.d: /home/denniszhang/.cargo/registry/src/github.com-1ecc6299db9ec823/parking_lot_core-0.8.4/build.rs /home/denniszhang/.cargo/registry/src/github.com-1ecc6299db9ec823/parking_lot_core-0.8.4/build.rs:
D
commodities (goods or services) sold to a foreign country sell or transfer abroad transfer (electronic data) out of a database or document in a format that can be used by other programs cause to spread in another part of the world
D
<?xml version="1.0" encoding="UTF-8"?> <di:SashWindowsMngr xmi:version="2.0" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi"> <pageList> <availablePage> <emfPageIdentifier href="businessentities_view.notation#_uD0vcCdjEeONOI6oRGvXyQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="businessentities_view.notation#_uD0vcCdjEeONOI6oRGvXyQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
someone who makes jewelry someone in the business of selling jewelry
D
/Users/radibarq/developer/NasaInArabic/build/Pods.build/Debug-iphonesimulator/Hero.build/Objects-normal/x86_64/HeroAnimatorViewContext.o : /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier+Advanced.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroCompatible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier+HeroStringConvertible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/HeroStringConvertible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UIViewControllerTransitioningDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UINavigationControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UITabBarControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroViewControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Animate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransitionState.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroTargetState.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Complete.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Interactive.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Debug\ Plugin/HeroDebugPlugin.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroPlugin.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+CustomTransition.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CG+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/DispatchQueue+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CAMediaTimingFunction+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIViewController+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CALayer+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIKit+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIView+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/Array+HeroModifier.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroProgressRunner.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Parser.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Lexer.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/SourcePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/CascadePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/BasePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/MatchPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/ConditionalPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/DefaultAnimationPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/IgnoreSubviewModifiersPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroDefaultAnimator.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Nodes.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroTypes.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Start.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/SwiftSupport.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroCoreAnimationViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroAnimatorViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroViewPropertyViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Debug\ Plugin/HeroDebugView.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Regex.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/MetalKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/radibarq/developer/NasaInArabic/Pods/Target\ Support\ Files/Hero/Hero-umbrella.h /Users/radibarq/developer/NasaInArabic/build/Pods.build/Debug-iphonesimulator/Hero.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/ModelIO.framework/Headers/ModelIO.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/MetalKit.framework/Headers/MetalKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/radibarq/developer/NasaInArabic/build/Pods.build/Debug-iphonesimulator/Hero.build/Objects-normal/x86_64/HeroAnimatorViewContext~partial.swiftmodule : /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier+Advanced.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroCompatible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier+HeroStringConvertible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/HeroStringConvertible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UIViewControllerTransitioningDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UINavigationControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UITabBarControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroViewControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Animate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransitionState.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroTargetState.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Complete.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Interactive.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Debug\ Plugin/HeroDebugPlugin.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroPlugin.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+CustomTransition.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CG+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/DispatchQueue+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CAMediaTimingFunction+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIViewController+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CALayer+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIKit+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIView+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/Array+HeroModifier.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroProgressRunner.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Parser.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Lexer.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/SourcePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/CascadePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/BasePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/MatchPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/ConditionalPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/DefaultAnimationPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/IgnoreSubviewModifiersPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroDefaultAnimator.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Nodes.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroTypes.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Start.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/SwiftSupport.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroCoreAnimationViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroAnimatorViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroViewPropertyViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Debug\ Plugin/HeroDebugView.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Regex.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/MetalKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/radibarq/developer/NasaInArabic/Pods/Target\ Support\ Files/Hero/Hero-umbrella.h /Users/radibarq/developer/NasaInArabic/build/Pods.build/Debug-iphonesimulator/Hero.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/ModelIO.framework/Headers/ModelIO.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/MetalKit.framework/Headers/MetalKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/radibarq/developer/NasaInArabic/build/Pods.build/Debug-iphonesimulator/Hero.build/Objects-normal/x86_64/HeroAnimatorViewContext~partial.swiftdoc : /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier+Advanced.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroCompatible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier+HeroStringConvertible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/HeroStringConvertible.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UIViewControllerTransitioningDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UINavigationControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+UITabBarControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroViewControllerDelegate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Animate.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransitionState.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroTargetState.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Complete.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Interactive.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Debug\ Plugin/HeroDebugPlugin.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroPlugin.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+CustomTransition.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CG+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/DispatchQueue+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CAMediaTimingFunction+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIViewController+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/CALayer+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIKit+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/UIView+Hero.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Extensions/Array+HeroModifier.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroModifier.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroProgressRunner.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Parser.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Lexer.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/SourcePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/CascadePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/BasePreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/MatchPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/ConditionalPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/DefaultAnimationPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Preprocessors/IgnoreSubviewModifiersPreprocessor.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroDefaultAnimator.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Nodes.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroTypes.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Transition/HeroTransition+Start.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/SwiftSupport.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/HeroContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroCoreAnimationViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroAnimatorViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Animator/HeroViewPropertyViewContext.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Debug\ Plugin/HeroDebugView.swift /Users/radibarq/developer/NasaInArabic/Pods/Hero/Sources/Parser/Regex.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/MetalKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/radibarq/developer/NasaInArabic/Pods/Target\ Support\ Files/Hero/Hero-umbrella.h /Users/radibarq/developer/NasaInArabic/build/Pods.build/Debug-iphonesimulator/Hero.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/ModelIO.framework/Headers/ModelIO.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/MetalKit.framework/Headers/MetalKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/Mapper.o : /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/CustomDateFormatTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/DateFormatterTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/DateTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/EnumTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/FromJSON.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/ISO8601DateTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Map.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Mappable.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Mapper.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Operators.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/ToJSON.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/TransformOf.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/TransformType.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/URLTransform.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/parkingsq1/Documents/project/PushPill/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/Mapper~partial.swiftmodule : /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/CustomDateFormatTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/DateFormatterTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/DateTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/EnumTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/FromJSON.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/ISO8601DateTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Map.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Mappable.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Mapper.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Operators.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/ToJSON.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/TransformOf.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/TransformType.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/URLTransform.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/parkingsq1/Documents/project/PushPill/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/Mapper~partial.swiftdoc : /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/CustomDateFormatTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/DateFormatterTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/DateTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/EnumTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/FromJSON.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/ISO8601DateTransform.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Map.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Mappable.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Mapper.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/Operators.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Core/ToJSON.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/TransformOf.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/TransformType.swift /Users/parkingsq1/Documents/project/PushPill/Pods/ObjectMapper/ObjectMapper/Transforms/URLTransform.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/parkingsq1/Documents/project/PushPill/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
D
class oSDamageDescriptor { var int validFields; // zDWORD 0x00 var int attackerVob; // zCVob* 0x04 var int attackerNpc; // oCNpc* 0x08 var int hitVob; // zCVob* 0x0C var int hitPfx; // oCVisualFX* 0x10 var int itemWeapon; // oCItem* 0x14 var int spellID; // zDWORD 0x18 var int spellCat; // zDWORD 0x1C var int spellLevel; // zDWORD 0x20 var int dmgMode; // zDWORD 0x24 var int weaponMode; // zDWORD 0x28 var int dmgArray[8]; // zDWORD[8] 0x2C Vermutlich vor Abzug der Rüstungswerte var int dmgTotal; // zREAL 0x4C // Nach Abzug der Rüstungswerte? var int dmgMultiplier; // zREAL 0x50 var int locationHit[3]; // zVEC3 0x54 var int directionFly[3]; // zVEC3 0x58 var string visualFXStr; // zSTRING 0x5C var int duration; // zREAL 0x60 var int interval; // zREAL 0x64 var int dmgPerInterval; // zREAL 0x68 var int dmgDontKill; // zBOOL 0x6C var int bitfield; // 1 -> Once, 2 -> finished, 4 -> isDead, 8 -> isUnconscious var int azimuth; // zREAL 0x74 var int elevation; // zREAL 0x78 var int timeCurrent; // zREAL 0x7C var int dmgReal; // zREAL 0x80 var int dmgEffective; // zREAL 0x84 var int dmgArrayEffective[8]; // zDWORD[8] 0x104 // Vermutlich nach Abzug der Rüstungswerte, ohne Mindestschaden var int vobParticleFX; // zCVob* 0x108 var int particleFX; // zCParticleFX* 0x10C var int visualFX; // zCVisualFX* 0x110 }; func int DMG_OnDmg(var int victimPtr, var int attackerPtr, var int dmg, var int dmgDescriptorPtr) { var oSDamageDescriptor dmgDesc; dmgDesc = _^(dmgDescriptorPtr); var c_npc slf; slf = _^(attackerptr); var c_npc oth; oth = _^(victimPtr); var int defense; var int activespell; var int spelldmg; var int lastspell; var int Ammo; var int AmmoV; var int AmmoVO; var string dmg2; var string dmg3; var string dmg4; var string w0; var string w; var string w1; var string w2; var string w3; var string w4; var string w5; var string krytyczne; dmg2 = "Zadałeś "; dmg3 = " Obrażeń"; dmg4 = "Otrzymałeś "; krytyczne = " krytycznych"; var int actveInteligencja; var int ChanceForCrit; ChanceForCrit = 0; var int losowydmg; losowydmg = wpnDmg * Hlp_Random (10); var int szansa; szansa = Hlp_Random (100); //////////////////////////////////////////////////////////////////////////////////// ///////////////////// *************** CZARY *************** //////////////////////// /////// Obrażenia są zależne : czar_dmg - defense + inteligencja /////////////////// activespell = Npc_GetActiveSpell(slf); actveInteligencja = Tal_GetValue (slf, Inteligencja); defense = oth.protection[PROT_MAGIC]; if(Npc_GetActiveSpell(slf) == SPL_FIRESTORM) { dmg = SPL_DAMAGE_InstantFireball+actveInteligencja-defense; } else if(Npc_GetActiveSpell(slf) == SPL_ChargeZap ) { dmg = SPL_Damage_ChargeZap*slf.aivar[AIV_SpellLevel]+actveInteligencja-defense; } else if(Npc_GetActiveSpell(slf) == SPL_ChargeFireball ) { dmg = SPL_Damage_ChargeFireball*slf.aivar[AIV_SpellLevel]+actveInteligencja-defense; }; if(Npc_GetActiveSpell(slf) != -1) { w0 = ConcatStrings (IntToString(dmg),""); w=ConcatStrings (dmg2, w0); w1=ConcatStrings (w, dmg3); w2= ConcatStrings (dmg4, w0); w3=ConcatStrings (w2, dmg3); if Npc_IsPlayer (slf) && dmg >= 0 { PrintS_Pow(w1, RGBA(236, 213, 64, 1)); //Zolty } else if Npc_IsPlayer (slf) && dmg < 0 { dmg = 0; w0 = ConcatStrings (IntToString(dmg),""); w=ConcatStrings (dmg2, w0); w1=ConcatStrings (w, dmg3); PrintS_Pow(w1, RGBA(236, 213, 64, 1)); //Zolty } else if Npc_IsPlayer (oth) && dmg >= 0 { PrintS_Pow(w3, RGBA(255, 0, 0, 1)); //Czerwony } else if Npc_IsPlayer (oth) && dmg < 0 { w0 = ConcatStrings (IntToString(dmg),""); w=ConcatStrings (dmg2, w0); w1=ConcatStrings (w, dmg3); dmg = 0; PrintS_Pow(w3, RGBA(255, 0, 0, 1)); //Czerwony }; }; //////////////////////////////////////////////////////////////////////////////// ////////// walka na pięści //////////////////////////////// if(Npc_IsInFightMode(slf,FMODE_FIST)) // { dmg = (slf.attribute[ATR_STRENGTH] -oth.protection[PROT_BLUNT]); w0 = ConcatStrings (IntToString(dmg),""); w=ConcatStrings (dmg2, w0); w1=ConcatStrings (w, dmg3); w2= ConcatStrings (dmg4, w0); w3=ConcatStrings (w2, dmg3); if Npc_IsPlayer (slf) && dmg >= 0 { PrintS_Pow(w1, RGBA(236, 213, 64, 1)); //Zolty }; if Npc_IsPlayer (slf) && dmg < 0 { dmg = 0; PrintS_Pow(w1, RGBA(236, 213, 64, 1)); //Zolty }; if Npc_IsPlayer (oth) && dmg >= 0 { PrintS_Pow(w3, RGBA(255, 0, 0, 1)); //Czerwony }; if Npc_IsPlayer (oth) && dmg < 0 { dmg = 0; PrintS_Pow(w3, RGBA(255, 0, 0, 1)); //Czerwony }; }; if (Npc_HasReadiedWeapon(slf)) { var c_item wpn; wpn = Npc_GetReadiedWeapon(slf); var int wpnDmg; wpnDmg = wpn.damageTotal; var int armRes; if wpn.damagetype == DAM_EDGE { armRes = oth.protection[PROT_EDGE]; } ; if wpn.damagetype == DAM_BLUNT { armRes = oth.protection[PROT_BLUNT]; }; if wpn.damagetype == DAM_POINT { armRes = oth.protection[PROT_POINT]; }; if wpn.damagetype == DAM_FIRE { armRes = oth.protection[PROT_FIRE]; }; if wpn.damagetype == DAM_MAGIC { armRes = oth.protection[PROT_MAGIC]; }; if ((ITEM_2HD_AXE || ITEM_2HD_SWD || ITEM_AXE ||ITEM_SWD) & wpn.flags) // Jeżeli broń ITEM_2HD_AXE || ITEM_2HD_SWD || ITEM_AXE ||ITEM_SWD { dmg = (wpnDmg+ slf.attribute[ATR_STRENGTH]); // damage = obrażenia broni + siła } if ((ITEM_BOW || ITEM_CROSSBOW) & wpn.flags) // Jeżeli broń Łuk lub kusza { dmg = (wpnDmg+ slf.attribute[ATR_DEXTERITY]); // damage = obrażenia broni + zręczność }; if (ITEM_2HD_AXE & wpn.flags) // Jeżeli broń dwuręczna AXE { ChanceForCrit = slf.HitChance[NPC_TALENT_2H]; // Szansa na obrażenia krytyczne = Umiejętność walki bronią dwuręczną }; if (ITEM_2HD_SWD & wpn.flags) { ChanceForCrit = slf.HitChance[NPC_TALENT_2H]; }; if (ITEM_SWD & wpn.flags) { ChanceForCrit = slf.HitChance[NPC_TALENT_1H]; }; if (ITEM_AXE & wpn.flags) { ChanceForCrit = slf.HitChance[NPC_TALENT_1H]; }; if (ITEM_BOW & wpn.flags) { TAL_SetValue(BDT_1021_LeuchtturmBandit, Ammo, 3); AmmoV = TAL_GetValue(slf, Ammo); AmmoVO = TAL_GetValue(oth, Ammo); ChanceForCrit = slf.HitChance[NPC_TALENT_BOW]; }; if (ITEM_CROSSBOW & wpn.flags) { ChanceForCrit = slf.HitChance[NPC_TALENT_CROSSBOW]; }; //////////////////////////////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////// OBRAŻENIA KRYTYCZNE //////////////////////////////////// if(szansa <= chanceForCrit) { dmg = (dmg-armRes) * 2 + losowydmg; w0 = ConcatStrings (IntToString(dmg),""); w=ConcatStrings (dmg2, w0); w1=ConcatStrings (w, dmg3); w2= ConcatStrings (dmg4, w0); w3=ConcatStrings (w2, dmg3); w4=ConcatStrings (w1, krytyczne); w5=ConcatStrings (w3, krytyczne); if Npc_IsPlayer (slf) && dmg >= 0 { if AmmoV == 2 // Zatruta { if Hlp_Random (99) <=25 { Buff_Apply(oth, deadly_poison); }; }; if AmmoV == 3 // Podpalona { Buff_Apply(oth, ognista_strzala); }; if AmmoV == 4 // Podpalona { Buff_ApplyOrRefresh(oth, magiczna_strzala); }; PrintS_Pow(w4, RGBA(252, 76, 7,1)); //Pomarańczowy }; if Npc_IsPlayer (slf) && dmg < 0 { dmg =0; PrintS_Pow(w4, RGBA(252, 76, 7,1)); //Pomarańczowy }; if Npc_IsPlayer (oth) && dmg >= 0 { if AmmoV == 2 // Zatruta { if Hlp_Random (99) <=25 { Buff_ApplyOrRefresh(oth, deadly_poison); // Nakłada zatrucie }; }; if AmmoV == 3 // Podpalona { Buff_ApplyOrRefresh(oth, ognista_strzala); }; if AmmoV == 4 // Podpalona { Buff_ApplyOrRefresh(oth, magiczna_strzala); }; PrintS_Pow(w5, RGBA(225, 19, 166, 1)); //Różowy }; if Npc_IsPlayer (oth) && dmg < 0 { dmg =0; PrintS_Pow(w5, RGBA(225, 19, 166, 1)); //Różowy }; }; ///////////////////////////////////////////////////////////////////////// ////////////////////// TUTAJ SĄ OBLICZANE OBRAŻENIA NIE KRYTYCZNE ///// if(szansa > chanceForCrit) { var int los; los = r_MinMax(-30,30); dmg = (dmg-armRes)+los; w0 = ConcatStrings (IntToString(dmg),""); w=ConcatStrings (dmg2, w0); w1=ConcatStrings (w, dmg3); w2= ConcatStrings (dmg4, w0); w3=ConcatStrings (w2, dmg3); if Npc_IsPlayer (slf) && dmg >= 0 { if AmmoV == 2 // Zatruta { if Hlp_Random (99) <=25 { Buff_ApplyOrRefresh(oth, deadly_poison); // Nakłada zatrucie }; }; if AmmoV == 3 // Podpalona { Buff_ApplyOrRefresh(oth, ognista_strzala); }; if AmmoV == 4 // Podpalona { Buff_ApplyOrRefresh(oth, magiczna_strzala); }; PrintS_Pow(w1, RGBA(236, 213, 64, 1)); //Zolty }; if Npc_IsPlayer (slf) && dmg < 0 { dmg = 0; w0 = ConcatStrings (IntToString(dmg),""); w=ConcatStrings (dmg2, w0); w1=ConcatStrings (w, dmg3); PrintS_Pow(w1, RGBA(236, 213, 64, 1)); //Zolty }; if Npc_IsPlayer (oth) && dmg >= 0 // KOMPUTER - SLF, GRACZ - OTH { if AmmoV == 2 // Zatruta { if Hlp_Random (99) <=25 { Buff_ApplyOrRefresh(oth, deadly_poison); // Nakłada zatrucie }; }; if AmmoV == 3 // Podpalona { Buff_ApplyOrRefresh(oth, ognista_strzala); }; if AmmoV == 4 // Podpalona { Buff_ApplyOrRefresh(oth, magiczna_strzala); }; PrintS_Pow(w3, RGBA(255, 0, 0, 1)); //Czerwony }; if Npc_IsPlayer (oth) && dmg < 0 { dmg = 0; w0 = ConcatStrings (IntToString(dmg),""); w2= ConcatStrings (dmg4, w0); w3=ConcatStrings (w2, dmg3); PrintS_Pow(w3, RGBA(255, 0, 0, 1)); //Czerwony }; }; }; return dmg; }; var int _DMG_DmgDesc; func void _DMG_OnDmg_Post() { EDI = DMG_OnDmg(EBP, MEM_ReadInt(MEM_ReadInt(ESP+644)+8), EDI, _DMG_DmgDesc); }; func void _DMG_OnDmg_Pre() { _DMG_DmgDesc = ESI; // I'm preeeeetty sure it won't get moved in the meantime... }; func void InitDamage() { const int dmg = 0; if (dmg) { return; }; HookEngineF(6736583/*0x66CAC7*/, 5, _DMG_OnDmg_Post); const int oCNpc__OnDamage_Hit = 6710800; HookEngineF(oCNpc__OnDamage_Hit, 7, _DMG_OnDmg_Pre); dmg = 1; };
D