code
stringlengths 3
10M
| language
stringclasses 31
values |
|---|---|
// Written in the D programming language.
/* md5.d - RSA Data Security, Inc., MD5 message-digest algorithm
* Derived from the RSA Data Security, Inc. MD5 Message-Digest Algorithm.
*/
/**
* $(RED Scheduled for deprecation. Please use std.digest.md instead.)
*
* Computes MD5 digests of arbitrary data. MD5 digests are 16 byte quantities that are like a checksum or crc, but are more robust.
*
* There are two ways to do this. The first does it all in one function call to
* sum(). The second is for when the data is buffered.
*
* Bugs:
* MD5 digests have been demonstrated to not be unique.
*
* Author:
* The routines and algorithms are derived from the
* $(I RSA Data Security, Inc. MD5 Message-Digest Algorithm).
*
* References:
* $(LINK2 http://en.wikipedia.org/wiki/Md5, Wikipedia on MD5)
*
* Source: $(PHOBOSSRC std/_md5.d)
*
* Macros:
* WIKI = Phobos/StdMd5
*/
/++++++++++++++++++++++++++++++++
Example:
--------------------
// This code is derived from the
// RSA Data Security, Inc. MD5 Message-Digest Algorithm.
import std.md5;
import std.stdio;
void main(string[] args)
{
foreach (arg; args)
mdFile(arg);
}
/// Digests a file and prints the result.
void mdFile(string filename)
{
ubyte[16] digest;
MD5_CTX context;
context.start();
foreach (buffer; File(filename).byChunk(64 * 1024))
context.update(buffer);
context.finish(digest);
writefln("MD5 (%s) = %s", filename, digestToString(digest));
}
--------------------
+/
/* Copyright (C) 1991-2, RSA Data Security, Inc. Created 1991. All
rights reserved.
License to copy and use this software is granted provided that it
is identified as the "RSA Data Security, Inc. MD5 Message-Digest
Algorithm" in all material mentioning or referencing this software
or this function.
License is also granted to make and use derivative works provided
that such works are identified as "derived from the RSA Data
Security, Inc. MD5 Message-Digest Algorithm" in all material
mentioning or referencing the derived work.
RSA Data Security, Inc. makes no representations concerning either
the merchantability of this software or the suitability of this
software for any particular purpose. It is provided "as is"
without express or implied warranty of any kind.
These notices must be retained in any copies of any part of this
documentation and/or software.
*/
module std.md5;
pragma(msg, "std.md5 is scheduled for deprecation. Please use "
"std.digest.md instead");
//debug=md5; // uncomment to turn on debugging printf's
import std.ascii;
import std.bitmanip;
import std.string;
import std.exception;
debug(md5) import std.c.stdio : printf;
/***************************************
* Computes MD5 digest of several arrays of data.
*/
void sum(ref ubyte[16] digest, in void[][] data...)
{
MD5_CTX context;
context.start();
foreach (datum; data)
{
context.update(datum);
}
context.finish(digest);
}
// /******************
// * Prints a message digest in hexadecimal to stdout.
// */
// void printDigest(const ubyte digest[16])
// {
// foreach (ubyte u; digest)
// printf("%02x", u);
// }
/****************************************
* Converts MD5 digest to a string.
*/
string digestToString(in ubyte[16] digest)
{
auto result = new char[32];
int i;
foreach (ubyte u; digest)
{
result[i] = std.ascii.hexDigits[u >> 4];
result[i + 1] = std.ascii.hexDigits[u & 15];
i += 2;
}
return assumeUnique(result);
}
/**
Gets the digest of all $(D data) items passed in.
Example:
----
string a = "Mary has ", b = "a little lamb";
int[] c = [ 1, 2, 3, 4, 5 ];
string d = getDigestString(a, b, c);
----
*/
string getDigestString(in void[][] data...)
{
MD5_CTX ctx;
ctx.start();
foreach (datum; data) {
ctx.update(datum);
}
ubyte[16] digest;
ctx.finish(digest);
return digestToString(digest);
}
version(unittest) import std.stdio;
unittest
{
string a = "Mary has ", b = "a little lamb";
int[] c = [ 1, 2, 3, 4, 5 ];
string d = getDigestString(a, b, c);
version(LittleEndian)
assert(d == "F36625A66B2A8D9F47270C00C8BEFD2F", d);
else
assert(d == "2656D2008FF10DAE4B0783E6E0171655", d);
}
/**
* Holds context of MD5 computation.
*
* Used when data to be digested is buffered.
*/
struct MD5_CTX
{
private import core.stdc.string : memcpy, memset;
uint[4] state = /* state (ABCD) */
/* magic initialization constants */
[0x67452301,0xefcdab89,0x98badcfe,0x10325476];
ulong count; /* number of bits, modulo 2^64 */
ubyte[64] buffer; /* input buffer */
static ubyte[64] PADDING =
[
0x80, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0
];
/* F, G, H and I are basic MD5 functions.
*/
private static
{
uint F(uint x, uint y, uint z) { return (x & y) | (~x & z); }
uint G(uint x, uint y, uint z) { return (x & z) | (y & ~z); }
uint H(uint x, uint y, uint z) { return x ^ y ^ z; }
uint I(uint x, uint y, uint z) { return y ^ (x | ~z); }
}
/* ROTATE_LEFT rotates x left n bits.
*/
static uint ROTATE_LEFT(uint x, uint n)
{
// With recently added optimization to DMD (commit 32ea0206 at 07/28/11), this is translated to rol.
// No assembler required.
return (x << n) | (x >> (32-n));
}
/* FF, GG, HH, and II transformations for rounds 1, 2, 3, and 4.
* Rotation is separate from addition to prevent recomputation.
*/
static void FF(ref uint a, uint b, uint c, uint d, uint x, uint s, uint ac)
{
a += F (b, c, d) + x + ac;
a = ROTATE_LEFT (a, s);
a += b;
}
static void GG(ref uint a, uint b, uint c, uint d, uint x, uint s, uint ac)
{
a += G (b, c, d) + x + ac;
a = ROTATE_LEFT (a, s);
a += b;
}
static void HH(ref uint a, uint b, uint c, uint d, uint x, uint s, uint ac)
{
a += H (b, c, d) + x + ac;
a = ROTATE_LEFT (a, s);
a += b;
}
static void II(ref uint a, uint b, uint c, uint d, uint x, uint s, uint ac)
{
a += I (b, c, d) + x + ac;
a = ROTATE_LEFT (a, s);
a += b;
}
/**
* MD5 initialization. Begins an MD5 operation, writing a new context.
*/
void start()
{
this = MD5_CTX.init;
}
/** MD5 block update operation. Continues an MD5 message-digest
operation, processing another message block, and updating the
context.
*/
void update(const void[] input)
{
uint i, index, partLen;
auto inputLen = input.length;
/* Compute number of bytes mod 64 */
index = (cast(uint)count >> 3) & (64 - 1);
/* Update number of bits */
count += inputLen * 8;
partLen = 64 - index;
/* Transform as many times as possible. */
if (inputLen >= partLen)
{
core.stdc.string.memcpy(&buffer[index], input.ptr, partLen);
transform (buffer.ptr);
for (i = partLen; i + 63 < inputLen; i += 64)
transform ((cast(ubyte[])input)[i .. i + 64].ptr);
index = 0;
}
else
i = 0;
/* Buffer remaining input */
if (inputLen - i)
core.stdc.string.memcpy(&buffer[index], &input[i], inputLen-i);
}
/** MD5 finalization. Ends an MD5 message-digest operation, writing the
* the message to digest and zeroing the context.
*/
void finish(ref ubyte[16] digest) /* message digest */
{
ubyte bits[8] = void;
uint index, padLen;
/* Save number of bits */
bits[0 .. 8] = nativeToLittleEndian(count)[];
/* Pad out to 56 mod 64. */
index = (cast(uint)count >> 3) & (64 - 1);
padLen = (index < 56) ? (56 - index) : (120 - index);
update (PADDING[0 .. padLen]);
/* Append length (before padding) */
update (bits);
/* Store state in digest */
digest[0 .. 4] = nativeToLittleEndian(state[0])[];
digest[4 .. 8] = nativeToLittleEndian(state[1])[];
digest[8 .. 12] = nativeToLittleEndian(state[2])[];
digest[12 .. 16] = nativeToLittleEndian(state[3])[];
/* Zeroize sensitive information. */
core.stdc.string.memset (&this, 0, MD5_CTX.sizeof);
}
/* MD5 basic transformation. Transforms state based on block.
*/
/* Constants for MD5Transform routine. */
enum
{
S11 = 7,
S12 = 12,
S13 = 17,
S14 = 22,
S21 = 5,
S22 = 9,
S23 = 14,
S24 = 20,
S31 = 4,
S32 = 11,
S33 = 16,
S34 = 23,
S41 = 6,
S42 = 10,
S43 = 15,
S44 = 21,
}
private void transform (const ubyte* /*[64]*/ block)
{
uint a = state[0],
b = state[1],
c = state[2],
d = state[3];
uint[16] x = void;
version(BigEndian)
{
for(size_t i = 0; i < 16; i++)
{
x[i] = littleEndianToNative!uint(*cast(ubyte[4]*)&block[i*4]);
}
}
else
{
(cast(ubyte*)x.ptr)[0 .. 64] = block[0 .. 64];
}
/* Round 1 */
FF (a, b, c, d, x[ 0], S11, 0xd76aa478); /* 1 */
FF (d, a, b, c, x[ 1], S12, 0xe8c7b756); /* 2 */
FF (c, d, a, b, x[ 2], S13, 0x242070db); /* 3 */
FF (b, c, d, a, x[ 3], S14, 0xc1bdceee); /* 4 */
FF (a, b, c, d, x[ 4], S11, 0xf57c0faf); /* 5 */
FF (d, a, b, c, x[ 5], S12, 0x4787c62a); /* 6 */
FF (c, d, a, b, x[ 6], S13, 0xa8304613); /* 7 */
FF (b, c, d, a, x[ 7], S14, 0xfd469501); /* 8 */
FF (a, b, c, d, x[ 8], S11, 0x698098d8); /* 9 */
FF (d, a, b, c, x[ 9], S12, 0x8b44f7af); /* 10 */
FF (c, d, a, b, x[10], S13, 0xffff5bb1); /* 11 */
FF (b, c, d, a, x[11], S14, 0x895cd7be); /* 12 */
FF (a, b, c, d, x[12], S11, 0x6b901122); /* 13 */
FF (d, a, b, c, x[13], S12, 0xfd987193); /* 14 */
FF (c, d, a, b, x[14], S13, 0xa679438e); /* 15 */
FF (b, c, d, a, x[15], S14, 0x49b40821); /* 16 */
/* Round 2 */
GG (a, b, c, d, x[ 1], S21, 0xf61e2562); /* 17 */
GG (d, a, b, c, x[ 6], S22, 0xc040b340); /* 18 */
GG (c, d, a, b, x[11], S23, 0x265e5a51); /* 19 */
GG (b, c, d, a, x[ 0], S24, 0xe9b6c7aa); /* 20 */
GG (a, b, c, d, x[ 5], S21, 0xd62f105d); /* 21 */
GG (d, a, b, c, x[10], S22, 0x2441453); /* 22 */
GG (c, d, a, b, x[15], S23, 0xd8a1e681); /* 23 */
GG (b, c, d, a, x[ 4], S24, 0xe7d3fbc8); /* 24 */
GG (a, b, c, d, x[ 9], S21, 0x21e1cde6); /* 25 */
GG (d, a, b, c, x[14], S22, 0xc33707d6); /* 26 */
GG (c, d, a, b, x[ 3], S23, 0xf4d50d87); /* 27 */
GG (b, c, d, a, x[ 8], S24, 0x455a14ed); /* 28 */
GG (a, b, c, d, x[13], S21, 0xa9e3e905); /* 29 */
GG (d, a, b, c, x[ 2], S22, 0xfcefa3f8); /* 30 */
GG (c, d, a, b, x[ 7], S23, 0x676f02d9); /* 31 */
GG (b, c, d, a, x[12], S24, 0x8d2a4c8a); /* 32 */
/* Round 3 */
HH (a, b, c, d, x[ 5], S31, 0xfffa3942); /* 33 */
HH (d, a, b, c, x[ 8], S32, 0x8771f681); /* 34 */
HH (c, d, a, b, x[11], S33, 0x6d9d6122); /* 35 */
HH (b, c, d, a, x[14], S34, 0xfde5380c); /* 36 */
HH (a, b, c, d, x[ 1], S31, 0xa4beea44); /* 37 */
HH (d, a, b, c, x[ 4], S32, 0x4bdecfa9); /* 38 */
HH (c, d, a, b, x[ 7], S33, 0xf6bb4b60); /* 39 */
HH (b, c, d, a, x[10], S34, 0xbebfbc70); /* 40 */
HH (a, b, c, d, x[13], S31, 0x289b7ec6); /* 41 */
HH (d, a, b, c, x[ 0], S32, 0xeaa127fa); /* 42 */
HH (c, d, a, b, x[ 3], S33, 0xd4ef3085); /* 43 */
HH (b, c, d, a, x[ 6], S34, 0x4881d05); /* 44 */
HH (a, b, c, d, x[ 9], S31, 0xd9d4d039); /* 45 */
HH (d, a, b, c, x[12], S32, 0xe6db99e5); /* 46 */
HH (c, d, a, b, x[15], S33, 0x1fa27cf8); /* 47 */
HH (b, c, d, a, x[ 2], S34, 0xc4ac5665); /* 48 */
/* Round 4 */
II (a, b, c, d, x[ 0], S41, 0xf4292244); /* 49 */
II (d, a, b, c, x[ 7], S42, 0x432aff97); /* 50 */
II (c, d, a, b, x[14], S43, 0xab9423a7); /* 51 */
II (b, c, d, a, x[ 5], S44, 0xfc93a039); /* 52 */
II (a, b, c, d, x[12], S41, 0x655b59c3); /* 53 */
II (d, a, b, c, x[ 3], S42, 0x8f0ccc92); /* 54 */
II (c, d, a, b, x[10], S43, 0xffeff47d); /* 55 */
II (b, c, d, a, x[ 1], S44, 0x85845dd1); /* 56 */
II (a, b, c, d, x[ 8], S41, 0x6fa87e4f); /* 57 */
II (d, a, b, c, x[15], S42, 0xfe2ce6e0); /* 58 */
II (c, d, a, b, x[ 6], S43, 0xa3014314); /* 59 */
II (b, c, d, a, x[13], S44, 0x4e0811a1); /* 60 */
II (a, b, c, d, x[ 4], S41, 0xf7537e82); /* 61 */
II (d, a, b, c, x[11], S42, 0xbd3af235); /* 62 */
II (c, d, a, b, x[ 2], S43, 0x2ad7d2bb); /* 63 */
II (b, c, d, a, x[ 9], S44, 0xeb86d391); /* 64 */
state[0] += a;
state[1] += b;
state[2] += c;
state[3] += d;
/* Zeroize sensitive information. */
x[] = 0;
}
}
unittest
{
debug(md5) printf("std.md5.unittest\n");
ubyte[16] digest;
sum (digest, "");
assert(digest == cast(ubyte[])x"d41d8cd98f00b204e9800998ecf8427e");
sum (digest, "a");
assert(digest == cast(ubyte[])x"0cc175b9c0f1b6a831c399e269772661");
sum (digest, "abc");
assert(digest == cast(ubyte[])x"900150983cd24fb0d6963f7d28e17f72");
sum (digest, "message digest");
assert(digest == cast(ubyte[])x"f96b697d7cb7938d525a2f31aaf161d0");
sum (digest, "abcdefghijklmnopqrstuvwxyz");
assert(digest == cast(ubyte[])x"c3fcd3d76192e4007dfb496cca67e13b");
sum (digest, "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789");
assert(digest == cast(ubyte[])x"d174ab98d277d9f5a5611c2c9f419d9f");
sum (digest,
"1234567890123456789012345678901234567890"
"1234567890123456789012345678901234567890");
assert(digest == cast(ubyte[])x"57edf4a22be3c955ac49da2e2107b67a");
assert(digestToString(cast(ubyte[16])x"c3fcd3d76192e4007dfb496cca67e13b")
== "C3FCD3D76192E4007DFB496CCA67E13B");
}
|
D
|
/Users/mu/Hello/.build/x86_64-apple-macosx/debug/HTTP.build/Responder/HTTPServer.swift.o : /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/RFC1123.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/URL+HTTP.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPHeaders+Basic.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/Forwarded.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/MediaTypePreference.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBodyStorage.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPMessage.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBodyRepresentable.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPHeaderName.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPScheme.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPResponse.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Cookies/HTTPCookieValue.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPChunkedStream.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPClientProtocolUpgrader.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPServerResponder.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Codable/HTTPMessageCoder.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPHeaders+Bearer.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPServer.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPError.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Cookies/HTTPCookies.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPHeaders.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/String+IsIPAddress.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Exports.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPClient.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPRequest.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBody.swift /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.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/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.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 /usr/local/Cellar/libressl/2.8.3/include/openssl/asn1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/tls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/md5.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509.h /usr/local/Cellar/libressl/2.8.3/include/openssl/sha.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rsa.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /usr/local/Cellar/libressl/2.8.3/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/hmac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ec.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rand.h /usr/local/Cellar/libressl/2.8.3/include/openssl/conf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/lhash.h /usr/local/Cellar/libressl/2.8.3/include/openssl/stack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/safestack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl.h /Users/mu/Hello/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bn.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bio.h /usr/local/Cellar/libressl/2.8.3/include/openssl/crypto.h /usr/local/Cellar/libressl/2.8.3/include/openssl/srtp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/evp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.8.3/include/openssl/buffer.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.8.3/include/openssl/err.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.8.3/include/openssl/objects.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslv.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509_vfy.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-ssl-support/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/mu/Hello/.build/x86_64-apple-macosx/debug/HTTP.build/Responder/HTTPServer~partial.swiftmodule : /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/RFC1123.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/URL+HTTP.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPHeaders+Basic.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/Forwarded.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/MediaTypePreference.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBodyStorage.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPMessage.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBodyRepresentable.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPHeaderName.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPScheme.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPResponse.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Cookies/HTTPCookieValue.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPChunkedStream.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPClientProtocolUpgrader.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPServerResponder.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Codable/HTTPMessageCoder.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPHeaders+Bearer.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPServer.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPError.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Cookies/HTTPCookies.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPHeaders.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/String+IsIPAddress.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Exports.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPClient.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPRequest.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBody.swift /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.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/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.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 /usr/local/Cellar/libressl/2.8.3/include/openssl/asn1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/tls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/md5.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509.h /usr/local/Cellar/libressl/2.8.3/include/openssl/sha.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rsa.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /usr/local/Cellar/libressl/2.8.3/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/hmac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ec.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rand.h /usr/local/Cellar/libressl/2.8.3/include/openssl/conf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/lhash.h /usr/local/Cellar/libressl/2.8.3/include/openssl/stack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/safestack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl.h /Users/mu/Hello/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bn.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bio.h /usr/local/Cellar/libressl/2.8.3/include/openssl/crypto.h /usr/local/Cellar/libressl/2.8.3/include/openssl/srtp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/evp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.8.3/include/openssl/buffer.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.8.3/include/openssl/err.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.8.3/include/openssl/objects.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslv.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509_vfy.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-ssl-support/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/mu/Hello/.build/x86_64-apple-macosx/debug/HTTP.build/Responder/HTTPServer~partial.swiftdoc : /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/RFC1123.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/URL+HTTP.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPHeaders+Basic.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/Forwarded.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/MediaTypePreference.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBodyStorage.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPMessage.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBodyRepresentable.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPHeaderName.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPScheme.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPResponse.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Cookies/HTTPCookieValue.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPChunkedStream.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPClientProtocolUpgrader.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPServerResponder.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Codable/HTTPMessageCoder.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPHeaders+Bearer.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPServer.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/HTTPError.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Cookies/HTTPCookies.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPHeaders.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Utilities/String+IsIPAddress.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Exports.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Responder/HTTPClient.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Message/HTTPRequest.swift /Users/mu/Hello/.build/checkouts/http/Sources/HTTP/Body/HTTPBody.swift /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.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/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.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 /usr/local/Cellar/libressl/2.8.3/include/openssl/asn1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/tls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/md5.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509.h /usr/local/Cellar/libressl/2.8.3/include/openssl/sha.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rsa.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /usr/local/Cellar/libressl/2.8.3/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/hmac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ec.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rand.h /usr/local/Cellar/libressl/2.8.3/include/openssl/conf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/lhash.h /usr/local/Cellar/libressl/2.8.3/include/openssl/stack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/safestack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl.h /Users/mu/Hello/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bn.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bio.h /usr/local/Cellar/libressl/2.8.3/include/openssl/crypto.h /usr/local/Cellar/libressl/2.8.3/include/openssl/srtp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/evp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.8.3/include/openssl/buffer.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.8.3/include/openssl/err.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.8.3/include/openssl/objects.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslv.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509_vfy.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-ssl-support/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
|
/**
Copyright: Copyright (c) 2014 Andrey Penechko.
License: a$(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0).
Authors: Andrey Penechko.
Some code is based on msgpack-d by Masahiro Nakagawa.
Concise Binary Object Representation (CBOR) for D lang.
The Concise Binary Object Representation (CBOR) is a data format
whose design goals include the possibility of extremely small code
size, fairly small message size, and extensibility without the need
for version negotiation. These design goals make it different from
earlier binary serializations such as ASN.1 and MessagePack.
Standards: Conforms to RFC 7049.
*/
module cbor;
private import std.string : format;
private import std.traits;
private import std.typecons : Flag, Yes, No;
private import std.range : ElementEncodingType;
private import std.conv : to;
private import std.utf : byChar;
//version = Cbor_Debug;
/// Thrown in a case of decoding error.
class CborException : Exception
{
@trusted pure this(string message, string file = __FILE__, size_t line = __LINE__)
{
super(message, file, line);
}
}
//------------------------------------------------------------------------------
// SSSSS TTTTTTT OOOOO RRRRRR AAA GGGG EEEEEEE
// SS TTT OO OO RR RR AAAAA GG GG EE
// SSSSS TTT OO OO RRRRRR AA AA GG EEEEE
// SS TTT OO OO RR RR AAAAAAA GG GG EE
// SSSSS TTT OOOO0 RR RR AA AA GGGGGG EEEEEEE
//------------------------------------------------------------------------------
/// Tagged union for CBOR items.
align(1) struct CborValue
{
align(1):
enum Type : ubyte
{
boolean,
nil,
undefined,
posinteger,
neginteger,
floating,
array,
map,
raw,
text,
}
static union Via
{
bool boolean;
long integer;
ulong uinteger;
double floating;
CborValue[] array;
CborValue[CborValue] map;
ubyte[] raw;
string text;
}
Type type = Type.nil;
Via via;
/**
* Constructs a $(D CborValue) with arguments.
*
* Params:
* value = the real content.
* type = the type of value.
*/
@safe
this(Type type)
{
this.type = type;
}
@safe
this(typeof(null))
{
this(Type.nil);
}
/// ditto
@trusted
this(bool value, Type type = Type.boolean)
{
this(type);
via.boolean = value;
}
/// ditto
@trusted
this(T)(T value) if (isIntegral!T)
{
if (value < 0)
{
this(Type.neginteger);
via.integer = value;
}
else
{
this(Type.posinteger);
via.uinteger = value;
}
}
/// ditto
@trusted
this(T)(T value, Type type = Type.floating) if (isFloatingPoint!T)
{
this(type);
via.floating = value;
}
/// ditto
@trusted
this(CborValue[] value, Type type = Type.array)
{
this(type);
via.array = value;
}
/// ditto
@trusted
this(CborValue[CborValue] value, Type type = Type.map)
{
this(type);
via.map = value;
}
/// ditto
@trusted
this(ubyte[] value, Type type = Type.raw)
{
this(type);
via.raw = value;
}
/// ditto
@trusted
this(string value, Type type = Type.text)
{
this(type);
via.text = value;
}
/**
* Converts value to $(D_PARAM T) type.
*
* Returns:
* converted value.
*
* Throws:
* CborException if type is mismatched.
*
* NOTE:
* Current implementation uses cast.
*/
@property @trusted
T as(T)() if (is(Unqual!T == bool))
{
if (type != Type.boolean)
onCastErrorToFrom!T(type);
return via.boolean;
}
/// ditto
@property @trusted
T as(T)() if (isIntegral!T && !is(Unqual!T == enum))
{
if (type == Type.neginteger)
return cast(T)via.integer;
if (type == Type.posinteger)
return cast(T)via.uinteger;
onCastErrorToFrom!T(type);
assert(false);
}
/// ditto
@property @trusted
T as(T)() if (isSomeChar!T && !is(Unqual!T == enum))
{
if (type == Type.posinteger)
return cast(T)via.uinteger;
onCastErrorToFrom!T(type);
assert(false);
}
/// ditto
@property @trusted
T as(T)() if (isFloatingPoint!T && !is(Unqual!T == enum))
{
if (type != Type.floating)
onCastErrorToFrom!T(type);
return cast(T)via.floating;
}
/// ditto
@property @trusted
T as(T)() if (is(Unqual!T == enum))
{
return cast(T)as!(OriginalType!T);
}
/// ditto
@property @trusted
T as(T)() if (isArray!T && !is(Unqual!T == enum))
{
if (type == Type.nil)
{
static if (isDynamicArray!T)
{
return null;
}
else
{
return T.init;
}
}
static if (is(Unqual!(ElementType!T) == ubyte))
{
if (type != Type.raw)
onCastErrorToFrom!T(type);
static if (isDynamicArray!T)
{
return cast(T)via.raw;
}
else
{
if (via.raw.length != T.length)
onCastErrorToFrom!T(type);
return cast(T)(via.raw[0 .. T.length]);
}
}
else static if(isSomeChar!(Unqual!(ElementEncodingType!T)))
{
if (type != Type.text)
onCastErrorToFrom!T(type);
static if (isDynamicArray!T)
{
return via.text.to!T;
}
else
{
if (via.text.length != T.length)
onCastErrorToFrom!T(type);
static if (is(Unqual!(ElementEncodingType!T) == char))
{
return cast(T)via.text[0 .. T.length];
}
else
{
alias V = Unqual!(ElementEncodingType!T);
V[] array = via.text.to!(V[]);
return cast(T)array[0 .. T.length];
}
}
}
else
{
alias V = Unqual!(ElementType!T);
if (type != Type.array)
onCastErrorToFrom!T(type);
static if (isDynamicArray!T)
{
V[] array = new V[via.array.length];
}
else
{
T array = void;
}
foreach (i, elem; via.array)
array[i] = elem.as!(V);
return cast(T)array;
}
}
/// ditto
@property @trusted
T as(T)() if (isAssociativeArray!T)
{
alias K = typeof(T.init.keys[0]);
alias V = typeof(T.init.values[0]);
if (type == Type.nil)
return null;
if (type != Type.map)
onCastErrorToFrom!T(type);
V[K] map;
foreach (key, value; via.map)
map[key.as!(K)] = value.as!(V);
return map;
}
/// ditto
@property @trusted
T as(T)()
if (is(T == struct) || is(T == class) || isTuple!T)
{
static if (is(T == class))
if (type == CborValue.Type.nil)
return null;
if (type != CborValue.Type.array)
throw new CborException(format("Can not decode %s from %s", T.stringof, type));
T obj;
size_t arrLength = via.array.length;
size_t numMembers;
static if (isTuple!T)
numMembers = T.Types.length;
else
numMembers = numEncodableMembers!T;
if (arrLength != numMembers)
{
throw new CborException(
format("The number of deserialized members of %s is mismatched."~
" Got %s, while expected %s members",
T.stringof, numMembers, arrLength));
}
static if (isTuple!T)
{
foreach (i, Type; T.Types)
obj.field[i] = via.array[i].as!(Type);
}
else
{ // simple struct
static if (is(T == class))
obj = new T();
foreach(i, ref member; obj.tupleof)
{
static if (isEncodedField!(typeof(member)))
member = via.array[i].as!(typeof(member));
}
}
return obj;
}
/// Comparison for equality.
@trusted
bool opEquals()(auto ref const CborValue other) const
{
if (type != other.type)
return false;
final switch(other.type)
{
case Type.boolean: return opEquals(other.via.boolean);
case Type.nil: return type == Type.nil;
case Type.undefined: return type == Type.undefined;
case Type.neginteger: return opEquals(other.via.integer);
case Type.posinteger: return opEquals(other.via.uinteger);
case Type.floating: return opEquals(other.via.floating);
case Type.array: return opEquals(other.via.array);
case Type.map: return opEquals(other.via.map);
case Type.raw: return opEquals(other.via.raw);
case Type.text: return opEquals(other.via.text);
}
}
/// ditto
@trusted
bool opEquals(T : bool)(const T other) const
{
if (type != Type.boolean)
return false;
return via.boolean == other;
}
/// ditto
@trusted
bool opEquals(T)(const T other) const if (isIntegral!T && !is(T == typeof(null)))
{
static if (isUnsigned!T)
{
if (type == Type.posinteger)
return via.uinteger == other;
else
return false;
}
else
{
if (type == Type.neginteger || type == Type.posinteger)
return via.integer == other;
else
return false;
}
}
/// ditto
@trusted
bool opEquals(T)(const T other) const if (isFloatingPoint!T)
{
if (type != Type.floating)
return false;
return via.floating == other;
}
/// ditto
@trusted
bool opEquals(T)(const typeof(null) other) const if (is(T == typeof(null)))
{
if (type == Type.array || type == Type.raw || type == Type.text)
{
return via.raw.length == 0;
}
else if (type == Type.map)
{
return via.map.length == 0;
}
return false;
}
/// ditto
@trusted
bool opEquals(T : const CborValue[])(const T other) const if (!is(T == typeof(null)))
{
if (type != Type.array)
return false;
return via.array == other;
}
/// ditto
@trusted
bool opEquals(T : const(V)[], V)(const T other) const if (!is(T == typeof(null)))
{
if (type != Type.array)
return false;
if (other.length != via.array.length) return false;
auto arr = via.array;
foreach(i, ref item; other)
{
if (item != arr[i]) return false;
}
return true;
}
/// ditto
@trusted
bool opEquals(T : const CborValue[CborValue])(const T other) const if (!is(T == typeof(null)))
{
if (type != Type.map)
return false;
// This comparison is instead of default comparison because 'via.map == other' raises "Access Violation".
foreach (key, value; via.map) {
if (key in other) {
if (other[key] != value)
return false;
} else {
return false;
}
}
return true;
}
/// ditto
@trusted
bool opEquals(T : const V[K], K, V)(const T other) const if (!is(T == typeof(null)))
{
if (type != Type.map)
return false;
// This comparison is instead of default comparison because 'via.map == other' raises "Access Violation".
auto map = via.map;
if (map.length != other.length) return false;
foreach (key, value; other) {
if (auto thisVal = CborValue(key) in map) {
if (*thisVal != value)
return false;
} else {
return false;
}
}
return true;
}
/// ditto
@trusted
bool opEquals(T : const(ubyte)[])(const T other) const if (!is(T == typeof(null)))
{
if (type != Type.raw)
return false;
return via.raw == other;
}
/// ditto
@trusted
bool opEquals(T : string)(const T other) const if (!is(T == typeof(null)))
{
if (type != Type.text)
return false;
return via.text == other;
}
/// Hashing.
size_t toHash() const nothrow @trusted
{
final switch(type)
{
case Type.boolean: return typeid(bool).getHash(&via.boolean);
case Type.nil: return 0;
case Type.undefined: return size_t.max;
case Type.neginteger: return typeid(long).getHash(&via.integer);
case Type.posinteger: return typeid(ulong).getHash(&via.uinteger);
case Type.floating: return typeid(real).getHash(&via.floating);
case Type.array: return typeid(CborValue[]).getHash(&via.array);
case Type.map: return typeid(CborValue[CborValue]).getHash(&via.map);
case Type.raw: return typeid(ubyte[]).getHash(&via.raw);
case Type.text: return typeid(string).getHash(&via.text);
}
}
/// String representation.
string toString()
{
import std.string : format;
final switch(type)
{
case Type.boolean: return format("CborValue(%s)", via.boolean);
case Type.nil: return "CborValue(null)";
case Type.undefined: return "CborValue(undefined)";
case Type.neginteger: return format("CborValue(%s, %s)", type, via.integer);
case Type.posinteger: return format("CborValue(%s, %s)", type, via.uinteger);
case Type.floating: return format("CborValue(%s, %s)", type, via.floating);
case Type.array: return format("CborValue(%s, %s)", type, via.array);
case Type.map: return format("CborValue(%s, %s)", type, via.map);
case Type.raw: return format("CborValue(%s, %s)", type, via.raw);
case Type.text: return format("CborValue(%s, \"%s\")", type, via.text);
}
}
}
//------------------------------------------------------------------------------
// EEEEEEE NN NN CCCCC OOOOO DDDDD IIIII NN NN GGGG
// EE NNN NN CC C OO OO DD DD III NNN NN GG GG
// EEEEE NN N NN CC OO OO DD DD III NN N NN GG
// EE NN NNN CC C OO OO DD DD III NN NNN GG GG
// EEEEEEE NN NN CCCCC OOOO0 DDDDDD IIIII NN NN GGGGGG
//------------------------------------------------------------------------------
private import std.range : isInputRange, isOutputRange, ElementType;
private import std.typecons : isTuple;
/// Encodes value E into output range sink.
/// Returns number of bytes written to sink.
/// If flatten flag is yes then static arrays and structs will be encoded in place without headers.
size_t encodeCbor(Flag!"Flatten" flatten = No.Flatten, R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte))
{
import std.typecons : isTuple;
static if (isIntegral!E)
{
return encodeCborInt(sink, value);
}
else static if (isSomeChar!E)
{
return encodeCborInt(sink, cast(ulong)value);
}
else static if (isFloatingPoint!E)
{
return encodeCborFloat(sink, value);
}
else static if (isBoolean!E)
{
return encodeCborBool(sink, value);
}
else static if (is(Unqual!E == typeof(null)))
{
return encodeCborNull(sink, value);
}
else static if ((isArray!E || isInputRange!E) && is(Unqual!(ElementType!E) == ubyte))
{
return encodeCborRaw!(flatten)(sink, value);
}
else static if ((isArray!E || isInputRange!E) && isSomeChar!(Unqual!(ElementEncodingType!E)))
{
return encodeCborString!(flatten)(sink, value);
}
else static if (isInputRange!E || isArray!E || isTuple!E ||
is(E == class) || is(E == struct))
{
return encodeCborArray!(flatten)(sink, value);
}
else static if (isAssociativeArray!E)
{
return encodeCborMap(sink, value);
}
else
{
static assert(false, "Unable to encode " ~ E.stringof);
}
}
// Encode integer types as separate type or as part of arrays or map.
private size_t encodeLongType(R)(auto ref R sink, ubyte majorType, ulong length)
if(isOutputRange!(R, ubyte))
{
import std.bitmanip : nativeToBigEndian;
majorType <<= 5;
if (length < 24) {
putChecked(sink, cast(ubyte)(majorType | length));
return 1;
} else if (length <= ubyte.max) {
putChecked(sink, cast(ubyte)(majorType | 24));
putChecked(sink, cast(ubyte)length);
return 2;
} else if (length <= ushort.max) {
putChecked(sink, cast(ubyte)(majorType | 25));
putChecked(sink, nativeToBigEndian!ushort(cast(ushort)length)[]);
return 3;
} else if (length <= uint.max) {
putChecked(sink, cast(ubyte)(majorType | 26));
putChecked(sink, nativeToBigEndian!uint(cast(uint)length)[]);
return 5;
} else { // if (length <= ulong.max)
putChecked(sink, cast(ubyte)(majorType | 27));
putChecked(sink, nativeToBigEndian!ulong(cast(ulong)length)[]);
return 9;
}
}
/// Encodes integer.
size_t encodeCborInt(R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte) && isIntegral!E)
{
ulong val;
ubyte majorType;
if (value < 0) {
val = -value - 1;
majorType = 1;
} else {
val = value;
majorType = 0;
}
return encodeLongType(sink, majorType, val);
}
/// Encodes floating.
size_t encodeCborFloat(R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte) && isFloatingPoint!E)
{
import std.bitmanip : nativeToBigEndian;
enum majorType = 7 << 5;
static if (is(Unqual!E == float))
{
__FloatRep flt;
flt.f = value;
putChecked(sink, cast(ubyte)(majorType | 26));
putChecked(sink, nativeToBigEndian!uint(flt.u)[]);
return 5;
}
else static if (is(Unqual!E == double) || is(Unqual!E == real))
{
__DoubleRep dbl;
dbl.d = cast(double)value;
putChecked(sink, cast(ubyte)(majorType | 27));
putChecked(sink, nativeToBigEndian!ulong(dbl.u)[]);
return 9;
}
}
/// Encodes boolean.
size_t encodeCborBool(R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte) && isBoolean!E)
{
if (value)
putChecked(sink, cast(ubyte)0xf5);
else
putChecked(sink, cast(ubyte)0xf4);
return 1;
}
/// Encodes null.
size_t encodeCborNull(R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte) && is(Unqual!E == typeof(null)))
{
putChecked(sink, cast(ubyte)0xf6);
return 1;
}
/// Encodes range of ubytes.
size_t encodeCborRaw(Flag!"Flatten" flatten = No.Flatten, R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte) &&
(isArray!E || isInputRange!E) && is(Unqual!(ElementType!E) == ubyte))
{
size_t size = 0;
// drop type and length for static arrays in flatten mode
static if (!needsFlattening!(E, flatten))
{
size = encodeLongType(sink, 2, value.length);
}
size += value.length;
putChecked(sink, value[]);
return size;
}
/// Encodes string.
size_t encodeCborString(Flag!"Flatten" flatten = No.Flatten, R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte) && isSomeChar!(Unqual!(ElementEncodingType!E)))
{
size_t size = 0;
// drop type and length for static arrays in flatten mode
static if (!needsFlattening!(E, flatten))
{
size = encodeLongType(sink, 3, value.length);
}
size += value.length;
static if (is(Unqual!(ElementEncodingType!E) == char))
{
putChecked(sink, cast(ubyte[])value);
}
else
{
foreach(char elem; value[].byChar)
{
putChecked(sink, cast(ubyte)elem);
}
}
return size;
}
/// Encodes array of any items or a tuple as cbor array.
size_t encodeCborArray(Flag!"Flatten" flatten = No.Flatten, R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte) &&
(isInputRange!E || isArray!E || isTuple!E))
{
static if (isArray!E && is(Unqual!(ElementType!E) == void)) // accept []
{
return encodeCborArrayHead(sink, 0);
}
else
{
size_t size = 0;
// drop type and length for static arrays and expression tuples in flatten mode
static if (!needsFlattening!(E, flatten))
size = encodeCborArrayHead(sink, value.length);
foreach(item; value)
size += encodeCbor!(flatten)(sink, item);
return size;
}
}
/// Encodes structs and classes as cbor array.
size_t encodeCborArray(Flag!"Flatten" flatten = No.Flatten, R, A)(auto ref R sink, A aggregate)
if(isOutputRange!(R, ubyte) &&
(is(A == struct) || is(A == class)) &&
!isTuple!A)
{
return encodeCborAggregate!(Flag!"WithFieldName".no, flatten)(sink, aggregate);
}
/// Encodes asociative array as cbor map.
size_t encodeCborMap(R, E)(auto ref R sink, E value)
if(isOutputRange!(R, ubyte) && isAssociativeArray!E)
{
size_t size = encodeCborMapHead(sink, value.length);
foreach(key, element; value)
{
size += encodeCbor(sink, key);
size += encodeCbor(sink, element);
}
return size;
}
/// Encodes structs and classes as cbor map.
/// Note, that decoding of structs and classes from maps is not supported (yet).
size_t encodeCborMap(Flag!"Flatten" flatten = Flag!"Flatten".no, R, A)(auto ref R sink, A aggregate)
if(isOutputRange!(R, ubyte) &&
(is(A == struct) || is(A == class)) &&
!isTuple!A)
{
return encodeCborAggregate!(Flag!"WithFieldName".yes, flatten)(sink, aggregate);
}
/// Encode array head with arrayLength elements.
/// arrayLength items must follow.
size_t encodeCborArrayHead(R)(auto ref R sink, ulong arrayLength)
if(isOutputRange!(R, ubyte))
{
return encodeLongType(sink, 4, arrayLength);
}
/// Encode map head with mapLength elements.
/// mapLength pairs of items must follow. Keys first, then values.
size_t encodeCborMapHead(R)(auto ref R sink, ulong mapLength)
if(isOutputRange!(R, ubyte))
{
return encodeLongType(sink, 5, mapLength);
}
/// Encodes classes and structs. If withFieldName is yes, than value is encoded as map.
/// If withFieldName is no, then value is encoded as an array.
/// If flatten flag is yes then static arrays and structs will be encoded in place without headers.
size_t encodeCborAggregate(
Flag!"WithFieldName" withFieldName,
Flag!"Flatten" flatten = Flag!"Flatten".no,
R,
A)(
auto ref R sink,
auto ref A aggregate)
if (isOutputRange!(R, ubyte) && (is(A == struct) || is(A == class)))
{
size_t size;
static if (is(A == class))
if (aggregate is null)
return encodeCbor(sink, null);
// flatten structs only
static if (!needsFlattening!(A, flatten))
{
static if (withFieldName)
size += encodeCborMapHead(sink, numEncodableMembers!A);
else
size += encodeCborArrayHead(sink, numEncodableMembers!A);
}
foreach(i, member; aggregate.tupleof)
{
static if (isEncodedField!(typeof(member)))
{
// when encoded as map order is unspecified and flatten is not possible
static if (withFieldName)
{
size += encodeCborString(sink, __traits(identifier, aggregate.tupleof[i]));
size += encodeCbor(sink, member);
}
else
size += encodeCbor!flatten(sink, member);
}
}
return size;
}
//------------------------------------------------------------------------------
// DDDDD EEEEEEE CCCCC OOOOO DDDDD IIIII NN NN GGGG
// DD DD EE CC C OO OO DD DD III NNN NN GG GG
// DD DD EEEEE CC OO OO DD DD III NN N NN GG
// DD DD EE CC C OO OO DD DD III NN NNN GG GG
// DDDDDD EEEEEEE CCCCC OOOO0 DDDDDD IIIII NN NN GGGGGG
//------------------------------------------------------------------------------
/// Decodes single value and returns it as CborValue tagged union type.
/// Throws CborException if data is not well-formed.
/// Note, that ubyte[] and string types are slices of input range if ubyte[] was provided.
/// Will modify input range, popping all the bytes of the first item.
CborValue decodeCbor(R)(auto ref R input)
if(isInputRange!R && is(ElementType!R == ubyte))
{
import std.array;
import std.bitmanip;
// tags will be ignored and decoding will restart from here
start_label:
if (input.empty) onInsufficientInput();
ubyte item = input.front;
input.popFront;
switch(item)
{
case 0x00: .. case 0x17: // Integer 0x00..0x17 (0..23)
return CborValue(item);
case 0x18: // Unsigned integer (one-byte uint8_t follows)
return CborValue(readInteger!ubyte(input));
case 0x19: // Unsigned integer (two-byte uint16_t follows)
return CborValue(readInteger!ushort(input));
case 0x1a: // Unsigned integer (four-byte uint_t follows)
return CborValue(readInteger!uint(input));
case 0x1b: // Unsigned integer (eight-byte uint64_t follows)
return CborValue(readInteger!ulong(input));
case 0x20: .. case 0x37: // Negative integer -1-0x00..-1-0x17 (-1..-24)
return CborValue(cast(byte)(-1 - item + 0x20));
case 0x38: // Negative integer -1-n (one-byte uint8_t for n follows)
return CborValue(-1 - cast(long)readInteger!ubyte(input));
case 0x39: // Negative integer -1-n (two-byte uint16_t for n follows)
return CborValue(-1 - cast(long)readInteger!ushort(input));
case 0x3a: // Negative integer -1-n (four-byte uint_t for n follows)
return CborValue(-1 - cast(long)readInteger!uint(input));
case 0x3b: // Negative integer -1-n (eight-byte uint64_t for n follows)
return CborValue(-1 - cast(long)readInteger!ulong(input));
case 0x40: .. case 0x57: // byte string (0x00..0x17 bytes follow)
return CborValue(readBytes(input, item - 0x40));
case 0x58: // byte string (one-byte uint8_t for n, and then n bytes follow)
return CborValue(readBytes(input, readInteger!ubyte(input)));
case 0x59: // byte string (two-byte uint16_t for n, and then n bytes follow)
return CborValue(readBytes(input, readInteger!ushort(input)));
case 0x5a: // byte string (four-byte uint_t for n, and then n bytes follow)
return CborValue(readBytes(input, readInteger!uint(input)));
case 0x5b: // byte string (eight-byte uint64_t for n, and then n bytes follow)
return CborValue(readBytes(input, readInteger!ulong(input)));
case 0x5f: // byte string, byte strings follow, terminated by "break"
onUnsupportedTag(item); break;
case 0x60: .. case 0x77: // UTF-8 string (0x00..0x17 bytes follow)
return CborValue(cast(string)readBytes(input, item - 0x60));
case 0x78: // UTF-8 string (one-byte uint8_t for n, and then n bytes follow)
return CborValue(cast(string)readBytes(input, readInteger!ubyte(input)));
case 0x79: // UTF-8 string (two-byte uint16_t for n, and then n bytes follow)
return CborValue(cast(string)readBytes(input, readInteger!ushort(input)));
case 0x7a: // UTF-8 string (four-byte uint_t for n, and then n bytes follow)
return CborValue(cast(string)readBytes(input, readInteger!uint(input)));
case 0x7b: // UTF-8 string (eight-byte uint64_t for n, and then n bytes follow)
return CborValue(cast(string)readBytes(input, readInteger!ulong(input)));
case 0x7f: // UTF-8 string, UTF-8 strings follow, terminated by "break"
onUnsupportedTag(item); break;
case 0x80: .. case 0x97: // array (0x00..0x17 data items follow)
return CborValue(readArray(input, item - 0x80));
case 0x98: // array (one-byte uint8_t for n, and then n data items follow)
return CborValue(readArray(input, readInteger!ubyte(input)));
case 0x99: // array (two-byte uint16_t for n, and then n data items follow)
return CborValue(readArray(input, readInteger!ushort(input)));
case 0x9a: // array (four-byte uint_t for n, and then n data items follow)
return CborValue(readArray(input, readInteger!uint(input)));
case 0x9b: // array (eight-byte uint64_t for n, and then n data items follow)
return CborValue(readArray(input, readInteger!ulong(input)));
case 0x9f: // array, data items follow, terminated by "break"
onUnsupportedTag(item); break;
case 0xa0: .. case 0xb7: // map (0x00..0x17 pairs of data items follow)
return CborValue(readMap(input, item - 0xa0));
case 0xb8: // map (one-byte uint8_t for n, and then n pairs of data items follow)
return CborValue(readMap(input, readInteger!ubyte(input)));
case 0xb9: // map (two-byte uint16_t for n, and then n pairs of data items follow)
return CborValue(readMap(input, readInteger!ushort(input)));
case 0xba: // map (four-byte uint_t for n, and then n pairs of data items follow)
return CborValue(readMap(input, readInteger!uint(input)));
case 0xbb: // map (eight-byte uint64_t for n, and then n pairs of data items follow)
return CborValue(readMap(input, readInteger!ulong(input)));
case 0xbf: // map, pairs of data items follow, terminated by "break"
onUnsupportedTag(item); break;
case 0xc0: .. case 0xd7: // (tagged item) ignore
goto start_label;
case 0xd8: // ignore 1-byte tag
dropBytes(input, 1);
goto start_label;
case 0xd9: // ignore 2-byte tag
dropBytes(input, 2);
goto start_label;
case 0xda: // ignore 4-byte tag
dropBytes(input, 4);
goto start_label;
case 0xdb: // ignore 8-byte tag
dropBytes(input, 8);
goto start_label;
case 0xe0: .. case 0xf3: // (simple value)
onUnsupportedTag(item); break;
case 0xf4: // False
return CborValue(false);
case 0xf5: // True
return CborValue(true);
case 0xf6: // Null
return CborValue(null);
case 0xf7: // Undefined
return CborValue(CborValue.Type.undefined);
case 0xf8: // (simple value, one byte follows)
onUnsupportedTag(item); break;
case 0xf9: // Half-Precision Float (two-byte IEEE 754)
__HalfRep hr = {u : readInteger!ushort(input)};
return CborValue(hr.h.get!double);
case 0xfa: // Single-Precision Float (four-byte IEEE 754)
__FloatRep fr = {u : readInteger!uint(input)};
return CborValue(fr.f);
case 0xfb: // Double-Precision Float (eight-byte IEEE 754)
__DoubleRep dr = {u : readInteger!ulong(input)};
return CborValue(dr.d);
case 0xff: // "break" stop code
onUnsupportedTag(item); break;
default:
onUnsupportedTag(item);
}
assert(false);
}
/// Decodes single cbor value and tries to convert it to requested type.
/// If types doesn't match CborException is thrown.
/// Note, that ubyte[] and string types are slices of input range if ubyte[] was provided.
/// Will modify input range, popping all the elements of T.
T decodeCborSingle(T, Flag!"Flatten" flatten = No.Flatten, R)(auto ref R input)
if(isInputRange!R && is(ElementType!R == ubyte))
{
CborValue value = decodeCbor(input);
return value.as!T;
}
/// Decodes single cbor value and tries to convert it to requested type.
/// If types doesn't match CborException is thrown.
/// Note, that this version will dup all arrays for you.
/// Will modify input range, popping all the elements of T.
T decodeCborSingleDup(T, Flag!"Flatten" flatten = No.Flatten, R)(auto ref R input)
if(isInputRange!R && is(ElementType!R == ubyte))
{
CborValue value = decodeCbor(input);
static if (is(T == E[], E))
return value.as!T.dup;
else
return value.as!T;
}
//------------------------------------------------------------------------------
// HH HH EEEEEEE LL PPPPPP EEEEEEE RRRRRR SSSSS
// HH HH EE LL PP PP EE RR RR SS
// HHHHHHH EEEEE LL PPPPPP EEEEE RRRRRR SSSSS
// HH HH EE LL PP EE RR RR SS
// HH HH EEEEEEE LLLLLLL PP EEEEEEE RR RR SSSSS
//------------------------------------------------------------------------------
/// Tests if type can be encoded in flat mode, i.e. without header
template canBeFlattened(T)
{
enum bool canBeFlattened =
isStaticArray!T ||
(isTuple!T && isExpressions!T) ||
is(T == struct);
}
enum bool needsFlattening(T, Flag!"Flatten" flatten) = canBeFlattened!T && flatten;
private void putChecked(R, E)(ref R sink, auto ref E e)
{
import std.range : put, hasLength;
version(Cbor_Debug)
static if (hasLength!R)
{
size_t elemSize;
static if (hasLength!E)
elemSize = e.length * ElementType!E.sizeof;
else
elemSize = E.sizeof;
assert(sink.length >= elemSize,
format("Provided sink length is to small. Sink.$ %s < Data.$ %s", sink.length, elemSize));
}
put(sink, e);
}
private T readInteger(T, R)(auto ref R input)
{
return readN!(T.sizeof, T, R)(input);
}
private T readN(ubyte size, T, R)(auto ref R input)
if(isInputRange!R && is(ElementType!R == ubyte))
{
import std.algorithm : copy;
import std.bitmanip : bigEndianToNative;
import std.range : dropExactly, take;
static assert(T.sizeof == size);
static assert(size > 0);
if (input.length < size) onInsufficientInput();
ubyte[size] data;
copy(take(input, size), data[]);
input = input.dropExactly(size);
T result = bigEndianToNative!(T, size)(data);
return result;
}
// Drops exactly length bytes from input range.
// If there is not sufficient bytes in input, CborException is thrown.
private void dropBytes(R)(auto ref R input, ulong length)
if(isInputRange!R && is(ElementType!R == ubyte))
{
import std.range : dropExactly;
if (input.length < length) onInsufficientInput();
input = input.dropExactly(cast(size_t)length);
}
// Reads byte array from input range. On 32-bit can read up to uint.max bytes.
// If ubyte[] is passed as input, a slice will be returned.
// Make sure to dup array when input buffer is reused.
private ubyte[] readBytes(R)(auto ref R input, ulong length)
if(isInputRange!R && is(ElementType!R == ubyte))
{
import std.array;
import std.range : take;
if (input.length < length) onInsufficientInput();
static if (size_t.sizeof < ulong.sizeof)
if (length > size_t.max)
throw new CborException(format("Array size is too big %s", length));
size_t dataLength = cast(size_t)length;
ubyte[] result;
static if (is(R == ubyte[]))
{
result = input[0..dataLength];
input = input[dataLength..$];
}
else
{
result = take(input, dataLength).array;
}
return result;
}
// Read array of 'length' items into CborValue[].
private CborValue[] readArray(R)(auto ref R input, ulong length)
if(isInputRange!R && is(ElementType!R == ubyte))
{
static if (size_t.sizeof < ulong.sizeof)
if (length > size_t.max)
throw new CborException(format("Array size is too big %s", length));
import std.array : uninitializedArray;
size_t arrayLength = cast(size_t)length;
CborValue[] result = uninitializedArray!(CborValue[])(arrayLength);
foreach(ref elem; result)
{
elem = decodeCbor(input);
}
return result;
}
// length - num of pairs
private CborValue[CborValue] readMap(R)(auto ref R input, ulong length)
if(isInputRange!R && is(ElementType!R == ubyte))
{
static if (size_t.sizeof < ulong.sizeof)
if (length > size_t.max)
throw new CborException(format("Map size is too big: %s", length));
size_t mapLength = cast(size_t)length;
CborValue[CborValue] result;
foreach(i; 0..mapLength)
{
auto key = decodeCbor(input);
if (key in result) throw new CborException(format("duplicate key %s in map found", key));
result[key] = decodeCbor(input);
}
return result;
}
private import std.numeric : CustomFloat;
private union __HalfRep { CustomFloat!16 h; ushort u; string toString(){return format("__HalfRep(%s, %x)", h, u);};}
private union __FloatRep { float f; uint u; string toString(){return format("__FloatRep(%s, %x)", f, u);};}
private union __DoubleRep { double d; ulong u; string toString(){return format("__DoubleRep(%s, %x)", d, u);};}
private template isEncodedField(T)
{
enum isEncodedField = isIntegral!T || isFloatingPoint!T || isBoolean!T ||
is(Unqual!T == typeof(null)) || isArray!T || isInputRange!T ||
isTuple!T || is(T == string) || is(T == class) || is(T == struct) ||
isAssociativeArray!T;
}
/// Returns a number of aggregate members that will be encoded by cbor-d.
template numEncodableMembers(alias T)
{
enum numEncodableMembers = numEncodableMembersImpl!(T.tupleof);
}
private template numEncodableMembersImpl(members ...)
{
static if (members.length == 0)
enum numEncodableMembersImpl = 0;
else
enum numEncodableMembersImpl =
cast(int)isEncodedField!(typeof(members[0])) +
numEncodableMembersImpl!(members[1..$]);
}
//------------------------------------------------------------------------------
// TTTTTTT EEEEEEE SSSSS TTTTTTT SSSSS
// TTT EE SS TTT SS
// TTT EEEEE SSSSS TTT SSSSS
// TTT EE SS TTT SS
// TTT EEEEEEE SSSSS TTT SSSSS
//------------------------------------------------------------------------------
unittest // positive integer
{
CborValue val = CborValue(22);
assert(val == 22);
assert(val.as!ubyte == 22);
assert(val.as!ushort == 22);
assert(val.as!uint == 22);
assert(val.as!ulong == 22);
assert(val.as!byte == 22);
assert(val.as!short == 22);
assert(val.as!int == 22);
assert(val.as!long == 22);
assert(val.type == CborValue.Type.posinteger);
val = CborValue(ulong.max);
assert(val == ulong.max);
assert(val.type == CborValue.Type.posinteger);
}
unittest // negative integer
{
CborValue val = CborValue(-22);
assert(val == -22);
assert(val != 22);
assert(val.as!byte == -22);
assert(val.as!short == -22);
assert(val.as!int == -22);
assert(val.as!long == -22);
assert(val.as!ulong == cast(ulong)-22);
assert(val.type == CborValue.Type.neginteger);
}
unittest // floating point
{
CborValue val = CborValue(-22.0f);
assert(val == -22f);
assert(val.as!real == -22f);
assert(val.as!double == -22f);
assert(val.as!float == -22f);
assert(val.type == CborValue.Type.floating);
}
unittest // boolean
{
CborValue val = CborValue(true);
assert(val == true);
assert(val.as!bool == true);
assert(val.type == CborValue.Type.boolean);
val = CborValue(false);
assert(val == false);
assert(val.as!bool == false);
assert(val.type == CborValue.Type.boolean);
}
unittest // undefined
{
CborValue val = CborValue(CborValue.Type.undefined);
assert(val == CborValue(CborValue.Type.undefined));
assert(val.type == CborValue.Type.undefined);
}
unittest // null value
{
CborValue val = CborValue(null);
assert(val == CborValue(null)); // prefer
assert(val.as!(ubyte[]) == null);
assert(val.as!(ubyte[3]) == [0,0,0]);
assert(val == CborValue(CborValue.Type.nil));
assert(val.type == CborValue.Type.nil);
}
unittest // array
{
CborValue val = CborValue([CborValue(1), CborValue("string"), CborValue(true), CborValue(null)]);
assert(val == [CborValue(1), CborValue("string"), CborValue(true), CborValue(null)]);
assert(val.type == CborValue.Type.array);
}
unittest // map
{
CborValue val = CborValue([CborValue("a") : CborValue(42)]);
assert(val == [CborValue("a") : CborValue(42)]);
assert(val.type == CborValue.Type.map);
}
unittest // byte string
{
CborValue val = CborValue(cast(ubyte[])[1, 2, 3, 4, 5]);
assert(val == cast(ubyte[])[1, 2, 3, 4, 5]);
assert(val.type == CborValue.Type.raw);
}
unittest // string
{
CborValue val = CborValue("hello");
assert(val == "hello");
assert(val.type == CborValue.Type.text);
}
// Testing helpers
version(unittest)
{
private ubyte[1024] buf;
private ubyte[] getEncoded(T)(T value)
{
return buf[0..encodeCbor(buf[], value)];
}
private string toHexString(ubyte[] arr)
{
return format("0x%(%02x%)", arr);
}
private string encodedString(T)(T value)
{
return toHexString(getEncoded(value));
}
private void printEncoded(T)(T value)
{
import std.stdio : writeln;
encodedString(value).writeln;
}
private void cmpEncoded(T)(T value, string encodedStr)
{
auto encoded = encodedString(value);
assert(encoded == encodedStr, format("%s != %s", encoded, encodedStr));
}
private void cmpEncodedConst(T)(T value, string encodedStr)
{
auto encoded = encodedString(cast(const)value);
assert(encoded == encodedStr, format("%s != %s", encoded, encodedStr));
}
private void cmpEncodedImmutable(T)(T value, string encodedStr)
{
auto encoded = encodedString(cast(immutable)value);
assert(encoded == encodedStr, format("%s != %s", encoded, encodedStr));
}
}
unittest // encoding
{
testEncoding!cmpEncoded();
testEncoding!cmpEncodedConst();
testEncoding!cmpEncodedImmutable();
}
version(unittest)
private void testEncoding(alias cmpEncoded)()
{
// Test vectors
cmpEncoded(0, "0x00");
cmpEncoded(1, "0x01");
cmpEncoded(10, "0x0a");
cmpEncoded(23, "0x17");
cmpEncoded(24, "0x1818");
cmpEncoded(25, "0x1819");
cmpEncoded(100, "0x1864");
cmpEncoded(1000, "0x1903e8");
cmpEncoded(1000000, "0x1a000f4240");
cmpEncoded(1000000000000, "0x1b000000e8d4a51000");
//bignums
//cmpEncoded(18446744073709551615, "0x1bffffffffffffffff");
//cmpEncoded(18446744073709551616, "0xc249010000000000000000");
//cmpEncoded(-18446744073709551616, "0x3bffffffffffffffff");
//cmpEncoded(-18446744073709551617, "0xc349010000000000000000");
cmpEncoded(-1, "0x20");
cmpEncoded(-10, "0x29");
cmpEncoded(-100, "0x3863");
cmpEncoded(-1000, "0x3903e7");
//printEncoded(0.0f, "0xf90000"); // half-float
//printEncoded(-0.0f, "0xf98000"); // half-float
//printEncoded(1.0f, "0xf93c00"); // half-float
cmpEncoded(1.1, "0xfb3ff199999999999a");
//printEncoded(1.5f, "0xf93e00"); // half-float
//printEncoded(65504.0f, "0xf97bff"); // half-float
cmpEncoded(100000.0f, "0xfa47c35000");
cmpEncoded(3.4028234663852886e+38f, "0xfa7f7fffff");
cmpEncoded(1.0e+300, "0xfb7e37e43c8800759c");
//printEncoded(5.960464477539063e-8f, "0xf90001"); // half-float
//printEncoded(0.00006103515625f, "0xf90400"); // half-float
//printEncoded(-4.0f, "0xf9c400"); // half-float
cmpEncoded(-4.1, "0xfbc010666666666666");
cmpEncoded(1.0f/0, "0xfa7f800000"); // Infinity
//cmpEncoded(NaN, "0xfa7fc00000"); // produces 0xfa7fe00000
cmpEncoded(-1.0f/0, "0xfaff800000"); // -Infinity
cmpEncoded(1.0/0, "0xfb7ff0000000000000"); // Infinity
//cmpEncoded(NaN, "0xfb7ff8000000000000"); // produces 0xfb7ffc000000000000
cmpEncoded(-1.0/0, "0xfbfff0000000000000");// -Infinity
cmpEncoded(false, "0xf4");
cmpEncoded(true, "0xf5");
cmpEncoded(null, "0xf6");
// raw arrays, ubyte[]
cmpEncoded(cast(ubyte[])[], "0x40");
cmpEncoded(cast(ubyte[])[1, 2, 3, 4], "0x4401020304");
// strings
cmpEncoded("", "0x60");
cmpEncoded("a", "0x6161");
cmpEncoded("IETF", "0x6449455446");
cmpEncoded("\"\\", "0x62225c");
cmpEncoded("\u00fc", "0x62c3bc");
cmpEncoded("\u6c34", "0x63e6b0b4");
//cmpEncoded("\ud800\udd51", "0x64f0908591"); // invalid character
import std.typecons : tuple;
// arrays
cmpEncoded([], "0x80");
cmpEncoded([1, 2, 3], "0x83010203");
cmpEncoded(tuple(1, [2, 3], [4, 5]), "0x8301820203820405");
enum arr = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14,
15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25];
cmpEncoded(arr, "0x98190102030405060708090a0b0c0d0e0f101112131415161718181819");
// AA
uint[uint] emptyAA;
cmpEncoded(emptyAA, "0xa0");
cmpEncoded([1:2], "0xa10102");
//cmpEncoded({"a": 1, "b": [2, 3]}, "0xa26161016162820203");
//cmpEncoded(["a", {"b": "c"}], "0x826161a161626163");
// Impossible to test because with latest dmd order of elements is changed and is not predictable
//cmpEncoded(["a": "A", "b": "B", "c":"C", "d": "D", "e": "E"],
// "0xa56161614161626142616361436164614461656145");
//cmpEncoded((_ h'0102', h'030405'), "0x5f42010243030405ff");
//cmpEncoded((_ "strea", "ming"), "0x7f657374726561646d696e67ff");
//cmpEncoded([_ ], "0x9fff");
//cmpEncoded([_ 1, [2, 3], [_ 4, 5]], "0x9f018202039f0405ffff");
//cmpEncoded([_ 1, [2, 3], [4, 5]], "0x9f01820203820405ff");
//cmpEncoded([1, [2, 3], [_ 4, 5]], "0x83018202039f0405ff");
//cmpEncoded([1, [_ 2, 3], [4, 5]], "0x83019f0203ff820405");
//cmpEncoded([_ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15,
// 16, 17, 18, 19, 20, 21, 22, 23, 24, 25],
// "0x9f0102030405060708090a0b0c0d0e0f101112131415161718181819ff");
//cmpEncoded({_ "a": 1, "b": [_ 2, 3]}, "0xbf61610161629f0203ffff");
//cmpEncoded(["a", {_ "b": "c"}], "0x826161bf61626163ff");
//cmpEncoded({_ "Fun": true, "Amt": -2}, "0xbf6346756ef563416d7421ff");
cmpEncoded(cast(ubyte)42, "0x182a");
cmpEncoded(cast(ushort)42, "0x182a");
cmpEncoded(cast(uint)42, "0x182a");
cmpEncoded(cast(ulong)42, "0x182a");
cmpEncoded(cast(byte)42, "0x182a");
cmpEncoded(cast(short)42, "0x182a");
cmpEncoded(cast(int)42, "0x182a");
cmpEncoded(cast(long)42, "0x182a");
}
unittest // decoding decodeCbor
{
import std.range : only, chain, iota;
import std.exception;
import std.bitmanip;
import std.array;
import std.algorithm : equal;
alias ntob = nativeToBigEndian;
alias bton = bigEndianToNative;
// Integer 0x00..0x17 (0..23)
foreach(ubyte item; 0x00..0x18)
{
assert(decodeCbor(only(item))==item);
}
// Unsigned integer (one-byte uint8_t follows)
assert(decodeCbor(cast(ubyte[])[0x18, ubyte.max]) == ubyte.max);
assertThrown!CborException(decodeCbor(cast(ubyte[])[0x18]));
// Unsigned integer (two-byte uint16_t follows)
assert(decodeCbor(chain(cast(ubyte[])[0x19], ntob!ushort(1234)[])) == 1234);
assertThrown!CborException(decodeCbor(cast(ubyte[])[0x19]));
// Unsigned integer (four-byte uint_t follows)
assert(decodeCbor(chain(cast(ubyte[])[0x1a], ntob!uint(1234)[])) == 1234);
assertThrown!CborException(decodeCbor(cast(ubyte[])[0x1a]));
// Unsigned integer (eight-byte uint64_t follows)
assert(decodeCbor(chain(cast(ubyte[])[0x1b], ntob!ulong(1234)[])) == 1234);
assertThrown!CborException(decodeCbor(cast(ubyte[])[0x1b]));
// Negative integer -1-0x00..-1-0x17 (-1..-24)
foreach(ubyte item; 0x20..0x38) // [-1..-24]
{
assert(decodeCbor(only(item)) == -cast(long)item+0x1f);
}
// Negative integer -1-n (one-byte uint8_t for n follows)
assert(decodeCbor(cast(ubyte[])[0x38, byte.max-1]) == -byte.max);
assertThrown!CborException(decodeCbor(cast(ubyte[])[0x38]));
// Negative integer -1-n (two-byte uint16_t for n follows)
assert(decodeCbor(chain(cast(ubyte[])[0x39], ntob!short(1234-1)[])) == -1234);
assertThrown!CborException(decodeCbor(cast(ubyte[])[0x39]));
// Negative integer -1-n (four-byte uint_t for n follows)
assert(decodeCbor(chain(cast(ubyte[])[0x3a], ntob!int(1234-1)[])) == -1234);
assertThrown!CborException(decodeCbor(cast(ubyte[])[0x3a]));
// Negative integer -1-n (eight-byte uint64_t for n follows)
assert(decodeCbor(chain(cast(ubyte[])[0x3b], ntob!long(1234-1)[])) == -1234);
assertThrown!CborException(decodeCbor(cast(ubyte[])[0x3b]));
// byte string (0x00..0x17 bytes follow)
foreach(ubyte item; 0x40..0x58)
{
assert(equal(
decodeCbor(chain(
cast(ubyte[])[item],
iota(cast(ubyte)(item - 0x40)))
).via.raw,
iota(0, item - 0x40)
));
}
// byte string (one-byte uint8_t for n, and then n bytes follow)
assert(decodeCbor(cast(ubyte[])[0x58, 1, 42]) == cast(ubyte[])[42]);
// byte string (two-byte uint16_t for n, and then n bytes follow)
assert(decodeCbor(cast(ubyte[])[0x59, 0, 1, 42]) == cast(ubyte[])[42]);
// byte string (four-byte uint_t for n, and then n bytes follow)
assert(decodeCbor(cast(ubyte[])[0x5a, 0, 0, 0, 1, 42]) == cast(ubyte[])[42]);
// byte string (eight-byte uint64_t for n, and then n bytes follow)
assert(decodeCbor(cast(ubyte[])[0x5b, 0, 0, 0, 0, 0, 0, 0, 1, 42]) == cast(ubyte[])[42]);
// UTF-8 string (0x00..0x17 bytes follow)
assert(decodeCbor(cast(ubyte[])[0x64] ~ cast(ubyte[])"abcd") == "abcd");
// UTF-8 string (one-byte uint8_t for n, and then n bytes follow)
assert(decodeCbor(cast(ubyte[])[0x78, 4] ~ cast(ubyte[])"abcd") == "abcd");
// UTF-8 string (two-byte uint16_t for n, and then n bytes follow)
assert(decodeCbor(cast(ubyte[])[0x79, 0, 4] ~ cast(ubyte[])"abcd") == "abcd");
// UTF-8 string (four-byte uint_t for n, and then n bytes follow)
assert(decodeCbor(cast(ubyte[])[0x7a, 0, 0, 0, 4] ~ cast(ubyte[])"abcd") == "abcd");
// UTF-8 string (eight-byte uint64_t for n, and then n bytes follow)
assert(decodeCbor(cast(ubyte[])[0x7b, 0, 0, 0, 0, 0, 0, 0, 4] ~ cast(ubyte[])"abcd") == "abcd");
// UTF-8 string, UTF-8 strings follow, terminated by "break"
// array (0x00..0x17 data items follow)
assert(decodeCbor(cast(ubyte[])[0x84, 1, 2, 3, 4]) == [1, 2, 3, 4]);
// array (one-byte uint8_t for n, and then n data items follow)
assert(decodeCbor(cast(ubyte[])[0x98, 4, 1, 2, 3, 4]) == [1, 2, 3, 4]);
// array (two-byte uint16_t for n, and then n data items follow)
assert(decodeCbor(cast(ubyte[])[0x99, 0, 4, 1, 2, 3, 4]) == [1, 2, 3, 4]);
// array (four-byte uint_t for n, and then n data items follow)
assert(decodeCbor(cast(ubyte[])[0x9a, 0, 0, 0, 4, 1, 2, 3, 4]) == [1, 2, 3, 4]);
// array (eight-byte uint64_t for n, and then n data items follow)
assert(decodeCbor(cast(ubyte[])[0x9b, 0, 0, 0, 0, 0, 0, 0, 4, 1, 2, 3, 4]) == [1, 2, 3, 4]);
// array, data items follow, terminated by "break"
// map (0x00..0x17 pairs of data items follow)
assert(decodeCbor(getEncoded([1:2, 3:4])) == [1:2, 3:4]);
assert(decodeCbor(cast(ubyte[])[0xa2, 1, 2, 3, 4]) == [1:2, 3:4]);
// map (one-byte uint8_t for n, and then n pairs of data items follow)
assert(decodeCbor(cast(ubyte[])[0xb8, 2, 1, 2, 3, 4]) == [1:2, 3:4]);
// map (two-byte uint16_t for n, and then n pairs of data items follow)
assert(decodeCbor(cast(ubyte[])[0xb9, 0, 2, 1, 2, 3, 4]) == [1:2, 3:4]);
// map (four-byte uint_t for n, and then n pairs of data items follow)
assert(decodeCbor(cast(ubyte[])[0xba, 0, 0, 0, 2, 1, 2, 3, 4]) == [1:2, 3:4]);
// map (eight-byte uint64_t for n, and then n pairs of data items follow)
assert(decodeCbor(cast(ubyte[])[0xbb, 0, 0, 0, 0, 0, 0, 0, 2, 1, 2, 3, 4]) == [1:2, 3:4]);
// False
assert(decodeCbor(cast(ubyte[])[0xf4]) == false);
// True
assert(decodeCbor(cast(ubyte[])[0xf5]) == true);
// Null
assert(decodeCbor(cast(ubyte[])[0xf6]) == CborValue(null));
// Undefined
assert(decodeCbor(cast(ubyte[])[0xf7]) == CborValue(CborValue.Type.undefined));
// (simple value, one byte follows) 0xf8
// Half-Precision Float (two-byte IEEE 754)
__HalfRep hr = {h : CustomFloat!16(1.234f)};
assert(decodeCbor(cast(ubyte[])[0xf9] ~
ntob!ushort((hr.u))[]) == CborValue(CustomFloat!16(1.234f).get!float));
// Single-Precision Float (four-byte IEEE 754)
assert(decodeCbor(cast(ubyte[])[0xfa] ~
ntob!uint((cast(__FloatRep)1.234f).u)[]) == CborValue(1.234f));
// Double-Precision Float (eight-byte IEEE 754)
assert(decodeCbor(cast(ubyte[])[0xfb] ~
ntob!ulong((cast(__DoubleRep)1.234).u)[]) == CborValue(1.234));
}
unittest // test tag ignoring
{
assert(decodeCbor(cast(ubyte[])[0xc0, 0x18, ubyte.max]) == ubyte.max);
assert(decodeCbor(cast(ubyte[])[0xd8, 0, 0x18, ubyte.max]) == ubyte.max);
assert(decodeCbor(cast(ubyte[])[0xd9, 0, 0, 0x18, ubyte.max]) == ubyte.max);
assert(decodeCbor(cast(ubyte[])[0xda, 0, 0, 0, 0, 0x18, ubyte.max]) == ubyte.max);
assert(decodeCbor(cast(ubyte[])[0xdb, 0, 0, 0, 0, 0, 0, 0, 0, 0x18, ubyte.max]) == ubyte.max);
}
/// structs, classes, tuples
unittest // decoding exact
{
static struct Inner
{
int[] array;
string someText;
}
static struct Test1
{
ubyte b;
short s;
uint i;
long l;
float f;
double d;
ubyte[] arr;
string str;
Inner inner;
void fun(){} // not encoded
void* pointer; // not encoded
}
ubyte[1024] buf1;
size_t size;
Test1 test = Test1(42, -120, 111111, -123456789, 0.1234, -0.987654,
cast(ubyte[])[1,2,3,4,5,6,7,8], "It is a test string",
Inner([1,2,3,4,5], "Test of inner struct"));
size = encodeCborArray(buf1[], test);
Test1 result = decodeCborSingle!Test1(buf1[0..size]);
assert(test == result);
import std.typecons : Tuple;
alias TupleVal = Tuple!(int, string, byte, string);
auto testTuple = TupleVal(1, "hello", 56, "there");
size = encodeCborArray(buf1[], testTuple);
TupleVal resultTuple = decodeCborSingle!TupleVal(buf1[0..size]);
assert(testTuple == resultTuple);
static class Inner2
{
int val;
ulong u;
}
static class Test2
{
ubyte b;
short s;
uint i;
long l;
float f;
double d;
ubyte[] arr;
string str;
Inner2 inner;
}
Test2 testClass = new Test2();
testClass.b = 42;
testClass.s = -120;
testClass.i = 111111;
testClass.l = -123456789;
testClass.f = 0.1234;
testClass.d = -0.987654;
testClass.arr = cast(ubyte[])[1,2,3,4,5,6,7,8];
testClass.str = "It is a test string";
testClass.inner = null;
size = encodeCborArray(buf1[], testClass);
ubyte[] encodedBuf = buf1[0..size];
Test2 resultClass = decodeCborSingle!Test2(encodedBuf);
assert(encodedBuf.length == 0);
foreach(i, m; resultClass.tupleof)
assert(testClass.tupleof[i] == m);
testClass.inner = new Inner2;
testClass.inner.val = -555;
testClass.inner.u = 123456789;
size = encodeCborArray(buf1[], testClass);
resultClass = decodeCborSingle!Test2(buf1[0..size]);
foreach(i, m; resultClass.inner.tupleof)
assert(testClass.inner.tupleof[i] == m);
}
unittest // decoding with dup
{
ubyte[128] buf1;
size_t size;
// with dup
size = encodeCbor(buf1[], cast(ubyte[])[0, 1, 2, 3, 4, 5]);
ubyte[] data = decodeCborSingleDup!(ubyte[])(buf1[0..size]);
buf1[] = 0;
assert(data == [0, 1, 2, 3, 4, 5]);
// without dup
size = encodeCbor(buf1[], cast(ubyte[])[0, 1, 2, 3, 4, 5]);
data = decodeCborSingle!(ubyte[])(buf1[0..size]);
buf1[] = 0;
assert(data == [0, 0, 0, 0, 0, 0]);
// dup is only needed for ubyte[] and string types,
// because they can be sliced from ubyte[] input range
size = encodeCbor(buf1[], [0, 1, 2, 3, 4, 5]); // int array
int[] intData = decodeCborSingle!(int[])(buf1[0..size]); // no dup
buf1[] = 0;
assert(intData == [0, 1, 2, 3, 4, 5]);
// also no slicing will occur if data was encoded as regular array and than
// ubyte[] retreived. integer[] -> ubyte[] cast would occur causing possible data loss.
// size = encodeCbor(buf1[], [0, 1, 2, 3, 4, 5]); // int array
// integer array cannot be decoded as ubyte[], only raw arrays can
// data = decodeCborSingle!(ubyte[])(buf1[0..size]); // CborException: Attempt to cast array to ubyte[]
}
unittest // static arrays
{
ubyte[128] buf;
size_t size;
// raw static array
size = encodeCbor(buf[], cast(ubyte[6])[0, 1, 2, 3, 4, 5]);
ubyte[6] data1 = decodeCborSingle!(ubyte[6])(buf[0..size]);
assert(data1 == [0, 1, 2, 3, 4, 5]);
// regular static array
size = encodeCbor(buf[], cast(int[6])[0, 1, 2, 3, 4, 5]);
int[6] data2 = decodeCborSingle!(int[6])(buf[0..size]);
assert(data2 == [0, 1, 2, 3, 4, 5]);
}
unittest // const
{
ubyte[1024] buf;
size_t size = encodeCbor(buf[], cast(const)0.0);
double cam2 = decodeCborSingle!double(buf[0..size]);
}
unittest // using output range
{
import std.array : Appender;
Appender!(ubyte[]) buffer;
ubyte[] testData = [0, 1, 2, 3, 4, 5];
size_t size = encodeCbor(buffer, testData);
assert(testData == decodeCborSingle!(ubyte[])(buffer.data));
}
unittest // recursive type
{
import std.array : Appender;
Appender!(ubyte[]) a;
class Class
{
Class[] groups;
}
encodeCborArray(a, Class[].init);
}
unittest // char arrays
{
ubyte[1024] buf;
size_t size = encodeCbor(buf[], cast(char[])"abc");
char[] str1 = decodeCborSingle!(char[])(buf[0..size]);
assert(str1 == "abc");
size = encodeCbor(buf[], cast(const char[])"abc");
const char[] str2 = decodeCborSingle!(const char[])(buf[0..size]);
assert(str2 == "abc");
size = encodeCbor(buf[], cast(immutable char[])"abc");
immutable char[] str3 = decodeCborSingle!(immutable char[])(buf[0..size]);
assert(str3 == "abc");
}
unittest // char wchar dchar
{
ubyte[1024] buf;
char testChar = 'c';
size_t size = encodeCbor(buf[], cast(char)testChar);
char chr = decodeCborSingle!(char)(buf[0..size]);
assert(chr == testChar);
size = encodeCbor(buf[], cast(wchar)testChar);
wchar wchr = decodeCborSingle!(wchar)(buf[0..size]);
assert(wchr == testChar);
size = encodeCbor(buf[], cast(dchar)testChar);
dchar dchr = decodeCborSingle!(dchar)(buf[0..size]);
assert(dchr == testChar);
size = encodeCbor(buf[], cast(const char)testChar);
const char constchr = decodeCborSingle!(const char)(buf[0..size]);
assert(constchr == testChar);
size = encodeCbor(buf[], cast(const wchar)testChar);
const wchar constwchr = decodeCborSingle!(const wchar)(buf[0..size]);
assert(constwchr == testChar);
size = encodeCbor(buf[], cast(immutable dchar)testChar);
immutable dchar immdchr = decodeCborSingle!(immutable dchar)(buf[0..size]);
assert(immdchr == testChar);
}
unittest // wstring dstring; static char wchar dchar arrays
{
ubyte[1024] buf;
size_t size = encodeCbor(buf[], "hello"w);
wstring wstr = decodeCborSingle!(wstring)(buf[0..size]);
assert(wstr == "hello"w);
size = encodeCbor(buf[], "hello"d);
dstring dstr = decodeCborSingle!(dstring)(buf[0..size]);
assert(dstr == "hello"d);
size = encodeCbor(buf[], cast(char[5])"hello");
char[5] str1 = decodeCborSingle!(char[5])(buf[0..size]);
assert(str1 == "hello");
size = encodeCbor(buf[], cast(wchar[5])"hello");
wchar[5] wstr1 = decodeCborSingle!(wchar[5])(buf[0..size]);
assert(wstr1 == "hello"w);
size = encodeCbor(buf[], cast(dchar[5])"hello");
dchar[5] dstr1 = decodeCborSingle!(dchar[5])(buf[0..size]);
assert(dstr1 == "hello"d);
}
unittest // char[] wchar[] dchar[]
{
ubyte[1024] buf;
size_t size = encodeCbor(buf[], cast(char[])"hello");
char[] str1 = decodeCborSingle!(char[])(buf[0..size]);
assert(str1 == "hello");
size = encodeCbor(buf[], cast(wchar[])"hello");
wchar[] wstr1 = decodeCborSingle!(wchar[])(buf[0..size]);
assert(wstr1 == "hello"w);
size = encodeCbor(buf[], cast(dchar[])"hello");
dchar[] dstr1 = decodeCborSingle!(dchar[])(buf[0..size]);
assert(dstr1 == "hello"d);
}
// flatten mode
unittest
{
ubyte[128] buf;
size_t size;
size = encodeCbor(buf[], cast(ubyte[2])[1, 2]);
assert(toHexString(buf[0..size]) == "0x420102");
// Raw
size = encodeCbor!(Yes.Flatten)(buf[], cast(ubyte[2])[1, 2]);
assert(toHexString(buf[0..size]) == "0x0102");
// Array
size = encodeCbor!(Yes.Flatten)(buf[], cast(int[2])[1, 2]);
assert(toHexString(buf[0..size]) == "0x0102");
// String
size = encodeCbor!(Yes.Flatten)(buf[], cast(immutable(char)[1])"a");
assert(toHexString(buf[0..size]) == "0x61");
// Tuple
import std.typecons : tuple;
size = encodeCbor!(Yes.Flatten)(buf[], tuple(1, 2));
assert(toHexString(buf[0..size]) == "0x0102");
// Struct
static struct A {
int a, b;
}
static struct B {
A a;
}
static struct C {
B b;
}
static struct D {
C c;
}
size = encodeCbor!(Yes.Flatten)(buf[], D(C(B(A(1, 2)))));
assert(toHexString(buf[0..size]) == "0x0102");
}
private:
@safe pure
void onCastErrorToFrom(To)(CborValue.Type from, string file = __FILE__, size_t line = __LINE__)
{
throw new CborException(format("Attempt to cast %s to %s", from, typeid(To)), file, line);
}
@safe pure
void onInsufficientInput(string file = __FILE__, size_t line = __LINE__)
{
throw new CborException("Input range is too short", file, line);
}
@safe pure
void onUnsupportedTag(ubyte tag, string file = __FILE__, size_t line = __LINE__)
{
throw new CborException(format("Unsupported tag found: %02x", tag), file, line);
}
|
D
|
a barrier constructed to contain the flow of water or to keep out the sea
a metric unit of length equal to ten meters
female parent of an animal especially domestic livestock
obstruct with, or as if with, a dam
|
D
|
/*
* Copyright Andrej Mitrovic 2014.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE_1_0.txt or copy at
* http://www.boost.org/LICENSE_1_0.txt)
*/
module engine.model_indexer;
/**
Contains a converter from a Model to an IndexedModel.
This code was adapted from Sam Hocevar.
Copyright (C) 2004 Sam Hocevar <sam@hocevar.net>
*/
import std.array;
import std.math;
import gl3n.linalg;
import engine.appender;
import engine.model_loader;
/**
Turn a model into an indexed model, which can be used with
glDrawElements rather than glDrawArrays.
*/
IndexedModel getIndexedModel(Model model)
{
AppenderWrapper!IndexedModel result;
ushort[PackedVertex] vertexToOutIndex;
// For each input vertex
for (uint i = 0; i < model.vertexArr.length; i++)
{
PackedVertex packed = { model.vertexArr[i], model.uvArr[i], model.normalArr[i] };
// Try to find a similar vertex in out_XXXX
ushort index;
bool found = getSimilarVertexIndex_fast(packed, vertexToOutIndex, index);
if (found) // A similar vertex is already in the VBO, use it instead
{
result.indexArr ~= index;
}
else // If not, it needs to be added in the output data.
{
result.vertexArr ~= model.vertexArr[i];
result.uvArr ~= model.uvArr[i];
result.normalArr ~= model.normalArr[i];
ushort newindex = cast(ushort)(result.vertexArr.data.length - 1);
result.indexArr ~= newindex;
vertexToOutIndex[packed] = newindex;
}
}
return result.data;
}
IndexedTangentModel getIndexedTangentModel(Model model)
{
AppenderWrapper!IndexedTangentModel result;
auto tangents = model.getTangents();
// For each input vertex
for (size_t i = 0; i < model.vertexArr.length; i++)
{
// Try to find a similar vertex in out_XXXX
ushort index;
bool found = getSimilarVertexIndex(
model.vertexArr[i],
model.uvArr[i],
model.normalArr[i],
result.vertexArr.data,
result.uvArr.data,
result.normalArr.data,
index);
if (found) // A similar vertex is already in the VBO, use it instead
{
result.indexArr ~= index;
// Average the tangents and the bitangents
result.tangentArr.data[index] += tangents.tangentArr[i];
result.biTangentArr.data[index] += tangents.biTangentArr[i];
}
else // If not, it needs to be added in the output data.
{
result.vertexArr ~= model.vertexArr[i];
result.uvArr ~= model.uvArr[i];
result.normalArr ~= model.normalArr[i];
result.tangentArr ~= tangents.tangentArr[i];
result.biTangentArr ~= tangents.biTangentArr[i];
result.indexArr ~= cast(ushort)(result.vertexArr.data.length - 1);
}
}
return result.data;
}
struct Tangents
{
vec3[] tangentArr;
vec3[] biTangentArr;
}
Tangents getTangents(Model model)
{
AppenderWrapper!Tangents result;
for (size_t i = 0; i < model.vertexArr.length; i += 3)
{
// Shortcuts for vertices
vec3 v0 = model.vertexArr[i + 0];
vec3 v1 = model.vertexArr[i + 1];
vec3 v2 = model.vertexArr[i + 2];
// Shortcuts for UVs
vec2 uv0 = model.uvArr[i + 0];
vec2 uv1 = model.uvArr[i + 1];
vec2 uv2 = model.uvArr[i + 2];
// Edges of the triangle : postion delta
vec3 deltaPos1 = v1 - v0;
vec3 deltaPos2 = v2 - v0;
// UV delta
vec2 deltaUV1 = uv1 - uv0;
vec2 deltaUV2 = uv2 - uv0;
float r = 1.0f / (deltaUV1.x * deltaUV2.y - deltaUV1.y * deltaUV2.x);
vec3 tangent = (deltaPos1 * deltaUV2.y - deltaPos2 * deltaUV1.y) * r;
vec3 bitangent = (deltaPos2 * deltaUV1.x - deltaPos1 * deltaUV2.x) * r;
// Set the same tangent for all three vertices of the triangle.
// They will be merged later, in vboindexer.cpp
result.tangentArr ~= tangent;
result.tangentArr ~= tangent;
result.tangentArr ~= tangent;
// Same thing for binormals
result.biTangentArr ~= bitangent;
result.biTangentArr ~= bitangent;
result.biTangentArr ~= bitangent;
}
// See "Going Further"
foreach (i; 0 .. model.vertexArr.length)
{
vec3* n = &model.normalArr[i];
vec3* t = &result.tangentArr.data[i];
vec3* b = &result.biTangentArr.data[i];
// Gram-Schmidt orthogonalize
*t = (*t - *n * dot(*n, *t)).normalized();
// Calculate handedness
if (dot(cross(*n, *t), *b) < 0.0f)
{
*t = *t * -1.0f;
}
}
return result.data;
}
void indexVBO_slow(
vec3[] in_vertices,
vec2[] in_uvs,
vec3[] in_normals,
ref ushort[] out_indices,
ref vec3[] out_vertices,
ref vec2[] out_uvs,
ref vec3[] out_normals)
{
// For each input vertex
for (uint i = 0; i < in_vertices.length; i++)
{
// Try to find a similar vertex in out_XXXX
ushort index;
bool found = getSimilarVertexIndex(in_vertices[i], in_uvs[i], in_normals[i], out_vertices, out_uvs, out_normals, index);
if (found) // A similar vertex is already in the VBO, use it instead !
{
out_indices ~= index;
}
else // If not, it needs to be added in the output data.
{
out_vertices ~= in_vertices[i];
out_uvs ~= in_uvs[i];
out_normals ~= in_normals[i];
out_indices ~= cast(ushort)(out_vertices.length - 1);
}
}
}
// Returns true iif v1 can be considered equal to v2
private bool is_near(float v1, float v2)
{
return fabs(v1 - v2) < 0.01f;
}
// Searches through all already-exported vertices
// for a similar one.
// Similar = same position + same UVs + same normal
private bool getSimilarVertexIndex(
vec3 in_vertex,
vec2 in_uv,
vec3 in_normal,
vec3[] out_vertices,
vec2[] out_uvs,
vec3[] out_normals,
ref ushort result)
{
// Lame linear search
for (uint i = 0; i < out_vertices.length; i++)
{
if (is_near(in_vertex.x, out_vertices[i].x) &&
is_near(in_vertex.y, out_vertices[i].y) &&
is_near(in_vertex.z, out_vertices[i].z) &&
is_near(in_uv.x, out_uvs [i].x) &&
is_near(in_uv.y, out_uvs [i].y) &&
is_near(in_normal.x, out_normals [i].x) &&
is_near(in_normal.y, out_normals [i].y) &&
is_near(in_normal.z, out_normals [i].z))
{
result = cast(ushort)i;
return true;
}
}
// No other vertex could be used instead.
// Looks like we'll have to add it to the VBO.
return false;
}
struct PackedVertex
{
vec3 position;
vec2 uv;
vec3 normal;
}
private bool getSimilarVertexIndex_fast(
ref PackedVertex packed,
ref ushort[PackedVertex] vertexToOutIndex,
ref ushort result)
{
if (auto res = packed in vertexToOutIndex)
{
result = *res;
return true;
}
return false;
}
|
D
|
//T compiles:yes
//T has-passed:no
//T retval:30
//T dependency:test0037_import1.d
import test0037_import1;
alias Integer = int;
alias SS = test0037_import1.S;
alias bar = foo;
alias bas = bar;
int bazoooooooom() {
return 2;
}
Integer main() {
SS s;
s.i = 30;
bas(&s.i);
return s;
}
|
D
|
// D import file generated from 'derelict\sfml\wfuncs.d'
module derelict.sfml.wfuncs;
private
{
import derelict.util.compat;
import derelict.sfml.config;
import derelict.sfml.wtypes;
}
extern (C)
{
alias sfContext* function() da_sfContext_Create;
alias void function(sfContext*) da_sfContext_Destroy;
alias void function(sfContext*, sfBool) da_sfContext_SetActive;
alias sfBool function(sfInput*, sfKeyCode) da_sfInput_IsKeyDown;
alias sfBool function(sfInput*, sfMouseButton) da_sfInput_IsMouseButtonDown;
alias sfBool function(sfInput*, uint, uint) da_sfInput_IsJoystickButtonDown;
alias int function(sfInput*) da_sfInput_GetMouseX;
alias int function(sfInput*) da_sfInput_GetMouseY;
alias float function(sfInput*, uint, sfJoyAxis) da_sfInput_GetJoystickAxis;
alias sfVideoMode function() da_sfVideoMode_GetDesktopMode;
alias sfVideoMode function(size_t) da_sfVideoMode_GetMode;
alias size_t function() da_sfVideoMode_GetModesCount;
alias sfBool function(sfVideoMode) da_sfVideoMode_IsValid;
alias sfWindow* function(sfVideoMode, CCPTR, c_ulong, sfWindowSettings) da_sfWindow_Create;
alias sfWindow* function(sfWindowHandle, sfWindowSettings) da_sfWindow_CreateFromHandle;
alias void function(sfWindow*) da_sfWindow_Destroy;
alias void function(sfWindow*) da_sfWindow_Close;
alias sfBool function(sfWindow*) da_sfWindow_IsOpened;
alias uint function(sfWindow*) da_sfWindow_GetWidth;
alias uint function(sfWindow*) da_sfWindow_GetHeight;
alias sfWindowSettings function(sfWindow*) da_sfWindow_GetSettings;
alias sfBool function(sfWindow*, sfEvent*) da_sfWindow_GetEvent;
alias void function(sfWindow*, sfBool) da_sfWindow_UseVerticalSync;
alias void function(sfWindow*, sfBool) da_sfWindow_ShowMouseCursor;
alias void function(sfWindow*, uint, uint) da_sfWindow_SetCursorPosition;
alias void function(sfWindow*, int, int) da_sfWindow_SetPosition;
alias void function(sfWindow*, uint, uint) da_sfWindow_SetSize;
alias void function(sfWindow*, sfBool) da_sfWindow_Show;
alias void function(sfWindow*, sfBool) da_sfWindow_EnableKeyRepeat;
alias void function(sfWindow*, uint, uint, sfUint8*) da_sfWindow_SetIcon;
alias sfBool function(sfWindow*, sfBool) da_sfWindow_SetActive;
alias void function(sfWindow*) da_sfWindow_Display;
alias sfInput* function(sfWindow*) da_sfWindow_GetInput;
alias void function(sfWindow*, uint) da_sfWindow_SetFramerateLimit;
alias float function(sfWindow*) da_sfWindow_GetFrameTime;
alias void function(sfWindow*, float) da_sfWindow_SetJoystickThreshold;
}
mixin(gsharedString!() ~ "\x0ada_sfContext_Create sfContext_Create;\x0ada_sfContext_Destroy sfContext_Destroy;\x0ada_sfContext_SetActive sfContext_SetActive;\x0ada_sfInput_IsKeyDown sfInput_IsKeyDown;\x0ada_sfInput_IsMouseButtonDown sfInput_IsMouseButtonDown;\x0ada_sfInput_IsJoystickButtonDown sfInput_IsJoystickButtonDown;\x0ada_sfInput_GetMouseX sfInput_GetMouseX;\x0ada_sfInput_GetMouseY sfInput_GetMouseY;\x0ada_sfInput_GetJoystickAxis sfInput_GetJoystickAxis;\x0ada_sfVideoMode_GetDesktopMode sfVideoMode_GetDesktopMode;\x0ada_sfVideoMode_GetMode sfVideoMode_GetMode;\x0ada_sfVideoMode_GetModesCount sfVideoMode_GetModesCount;\x0ada_sfVideoMode_IsValid sfVideoMode_IsValid;\x0ada_sfWindow_Create sfWindow_Create;\x0ada_sfWindow_CreateFromHandle sfWindow_CreateFromHandle;\x0ada_sfWindow_Destroy sfWindow_Destroy;\x0ada_sfWindow_Close sfWindow_Close;\x0ada_sfWindow_IsOpened sfWindow_IsOpened;\x0ada_sfWindow_GetWidth sfWindow_GetWidth;\x0ada_sfWindow_GetHeight sfWindow_GetHeight;\x0ada_sfWindow_GetSettings sfWindow_GetSettings;\x0ada_sfWindow_GetEvent sfWindow_GetEvent;\x0ada_sfWindow_UseVerticalSync sfWindow_UseVerticalSync;\x0ada_sfWindow_ShowMouseCursor sfWindow_ShowMouseCursor;\x0ada_sfWindow_SetCursorPosition sfWindow_SetCursorPosition;\x0ada_sfWindow_SetPosition sfWindow_SetPosition;\x0ada_sfWindow_SetSize sfWindow_SetSize;\x0ada_sfWindow_Show sfWindow_Show;\x0ada_sfWindow_EnableKeyRepeat sfWindow_EnableKeyRepeat;\x0ada_sfWindow_SetIcon sfWindow_SetIcon;\x0ada_sfWindow_SetActive sfWindow_SetActive;\x0ada_sfWindow_Display sfWindow_Display;\x0ada_sfWindow_GetInput sfWindow_GetInput;\x0ada_sfWindow_SetFramerateLimit sfWindow_SetFramerateLimit;\x0ada_sfWindow_GetFrameTime sfWindow_GetFrameTime;\x0ada_sfWindow_SetJoystickThreshold sfWindow_SetJoystickThreshold;\x0a");
|
D
|
import std.stdio;
import std.conv;
bool IsPalindrom(string s) {
for (auto i = 0, j = s.length - 1; i < j; ++i, --j)
if (s[i] != s[j])
return false;
return true;
}
string ToBinary(uint num) {
auto mask = 1;
while (mask <= num)
mask <<= 1;
mask >>= 1;
string result = "";
while (mask > 0) {
if ((num & mask) > 0)
result ~= "1";
else
result ~= "0";
mask >>= 1;
}
return result;
}
void main() {
auto sum = 0;
foreach (i; 1 .. 1000000)
if (IsPalindrom(to!string(i)) && IsPalindrom(ToBinary(i)))
sum += i;
writeln(sum);
}
|
D
|
// PERMUTE_ARGS:
import std.c.stdio;
import core.bitop;
/*****************************************************/
void test1()
{
size_t array[2];
uint x;
version (D_LP64)
size_t bitToUse = 67;
else
size_t bitToUse = 35;
array[0] = 2;
array[1] = 0x100;
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
x = btc(array.ptr, bitToUse);
printf("btc(array, %d) = %d\n", bitToUse, x);
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
assert(x == 0);
assert(array[0] == 0x2 && array[1] == 0x108);
x = btc(array.ptr, bitToUse);
printf("btc(array, %d) = %d\n", bitToUse, x);
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
assert(x != 0);
assert(array[0] == 2 && array[1] == 0x100);
x = bts(array.ptr, bitToUse);
printf("bts(array, %d) = %d\n", bitToUse, x);
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
assert(x == 0);
assert(array[0] == 2 && array[1] == 0x108);
x = btr(array.ptr, bitToUse);
printf("btr(array, %d) = %d\n", bitToUse, x);
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
assert(x != 0);
assert(array[0] == 2 && array[1] == 0x100);
x = bt(array.ptr, 1);
printf("bt(array, 1) = %d\n", x);
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
assert(x != 0);
assert(array[0] == 2 && array[1] == 0x100);
}
/*****************************************************/
void test2()
{
uint v;
int x;
v = 0x21;
x = bsf(v);
printf("bsf(x%x) = %d\n", v, x);
assert(x == 0);
x = bsr(v);
printf("bsr(x%x) = %d\n", v, x);
assert(x == 5);
}
/*****************************************************/
void test3()
{ uint v;
int b;
b = inp(b);
b = inpw(b);
b = inpl(b);
b = outp(v, cast(ubyte)b);
b = outpw(v, cast(ushort)b);
b = outpl(v, b);
}
/*****************************************************/
void test4()
{
uint i = 0x12_34_56_78;
i = bswap(i);
assert(i == 0x78_56_34_12);
}
/*****************************************************/
void test5()
{
size_t array[2];
array[0] = 2;
array[1] = 0x100;
printf("btc(array, 35) = %d\n", btc(array.ptr, 35));
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
printf("btc(array, 35) = %d\n", btc(array.ptr, 35));
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
printf("bts(array, 35) = %d\n", bts(array.ptr, 35));
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
printf("btr(array, 35) = %d\n", btr(array.ptr, 35));
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
printf("bt(array, 1) = %d\n", bt(array.ptr, 1));
printf("array = [0]:x%x, [1]:x%x\n", array[0], array[1]);
}
/*****************************************************/
class Node {
uint leaf = 0;
int m() {
return leaf ? 0 : bsf(leaf);
}
}
void test6()
{
Node n = new Node();
}
/*****************************************************/
int main()
{
test1();
test2();
//test3();
test4();
test5();
test6();
printf("Success\n");
return 0;
}
|
D
|
#!/usr/bin/env rdmd
module first;
import std.stdio;
import std.string;
import std.algorithm;
import std.conv;
import std.algorithm : canFind;
int twos(char[] line) {
uint s = 0;
sort(line.representation);
int i =0 ;
while(i < line.length) {
if (line[i+1..$].canFind(i)) {
s += 1;
}
}
return s;
}
int threes(char[] line) {
uint s = 0;
sort(line.representation);
for (int i=0; i < (line.length - 2); i++) {
if (line[i] == line[i+1] && line[i] == line[i+2]) {
s += 1;
}
}
return s;
}
void main(string[] args)
{
auto file = File(args[1], "r");
auto two = 0;
auto three = 0;
foreach (char[] line; file.byLine())
{
// auto l = to!char[](line);
auto x = twos(line);
auto y = threes(line);
two += x;
three += y;
writefln("%s - %s - %s", line, x, y);
}
// writefln("%s", two*three);
}
|
D
|
/**
* Autogenerated by Thrift Compiler (0.11.0)
*
* DO NOT EDIT UNLESS YOU ARE SURE THAT YOU KNOW WHAT YOU ARE DOING
* @generated
*/
module ShopService;
import thrift.base;
import thrift.codegen.base;
import thrift.util.hashset;
import line_types;
interface ShopService {
void buyCoinProduct(ref const(PaymentReservation) paymentReservation);
void buyFreeProduct(string receiverMid, string productId, int messageTemplate, string language, string country, long packageId);
void buyMustbuyProduct(string receiverMid, string productId, int messageTemplate, string language, string country, long packageId, string serialNumber);
void checkCanReceivePresent(string recipientMid, long packageId, string language, string country);
ProductList getActivePurchases(long start, int size, string language, string country);
ProductSimpleList getActivePurchaseVersions(long start, int size, string language, string country);
CoinProductItem[] getCoinProducts(PaymentType appStoreCode, string country, string language);
CoinProductItem[] getCoinProductsByPgCode(PaymentType appStoreCode, PaymentPgType pgCode, string country, string language);
CoinHistoryResult getCoinPurchaseHistory(ref const(CoinHistoryCondition) request);
CoinHistoryResult getCoinUseAndRefundHistory(ref const(CoinHistoryCondition) request);
ProductList getDownloads(long start, int size, string language, string country);
ProductList getEventPackages(long start, int size, string language, string country);
ProductList getNewlyReleasedPackages(long start, int size, string language, string country);
ProductList getPopularPackages(long start, int size, string language, string country);
ProductList getPresentsReceived(long start, int size, string language, string country);
ProductList getPresentsSent(long start, int size, string language, string country);
Product getProduct(long packageID, string language, string country);
ProductList getProductList(string[] productIdList, string language, string country);
ProductList getProductListWithCarrier(string[] productIdList, string language, string country, string carrierCode);
Product getProductWithCarrier(long packageID, string language, string country, string carrierCode);
ProductList getPurchaseHistory(long start, int size, string language, string country);
Coin getTotalBalance(PaymentType appStoreCode);
long notifyDownloaded(long packageId, string language);
PaymentReservationResult reserveCoinPurchase(ref const(CoinPurchaseReservation) request);
PaymentReservationResult reservePayment(ref const(PaymentReservation) paymentReservation);
alias line_types.TalkException TalkException;
enum methodMeta = [
TMethodMeta(`buyCoinProduct`,
[TParamMeta(`paymentReservation`, 2)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`buyFreeProduct`,
[TParamMeta(`receiverMid`, 2), TParamMeta(`productId`, 3), TParamMeta(`messageTemplate`, 4), TParamMeta(`language`, 5), TParamMeta(`country`, 6), TParamMeta(`packageId`, 7)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`buyMustbuyProduct`,
[TParamMeta(`receiverMid`, 2), TParamMeta(`productId`, 3), TParamMeta(`messageTemplate`, 4), TParamMeta(`language`, 5), TParamMeta(`country`, 6), TParamMeta(`packageId`, 7), TParamMeta(`serialNumber`, 8)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`checkCanReceivePresent`,
[TParamMeta(`recipientMid`, 2), TParamMeta(`packageId`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getActivePurchases`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getActivePurchaseVersions`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getCoinProducts`,
[TParamMeta(`appStoreCode`, 2), TParamMeta(`country`, 3), TParamMeta(`language`, 4)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getCoinProductsByPgCode`,
[TParamMeta(`appStoreCode`, 2), TParamMeta(`pgCode`, 3), TParamMeta(`country`, 4), TParamMeta(`language`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getCoinPurchaseHistory`,
[TParamMeta(`request`, 2)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getCoinUseAndRefundHistory`,
[TParamMeta(`request`, 2)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getDownloads`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getEventPackages`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getNewlyReleasedPackages`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getPopularPackages`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getPresentsReceived`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getPresentsSent`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getProduct`,
[TParamMeta(`packageID`, 2), TParamMeta(`language`, 3), TParamMeta(`country`, 4)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getProductList`,
[TParamMeta(`productIdList`, 2), TParamMeta(`language`, 3), TParamMeta(`country`, 4)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getProductListWithCarrier`,
[TParamMeta(`productIdList`, 2), TParamMeta(`language`, 3), TParamMeta(`country`, 4), TParamMeta(`carrierCode`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getProductWithCarrier`,
[TParamMeta(`packageID`, 2), TParamMeta(`language`, 3), TParamMeta(`country`, 4), TParamMeta(`carrierCode`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getPurchaseHistory`,
[TParamMeta(`start`, 2), TParamMeta(`size`, 3), TParamMeta(`language`, 4), TParamMeta(`country`, 5)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`getTotalBalance`,
[TParamMeta(`appStoreCode`, 2)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`notifyDownloaded`,
[TParamMeta(`packageId`, 2), TParamMeta(`language`, 3)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`reserveCoinPurchase`,
[TParamMeta(`request`, 2)],
[TExceptionMeta(`e`, 1, `TalkException`)]
),
TMethodMeta(`reservePayment`,
[TParamMeta(`paymentReservation`, 2)],
[TExceptionMeta(`e`, 1, `TalkException`)]
)
];
}
|
D
|
/*
* Copyright (c) 2004-2006 Derelict Developers
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are
* met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
*
* * Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* * Neither the names 'Derelict', 'DerelictGL', nor the names of its contributors
* may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED
* TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
* PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
* CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
* EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
* PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
* LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
* SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
module derelict.opengl.extension.nv.texture_shader;
private
{
import derelict.opengl.gltypes;
import derelict.opengl.gl;
import derelict.util.wrapper;
}
private bool enabled = false;
struct NVTextureShader
{
static bool load(char[] extString)
{
if(extString.findStr("GL_NV_texture_shader") == -1)
return false;
enabled = true;
return true;
}
static bool isEnabled()
{
return enabled;
}
}
version(DerelictGL_NoExtensionLoaders)
{
}
else
{
static this()
{
DerelictGL.registerExtensionLoader(&NVTextureShader.load);
}
}
enum : GLenum
{
GL_OFFSET_TEXTURE_RECTANGLE_NV = 0x864C,
GL_OFFSET_TEXTURE_RECTANGLE_SCALE_NV = 0x864D,
GL_DOT_PRODUCT_TEXTURE_RECTANGLE_NV = 0x864E,
GL_RGBA_UNSIGNED_DOT_PRODUCT_MAPPING_NV = 0x86D9,
GL_UNSIGNED_INT_S8_S8_8_8_NV = 0x86DA,
GL_UNSIGNED_INT_8_8_S8_S8_REV_NV = 0x86DB,
GL_DSDT_MAG_INTENSITY_NV = 0x86DC,
GL_SHADER_CONSISTENT_NV = 0x86DD,
GL_TEXTURE_SHADER_NV = 0x86DE,
GL_SHADER_OPERATION_NV = 0x86DF,
GL_CULL_MODES_NV = 0x86E0,
GL_OFFSET_TEXTURE_MATRIX_NV = 0x86E1,
GL_OFFSET_TEXTURE_SCALE_NV = 0x86E2,
GL_OFFSET_TEXTURE_BIAS_NV = 0x86E3,
GL_OFFSET_TEXTURE_2D_MATRIX_NV = GL_OFFSET_TEXTURE_MATRIX_NV,
GL_OFFSET_TEXTURE_2D_SCALE_NV = GL_OFFSET_TEXTURE_SCALE_NV,
GL_OFFSET_TEXTURE_2D_BIAS_NV = GL_OFFSET_TEXTURE_BIAS_NV,
GL_PREVIOUS_TEXTURE_INPUT_NV = 0x86E4,
GL_CONST_EYE_NV = 0x86E5,
GL_PASS_THROUGH_NV = 0x86E6,
GL_CULL_FRAGMENT_NV = 0x86E7,
GL_OFFSET_TEXTURE_2D_NV = 0x86E8,
GL_DEPENDENT_AR_TEXTURE_2D_NV = 0x86E9,
GL_DEPENDENT_GB_TEXTURE_2D_NV = 0x86EA,
GL_DOT_PRODUCT_NV = 0x86EC,
GL_DOT_PRODUCT_DEPTH_REPLACE_NV = 0x86ED,
GL_DOT_PRODUCT_TEXTURE_2D_NV = 0x86EE,
GL_DOT_PRODUCT_TEXTURE_CUBE_MAP_NV = 0x86F0,
GL_DOT_PRODUCT_DIFFUSE_CUBE_MAP_NV = 0x86F1,
GL_DOT_PRODUCT_REFLECT_CUBE_MAP_NV = 0x86F2,
GL_DOT_PRODUCT_CONST_EYE_REFLECT_CUBE_MAP_NV = 0x86F3,
GL_HILO_NV = 0x86F4,
GL_DSDT_NV = 0x86F5,
GL_DSDT_MAG_NV = 0x86F6,
GL_DSDT_MAG_VIB_NV = 0x86F7,
GL_HILO16_NV = 0x86F8,
GL_SIGNED_HILO_NV = 0x86F9,
GL_SIGNED_HILO16_NV = 0x86FA,
GL_SIGNED_RGBA_NV = 0x86FB,
GL_SIGNED_RGBA8_NV = 0x86FC,
GL_SIGNED_RGB_NV = 0x86FE,
GL_SIGNED_RGB8_NV = 0x86FF,
GL_SIGNED_LUMINANCE_NV = 0x8701,
GL_SIGNED_LUMINANCE8_NV = 0x8702,
GL_SIGNED_LUMINANCE_ALPHA_NV = 0x8703,
GL_SIGNED_LUMINANCE8_ALPHA8_NV = 0x8704,
GL_SIGNED_ALPHA_NV = 0x8705,
GL_SIGNED_ALPHA8_NV = 0x8706,
GL_SIGNED_INTENSITY_NV = 0x8707,
GL_SIGNED_INTENSITY8_NV = 0x8708,
GL_DSDT8_NV = 0x8709,
GL_DSDT8_MAG8_NV = 0x870A,
GL_DSDT8_MAG8_INTENSITY8_NV = 0x870B,
GL_SIGNED_RGB_UNSIGNED_ALPHA_NV = 0x870C,
GL_SIGNED_RGB8_UNSIGNED_ALPHA8_NV = 0x870D,
GL_HI_SCALE_NV = 0x870E,
GL_LO_SCALE_NV = 0x870F,
GL_DS_SCALE_NV = 0x8710,
GL_DT_SCALE_NV = 0x8711,
GL_MAGNITUDE_SCALE_NV = 0x8712,
GL_VIBRANCE_SCALE_NV = 0x8713,
GL_HI_BIAS_NV = 0x8714,
GL_LO_BIAS_NV = 0x8715,
GL_DS_BIAS_NV = 0x8716,
GL_DT_BIAS_NV = 0x8717,
GL_MAGNITUDE_BIAS_NV = 0x8718,
GL_VIBRANCE_BIAS_NV = 0x8719,
GL_TEXTURE_BORDER_VALUES_NV = 0x871A,
GL_TEXTURE_HI_SIZE_NV = 0x871B,
GL_TEXTURE_LO_SIZE_NV = 0x871C,
GL_TEXTURE_DS_SIZE_NV = 0x871D,
GL_TEXTURE_DT_SIZE_NV = 0x871E,
GL_TEXTURE_MAG_SIZE_NV = 0x871F,
}
|
D
|
/home/teng/CLionProjects/linux_design/ex/grpc_ex/target/debug/deps/getrandom-c3982120e5f5b066.rmeta: /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/lib.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/error.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/util.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/use_file.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/util_libc.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/error_impls.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/linux_android.rs
/home/teng/CLionProjects/linux_design/ex/grpc_ex/target/debug/deps/libgetrandom-c3982120e5f5b066.rlib: /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/lib.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/error.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/util.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/use_file.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/util_libc.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/error_impls.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/linux_android.rs
/home/teng/CLionProjects/linux_design/ex/grpc_ex/target/debug/deps/getrandom-c3982120e5f5b066.d: /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/lib.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/error.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/util.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/use_file.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/util_libc.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/error_impls.rs /home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/linux_android.rs
/home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/lib.rs:
/home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/error.rs:
/home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/util.rs:
/home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/use_file.rs:
/home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/util_libc.rs:
/home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/error_impls.rs:
/home/teng/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.14/src/linux_android.rs:
|
D
|
/Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Eureka.build/Objects-normal/x86_64/RuleRegExp.o : /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ActionSheetRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/AlertRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/BaseRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ButtonRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ButtonRowWithPresent.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Cell.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/CellType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/CheckRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Core.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DateFieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DateInlineFieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DateInlineRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DatePickerRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DateRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DecimalFormatter.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/FieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/FieldsRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Form.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/GenericMultipleSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/HeaderFooterView.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Helpers.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/InlineRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/LabelRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SelectableRows/ListCheckRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/MultipleSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/MultipleSelectorViewController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/NavigationAccessoryView.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Operators.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/OptionsRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PickerInlineRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PickerRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PopoverSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/PresenterRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/Protocols.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PushRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Row.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowControllerType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowProtocols.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleClosure.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleEmail.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleLength.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRange.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRegExp.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRequired.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleURL.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Section.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SegmentedRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/SelectableRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/SelectableSection.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/SelectorAlertController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/SelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/SelectorViewController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SliderRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/StepperRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SwitchRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/TextAreaRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Pods/Target\ Support\ Files/Eureka/Eureka-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Eureka.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/QuartzCore.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/SwiftOnoneSupport.swiftmodule
/Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Eureka.build/Objects-normal/x86_64/RuleRegExp~partial.swiftmodule : /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ActionSheetRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/AlertRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/BaseRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ButtonRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ButtonRowWithPresent.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Cell.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/CellType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/CheckRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Core.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DateFieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DateInlineFieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DateInlineRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DatePickerRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DateRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DecimalFormatter.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/FieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/FieldsRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Form.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/GenericMultipleSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/HeaderFooterView.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Helpers.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/InlineRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/LabelRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SelectableRows/ListCheckRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/MultipleSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/MultipleSelectorViewController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/NavigationAccessoryView.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Operators.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/OptionsRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PickerInlineRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PickerRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PopoverSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/PresenterRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/Protocols.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PushRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Row.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowControllerType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowProtocols.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleClosure.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleEmail.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleLength.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRange.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRegExp.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRequired.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleURL.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Section.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SegmentedRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/SelectableRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/SelectableSection.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/SelectorAlertController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/SelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/SelectorViewController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SliderRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/StepperRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SwitchRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/TextAreaRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Pods/Target\ Support\ Files/Eureka/Eureka-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Eureka.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/QuartzCore.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/SwiftOnoneSupport.swiftmodule
/Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Eureka.build/Objects-normal/x86_64/RuleRegExp~partial.swiftdoc : /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ActionSheetRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/AlertRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/BaseRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ButtonRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/ButtonRowWithPresent.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Cell.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/CellType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/CheckRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Core.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DateFieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DateInlineFieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DateInlineRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DatePickerRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/DateRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/DecimalFormatter.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/FieldRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/FieldsRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Form.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/GenericMultipleSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/HeaderFooterView.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Helpers.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/InlineRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/LabelRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SelectableRows/ListCheckRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/MultipleSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/MultipleSelectorViewController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/NavigationAccessoryView.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Operators.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/OptionsRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PickerInlineRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PickerRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PopoverSelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/PresenterRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/Protocols.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/PushRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Row.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowControllerType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowProtocols.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/RowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleClosure.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleEmail.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleLength.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRange.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRegExp.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleRequired.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Validations/RuleURL.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Section.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SegmentedRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/SelectableRowType.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/SelectableSection.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/SelectorAlertController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Common/SelectorRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/Controllers/SelectorViewController.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SliderRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/StepperRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/SwitchRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Rows/TextAreaRow.swift /Users/prajaktakulkarni/Documents/Casper/Pods/Eureka/Source/Core/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Pods/Target\ Support\ Files/Eureka/Eureka-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Eureka.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/QuartzCore.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/SwiftOnoneSupport.swiftmodule
|
D
|
import std.stdio;
import std.traits;
import std.string;
import fluent.asserts;
int main()
{
pragma(msg, "base classes:", BaseTypeTuple!TestException);
try {
"a".should.equal("b");
} catch (TestException e) {
e.msg.writeln;
return e.msg.indexOf("Diff:") != -1;
}
return 1;
}
|
D
|
module org.serviio.upnp.service.contentdirectory.InvalidBrowseFlagException;
import java.lang.RuntimeException;
import java.lang.String;
public class InvalidBrowseFlagException : RuntimeException
{
private static const long serialVersionUID = 4548915322234063569L;
public this()
{
}
public this(String message, Throwable cause)
{
super(message, cause);
}
public this(String message) {
super(message);
}
public this(Throwable cause) {
super(cause);
}
}
/* Location: D:\Program Files\Serviio\lib\serviio.jar
* Qualified Name: org.serviio.upnp.service.contentdirectory.InvalidBrowseFlagException
* JD-Core Version: 0.6.2
*/
|
D
|
module imagetovec;
import std.stdio;
import std.string;
import std.conv : to;
import std.algorithm;
import std.range;
import std.array : array;
import std.math;
import imageformats;
public import imagetovec.type;
import imagetovec.imageprocessing;
import imagetovec.imagetrace;
import imagetovec.pathprocessing;
ubyte binarizeOnWhiteSimple(ushort h, ubyte s, ubyte v) {
return ( s * v / 255 ).to!ubyte;
}
ubyte binarizeOnWhite(ushort h, ubyte s, ubyte v) {
return ( s * (1-(abs(v - 127)/128.0)^^2) * (359-h)/359 ).to!ubyte;
}
ubyte binarizeOnBlack(ushort h, ubyte s, ubyte v) {
return ( (v/255.0) * (1 - s/255.0)^^2 * ((359-h) / 359.0) * 255).to!ubyte;
}
Vec!double[][] imageToPathes(IFImage im) {
return im
.thresholding!binarizeOnWhiteSimple
.saveBinarized(im.h, im.w)
.trace(im.h, im.w)
.pathesOptimization(30.0 / (im.h / 2.0));
}
auto pathesToString(Vec!double[][] pathes) {
return pathes.map!(path =>
path.map!(v => v.x.to!string ~ " " ~ v.y.to!string).join(" "));
}
auto pathToString(Vec!double[] path) {
return path.map!(v => v.x.to!string ~ " " ~ v.y.to!string).join(" ");
}
Vec!double[][] stringToPathes(File file) {
return file
.byLine
.map!(t => t
.chomp
.split
.map!(to!double)
.chunks(2)
.map!(v => Vec!double(v[0], v[1]))
.array)
.array;
}
|
D
|
the syllable naming the fourth (subdominant) note of the diatonic scale in solmization
|
D
|
module colonies.Industry;
import colonies;
import std.math;
abstract class Industry {
ulong employees;
/++
Returns the number of extra employees the industry desires to fulfill the market
+/
long getExpandability();
}
class Education {
private immutable float higherEducationPercentage = .3f; //30% of the teaching workforce is higher education
private immutable float higherEducationGraduationRate = .4f; //40% estimated graduation rate
private immutable float schoolGraduationRate = .85f; //85% estimated graduation rate
float higherEducationAttendanceRate = .6f; //60% of high school graduates will attend college, influenced by industry availability and economy
ulong students;
ulong employees;
private int teacherRatio = 30; //30 students per education worker, half for higher education
/++
Returns the number of students over or under capacity
+/
long getExpandability() {
return cast(ulong)(teacherRatio * (1f - higherEducationPercentage) + teacherRatio / 2 * higherEducationPercentage) * employees - students;
}
private immutable int yearsofSchool = 18, yearsofCollege = 4;
/++
Returns the total percentage of population leaving into the workforce, arrayed by [dropout, diploma (and not pursuing degree), degree]
+/
float[3] getGraduationRates(Age pop) {
float[3] rates = [0, 0, 0];
if (students == 0)
return rates;
//Calculates the amount of crowding in schools
float depreciation = cast(float)getExpandability() / students;
if (depreciation > -.9f || depreciation < .9f) {
depreciation = 1f + pow(depreciation, 3) / 1.5f;
} else if (depreciation <= -.9f) {
depreciation = .5f;
} else if (depreciation >= .9f) {
depreciation = 1.5f;
}
float hs = pop.rangedRate(yearsofSchool - 3, yearsofSchool);
rates[0] = (1f - schoolGraduationRate) * hs / depreciation;
rates[1] = schoolGraduationRate * hs * depreciation * (1f - higherEducationAttendanceRate);
rates[2] = schoolGraduationRate * higherEducationAttendanceRate * higherEducationGraduationRate * pop.rangedRate(yearsofSchool + 1, yearsofSchool + yearsofCollege);
return rates;
}
}
class Housing {
ulong capacity;
/++
Returns the percentage of housing capacity filled
+/
float getSaturationRate(ulong population) {
return cast(float)population / capacity;
}
}
|
D
|
/Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Node.build/StructuredDataWrapper/StructuredDataWrapper+Literals.swift.o : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Polymorphic.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Polymorphic.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Convenience.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Equatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Equatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeRepresentable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+PathIndexable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+PathIndexable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeInitializable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/UUID+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Schema+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Date+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/String+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Optional+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Bool+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Integer+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/UnsignedInteger+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/SchemaWrapper+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Set+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/FloatingPoint+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Array+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Dictionary+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Number/Number.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Identifier.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/FuzzyConverter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Cases.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Literals.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Accessors/Getters.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Accessors/Setters.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Errors.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Exports.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Init.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/Context.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Fuzzy+Any.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Debugging.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Bits.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Node.build/StructuredDataWrapper+Literals~partial.swiftmodule : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Polymorphic.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Polymorphic.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Convenience.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Equatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Equatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeRepresentable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+PathIndexable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+PathIndexable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeInitializable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/UUID+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Schema+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Date+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/String+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Optional+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Bool+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Integer+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/UnsignedInteger+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/SchemaWrapper+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Set+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/FloatingPoint+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Array+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Dictionary+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Number/Number.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Identifier.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/FuzzyConverter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Cases.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Literals.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Accessors/Getters.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Accessors/Setters.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Errors.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Exports.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Init.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/Context.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Fuzzy+Any.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Debugging.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Bits.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Node.build/StructuredDataWrapper+Literals~partial.swiftdoc : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Polymorphic.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Polymorphic.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Convenience.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Equatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Equatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeRepresentable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+PathIndexable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+PathIndexable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeInitializable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/UUID+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Schema+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Date+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/String+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Optional+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Bool+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/Integer+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/UnsignedInteger+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/SchemaWrapper+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Set+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Convertibles/FloatingPoint+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Array+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Dictionary+Convertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/NodeConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Number/Number.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Identifier.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/FuzzyConverter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Cases.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredDataWrapper/StructuredDataWrapper+Literals.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Accessors/Getters.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Accessors/Setters.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Errors.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Utilities/Exports.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/StructuredData/StructuredData+Init.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Core/Context.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/node.git-9175390252000121167/Sources/Node/Fuzzy/Fuzzy+Any.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Debugging.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Bits.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/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
|
D
|
/Users/lidiomarfernandomachado/dev/swift/f1Project/DerivedData/f1Project/Build/Intermediates.noindex/f1Project.build/Debug-iphonesimulator/f1Project.build/Objects-normal/x86_64/DriverStandingsPresenter.o : /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/AppDelegate.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsViewController.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsPresenter.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Models/Driver.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsInteractor.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsModels.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/CoreData.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/SwiftOnoneSupport.swiftmodule /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/CoreData.framework/Headers/CoreData.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/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/lidiomarfernandomachado/dev/swift/f1Project/DerivedData/f1Project/Build/Intermediates.noindex/f1Project.build/Debug-iphonesimulator/f1Project.build/Objects-normal/x86_64/DriverStandingsPresenter~partial.swiftmodule : /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/AppDelegate.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsViewController.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsPresenter.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Models/Driver.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsInteractor.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsModels.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/CoreData.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/SwiftOnoneSupport.swiftmodule /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/CoreData.framework/Headers/CoreData.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/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/lidiomarfernandomachado/dev/swift/f1Project/DerivedData/f1Project/Build/Intermediates.noindex/f1Project.build/Debug-iphonesimulator/f1Project.build/Objects-normal/x86_64/DriverStandingsPresenter~partial.swiftdoc : /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/AppDelegate.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsViewController.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsPresenter.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Models/Driver.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsInteractor.swift /Users/lidiomarfernandomachado/dev/swift/f1Project/f1Project/Scenes/DriverStandings/DriverStandingsModels.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/CoreData.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/SwiftOnoneSupport.swiftmodule /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/CoreData.framework/Headers/CoreData.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/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
|
/*******************************************************************************
* Copyright (c) 2000, 2007 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
* Port to the D programming language:
* Frank Benoit <benoit@tionex.de>
*******************************************************************************/
module examples.controlexample.SpinnerTab;
import dwt.DWT;
import dwt.events.ControlAdapter;
import dwt.events.ControlEvent;
import dwt.events.SelectionAdapter;
import dwt.events.SelectionEvent;
import dwt.layout.GridData;
import dwt.layout.GridLayout;
import dwt.widgets.Button;
import dwt.widgets.Composite;
import dwt.widgets.Group;
import dwt.widgets.Spinner;
import dwt.widgets.TabFolder;
import dwt.widgets.Widget;
import examples.controlexample.Tab;
import examples.controlexample.ControlExample;
import examples.controlexample.RangeTab;
class SpinnerTab : RangeTab {
/* Example widgets and groups that contain them */
Spinner spinner1;
Group spinnerGroup;
/* Style widgets added to the "Style" group */
Button readOnlyButton, wrapButton;
/* Spinner widgets added to the "Control" group */
Spinner incrementSpinner, pageIncrementSpinner, digitsSpinner;
/**
* Creates the Tab within a given instance of ControlExample.
*/
this(ControlExample instance) {
super(instance);
}
/**
* Creates the "Control" widget children.
*/
void createControlWidgets () {
super.createControlWidgets ();
createIncrementGroup ();
createPageIncrementGroup ();
createDigitsGroup ();
}
/**
* Creates the "Example" group.
*/
void createExampleGroup () {
super.createExampleGroup ();
/* Create a group for the spinner */
spinnerGroup = new Group (exampleGroup, DWT.NONE);
spinnerGroup.setLayout (new GridLayout ());
spinnerGroup.setLayoutData (new GridData (DWT.FILL, DWT.FILL, true, true));
spinnerGroup.setText ("Spinner");
}
/**
* Creates the "Example" widgets.
*/
void createExampleWidgets () {
/* Compute the widget style */
int style = getDefaultStyle();
if (readOnlyButton.getSelection ()) style |= DWT.READ_ONLY;
if (borderButton.getSelection ()) style |= DWT.BORDER;
if (wrapButton.getSelection ()) style |= DWT.WRAP;
/* Create the example widgets */
spinner1 = new Spinner (spinnerGroup, style);
}
/**
* Create a group of widgets to control the increment
* attribute of the example widget.
*/
void createIncrementGroup() {
/* Create the group */
Group incrementGroup = new Group (controlGroup, DWT.NONE);
incrementGroup.setLayout (new GridLayout ());
incrementGroup.setText (ControlExample.getResourceString("Increment"));
incrementGroup.setLayoutData (new GridData (GridData.FILL_HORIZONTAL));
/* Create the Spinner widget */
incrementSpinner = new Spinner (incrementGroup, DWT.BORDER);
incrementSpinner.setMaximum (100000);
incrementSpinner.setSelection (getDefaultIncrement());
incrementSpinner.setPageIncrement (100);
incrementSpinner.setIncrement (1);
incrementSpinner.setLayoutData (new GridData (DWT.FILL, DWT.CENTER, true, false));
/* Add the listeners */
incrementSpinner.addSelectionListener (new class() SelectionAdapter {
public void widgetSelected (SelectionEvent e) {
setWidgetIncrement ();
}
});
}
/**
* Create a group of widgets to control the page increment
* attribute of the example widget.
*/
void createPageIncrementGroup() {
/* Create the group */
Group pageIncrementGroup = new Group (controlGroup, DWT.NONE);
pageIncrementGroup.setLayout (new GridLayout ());
pageIncrementGroup.setText (ControlExample.getResourceString("Page_Increment"));
pageIncrementGroup.setLayoutData (new GridData (GridData.FILL_HORIZONTAL));
/* Create the Spinner widget */
pageIncrementSpinner = new Spinner (pageIncrementGroup, DWT.BORDER);
pageIncrementSpinner.setMaximum (100000);
pageIncrementSpinner.setSelection (getDefaultPageIncrement());
pageIncrementSpinner.setPageIncrement (100);
pageIncrementSpinner.setIncrement (1);
pageIncrementSpinner.setLayoutData (new GridData (DWT.FILL, DWT.CENTER, true, false));
/* Add the listeners */
pageIncrementSpinner.addSelectionListener (new class() SelectionAdapter {
public void widgetSelected (SelectionEvent event) {
setWidgetPageIncrement ();
}
});
}
/**
* Create a group of widgets to control the digits
* attribute of the example widget.
*/
void createDigitsGroup() {
/* Create the group */
Group digitsGroup = new Group (controlGroup, DWT.NONE);
digitsGroup.setLayout (new GridLayout ());
digitsGroup.setText (ControlExample.getResourceString("Digits"));
digitsGroup.setLayoutData (new GridData (GridData.FILL_HORIZONTAL));
/* Create the Spinner widget */
digitsSpinner = new Spinner (digitsGroup, DWT.BORDER);
digitsSpinner.setMaximum (100000);
digitsSpinner.setSelection (getDefaultDigits());
digitsSpinner.setPageIncrement (100);
digitsSpinner.setIncrement (1);
digitsSpinner.setLayoutData (new GridData (DWT.FILL, DWT.CENTER, true, false));
/* Add the listeners */
digitsSpinner.addSelectionListener (new class() SelectionAdapter {
public void widgetSelected (SelectionEvent e) {
setWidgetDigits ();
}
});
}
/**
* Creates the tab folder page.
*
* @param tabFolder org.eclipse.swt.widgets.TabFolder
* @return the new page for the tab folder
*/
Composite createTabFolderPage (TabFolder tabFolder) {
super.createTabFolderPage (tabFolder);
/*
* Add a resize listener to the tabFolderPage so that
* if the user types into the example widget to change
* its preferred size, and then resizes the shell, we
* recalculate the preferred size correctly.
*/
tabFolderPage.addControlListener(new class() ControlAdapter {
public void controlResized(ControlEvent e) {
setExampleWidgetSize ();
}
});
return tabFolderPage;
}
/**
* Creates the "Style" group.
*/
void createStyleGroup () {
orientationButtons = false;
super.createStyleGroup ();
/* Create the extra widgets */
readOnlyButton = new Button (styleGroup, DWT.CHECK);
readOnlyButton.setText ("DWT.READ_ONLY");
wrapButton = new Button (styleGroup, DWT.CHECK);
wrapButton.setText ("DWT.WRAP");
}
/**
* Gets the "Example" widget children.
*/
Widget [] getExampleWidgets () {
return [ cast(Widget) spinner1 ];
}
/**
* Returns a list of set/get API method names (without the set/get prefix)
* that can be used to set/get values in the example control(s).
*/
char[][] getMethodNames() {
return ["Selection", "ToolTipText"];
}
/**
* Gets the text for the tab folder item.
*/
char[] getTabText () {
return "Spinner";
}
/**
* Sets the state of the "Example" widgets.
*/
void setExampleWidgetState () {
super.setExampleWidgetState ();
readOnlyButton.setSelection ((spinner1.getStyle () & DWT.READ_ONLY) !is 0);
wrapButton.setSelection ((spinner1.getStyle () & DWT.WRAP) !is 0);
if (!instance.startup) {
setWidgetIncrement ();
setWidgetPageIncrement ();
setWidgetDigits ();
}
}
/**
* Gets the default maximum of the "Example" widgets.
*/
int getDefaultMaximum () {
return spinner1.getMaximum();
}
/**
* Gets the default minimim of the "Example" widgets.
*/
int getDefaultMinimum () {
return spinner1.getMinimum();
}
/**
* Gets the default selection of the "Example" widgets.
*/
int getDefaultSelection () {
return spinner1.getSelection();
}
/**
* Gets the default increment of the "Example" widgets.
*/
int getDefaultIncrement () {
return spinner1.getIncrement();
}
/**
* Gets the default page increment of the "Example" widgets.
*/
int getDefaultPageIncrement () {
return spinner1.getPageIncrement();
}
/**
* Gets the default digits of the "Example" widgets.
*/
int getDefaultDigits () {
return spinner1.getDigits();
}
/**
* Sets the increment of the "Example" widgets.
*/
void setWidgetIncrement () {
spinner1.setIncrement (incrementSpinner.getSelection ());
}
/**
* Sets the minimim of the "Example" widgets.
*/
void setWidgetMaximum () {
spinner1.setMaximum (maximumSpinner.getSelection ());
}
/**
* Sets the minimim of the "Example" widgets.
*/
void setWidgetMinimum () {
spinner1.setMinimum (minimumSpinner.getSelection ());
}
/**
* Sets the page increment of the "Example" widgets.
*/
void setWidgetPageIncrement () {
spinner1.setPageIncrement (pageIncrementSpinner.getSelection ());
}
/**
* Sets the digits of the "Example" widgets.
*/
void setWidgetDigits () {
spinner1.setDigits (digitsSpinner.getSelection ());
}
/**
* Sets the selection of the "Example" widgets.
*/
void setWidgetSelection () {
spinner1.setSelection (selectionSpinner.getSelection ());
}
}
|
D
|
/*******************************************************************************
* Copyright (c) 2000, 2008 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
* Port to the D programming language:
* Frank Benoit <benoit@tionex.de>
*******************************************************************************/
module org.eclipse.swt.widgets.TrayItem;
import java.lang.all;
import org.eclipse.swt.SWT;
import org.eclipse.swt.widgets.Tray;
import org.eclipse.swt.widgets.ToolTip;
import org.eclipse.swt.widgets.ImageList;
import org.eclipse.swt.widgets.Item;
import org.eclipse.swt.events.SelectionListener;
import org.eclipse.swt.events.SelectionEvent;
import org.eclipse.swt.events.MenuDetectListener;
import org.eclipse.swt.widgets.TypedListener;
import org.eclipse.swt.graphics.Image;
import org.eclipse.swt.graphics.Rectangle;
import org.eclipse.swt.graphics.Region;
import org.eclipse.swt.internal.gtk.OS;
version(Tango){
import tango.util.Convert;
} else { // Phobos
import std.conv;
}
/**
* Instances of this class represent icons that can be placed on the
* system tray or task bar status area.
* <p>
* <dl>
* <dt><b>Styles:</b></dt>
* <dd>(none)</dd>
* <dt><b>Events:</b></dt>
* <dd>DefaultSelection, MenuDetect, Selection</dd>
* </dl>
* </p><p>
* IMPORTANT: This class is <em>not</em> intended to be subclassed.
* </p>
*
* @see <a href="http://www.eclipse.org/swt/snippets/#tray">Tray, TrayItem snippets</a>
* @see <a href="http://www.eclipse.org/swt/">Sample code and further information</a>
*
* @since 3.0
*/
public class TrayItem : Item {
Tray parent;
ToolTip toolTip;
String toolTipText;
GtkWidget* imageHandle;
GtkWidget* tooltipsHandle;
ImageList imageList;
/**
* Constructs a new instance of this class given its parent
* (which must be a <code>Tray</code>) and a style value
* describing its behavior and appearance. The item is added
* to the end of the items maintained by its parent.
* <p>
* The style value is either one of the style constants defined in
* class <code>SWT</code> which is applicable to instances of this
* class, or must be built by <em>bitwise OR</em>'ing together
* (that is, using the <code>int</code> "|" operator) two or more
* of those <code>SWT</code> style constants. The class description
* lists the style constants that are applicable to the class.
* Style bits are also inherited from superclasses.
* </p>
*
* @param parent a composite control which will be the parent of the new instance (cannot be null)
* @param style the style of control to construct
*
* @exception IllegalArgumentException <ul>
* <li>ERROR_NULL_ARGUMENT - if the parent is null</li>
* </ul>
* @exception SWTException <ul>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the parent</li>
* <li>ERROR_INVALID_SUBCLASS - if this class is not an allowed subclass</li>
* </ul>
*
* @see SWT
* @see Widget#checkSubclass
* @see Widget#getStyle
*/
public this (Tray parent, int style) {
super (parent, style);
this.parent = parent;
createWidget (parent.getItemCount ());
}
/**
* Adds the listener to the collection of listeners who will
* be notified when the platform-specific context menu trigger
* has occurred, by sending it one of the messages defined in
* the <code>MenuDetectListener</code> interface.
*
* @param listener the listener which should be notified
*
* @exception IllegalArgumentException <ul>
* <li>ERROR_NULL_ARGUMENT - if the listener is null</li>
* </ul>
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*
* @see MenuDetectListener
* @see #removeMenuDetectListener
*
* @since 3.3
*/
public void addMenuDetectListener (MenuDetectListener listener) {
checkWidget ();
if (listener is null) error (SWT.ERROR_NULL_ARGUMENT);
TypedListener typedListener = new TypedListener (listener);
addListener (SWT.MenuDetect, typedListener);
}
/**
* Adds the listener to the collection of listeners who will
* be notified when the receiver is selected by the user, by sending
* it one of the messages defined in the <code>SelectionListener</code>
* interface.
* <p>
* <code>widgetSelected</code> is called when the receiver is selected
* <code>widgetDefaultSelected</code> is called when the receiver is double-clicked
* </p>
*
* @param listener the listener which should be notified when the receiver is selected by the user
*
* @exception IllegalArgumentException <ul>
* <li>ERROR_NULL_ARGUMENT - if the listener is null</li>
* </ul>
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*
* @see SelectionListener
* @see #removeSelectionListener
* @see SelectionEvent
*/
public void addSelectionListener(SelectionListener listener) {
checkWidget ();
if (listener is null) error (SWT.ERROR_NULL_ARGUMENT);
TypedListener typedListener = new TypedListener (listener);
addListener (SWT.Selection, typedListener);
addListener (SWT.DefaultSelection, typedListener);
}
protected override void checkSubclass () {
if (!isValidSubclass ()) error (SWT.ERROR_INVALID_SUBCLASS);
}
override void createWidget (int index) {
super.createWidget (index);
parent.createItem (this, index);
}
override void createHandle (int index) {
state |= HANDLE;
handle = OS.gtk_plug_new (null);
if (handle is null) error (SWT.ERROR_NO_HANDLES);
imageHandle = OS.gtk_image_new ();
if (imageHandle is null) error (SWT.ERROR_NO_HANDLES);
OS.gtk_container_add (cast(GtkContainer*)handle, imageHandle);
OS.gtk_widget_show (handle);
OS.gtk_widget_show (imageHandle);
auto id = OS.gtk_plug_get_id (cast(GtkPlug*)handle);
int monitor = 0;
auto screen = OS.gdk_screen_get_default ();
if (screen !is null) {
monitor = OS.gdk_screen_get_number (screen);
}
auto trayAtom = OS.gdk_atom_intern (toStringz("_NET_SYSTEM_TRAY_S" ~ to!(String)(monitor)), true);
auto xTrayAtom = OS.gdk_x11_atom_to_xatom (trayAtom);
auto xDisplay = OS.GDK_DISPLAY ();
auto trayWindow = OS.XGetSelectionOwner (xDisplay, xTrayAtom);
auto messageAtom = OS.gdk_atom_intern (toStringz("_NET_SYSTEM_TRAY_OPCODE"), true);
auto xMessageAtom = OS.gdk_x11_atom_to_xatom (messageAtom);
XClientMessageEvent* event = cast(XClientMessageEvent*)OS.g_malloc (XClientMessageEvent.sizeof);;
event.type = OS.ClientMessage;
event.window = trayWindow;
event.message_type = xMessageAtom;
event.format = 32;
event.data.l [0] = OS.GDK_CURRENT_TIME;
event.data.l [1] = OS.SYSTEM_TRAY_REQUEST_DOCK;
event.data.l [2] = id;
OS.XSendEvent (xDisplay, trayWindow, false, OS.NoEventMask, cast(XEvent*) event);
OS.g_free (event);
}
override void deregister () {
super.deregister ();
display.removeWidget (imageHandle);
}
override void destroyWidget () {
parent.destroyItem (this);
releaseHandle ();
}
/**
* Returns the receiver's parent, which must be a <code>Tray</code>.
*
* @return the receiver's parent
*
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*
* @since 3.2
*/
public Tray getParent () {
checkWidget ();
return parent;
}
/**
* Returns the receiver's tool tip, or null if it has
* not been set.
*
* @return the receiver's tool tip text
*
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*
* @since 3.2
*/
public ToolTip getToolTip () {
checkWidget ();
return toolTip;
}
/**
* Returns the receiver's tool tip text, or null if it has
* not been set.
*
* @return the receiver's tool tip text
*
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*/
public String getToolTipText () {
checkWidget ();
return toolTipText;
}
override int gtk_button_press_event (GtkWidget* widget, GdkEventButton* event) {
if (event.type is OS.GDK_3BUTTON_PRESS) return 0;
if (event.button is 3 && event.type is OS.GDK_BUTTON_PRESS) {
sendEvent (SWT.MenuDetect);
return 0;
}
if (event.type is OS.GDK_2BUTTON_PRESS) {
postEvent (SWT.DefaultSelection);
} else {
postEvent (SWT.Selection);
}
return 0;
}
override int gtk_size_allocate (GtkWidget* widget, ptrdiff_t allocation) {
if (image !is null && image.mask !is null) {
if (OS.gdk_drawable_get_depth (image.mask) is 1) {
int xoffset = cast(int) Math.floor (OS.GTK_WIDGET_X (widget) + ((OS.GTK_WIDGET_WIDTH (widget) - OS.GTK_WIDGET_REQUISITION_WIDTH (widget)) * 0.5) + 0.5);
int yoffset = cast(int) Math.floor (OS.GTK_WIDGET_Y (widget) + ((OS.GTK_WIDGET_HEIGHT (widget) - OS.GTK_WIDGET_REQUISITION_HEIGHT (widget)) * 0.5) + 0.5);
Rectangle b = image.getBounds();
auto gdkImage = OS.gdk_drawable_get_image (image.mask, 0, 0, b.width, b.height);
if (gdkImage is null) SWT.error(SWT.ERROR_NO_HANDLES);
byte[] maskData = (cast(byte*)gdkImage.mem)[ 0 .. gdkImage.bpl * gdkImage.height].dup;
Region region = new Region (display);
for (int y = 0; y < b.height; y++) {
for (int x = 0; x < b.width; x++) {
int index = (y * gdkImage.bpl) + (x >> 3);
int theByte = maskData [index] & 0xFF;
int mask = 1 << (x & 0x7);
if ((theByte & mask) !is 0) {
region.add (xoffset + x, yoffset + y, 1, 1);
}
}
}
OS.g_object_unref (gdkImage);
OS.gtk_widget_realize (handle);
auto window = OS.GTK_WIDGET_WINDOW (handle);
OS.gdk_window_shape_combine_region (window, region.handle, 0, 0);
region.dispose ();
}
}
return 0;
}
override void hookEvents () {
int eventMask = OS.GDK_BUTTON_PRESS_MASK;
OS.gtk_widget_add_events (handle, eventMask);
OS.g_signal_connect_closure_by_id (handle, display.signalIds [BUTTON_PRESS_EVENT], 0, display.closures [BUTTON_PRESS_EVENT], false);
OS.g_signal_connect_closure_by_id (imageHandle, display.signalIds [SIZE_ALLOCATE], 0, display.closures [SIZE_ALLOCATE], false);
}
/**
* Returns <code>true</code> if the receiver is visible and
* <code>false</code> otherwise.
*
* @return the receiver's visibility
*
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*/
public bool getVisible () {
checkWidget ();
return OS.GTK_WIDGET_VISIBLE (handle);
}
override void register () {
super.register ();
display.addWidget (imageHandle, this);
}
override void releaseHandle () {
if (handle !is null) OS.gtk_widget_destroy (handle);
handle = imageHandle = null;
super.releaseHandle ();
parent = null;
}
override void releaseWidget () {
super.releaseWidget ();
if (tooltipsHandle !is null) OS.g_object_unref (tooltipsHandle);
tooltipsHandle = null;
if (imageList !is null) imageList.dispose ();
imageList = null;
toolTipText = null;
}
/**
* Removes the listener from the collection of listeners who will
* be notified when the platform-specific context menu trigger has
* occurred.
*
* @param listener the listener which should no longer be notified
*
* @exception IllegalArgumentException <ul>
* <li>ERROR_NULL_ARGUMENT - if the listener is null</li>
* </ul>
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*
* @see MenuDetectListener
* @see #addMenuDetectListener
*
* @since 3.3
*/
public void removeMenuDetectListener (MenuDetectListener listener) {
checkWidget ();
if (listener is null) error (SWT.ERROR_NULL_ARGUMENT);
if (eventTable is null) return;
eventTable.unhook (SWT.MenuDetect, listener);
}
/**
* Removes the listener from the collection of listeners who will
* be notified when the receiver is selected by the user.
*
* @param listener the listener which should no longer be notified
*
* @exception IllegalArgumentException <ul>
* <li>ERROR_NULL_ARGUMENT - if the listener is null</li>
* </ul>
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*
* @see SelectionListener
* @see #addSelectionListener
*/
public void removeSelectionListener (SelectionListener listener) {
checkWidget ();
if (listener is null) error (SWT.ERROR_NULL_ARGUMENT);
if (eventTable is null) return;
eventTable.unhook (SWT.Selection, listener);
eventTable.unhook (SWT.DefaultSelection, listener);
}
/**
* Sets the receiver's image.
*
* @param image the new image
*
* @exception IllegalArgumentException <ul>
* <li>ERROR_INVALID_ARGUMENT - if the image has been disposed</li>
* </ul>
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*/
public override void setImage (Image image) {
checkWidget ();
if (image !is null && image.isDisposed ()) error (SWT.ERROR_INVALID_ARGUMENT);
this.image = image;
if (image !is null) {
Rectangle rect = image.getBounds ();
OS.gtk_widget_set_size_request (handle, rect.width, rect.height);
if (imageList is null) imageList = new ImageList ();
int imageIndex = imageList.indexOf (image);
if (imageIndex is -1) {
imageIndex = imageList.add (image);
} else {
imageList.put (imageIndex, image);
}
auto pixbuf = imageList.getPixbuf (imageIndex);
OS.gtk_image_set_from_pixbuf (cast(GtkImage*)imageHandle, pixbuf);
OS.gtk_widget_show (imageHandle);
} else {
OS.gtk_widget_set_size_request (handle, 1, 1);
OS.gtk_image_set_from_pixbuf (cast(GtkImage*)imageHandle, null);
OS.gtk_widget_hide (imageHandle);
}
}
/**
* Sets the receiver's tool tip to the argument, which
* may be null indicating that no tool tip should be shown.
*
* @param toolTip the new tool tip (or null)
*
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*
* @since 3.2
*/
public void setToolTip (ToolTip toolTip) {
checkWidget ();
ToolTip oldTip = this.toolTip, newTip = toolTip;
if (oldTip !is null) oldTip.item = null;
this.toolTip = newTip;
if (newTip !is null) newTip.item = this;
}
/**
* Sets the receiver's tool tip text to the argument, which
* may be null indicating that no tool tip text should be shown.
*
* @param value the new tool tip text (or null)
*
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*/
public void setToolTipText (String string) {
checkWidget ();
toolTipText = string;
char* buffer = null;
if (string !is null && string.length > 0) {
buffer = toStringz( string );
}
if (tooltipsHandle is null) {
tooltipsHandle = cast(GtkWidget*)OS.gtk_tooltips_new ();
if (tooltipsHandle is null) error (SWT.ERROR_NO_HANDLES);
OS.g_object_ref (cast(GObject*)tooltipsHandle);
OS.gtk_object_sink (cast(GtkObject*)tooltipsHandle);
}
OS.gtk_tooltips_set_tip (cast(GtkTooltips*)tooltipsHandle, handle, buffer, null);
}
/**
* Makes the receiver visible if the argument is <code>true</code>,
* and makes it invisible otherwise.
*
* @param visible the new visibility state
*
* @exception SWTException <ul>
* <li>ERROR_WIDGET_DISPOSED - if the receiver has been disposed</li>
* <li>ERROR_THREAD_INVALID_ACCESS - if not called from the thread that created the receiver</li>
* </ul>
*/
public void setVisible (bool visible) {
checkWidget ();
if (OS.GTK_WIDGET_VISIBLE (handle) is visible) return;
if (visible) {
/*
* It is possible (but unlikely), that application
* code could have disposed the widget in the show
* event. If this happens, just return.
*/
sendEvent (SWT.Show);
if (isDisposed ()) return;
OS.gtk_widget_show (handle);
} else {
OS.gtk_widget_hide (handle);
sendEvent (SWT.Hide);
}
}
}
|
D
|
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/QueryBuilder/QueryBuilder.swift.o : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ID.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/MigrateCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/RevertCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/SoftDeletable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/JoinSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/QuerySupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationLog.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/AnyModel.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Children.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/FluentProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaUpdater.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/FluentError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaCreator.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Siblings.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Parent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ModelEvent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Pivot.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Copy.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/CacheEntry.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/FluentProperty.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/QueryBuilder/QueryBuilder~partial.swiftmodule : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ID.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/MigrateCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/RevertCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/SoftDeletable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/JoinSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/QuerySupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationLog.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/AnyModel.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Children.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/FluentProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaUpdater.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/FluentError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaCreator.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Siblings.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Parent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ModelEvent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Pivot.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Copy.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/CacheEntry.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/FluentProperty.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/QueryBuilder/QueryBuilder~partial.swiftdoc : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ID.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/MigrateCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/RevertCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/SoftDeletable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/JoinSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/QuerySupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationLog.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/AnyModel.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Children.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/FluentProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaUpdater.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/FluentError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaCreator.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Siblings.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Parent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ModelEvent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Pivot.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Copy.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/CacheEntry.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/FluentProperty.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/QueryBuilder/QueryBuilder~partial.swiftsourceinfo : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ID.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/MigrateCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/RevertCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/SoftDeletable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/JoinSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/QuerySupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationLog.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/AnyModel.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Children.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/FluentProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaUpdater.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/FluentError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaCreator.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Siblings.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Parent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ModelEvent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Pivot.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Copy.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/CacheEntry.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/FluentProperty.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
instance Grd_2544_PatrolGRD (Npc_Default)
{
//-------- primary data --------
name = "Strażnik";
npctype = npctype_main;
guild = GIL_GRD;
level = 20;
voice = 3;
id = 2544;
//-------- abilities --------
attribute[ATR_STRENGTH] = 88;
attribute[ATR_DEXTERITY] = 80;
attribute[ATR_MANA_MAX] = 0;
attribute[ATR_MANA] = 0;
attribute[ATR_HITPOINTS_MAX]= self.level*12+90;
attribute[ATR_HITPOINTS_MAX]= self.level*12+90;
//-------- visuals --------
// animations
Mdl_SetVisual (self,"HUMANS.MDS");
Mdl_ApplyOverlayMds (self,"Humans_Militia.mds");
// body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung
Mdl_SetVisualBody (self,"hum_body_Naked0",0,1,"Hum_Head_Fighter",71,1,GRD_ARMOR_H);
B_Scale (self);
Mdl_SetModelFatness(self,1);
//-------- Talente --------
Npc_SetTalentSkill (self,NPC_TALENT_1H,2);
Npc_SetTalentSkill (self,NPC_TALENT_CROSSBOW,1);
//-------- inventory --------
EquipItem (self,GRD_MW_02);
//pousuwalem kusze bo zaczynal nas atakowac z kuszy
EquipItem (self,GRD_RW_01);
CreateInvItems (self,ItAmBolt,30);
CreateInvItems (self,ItMinugget,17);
CreateInvItems (self,ItFoBeer,2);
CreateInvItems (self,ItFo_Potion_Health_01,2);
CreateInvItems (self,ItFo_Potion_Health_02,3);
//------------- ai -------------
B_InitNPCAddins(self);
fight_tactic = FAI_HUMAN_MASTER;
daily_routine = Rtn_start_2544;
};
FUNC VOID Rtn_start_2544 ()
{
//Sleep
/*
TA_Guard (00,00,00,12,"OW_PATH_067");
TA_Guard (00,12,00,24,"OW_PATH_068");
TA_Guard (00,24,00,36,"NC_PATH55");
TA_Guard (00,36,00,48,"NC_PATH68");
TA_Guard (00,48,01,00,"NC_PATH79");
TA_Guard (01,00,01,12,"NC_PATH81");
TA_Guard (01,12,01,24,"NC_PATH52");
TA_Guard (01,24,01,36,"NC_PATH53");
TA_Guard (01,36,01,48,"NC_PATH68");
TA_Guard (01,48,02,00,"NC_PATH78_A");
TA_Guard (02,00,02,12,"NC_PATH098");
TA_Guard (02,12,02,24,"NC_PATH82");
TA_Guard (02,24,02,36,"NC_PATH84");
TA_Guard (02,36,02,48,"NC_PATH54");
TA_Guard (02,48,03,00,"PATH_OC_NC_27");
TA_Guard (03,00,03,12,"OW_PATH_067");
TA_Guard (03,12,03,24,"OW_PATH_068");
TA_Guard (03,24,03,36,"NC_PATH55");
TA_Guard (03,36,03,48,"NC_PATH68");
TA_Guard (03,48,04,00,"NC_PATH79");
TA_Guard (04,00,04,12,"NC_PATH81");
TA_Guard (04,12,04,24,"NC_PATH52");
TA_Guard (04,24,04,36,"NC_PATH53");
TA_Guard (04,36,04,48,"NC_PATH68");
TA_Guard (04,48,05,00,"NC_PATH78_A");
TA_Guard (05,00,05,12,"NC_PATH098");
TA_Guard (05,12,05,24,"NC_PATH82");
TA_Guard (05,24,05,36,"NC_PATH84");
TA_Guard (05,36,05,48,"NC_PATH54");
TA_Guard (05,48,06,00,"PATH_OC_NC_27");
*/
TA_SitAround (23,02,00,05,"NC_HUT20_IN");
TA_Sleep (0,05,06,00,"NC_HUT20_IN");
TA_Guard (06,00,06,09,"NC_PATH22");
TA_Guard (06,09,06,17,"NC_PLACE04");
TA_Guard (06,17,06,25,"NC_HUT13_OUT");
TA_Guard (06,25,06,33,"NC_PATH05");
TA_Guard (06,33,06,41,"NC_PATH10");
TA_Guard (06,41,06,50,"NC_PATH15");
TA_Guard (06,50,06,58,"NC_PATH17_MOVEMENT2");
TA_Guard (06,58,07,06,"NC_HUT31_OUT");
TA_Guard (07,06,07,14,"NC_PLACE08");
TA_Guard (07,14,07,22,"NC_PATH18");
TA_Guard (07,22,07,30,"NC_PATH16");
TA_Guard (07,30,07,38,"NC_PATH14");
TA_Guard (07,38,07,46,"NC_PATH85");
TA_Guard (07,46,07,54,"NC_PATH_TO_PIT_02");
TA_Guard (07,54,08,02,"NC_PATH_AROUND_PIT_06");
TA_Guard (08,02,08,10,"NC_PATH_AROUND_PIT_02");
TA_Guard (08,10,08,18,"NC_PATH_TO_PIT_02_2");
TA_Guard (08,18,08,26,"NC_ENTRANCE_WP");
TA_Guard (08,26,08,34,"NC_PLACE_03");
TA_Guard (08,34,08,42,"NC_HUT02_OUT");
TA_Guard (08,42,08,51,"NC_P01_TO_P02_01");
TA_Guard (08,51,09,00,"NC_HUT09_OUT");
TA_Guard (09,00,09,09,"NC_PATH22");
TA_Guard (09,09,09,17,"NC_PLACE04");
TA_Guard (09,17,09,25,"NC_HUT13_OUT");
TA_Guard (09,25,09,33,"NC_PATH05");
TA_Guard (09,33,09,41,"NC_PATH10");
TA_Guard (09,41,09,50,"NC_PATH15");
TA_Guard (09,50,09,58,"NC_PATH17_MOVEMENT2");
TA_Guard (09,58,10,06,"NC_HUT31_OUT");
TA_Guard (10,06,10,14,"NC_PLACE08");
TA_Guard (10,14,10,22,"NC_PATH18");
TA_Guard (10,22,10,30,"NC_PATH16");
TA_Guard (10,30,10,38,"NC_PATH14");
TA_Guard (10,38,10,46,"NC_PATH85");
TA_Guard (10,46,10,54,"NC_PATH_TO_PIT_02");
TA_Guard (10,54,11,02,"NC_PATH_AROUND_PIT_06");
TA_Guard (11,02,11,10,"NC_PATH_AROUND_PIT_02");
TA_Guard (11,10,11,18,"NC_PATH_TO_PIT_02_2");
TA_Guard (11,18,11,26,"NC_ENTRANCE_WP");
TA_Guard (11,26,11,34,"NC_PLACE_03");
TA_Guard (11,34,11,42,"NC_HUT02_OUT");
TA_Guard (11,42,11,51,"NC_P01_TO_P02_01");
TA_Guard (11,51,12,00,"NC_HUT09_OUT");
TA_Guard (12,00,12,09,"NC_PATH22");
TA_Guard (12,09,12,17,"NC_PLACE04");
TA_Guard (12,17,12,25,"NC_HUT13_OUT");
TA_Guard (12,25,12,33,"NC_PATH05");
TA_Guard (12,33,12,41,"NC_PATH10");
TA_Guard (12,41,12,50,"NC_PATH15");
TA_Guard (12,50,12,58,"NC_PATH17_MOVEMENT2");
TA_Guard (12,58,13,06,"NC_HUT31_OUT");
TA_Guard (13,06,13,14,"NC_PLACE08");
TA_Guard (13,14,13,22,"NC_PATH18");
TA_Guard (13,22,13,30,"NC_PATH16");
TA_Guard (13,30,13,38,"NC_PATH14");
TA_Guard (13,38,13,46,"NC_PATH85");
TA_Guard (13,46,13,54,"NC_PATH_TO_PIT_02");
TA_Guard (13,54,14,02,"NC_PATH_AROUND_PIT_06");
TA_Guard (14,02,14,10,"NC_PATH_AROUND_PIT_02");
TA_Guard (14,10,14,18,"NC_PATH_TO_PIT_02_2");
TA_Guard (14,18,14,26,"NC_ENTRANCE_WP");
TA_Guard (14,26,14,34,"NC_PLACE_03");
TA_Guard (14,34,14,42,"NC_HUT02_OUT");
TA_Guard (14,42,14,51,"NC_P01_TO_P02_01");
TA_Guard (14,51,15,00,"NC_HUT09_OUT");
TA_Guard (15,00,15,09,"NC_PATH22");
TA_Guard (15,09,15,17,"NC_PLACE04");
TA_Guard (15,17,15,25,"NC_HUT13_OUT");
TA_Guard (15,25,15,33,"NC_PATH05");
TA_Guard (15,33,15,41,"NC_PATH10");
TA_Guard (15,41,15,50,"NC_PATH15");
TA_Guard (15,50,15,58,"NC_PATH17_MOVEMENT2");
TA_Guard (15,58,16,06,"NC_HUT31_OUT");
TA_Guard (16,06,16,14,"NC_PLACE08");
TA_Guard (16,14,16,22,"NC_PATH18");
TA_Guard (16,22,16,30,"NC_PATH16");
TA_Guard (16,30,16,38,"NC_PATH14");
TA_Guard (16,38,16,46,"NC_PATH85");
TA_Guard (16,46,16,54,"NC_PATH_TO_PIT_02");
TA_Guard (16,54,17,02,"NC_PATH_AROUND_PIT_06");
TA_Guard (17,02,17,10,"NC_PATH_AROUND_PIT_02");
TA_Guard (17,10,17,18,"NC_PATH_TO_PIT_02_2");
TA_Guard (17,18,17,26,"NC_ENTRANCE_WP");
TA_Guard (17,26,17,34,"NC_PLACE_03");
TA_Guard (17,34,17,42,"NC_HUT02_OUT");
TA_Guard (17,42,17,51,"NC_P01_TO_P02_01");
TA_Guard (17,51,18,00,"NC_HUT09_OUT");
TA_Guard (18,00,18,09,"NC_PATH22");
TA_Guard (18,09,18,17,"NC_PLACE04");
TA_Guard (18,17,18,25,"NC_HUT13_OUT");
TA_Guard (18,25,18,33,"NC_PATH05");
TA_Guard (18,33,18,41,"NC_PATH10");
TA_Guard (18,41,18,50,"NC_PATH15");
TA_Guard (18,50,18,58,"NC_PATH17_MOVEMENT2");
TA_Guard (18,58,19,06,"NC_HUT31_OUT");
TA_Guard (19,06,19,14,"NC_PLACE08");
TA_Guard (19,14,19,22,"NC_PATH18");
TA_Guard (19,22,19,30,"NC_PATH16");
TA_Guard (19,30,19,38,"NC_PATH14");
TA_Guard (19,38,19,46,"NC_PATH85");
TA_Guard (19,46,19,54,"NC_PATH_TO_PIT_02");
TA_Guard (19,54,20,02,"NC_PATH_AROUND_PIT_06");
TA_Guard (20,02,20,10,"NC_PATH_AROUND_PIT_02");
TA_Guard (20,10,20,18,"NC_PATH_TO_PIT_02_2");
TA_Guard (20,18,20,26,"NC_ENTRANCE_WP");
TA_Guard (20,26,20,34,"NC_PLACE_03");
TA_Guard (20,34,20,42,"NC_HUT02_OUT");
TA_Guard (20,42,20,51,"NC_P01_TO_P02_01");
TA_Guard (20,51,21,00,"NC_HUT09_OUT");
TA_Guard (21,00,21,09,"NC_PATH22");
TA_Guard (21,09,21,17,"NC_PLACE04");
TA_Guard (21,17,21,25,"NC_HUT13_OUT");
TA_Guard (21,25,21,33,"NC_PATH05");
TA_Guard (21,33,21,41,"NC_PATH10");
TA_Guard (21,41,21,50,"NC_PATH15");
TA_Guard (21,50,21,58,"NC_PATH17_MOVEMENT2");
TA_Guard (21,58,22,06,"NC_HUT31_OUT");
TA_Guard (22,06,22,14,"NC_PLACE08");
TA_Guard (22,14,22,22,"NC_PATH18");
TA_Guard (22,22,22,30,"NC_PATH16");
TA_Guard (22,30,22,38,"NC_PATH14");
TA_Guard (22,38,22,46,"NC_PATH85");
TA_Guard (22,46,22,54,"NC_PATH_TO_PIT_02");
TA_Guard (22,54,23,02,"NC_PATH_AROUND_PIT_06");
};
FUNC VOID Rtn_NC1_2544 ()
{
TA_HostileGuard (06,00,21,00,"FMC_PATH18");
TA_HostileGuard (21,00,06,00,"FMC_PATH18");
};
|
D
|
instance GRD_262_Aaron_Exit(C_Info)
{
npc = GRD_262_Aaron;
nr = 999;
condition = GRD_262_Aaron_Exit_Condition;
information = GRD_262_Aaron_Exit_Info;
important = 0;
permanent = 1;
description = DIALOG_ENDE;
};
func int GRD_262_Aaron_Exit_Condition()
{
return 1;
};
func void GRD_262_Aaron_Exit_Info()
{
AI_StopProcessInfos(self);
};
instance GRD_262_Aaron_CHEST(C_Info)
{
npc = GRD_262_Aaron;
condition = GRD_262_Aaron_CHEST_Condition;
information = GRD_262_Aaron_CHEST_Info;
important = 0;
permanent = 1;
description = "Co tady děláš?";
};
func int GRD_262_Aaron_CHEST_Condition()
{
if((Npc_GetDistToWP(self,"OM_CAVE1_34") < 400) && !Npc_KnowsInfo(hero,GRD_262_Aaron_BLUFF))
{
return 1;
};
};
func void GRD_262_Aaron_CHEST_Info()
{
AI_Output(other,self,"GRD_262_Aaron_CHEST_Info_15_01"); //Co tady děláš?
AI_Output(self,other,"GRD_262_Aaron_CHEST_Info_09_02"); //Dávám pozor na kopáče, jako je Snipes, abych se ujistil, že mají ruce daleko od mé truhly.
};
instance GRD_262_Aaron_BLUFF(C_Info)
{
npc = GRD_262_Aaron;
condition = GRD_262_Aaron_BLUFF_Condition;
information = GRD_262_Aaron_BLUFF_Info;
important = 0;
permanent = 1;
description = "(odlákej Aarona)";
};
func int GRD_262_Aaron_BLUFF_Condition()
{
if(Npc_KnowsInfo(hero,VLK_584_Snipes_DEAL) && (Aaron_lock != LOG_RUNNING) && (Aaron_lock != LOG_SUCCESS))
{
return 1;
};
};
func void GRD_262_Aaron_BLUFF_Info()
{
Info_ClearChoices(GRD_262_Aaron_BLUFF);
Info_AddChoice(GRD_262_Aaron_BLUFF,DIALOG_BACK,GRD_262_Aaron_BLUFF_BACK);
Info_AddChoice(GRD_262_Aaron_BLUFF,"Poslal mě Ian. Měl bys za ním ihned zajít!",GRD_262_Aaron_BLUFF_IAN);
Info_AddChoice(GRD_262_Aaron_BLUFF,"Slyšel jsem, že v dole jsou banditi. Chtějí rudu!",GRD_262_Aaron_BLUFF_BANDIT);
Info_AddChoice(GRD_262_Aaron_BLUFF,"Kopáči našli masivní magický nuget!",GRD_262_Aaron_BLUFF_ORE);
};
func void GRD_262_Aaron_BLUFF_ORE()
{
AI_Output(other,self,"GRD_262_Aaron_BLUFF_ORE_15_01"); //Kopáči našli masivní magický nuget!
AI_Output(self,other,"GRD_262_Aaron_BLUFF_ORE_09_02"); //No a?
AI_Output(other,self,"GRD_262_Aaron_BLUFF_ORE_15_03"); //Musíš na to dohlédnout!
AI_Output(self,other,"GRD_262_Aaron_BLUFF_ORE_09_04"); //Na to zapomeň!
};
func void GRD_262_Aaron_BLUFF_BANDIT()
{
AI_Output(other,self,"GRD_262_Aaron_BLUFF_BANDIT_15_01"); //Slyšel jsem, že v dole jsou banditi. Chtějí rudu!
AI_Output(self,other,"GRD_262_Aaron_BLUFF_BANDIT_09_02"); //Myslíš, že jsem takový hlupák? Něčeho takového by se nikdy neodvážili!
};
func void GRD_262_Aaron_BLUFF_IAN()
{
AI_Output(other,self,"GRD_262_Aaron_BLUFF_IAN_15_01"); //Poslal mě Ian. Měl bys za ním ihned zajít!
AI_Output(self,other,"GRD_262_Aaron_BLUFF_IAN_09_02"); //Co chce?
Info_ClearChoices(GRD_262_Aaron_BLUFF);
Info_AddChoice(GRD_262_Aaron_BLUFF,"Netuším.",GRD_262_Aaron_BLUFF_UGLY);
Info_AddChoice(GRD_262_Aaron_BLUFF,"Zabije tě.",GRD_262_Aaron_BLUFF_BAD);
Info_AddChoice(GRD_262_Aaron_BLUFF,"Chce ti dát odměnu.",GRD_262_Aaron_BLUFF_GOOD);
};
func void GRD_262_Aaron_BLUFF_GOOD()
{
AI_Output(other,self,"GRD_262_Aaron_BLUFF_GOOD_15_01"); //Chce ti dát odměnu za dobrou práci.
AI_Output(self,other,"GRD_262_Aaron_BLUFF_GOOD_09_02"); //Opravdu? Měl bys raději jít.
Npc_SetTempAttitude(self,ATT_ANGRY);
AI_StopProcessInfos(self);
};
func void GRD_262_Aaron_BLUFF_BAD()
{
AI_Output(other,self,"GRD_262_Aaron_BLUFF_BAD_15_01"); //Zabije tě, protože jsi strašně línej!
AI_Output(self,other,"GRD_262_Aaron_BLUFF_BAD_09_02"); //To není žádná novinka. Zmiz!
AI_StopProcessInfos(self);
};
func void GRD_262_Aaron_BLUFF_UGLY()
{
AI_Output(other,self,"GRD_262_Aaron_BLUFF_UGLY_15_01"); //Nevím. To ti řekne sám Ian. Myslíš, že by mi něco takového řekl?
AI_Output(self,other,"GRD_262_Aaron_BLUFF_UGLY_09_02"); //Pak teda za ním půjdu!
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"trick");
Aaron_lock = LOG_RUNNING;
Snipes_deal = LOG_SUCCESS;
GRD_262_Aaron_BLUFF.permanent = 0;
B_LogEntry(CH2_SnipesDeal,"Odlákal jsem Aarona pryč od truhlice pod záminkou, že ho chce vidět Ian. Doufám, že to vezme jako vtip.");
};
func void GRD_262_Aaron_BLUFF_BACK()
{
Info_ClearChoices(GRD_262_Aaron_BLUFF);
};
instance GRD_262_Aaron_PISSED(C_Info)
{
npc = GRD_262_Aaron;
condition = GRD_262_Aaron_PISSED_Condition;
information = GRD_262_Aaron_PISSED_Info;
important = 1;
permanent = 0;
};
func int GRD_262_Aaron_PISSED_Condition()
{
if((Aaron_lock == LOG_RUNNING) && (Npc_GetDistToWP(hero,"OM_CAVE1_47") < 1000))
{
return TRUE;
};
};
func void GRD_262_Aaron_PISSED_Info()
{
AI_DrawWeapon(self);
AI_Output(self,other,"Info_Aaron_PISSED_09_01"); //HEJ, TY!!! Jestli se ze mě ještě pokusíš udělat hlupáka, pak si říkáš o pořádnej výprask, jasný?
AI_RemoveWeapon(self);
Npc_ExchangeRoutine(self,"start");
Aaron_lock = LOG_SUCCESS;
B_LogEntry(CH2_SnipesDeal,"Znovu jsem potkal Aarona, který to však NEVZAL jako dobrý vtip.");
};
instance GRD_262_Aaron_SELL(C_Info)
{
npc = GRD_262_Aaron;
condition = GRD_262_Aaron_SELL_Condition;
information = GRD_262_Aaron_SELL_Info;
important = 0;
permanent = 0;
description = "Hej, neztratil jsi klíč?";
};
func int GRD_262_Aaron_SELL_Condition()
{
if(Npc_KnowsInfo(hero,VLK_584_Snipes_DEAL_RUN))
{
return 1;
};
};
func void GRD_262_Aaron_SELL_Info()
{
AI_Output(other,self,"Info_Aaron_SELL_15_01"); //Hej, nepostrádáš klíč od truhly?
AI_Output(self,other,"Info_Aaron_SELL_09_02"); //Jistě. Akorát netuším, jak ani proč víš o tom klíči.
AI_Output(self,other,"Info_Aaron_SELL_09_03"); //Dám ti 20 nugetů, jestli mi ho přineseš zpátky.
B_LogEntry(CH2_SnipesDeal,"Aaron mi nabídl 20 nugetů, když mu dám klíč od jeho truhlice!");
};
instance GRD_262_Aaron_SELLNOW(C_Info)
{
npc = GRD_262_Aaron;
condition = GRD_262_Aaron_SELLNOW_Condition;
information = GRD_262_Aaron_SELLNOW_Info;
important = 0;
permanent = 0;
description = "(prodej klíč)";
};
func int GRD_262_Aaron_SELLNOW_Condition()
{
if(Npc_KnowsInfo(hero,GRD_262_Aaron_SELL) && Npc_HasItems(hero,ItKe_OM_02))
{
return 1;
};
};
func void GRD_262_Aaron_SELLNOW_Info()
{
AI_Output(other,self,"Info_Aaron_SELLNOW_15_01"); //Tady je tvůj klíč.
AI_Output(self,other,"Info_Aaron_SELLNOW_09_02"); //Ano, to je on. Dobrá, tady je těch 20 nugetů, jak jsme se dohodli.
AI_Output(self,other,"Info_Aaron_SELLNOW_09_03"); //Měl bys ale příště dávat lepší pozor. Od teď na tebe budu dohlížet.
CreateInvItems(self,ItMiNugget,20);
B_GiveInvItems(self,other,ItMiNugget,20);
B_GiveInvItems(hero,self,ItKe_OM_02,1);
B_GiveXP(XP_SellKeyToAaron);
B_LogEntry(CH2_SnipesDeal,"Prodal jsem Aaronovi jeho vlastní klíč. Celkem vzato, nakonec jsem na tom vydělal!");
Log_SetTopicStatus(CH2_SnipesDeal,LOG_SUCCESS);
};
|
D
|
/*
* Copyright (c) 2004-2009 Derelict Developers
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are
* met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
*
* * Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* * Neither the names 'Derelict', 'DerelictGL', nor the names of its contributors
* may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED
* TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
* PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
* CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
* EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
* PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
* LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
* SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
module derelict.opengl.gl21;
private
{
import derelict.util.loader;
import derelict.util.exception;
import derelict.opengl.gltypes;
version(Windows)
import derelict.opengl.wgl;
}
package void loadGL21(SharedLib lib)
{
version(Windows)
{
wglBindFunc(cast(void**)&glUniformMatrix2x3fv, "glUniformMatrix2x3fv", lib);
wglBindFunc(cast(void**)&glUniformMatrix3x2fv, "glUniformMatrix3x2fv", lib);
wglBindFunc(cast(void**)&glUniformMatrix2x4fv, "glUniformMatrix2x4fv", lib);
wglBindFunc(cast(void**)&glUniformMatrix4x2fv, "glUniformMatrix4x2fv", lib);
wglBindFunc(cast(void**)&glUniformMatrix3x4fv, "glUniformMatrix3x4fv", lib);
wglBindFunc(cast(void**)&glUniformMatrix4x3fv, "glUniformMatrix4x3fv", lib);
}
else
{
bindFunc(glUniformMatrix2x3fv)("glUniformMatrix2x3fv", lib);
bindFunc(glUniformMatrix3x2fv)("glUniformMatrix3x2fv", lib);
bindFunc(glUniformMatrix2x4fv)("glUniformMatrix2x4fv", lib);
bindFunc(glUniformMatrix4x2fv)("glUniformMatrix4x2fv", lib);
bindFunc(glUniformMatrix3x4fv)("glUniformMatrix3x4fv", lib);
bindFunc(glUniformMatrix4x3fv)("glUniformMatrix4x3fv", lib);
}
}
enum : GLenum
{
GL_CURRENT_RASTER_SECONDARY_COLOR = 0x845F,
GL_PIXEL_PACK_BUFFER = 0x88EB,
GL_PIXEL_UNPACK_BUFFER = 0x88EC,
GL_PIXEL_PACK_BUFFER_BINDING = 0x88ED,
GL_PIXEL_UNPACK_BUFFER_BINDING = 0x88EF,
GL_FLOAT_MAT2x3 = 0x8B65,
GL_FLOAT_MAT2x4 = 0x8B66,
GL_FLOAT_MAT3x2 = 0x8B67,
GL_FLOAT_MAT3x4 = 0x8B68,
GL_FLOAT_MAT4x2 = 0x8B69,
GL_FLOAT_MAT4x3 = 0x8B6A,
GL_SRGB = 0x8C40,
GL_SRGB8 = 0x8C41,
GL_SRGB_ALPHA = 0x8C42,
GL_SRGB8_ALPHA8 = 0x8C43,
GL_SLUMINANCE_ALPHA = 0x8C44,
GL_SLUMINANCE8_ALPHA8 = 0x8C45,
GL_SLUMINANCE = 0x8C46,
GL_SLUMINANCE8 = 0x8C47,
GL_COMPRESSED_SRGB = 0x8C48,
GL_COMPRESSED_SRGB_ALPHA = 0x8C49,
GL_COMPRESSED_SLUMINANCE = 0x8C4A,
GL_COMPRESSED_SLUMINANCE_ALPHA = 0x8C4B,
}
extern(System)
{
void function(GLint, GLsizei, GLboolean, GLfloat*) glUniformMatrix2x3fv;
void function(GLint, GLsizei, GLboolean, GLfloat*) glUniformMatrix3x2fv;
void function(GLint, GLsizei, GLboolean, GLfloat*) glUniformMatrix2x4fv;
void function(GLint, GLsizei, GLboolean, GLfloat*) glUniformMatrix4x2fv;
void function(GLint, GLsizei, GLboolean, GLfloat*) glUniformMatrix3x4fv;
void function(GLint, GLsizei, GLboolean, GLfloat*) glUniformMatrix4x3fv;
}
|
D
|
module gameengine.controller;
public import gameengine.model, gameengine.view;
import derelict.sdl.sdl;
abstract class Controller
{
public:
void onKeyDown(SDLKey key);
void onKeyUp(SDLKey key);
}
|
D
|
///* 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.
// */
//
//
//import static flow.job.service.impl.history.async.util.AsyncHistoryJsonUtil.convertToBase64;
//import static flow.job.service.impl.history.async.util.AsyncHistoryJsonUtil.putIfNotNull;
//
//import flow.common.history.HistoryLevel;
//import flow.engine.impl.cfg.ProcessEngineConfigurationImpl;
//import flow.engine.impl.history.AbstractHistoryManager;
//import flow.engine.impl.persistence.entity.ExecutionEntity;
//import flow.engine.repository.ProcessDefinition;
//import flow.engine.runtime.ActivityInstance;
//import org.flowable.entitylink.service.impl.persistence.entity.EntityLinkEntity;
//import flow.identitylink.service.impl.persistence.entity.IdentityLinkEntity;
//import flow.task.api.history.HistoricTaskLogEntryBuilder;
//import flow.task.service.impl.persistence.entity.TaskEntity;
//import flow.variable.service.impl.persistence.entity.VariableInstanceEntity;
//
//import com.fasterxml.jackson.databind.node.ObjectNode;
//
///**
// * @author Filip Hrisafov
// */
//abstract class AbstractAsyncHistoryManager : AbstractHistoryManager {
//
// public AbstractAsyncHistoryManager(ProcessEngineConfigurationImpl processEngineConfiguration, HistoryLevel historyLevel, bool usePrefixId) {
// super(processEngineConfiguration, historyLevel, usePrefixId);
// }
//
// protected void addCommonProcessInstanceFields(ExecutionEntity processInstance, ObjectNode data) {
// putIfNotNull(data, HistoryJsonConstants.ID, processInstance.getId());
// putIfNotNull(data, HistoryJsonConstants.REVISION, processInstance.getRevision());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_INSTANCE_ID, processInstance.getProcessInstanceId());
// putIfNotNull(data, HistoryJsonConstants.NAME, processInstance.getName());
// putIfNotNull(data, HistoryJsonConstants.BUSINESS_KEY, processInstance.getBusinessKey());
// putIfNotNull(data, HistoryJsonConstants.DEPLOYMENT_ID, processInstance.getDeploymentId());
// putIfNotNull(data, HistoryJsonConstants.START_TIME, processInstance.getStartTime());
// putIfNotNull(data, HistoryJsonConstants.START_USER_ID, processInstance.getStartUserId());
// putIfNotNull(data, HistoryJsonConstants.START_ACTIVITY_ID, processInstance.getStartActivityId());
// putIfNotNull(data, HistoryJsonConstants.SUPER_PROCESS_INSTANCE_ID, processInstance.getSuperExecution() !is null ? processInstance.getSuperExecution().getProcessInstanceId() : null);
// putIfNotNull(data, HistoryJsonConstants.CALLBACK_ID, processInstance.getCallbackId());
// putIfNotNull(data, HistoryJsonConstants.CALLBACK_TYPE, processInstance.getCallbackType());
// putIfNotNull(data, HistoryJsonConstants.REFERENCE_ID, processInstance.getReferenceId());
// putIfNotNull(data, HistoryJsonConstants.REFERENCE_TYPE, processInstance.getReferenceType());
// putIfNotNull(data, HistoryJsonConstants.TENANT_ID, processInstance.getTenantId());
//
// addProcessDefinitionFields(data, processInstance.getProcessDefinitionId());
// }
//
// protected void addProcessDefinitionFields(ObjectNode data, string processDefinitionId) {
// if (processDefinitionId !is null) {
// ProcessDefinition processDefinition = processEngineConfiguration.getDeploymentManager().findDeployedProcessDefinitionById(processDefinitionId);
// addProcessDefinitionFields(data, processDefinition);
// }
// }
//
// protected void addProcessDefinitionFields(ObjectNode data, ProcessDefinition processDefinition) {
// if (processDefinition !is null) {
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITION_ID, processDefinition.getId());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITION_KEY, processDefinition.getKey());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITION_NAME, processDefinition.getName());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITION_VERSION, processDefinition.getVersion());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITION_CATEGORY, processDefinition.getCategory());
// putIfNotNull(data, HistoryJsonConstants.DEPLOYMENT_ID, processDefinition.getDeploymentId());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITIN_DERIVED_FROM, processDefinition.getDerivedFrom());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITIN_DERIVED_FROM_ROOT, processDefinition.getDerivedFromRoot());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITIN_DERIVED_VERSION, processDefinition.getDerivedVersion());
// }
// }
//
// protected void addCommonTaskFields(TaskEntity task, ExecutionEntity execution, ObjectNode data) {
// putIfNotNull(data, HistoryJsonConstants.ID, task.getId());
// putIfNotNull(data, HistoryJsonConstants.REVISION, task.getRevision());
// putIfNotNull(data, HistoryJsonConstants.NAME, task.getName());
// putIfNotNull(data, HistoryJsonConstants.PARENT_TASK_ID, task.getParentTaskId());
// putIfNotNull(data, HistoryJsonConstants.DESCRIPTION, task.getDescription());
// putIfNotNull(data, HistoryJsonConstants.OWNER, task.getOwner());
// putIfNotNull(data, HistoryJsonConstants.ASSIGNEE, task.getAssignee());
// putIfNotNull(data, HistoryJsonConstants.CREATE_TIME, task.getCreateTime());
// putIfNotNull(data, HistoryJsonConstants.TASK_DEFINITION_KEY, task.getTaskDefinitionKey());
// putIfNotNull(data, HistoryJsonConstants.TASK_DEFINITION_ID, task.getTaskDefinitionId());
// putIfNotNull(data, HistoryJsonConstants.FORM_KEY, task.getFormKey());
// putIfNotNull(data, HistoryJsonConstants.PRIORITY, task.getPriority());
// putIfNotNull(data, HistoryJsonConstants.DUE_DATE, task.getDueDate());
// putIfNotNull(data, HistoryJsonConstants.CATEGORY, task.getCategory());
// putIfNotNull(data, HistoryJsonConstants.CLAIM_TIME, task.getClaimTime());
// putIfNotNull(data, HistoryJsonConstants.TENANT_ID, task.getTenantId());
//
// if (execution !is null) {
// putIfNotNull(data, HistoryJsonConstants.PROCESS_INSTANCE_ID, execution.getProcessInstanceId());
// putIfNotNull(data, HistoryJsonConstants.EXECUTION_ID, execution.getId());
//
// addProcessDefinitionFields(data, execution.getProcessDefinitionId());
//
// } else if (task.getProcessDefinitionId() !is null) {
// addProcessDefinitionFields(data, task.getProcessDefinitionId());
//
// }
// }
//
// protected void addCommonVariableFields(VariableInstanceEntity variable, ObjectNode data) {
// putIfNotNull(data, HistoryJsonConstants.ID, variable.getId());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_INSTANCE_ID, variable.getProcessInstanceId());
// putIfNotNull(data, HistoryJsonConstants.EXECUTION_ID, variable.getExecutionId());
// putIfNotNull(data, HistoryJsonConstants.TASK_ID, variable.getTaskId());
// putIfNotNull(data, HistoryJsonConstants.REVISION, variable.getRevision());
// putIfNotNull(data, HistoryJsonConstants.NAME, variable.getName());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_ID, variable.getScopeId());
// putIfNotNull(data, HistoryJsonConstants.SUB_SCOPE_ID, variable.getSubScopeId());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_TYPE, variable.getScopeType());
//
// putIfNotNull(data, HistoryJsonConstants.VARIABLE_TYPE, variable.getType().getTypeName());
// putIfNotNull(data, HistoryJsonConstants.VARIABLE_TEXT_VALUE, variable.getTextValue());
// putIfNotNull(data, HistoryJsonConstants.VARIABLE_TEXT_VALUE2, variable.getTextValue2());
// putIfNotNull(data, HistoryJsonConstants.VARIABLE_DOUBLE_VALUE, variable.getDoubleValue());
// putIfNotNull(data, HistoryJsonConstants.VARIABLE_LONG_VALUE, variable.getLongValue());
// if (variable.getByteArrayRef() !is null) {
// putIfNotNull(data, HistoryJsonConstants.VARIABLE_BYTES_VALUE, convertToBase64(variable));
// }
//
// if (variable.getExecutionId() !is null) {
// addProcessDefinitionFields(data, variable.getProcessDefinitionId());
// }
// }
//
// protected void addCommonIdentityLinkFields(IdentityLinkEntity identityLink, ObjectNode data) {
// putIfNotNull(data, HistoryJsonConstants.ID, identityLink.getId());
// putIfNotNull(data, HistoryJsonConstants.GROUP_ID, identityLink.getGroupId());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITION_ID, identityLink.getProcessDefinitionId());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_INSTANCE_ID, identityLink.getProcessInstanceId());
// putIfNotNull(data, HistoryJsonConstants.TASK_ID, identityLink.getTaskId());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_DEFINITION_ID, identityLink.getScopeDefinitionId());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_ID, identityLink.getScopeId());
// putIfNotNull(data, HistoryJsonConstants.SUB_SCOPE_ID, identityLink.getSubScopeId());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_TYPE, identityLink.getScopeType());
// putIfNotNull(data, HistoryJsonConstants.IDENTITY_LINK_TYPE, identityLink.getType());
// putIfNotNull(data, HistoryJsonConstants.USER_ID, identityLink.getUserId());
// }
//
// protected void addCommonEntityLinkFields(EntityLinkEntity entityLink, ObjectNode data) {
// putIfNotNull(data, HistoryJsonConstants.ID, entityLink.getId());
// putIfNotNull(data, HistoryJsonConstants.ENTITY_LINK_TYPE, entityLink.getLinkType());
// putIfNotNull(data, HistoryJsonConstants.CREATE_TIME, entityLink.getCreateTime());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_ID, entityLink.getScopeId());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_TYPE, entityLink.getScopeType());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_DEFINITION_ID, entityLink.getScopeDefinitionId());
// putIfNotNull(data, HistoryJsonConstants.REF_SCOPE_ID, entityLink.getReferenceScopeId());
// putIfNotNull(data, HistoryJsonConstants.REF_SCOPE_TYPE, entityLink.getReferenceScopeType());
// putIfNotNull(data, HistoryJsonConstants.REF_SCOPE_DEFINITION_ID, entityLink.getReferenceScopeDefinitionId());
// putIfNotNull(data, HistoryJsonConstants.HIERARCHY_TYPE, entityLink.getHierarchyType());
// }
//
// protected void addCommonActivityInstanceFields(ActivityInstance activityInstance, ObjectNode data) {
// putIfNotNull(data, HistoryJsonConstants.RUNTIME_ACTIVITY_INSTANCE_ID, activityInstance.getId());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITION_ID, activityInstance.getProcessDefinitionId());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_INSTANCE_ID, activityInstance.getProcessInstanceId());
// putIfNotNull(data, HistoryJsonConstants.EXECUTION_ID, activityInstance.getExecutionId());
// putIfNotNull(data, HistoryJsonConstants.ACTIVITY_ID, activityInstance.getActivityId());
//
// putIfNotNull(data, HistoryJsonConstants.ACTIVITY_NAME, activityInstance.getActivityName());
// putIfNotNull(data, HistoryJsonConstants.ACTIVITY_TYPE, activityInstance.getActivityType());
//
// putIfNotNull(data, HistoryJsonConstants.TENANT_ID, activityInstance.getTenantId());
// }
//
// protected void addHistoricTaskLogEntryFields(HistoricTaskLogEntryBuilder taskLogEntryBuilder, ObjectNode data) {
// putIfNotNull(data, HistoryJsonConstants.LOG_ENTRY_DATA, taskLogEntryBuilder.getData());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_INSTANCE_ID, taskLogEntryBuilder.getProcessInstanceId());
// putIfNotNull(data, HistoryJsonConstants.EXECUTION_ID, taskLogEntryBuilder.getExecutionId());
// putIfNotNull(data, HistoryJsonConstants.PROCESS_DEFINITION_ID, taskLogEntryBuilder.getProcessDefinitionId());
// putIfNotNull(data, HistoryJsonConstants.TASK_ID, taskLogEntryBuilder.getTaskId());
// putIfNotNull(data, HistoryJsonConstants.TENANT_ID, taskLogEntryBuilder.getTenantId());
// putIfNotNull(data, HistoryJsonConstants.CREATE_TIME, taskLogEntryBuilder.getTimeStamp());
// putIfNotNull(data, HistoryJsonConstants.USER_ID, taskLogEntryBuilder.getUserId());
// putIfNotNull(data, HistoryJsonConstants.LOG_ENTRY_TYPE, taskLogEntryBuilder.getType());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_ID, taskLogEntryBuilder.getScopeId());
// putIfNotNull(data, HistoryJsonConstants.SUB_SCOPE_ID, taskLogEntryBuilder.getSubScopeId());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_TYPE, taskLogEntryBuilder.getScopeType());
// putIfNotNull(data, HistoryJsonConstants.SCOPE_DEFINITION_ID, taskLogEntryBuilder.getScopeDefinitionId());
// }
//}
|
D
|
/Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/SessionManager.o : /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/MultipartFormData.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Timeline.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Alamofire.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Response.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/TaskDelegate.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/SessionDelegate.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ParameterEncoding.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Validation.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ResponseSerialization.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/SessionManager.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/AFError.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Notifications.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Result.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Request.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ServerTrustPolicy.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/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/SwiftOnoneSupport.swiftmodule /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.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/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/RyanLiao/Desktop/XCodeWorkspace/Flix/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/SessionManager~partial.swiftmodule : /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/MultipartFormData.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Timeline.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Alamofire.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Response.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/TaskDelegate.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/SessionDelegate.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ParameterEncoding.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Validation.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ResponseSerialization.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/SessionManager.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/AFError.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Notifications.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Result.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Request.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ServerTrustPolicy.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/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/SwiftOnoneSupport.swiftmodule /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.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/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/RyanLiao/Desktop/XCodeWorkspace/Flix/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/SessionManager~partial.swiftdoc : /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/MultipartFormData.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Timeline.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Alamofire.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Response.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/TaskDelegate.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/SessionDelegate.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ParameterEncoding.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Validation.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ResponseSerialization.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/SessionManager.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/AFError.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Notifications.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Result.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/Request.swift /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Alamofire/Source/ServerTrustPolicy.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/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/SwiftOnoneSupport.swiftmodule /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/RyanLiao/Desktop/XCodeWorkspace/Flix/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.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/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
|
@property int foo()(){ return 2; }
alias foo bar;
//pragma(msg, foo," ",bar);
struct S{
int foo(){ return 2; }
}
pragma(msg, S.foo()); // error
|
D
|
/Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQLite.build/Row/SQLiteDataConvertible.swift.o : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteData.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteGeneric.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/Deprecated.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBind.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStorage.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCreateTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDataTypeStaticRepresentable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQueryExpressionRepresentable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataConvertible.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataType.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteDatabase.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/DatabaseIdentifier+SQLite.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBoolLiteral.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDefaultLiteral.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteColumn.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCollation.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteConnection.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteFunction.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTableBuilder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataDecoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteRowDecoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataEncoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/SQLiteError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStatement.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDropIndex.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLitePrimaryKey.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQuery.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQLite.build/Row/SQLiteDataConvertible~partial.swiftmodule : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteData.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteGeneric.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/Deprecated.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBind.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStorage.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCreateTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDataTypeStaticRepresentable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQueryExpressionRepresentable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataConvertible.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataType.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteDatabase.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/DatabaseIdentifier+SQLite.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBoolLiteral.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDefaultLiteral.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteColumn.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCollation.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteConnection.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteFunction.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTableBuilder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataDecoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteRowDecoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataEncoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/SQLiteError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStatement.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDropIndex.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLitePrimaryKey.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQuery.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQLite.build/Row/SQLiteDataConvertible~partial.swiftdoc : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteData.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteGeneric.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/Deprecated.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBind.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStorage.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCreateTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDataTypeStaticRepresentable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQueryExpressionRepresentable.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataConvertible.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataType.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteDatabase.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/DatabaseIdentifier+SQLite.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBoolLiteral.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDefaultLiteral.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteColumn.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCollation.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteConnection.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteFunction.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTableBuilder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataDecoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteRowDecoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataEncoder.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/SQLiteError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Utilities/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStatement.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDropIndex.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLitePrimaryKey.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQuery.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
// Written in the D programming language.
/**
* Compress/decompress data using the $(HTTP www._zlib.net, _zlib library).
*
* Examples:
*
* If you have a small buffer you can use $(LREF compress) and
* $(LREF uncompress) directly.
*
* -------
* import std.zlib;
*
* auto src =
* "the quick brown fox jumps over the lazy dog\r
* the quick brown fox jumps over the lazy dog\r";
*
* ubyte[] dst;
* ubyte[] result;
*
* dst = compress(src);
* result = cast(ubyte[])uncompress(dst);
* assert(result == src);
* -------
*
* When the data to be compressed doesn't fit in one buffer, use
* $(LREF Compress) and $(LREF UnCompress).
*
* -------
* import std.zlib;
* import std.stdio;
* import std.conv : to;
* import std.algorithm.iteration : map;
*
* UnCompress decmp = new UnCompress;
* foreach (chunk; stdin.byChunk(4096).map!(x => decmp.uncompress(x)))
* {
* chunk.to!string.write;
* }
* -------
*
* References:
* $(HTTP en.wikipedia.org/wiki/Zlib, Wikipedia)
*
* Copyright: Copyright Digital Mars 2000 - 2011.
* License: $(HTTP www.boost.org/LICENSE_1_0.txt, Boost License 1.0).
* Authors: $(HTTP digitalmars.com, Walter Bright)
* Source: $(PHOBOSSRC std/_zlib.d)
*/
/* Copyright Digital Mars 2000 - 2011.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE_1_0.txt or copy at
* http://www.boost.org/LICENSE_1_0.txt)
*/
module std.zlib;
//debug=zlib; // uncomment to turn on debugging printf's
import etc.c.zlib;
// Values for 'mode'
enum
{
Z_NO_FLUSH = 0,
Z_SYNC_FLUSH = 2,
Z_FULL_FLUSH = 3,
Z_FINISH = 4,
}
/*************************************
* Errors throw a ZlibException.
*/
class ZlibException : Exception
{
this(int errnum)
{ string msg;
switch (errnum)
{
case Z_STREAM_END: msg = "stream end"; break;
case Z_NEED_DICT: msg = "need dict"; break;
case Z_ERRNO: msg = "errno"; break;
case Z_STREAM_ERROR: msg = "stream error"; break;
case Z_DATA_ERROR: msg = "data error"; break;
case Z_MEM_ERROR: msg = "mem error"; break;
case Z_BUF_ERROR: msg = "buf error"; break;
case Z_VERSION_ERROR: msg = "version error"; break;
default: msg = "unknown error"; break;
}
super(msg);
}
}
/**
* $(P Compute the Adler-32 checksum of a buffer's worth of data.)
*
* Params:
* adler = the starting checksum for the computation. Use 1
* for a new checksum. Use the output of this function
* for a cumulative checksum.
* buf = buffer containing input data
*
* Returns:
* A $(D uint) checksum for the provided input data and starting checksum
*
* See_Also:
* $(LINK http://en.wikipedia.org/wiki/Adler-32)
*/
uint adler32(uint adler, const(void)[] buf)
{
import std.range : chunks;
foreach (chunk; (cast(ubyte[])buf).chunks(0xFFFF0000))
{
adler = etc.c.zlib.adler32(adler, chunk.ptr, cast(uint)chunk.length);
}
return adler;
}
///
@system unittest
{
static ubyte[] data = [1,2,3,4,5,6,7,8,9,10];
uint adler = adler32(0u, data);
assert(adler == 0xdc0037);
}
@system unittest
{
static string data = "test";
uint adler = adler32(1, data);
assert(adler == 0x045d01c1);
}
/**
* $(P Compute the CRC32 checksum of a buffer's worth of data.)
*
* Params:
* crc = the starting checksum for the computation. Use 0
* for a new checksum. Use the output of this function
* for a cumulative checksum.
* buf = buffer containing input data
*
* Returns:
* A $(D uint) checksum for the provided input data and starting checksum
*
* See_Also:
* $(LINK http://en.wikipedia.org/wiki/Cyclic_redundancy_check)
*/
uint crc32(uint crc, const(void)[] buf)
{
import std.range : chunks;
foreach (chunk; (cast(ubyte[])buf).chunks(0xFFFF0000))
{
crc = etc.c.zlib.crc32(crc, chunk.ptr, cast(uint)chunk.length);
}
return crc;
}
@system unittest
{
static ubyte[] data = [1,2,3,4,5,6,7,8,9,10];
uint crc;
debug(zlib) printf("D.zlib.crc32.unittest\n");
crc = crc32(0u, cast(void[])data);
debug(zlib) printf("crc = %x\n", crc);
assert(crc == 0x2520577b);
}
/**
* $(P Compress data)
*
* Params:
* srcbuf = buffer containing the data to compress
* level = compression level. Legal values are -1..9, with -1 indicating
* the default level (6), 0 indicating no compression, 1 being the
* least compression and 9 being the most.
*
* Returns:
* the compressed data
*/
ubyte[] compress(const(void)[] srcbuf, int level)
in
{
assert(-1 <= level && level <= 9);
}
body
{
auto destlen = srcbuf.length + ((srcbuf.length + 1023) / 1024) + 12;
auto destbuf = new ubyte[destlen];
auto err = etc.c.zlib.compress2(destbuf.ptr, &destlen, cast(ubyte *)srcbuf.ptr, srcbuf.length, level);
if (err)
{ delete destbuf;
throw new ZlibException(err);
}
destbuf.length = destlen;
return destbuf;
}
/*********************************************
* ditto
*/
ubyte[] compress(const(void)[] srcbuf)
{
return compress(srcbuf, Z_DEFAULT_COMPRESSION);
}
/*********************************************
* Decompresses the data in srcbuf[].
* Params:
* srcbuf = buffer containing the compressed data.
* destlen = size of the uncompressed data.
* It need not be accurate, but the decompression will be faster
* if the exact size is supplied.
* winbits = the base two logarithm of the maximum window size.
* Returns: the decompressed data.
*/
void[] uncompress(const(void)[] srcbuf, size_t destlen = 0u, int winbits = 15)
{
import std.conv : to;
int err;
ubyte[] destbuf;
if (!destlen)
destlen = srcbuf.length * 2 + 1;
etc.c.zlib.z_stream zs;
zs.next_in = cast(typeof(zs.next_in)) srcbuf.ptr;
zs.avail_in = to!uint(srcbuf.length);
err = etc.c.zlib.inflateInit2(&zs, winbits);
if (err)
{
throw new ZlibException(err);
}
size_t olddestlen = 0u;
loop:
while (true)
{
destbuf.length = destlen;
zs.next_out = cast(typeof(zs.next_out)) &destbuf[olddestlen];
zs.avail_out = to!uint(destlen - olddestlen);
olddestlen = destlen;
err = etc.c.zlib.inflate(&zs, Z_NO_FLUSH);
switch (err)
{
case Z_OK:
destlen = destbuf.length * 2;
continue loop;
case Z_STREAM_END:
destbuf.length = zs.total_out;
err = etc.c.zlib.inflateEnd(&zs);
if (err != Z_OK)
throw new ZlibException(err);
return destbuf;
default:
etc.c.zlib.inflateEnd(&zs);
throw new ZlibException(err);
}
}
assert(0);
}
@system unittest
{
auto src =
"the quick brown fox jumps over the lazy dog\r
the quick brown fox jumps over the lazy dog\r
";
ubyte[] dst;
ubyte[] result;
//arrayPrint(src);
dst = compress(src);
//arrayPrint(dst);
result = cast(ubyte[])uncompress(dst);
//arrayPrint(result);
assert(result == src);
}
@system unittest
{
ubyte[] src = new ubyte[1000000];
ubyte[] dst;
ubyte[] result;
src[] = 0x80;
dst = compress(src);
assert(dst.length*2 + 1 < src.length);
result = cast(ubyte[]) uncompress(dst);
assert(result == src);
}
/+
void arrayPrint(ubyte[] array)
{
//printf("array %p,%d\n", cast(void*)array, array.length);
for (size_t i = 0; i < array.length; i++)
{
printf("%02x ", array[i]);
if (((i + 1) & 15) == 0)
printf("\n");
}
printf("\n\n");
}
+/
/// the header format the compressed stream is wrapped in
enum HeaderFormat {
deflate, /// a standard zlib header
gzip, /// a gzip file format header
determineFromData /// used when decompressing. Try to automatically detect the stream format by looking at the data
}
/*********************************************
* Used when the data to be compressed is not all in one buffer.
*/
class Compress
{
import std.conv : to;
private:
z_stream zs;
int level = Z_DEFAULT_COMPRESSION;
int inited;
immutable bool gzip;
void error(int err)
{
if (inited)
{ deflateEnd(&zs);
inited = 0;
}
throw new ZlibException(err);
}
public:
/**
* Constructor.
*
* Params:
* level = compression level. Legal values are 1..9, with 1 being the least
* compression and 9 being the most. The default value is 6.
* header = sets the compression type to one of the options available
* in $(LREF HeaderFormat). Defaults to HeaderFormat.deflate.
*
* See_Also:
* $(LREF compress), $(LREF HeaderFormat)
*/
this(int level, HeaderFormat header = HeaderFormat.deflate)
in
{
assert(1 <= level && level <= 9);
}
body
{
this.level = level;
this.gzip = header == HeaderFormat.gzip;
}
/// ditto
this(HeaderFormat header = HeaderFormat.deflate)
{
this.gzip = header == HeaderFormat.gzip;
}
~this()
{ int err;
if (inited)
{
inited = 0;
deflateEnd(&zs);
}
}
/**
* Compress the data in buf and return the compressed data.
* Params:
* buf = data to compress
*
* Returns:
* the compressed data. The buffers returned from successive calls to this should be concatenated together.
*
*/
const(void)[] compress(const(void)[] buf)
{ int err;
ubyte[] destbuf;
if (buf.length == 0)
return null;
if (!inited)
{
err = deflateInit2(&zs, level, Z_DEFLATED, 15 + (gzip ? 16 : 0), 8, Z_DEFAULT_STRATEGY);
if (err)
error(err);
inited = 1;
}
destbuf = new ubyte[zs.avail_in + buf.length];
zs.next_out = destbuf.ptr;
zs.avail_out = to!uint(destbuf.length);
if (zs.avail_in)
buf = zs.next_in[0 .. zs.avail_in] ~ cast(ubyte[]) buf;
zs.next_in = cast(typeof(zs.next_in)) buf.ptr;
zs.avail_in = to!uint(buf.length);
err = deflate(&zs, Z_NO_FLUSH);
if (err != Z_STREAM_END && err != Z_OK)
{ delete destbuf;
error(err);
}
destbuf.length = destbuf.length - zs.avail_out;
return destbuf;
}
/***
* Compress and return any remaining data.
* The returned data should be appended to that returned by compress().
* Params:
* mode = one of the following:
* $(DL
$(DT Z_SYNC_FLUSH )
$(DD Syncs up flushing to the next byte boundary.
Used when more data is to be compressed later on.)
$(DT Z_FULL_FLUSH )
$(DD Syncs up flushing to the next byte boundary.
Used when more data is to be compressed later on,
and the decompressor needs to be restartable at this
point.)
$(DT Z_FINISH)
$(DD (default) Used when finished compressing the data. )
)
*/
void[] flush(int mode = Z_FINISH)
in
{
assert(mode == Z_FINISH || mode == Z_SYNC_FLUSH || mode == Z_FULL_FLUSH);
}
body
{
ubyte[] destbuf;
ubyte[512] tmpbuf = void;
int err;
if (!inited)
return null;
/* may be zs.avail_out+<some constant>
* zs.avail_out is set nonzero by deflate in previous compress()
*/
//tmpbuf = new void[zs.avail_out];
zs.next_out = tmpbuf.ptr;
zs.avail_out = tmpbuf.length;
while ( (err = deflate(&zs, mode)) != Z_STREAM_END)
{
if (err == Z_OK)
{
if (zs.avail_out != 0 && mode != Z_FINISH)
break;
else if (zs.avail_out == 0)
{
destbuf ~= tmpbuf;
zs.next_out = tmpbuf.ptr;
zs.avail_out = tmpbuf.length;
continue;
}
err = Z_BUF_ERROR;
}
delete destbuf;
error(err);
}
destbuf ~= tmpbuf[0 .. (tmpbuf.length - zs.avail_out)];
if (mode == Z_FINISH)
{
err = deflateEnd(&zs);
inited = 0;
if (err)
error(err);
}
return destbuf;
}
}
/******
* Used when the data to be decompressed is not all in one buffer.
*/
class UnCompress
{
import std.conv : to;
private:
z_stream zs;
int inited;
int done;
size_t destbufsize;
HeaderFormat format;
void error(int err)
{
if (inited)
{ inflateEnd(&zs);
inited = 0;
}
throw new ZlibException(err);
}
public:
/**
* Construct. destbufsize is the same as for D.zlib.uncompress().
*/
this(uint destbufsize)
{
this.destbufsize = destbufsize;
}
/** ditto */
this(HeaderFormat format = HeaderFormat.determineFromData)
{
this.format = format;
}
~this()
{ int err;
if (inited)
{
inited = 0;
inflateEnd(&zs);
}
done = 1;
}
/**
* Decompress the data in buf and return the decompressed data.
* The buffers returned from successive calls to this should be concatenated
* together.
*/
const(void)[] uncompress(const(void)[] buf)
in
{
assert(!done);
}
body
{ int err;
ubyte[] destbuf;
if (buf.length == 0)
return null;
if (!inited)
{
int windowBits = 15;
if (format == HeaderFormat.gzip)
windowBits += 16;
else if (format == HeaderFormat.determineFromData)
windowBits += 32;
err = inflateInit2(&zs, windowBits);
if (err)
error(err);
inited = 1;
}
if (!destbufsize)
destbufsize = to!uint(buf.length) * 2;
destbuf = new ubyte[zs.avail_in * 2 + destbufsize];
zs.next_out = destbuf.ptr;
zs.avail_out = to!uint(destbuf.length);
if (zs.avail_in)
buf = zs.next_in[0 .. zs.avail_in] ~ cast(ubyte[]) buf;
zs.next_in = cast(ubyte*) buf.ptr;
zs.avail_in = to!uint(buf.length);
err = inflate(&zs, Z_NO_FLUSH);
if (err != Z_STREAM_END && err != Z_OK)
{ delete destbuf;
error(err);
}
destbuf.length = destbuf.length - zs.avail_out;
return destbuf;
}
/**
* Decompress and return any remaining data.
* The returned data should be appended to that returned by uncompress().
* The UnCompress object cannot be used further.
*/
void[] flush()
in
{
assert(!done);
}
out
{
assert(done);
}
body
{
ubyte[] extra;
ubyte[] destbuf;
int err;
done = 1;
if (!inited)
return null;
L1:
destbuf = new ubyte[zs.avail_in * 2 + 100];
zs.next_out = destbuf.ptr;
zs.avail_out = to!uint(destbuf.length);
err = etc.c.zlib.inflate(&zs, Z_NO_FLUSH);
if (err == Z_OK && zs.avail_out == 0)
{
extra ~= destbuf;
goto L1;
}
if (err != Z_STREAM_END)
{
delete destbuf;
if (err == Z_OK)
err = Z_BUF_ERROR;
error(err);
}
destbuf = destbuf.ptr[0 .. zs.next_out - destbuf.ptr];
err = etc.c.zlib.inflateEnd(&zs);
inited = 0;
if (err)
error(err);
if (extra.length)
destbuf = extra ~ destbuf;
return destbuf;
}
}
/* ========================== unittest ========================= */
private import std.stdio;
private import std.random;
@system unittest // by Dave
{
debug(zlib) writeln("std.zlib.unittest");
bool CompressThenUncompress (void[] src)
{
ubyte[] dst = std.zlib.compress(src);
double ratio = (dst.length / cast(double)src.length);
debug(zlib) writef("src.length: %1$d, dst: %2$d, Ratio = %3$f", src.length, dst.length, ratio);
ubyte[] uncompressedBuf;
uncompressedBuf = cast(ubyte[]) std.zlib.uncompress(dst);
assert(src.length == uncompressedBuf.length);
assert(src == uncompressedBuf);
return true;
}
// smallish buffers
for (int idx = 0; idx < 25; idx++)
{
char[] buf = new char[uniform(0, 100)];
// Alternate between more & less compressible
foreach (ref char c; buf)
c = cast(char) (' ' + (uniform(0, idx % 2 ? 91 : 2)));
if (CompressThenUncompress(buf))
{
debug(zlib) writeln("; Success.");
}
else
{
return;
}
}
// larger buffers
for (int idx = 0; idx < 25; idx++)
{
char[] buf = new char[uniform(0, 1000/*0000*/)];
// Alternate between more & less compressible
foreach (ref char c; buf)
c = cast(char) (' ' + (uniform(0, idx % 2 ? 91 : 10)));
if (CompressThenUncompress(buf))
{
debug(zlib) writefln("; Success.");
}
else
{
return;
}
}
debug(zlib) writefln("PASSED std.zlib.unittest");
}
@system unittest // by Artem Rebrov
{
Compress cmp = new Compress;
UnCompress decmp = new UnCompress;
const(void)[] input;
input = "tesatdffadf";
const(void)[] buf = cmp.compress(input);
buf ~= cmp.flush();
const(void)[] output = decmp.uncompress(buf);
//writefln("input = '%s'", cast(char[])input);
//writefln("output = '%s'", cast(char[])output);
assert( output[] == input[] );
}
@system unittest
{
static assert(__traits(compiles, etc.c.zlib.gzclose(null))); // bugzilla 15457
}
|
D
|
void main() { runSolver(); }
void problem() {
auto N = scan!int;
auto A = scan!int;
auto B = scan!int;
auto C = scan!int;
auto D = scan!int;
auto solve() {
const minBC = max(0, max(B, C) - 1);
B -= minBC;
C -= minBC;
[A, B, C, D].deb;
if (min(B, C) < 0) return YESNO[false];
if (max(B, C) == 0) {
return YESNO[min(A, D) == 0];
} else {
return YESNO[max(B, C) <= 1];
}
}
outputForAtCoder(&solve);
}
// ----------------------------------------------
import std;
T[][] combinations(T)(T[] s, in long m) { if (!m) return [[]]; if (s.empty) return []; return s[1 .. $].combinations(m - 1).map!(x => s[0] ~ x).array ~ s[1 .. $].combinations(m); }
string scan(){ static string[] ss; while(!ss.length) ss = readln.chomp.split; string res = ss[0]; ss.popFront; return res; }
T scan(T)(){ return scan.to!T; }
T[] scan(T)(long n){ return n.iota.map!(i => scan!T()).array; }
void deb(T ...)(T t){ debug writeln(t); }
long[] divisors(long n) { long[] ret; for (long i = 1; i * i <= n; i++) { if (n % i == 0) { ret ~= i; if (i * i != n) ret ~= n / i; } } return ret.sort.array; }
bool chmin(T)(ref T a, T b) { if (b < a) { a = b; return true; } else return false; }
bool chmax(T)(ref T a, T b) { if (b > a) { a = b; return true; } else return false; }
string charSort(alias S = "a < b")(string s) { return (cast(char[])((cast(byte[])s).sort!S.array)).to!string; }
ulong comb(ulong a, ulong b) { if (b == 0) {return 1;}else{return comb(a - 1, b - 1) * a / b;}}
string toAnswerString(R)(R r) { return r.map!"a.to!string".joiner(" ").array.to!string; }
struct ModInt(uint MD) if (MD < int.max) {ulong v;this(string v) {this(v.to!long);}this(int v) {this(long(v));}this(long v) {this.v = (v%MD+MD)%MD;}void opAssign(long t) {v = (t%MD+MD)%MD;}static auto normS(ulong x) {return (x<MD)?x:x-MD;}static auto make(ulong x) {ModInt m; m.v = x; return m;}auto opBinary(string op:"+")(ModInt r) const {return make(normS(v+r.v));}auto opBinary(string op:"-")(ModInt r) const {return make(normS(v+MD-r.v));}auto opBinary(string op:"*")(ModInt r) const {return make((ulong(v)*r.v%MD).to!ulong);}auto opBinary(string op:"^^", T)(T r) const {long x=v;long y=1;while(r){if(r%2==1)y=(y*x)%MD;x=x^^2%MD;r/=2;} return make(y);}auto opBinary(string op:"/")(ModInt r) const {return this*memoize!inv(r);}static ModInt inv(ModInt x) {return x^^(MD-2);}string toString() const {return v.to!string;}auto opOpAssign(string op)(ModInt r) {return mixin ("this=this"~op~"r");}}
alias MInt1 = ModInt!(10^^9 + 7);
alias MInt9 = ModInt!(998_244_353);
void outputForAtCoder(T)(T delegate() fn) {
static if (is(T == float) || is(T == double) || is(T == real)) "%.16f".writefln(fn());
else static if (is(T == void)) fn();
else static if (is(T == string)) fn().writeln;
else static if (isInputRange!T) {
static if (!is(string == ElementType!T) && isInputRange!(ElementType!T)) foreach(r; fn()) r.toAnswerString.writeln;
else foreach(r; fn()) r.writeln;
}
else fn().writeln;
}
void runSolver() {
static import std.datetime.stopwatch;
enum BORDER = "==================================";
debug { BORDER.writeln; while(!stdin.eof) { "<<< Process time: %s >>>".writefln(std.datetime.stopwatch.benchmark!problem(1)); BORDER.writeln; } }
else problem();
}
enum YESNO = [true: "Yes", false: "No"];
// -----------------------------------------------
|
D
|
module maths.camera.camera2d;
/**
* Assumes you are using OpenGL.
* Call vulkanMode() if you want to use Vulkan.
* It has inverted Y axis and the clip space is 1/2*Z.
*
* https://matthewwellings.com/blog/the-new-vulkan-coordinate-system/
*/
import maths.all;
final class Camera2D {
private:
enum Mode { GL, VULKAN }
Mode mode = Mode.GL;
Vector2 _position;
Vector2 up = Vector2(0,1);
float rotationDegrees = 0;
float _zoomFactor = 1;
Dimension _windowSize;
Matrix4 view = Matrix4.identity;
Matrix4 proj = Matrix4.identity;
Matrix4 viewProj = Matrix4.identity;
mat4 invViewProj = mat4.identity;
bool recalculateView = true;
bool recalculateProj = true;
bool recalculateViewProj = true;
bool recalculateInvViewProj = true;
public:
float zoomFactor() { return 1/_zoomFactor; }
Vector2 position() { return _position; }
Dimension windowSize() { return _windowSize; }
override string toString() {
return "[Camera pos:%s up:%s"
.format(_position.toString(2), up.toString(2));
}
this(Dimension windowSize) {
this._windowSize = windowSize;
this._position = Vector2(_windowSize.width/2, _windowSize.height/2);
}
static Camera2D forGL(T)(Vec2!T windowSize) {
auto c = new Camera2D(windowSize.to!float);
c.mode = Mode.GL;
return c;
}
static Camera2D forVulkan(T)(Vec2!T windowSize) {
auto c = new Camera2D(windowSize.to!float);
c.mode = Mode.VULKAN;
return c;
}
auto moveTo(float x, float y) {
return moveTo(vec2(x,y));
}
auto moveTo(vec2 pos) {
_position = pos;
recalculateView = true;
return this;
}
auto moveBy(float x, float y) {
return moveTo(_position.x+x, _position.y+y);
}
auto moveBy(vec2 pos) {
return moveTo(_position+pos);
}
auto zoomOut(float z) {
this._zoomFactor += z;
recalculateProj = true;
return this;
}
auto zoomIn(float z) {
if(_zoomFactor==0.01) return this;
_zoomFactor -= z;
if(_zoomFactor < 0.01) {
_zoomFactor = 0.01;
}
recalculateProj = true;
return this;
}
/// 0.5 = zoomed out (50%), 1 = (100%) no zoom, 2 = (200%) zoomed in
auto setZoom(float z) {
this._zoomFactor = 1/z;
recalculateProj = true;
return this;
}
auto rotateTo(float degrees) {
this.rotationDegrees = degrees;
Vector4 tempUp = Vector4(0, 1, 0, 0);
auto rotateZ = Matrix4.rotateZ(rotationDegrees.radians);
auto rotatedUp = rotateZ * tempUp;
this.up = rotatedUp.xy;
recalculateView = true;
return this;
}
auto rotateBy(float degrees) {
return rotateTo(rotationDegrees + degrees);
}
void screenResized(Dimension dim) {
// todo - _position needs to be adjusted
recalculateProj = true;
this._windowSize = dim;
}
ref Matrix4 P() {
if(recalculateProj) {
float width = _windowSize.width*_zoomFactor;
float height = _windowSize.height*_zoomFactor;
if(mode == Mode.VULKAN)
proj = vkOrtho(
-width/2, width/2,
-height/2, height/2,
0f, 100f
);
else
proj = Matrix4.ortho(
-width/2, width/2,
height/2, -height/2,
0f, 100f
);
recalculateProj = false;
recalculateViewProj = true;
recalculateInvViewProj = true;
}
return proj;
}
ref Matrix4 V() {
if(recalculateView) {
view = Matrix4.lookAt(
Vector3(_position,1), // camera _position in World Space
Vector3(_position,0), // look at the _position
Vector3(up,0) // head is up
);
recalculateView = false;
recalculateViewProj = true;
recalculateInvViewProj = true;
}
return view;
}
ref Matrix4 VP() {
if(recalculateView || recalculateProj || recalculateViewProj) {
V();
P();
viewProj = proj * view;
recalculateViewProj = false;
recalculateInvViewProj = true;
}
return viewProj;
}
ref mat4 invVP() {
if(recalculateInvViewProj) {
invViewProj = VP().inversed();
recalculateInvViewProj = false;
}
return invViewProj;
}
/**
* Convert from screen coords eg. a mouse position to world coords.
*/
float2 screenToWorld(float2 screenPos) {
float invScreenY = (_windowSize.height - screenPos.y);
return Vector3.unProject(
Vector3(screenPos, 0),
invVP(),
Rect(Point(0f,0f), _windowSize.to!float)
).xy();
}
}
|
D
|
module bench_;
import std.stdio;
import vcpu.core, os.term, vdos.os, vdos.video;
import std.datetime.stopwatch : StopWatch;
import core.time, std.conv;
private enum RUNS = 60;
unittest {
con_init;
CPU.cpuinit;
vdos_init;
Clear;
StopWatch sw;
Duration r_once, r_multiple;
VIDEO[0].ascii = 'H';
VIDEO[1].ascii = 'e';
VIDEO[2].ascii = 'l';
VIDEO[3].ascii = 'l';
VIDEO[4].ascii = 'o';
VIDEO[5].ascii = '!';
VIDEO[77].ascii = 'H';
VIDEO[78].ascii = 'e';
VIDEO[79].ascii = 'l';
VIDEO[80].ascii = 'l';
VIDEO[81].ascii = 'o';
VIDEO[82].ascii = '!';
VIDEO[160].ascii = 0xda;
VIDEO[160].attribute = 0x2E;
VIDEO[161].ascii = 0xc4;
VIDEO[161].attribute = 0x2E;
VIDEO[162].ascii = 0xc4;
VIDEO[162].attribute = 0x2E;
VIDEO[163].ascii = 0xbf;
VIDEO[163].attribute = 0x1A;
VIDEO[241].ascii = 219;
VIDEO[241].attribute = 0x1A;
VIDEO[242].ascii = 151;
VIDEO[242].attribute = 0x1A;
screen_draw; // "in case" warm up
sw.start;
screen_draw;
sw.stop;
r_once = sw.peek;
sw.reset; // won't pause
for (size_t i; i < RUNS; ++i) screen_draw;
sw.stop;
r_multiple = sw.peek;
SetPos(0, 26);
writefln("one draw: %s\n%u draws: %s", r_once, RUNS, r_multiple);
}
|
D
|
E: c27, c191, c309, c148, c196, c366, c292, c301, c56, c367, c298, c233, c480, c420, c262, c155, c311, c19, c349, c98, c7, c404, c356, c145, c37, c389, c218, c151, c413, c94, c303, c390, c286, c453, c8, c40, c17, c341, c407, c455, c362, c81, c99, c242, c164, c234, c121, c108, c279, c320, c275, c67, c265, c241, c308, c340, c70, c317, c161, c258, c386, c372, c181, c332, c355, c46, c442, c460, c225, c102, c62, c172, c272, c207, c329, c224, c461, c217, c282, c127, c434, c184, c297, c157, c306, c20, c9, c213, c114, c133, c18, c51, c226, c243, c322, c416, c260, c96, c153, c222, c220, c359, c409, c15, c467, c95, c90, c257, c169, c33, c194, c109, c388, c418, c446, c352, c209, c375, c110, c323, c291, c343, c250, c458, c198, c201, c47, c316, c3, c38, c304, c130, c368, c476, c39, c65, c122, c68, c159, c319, c117, c82, c478, c58, c212, c313, c21, c281, c228, c335, c227, c422, c77, c192, c248, c377, c468, c152, c150, c168, c373, c208, c295, c5, c396, c305, c162, c264, c53, c344, c166, c146, c156, c379, c210, c294, c438, c13, c307, c246, c397, c445, c129, c202, c410, c475, c48, c276, c427, c120, c75, c288, c105, c425, c284, c132, c30, c178, c466, c244, c482, c412, c358, c107, c351, c346, c140, c289, c116, c338, c221, c136, c256, c302, c430, c370, c118, c223, c229, c408, c315, c49, c163, c251, c293, c195, c215, c365, c429, c203, c165, c267, c160, c395, c436, c417, c439, c80, c44, c43, c314, c348, c180, c125, c137, c400, c142, c128, c385, c441, c78, c253, c259, c381, c0.
p9(E,E)
c27,c191
c292,c301
c262,c155
c356,c145
c303,c390
c309,c286
c453,c8
c70,c196
c102,c332
c224,c461
c157,c306
c322,c234
c434,c96
c122,c68
c388,c291
c226,c340
c468,c152
c213,c396
c110,c159
c46,c366
c422,c208
c225,c218
c159,c284
c132,c30
c313,c466
c320,c153
c372,c346
c410,c475
c164,c418
c155,c95
c294,c455
c210,c302
c256,c153
c430,c27
c343,c375
c275,c201
c265,c291
c157,c81
c295,c315
c258,c75
c163,c425
c482,c368
c202,c81
c453,c155
c169,c379
c178,c311
c389,c43
c196,c39
c49,c267
c162,c460
c234,c397
c62,c251
c407,c335
c153,c286
c460,c120
c213,c244
c438,c142
c209,c202
c215,c439
c140,c441
c56,c78
c228,c365
c121,c114
.
p7(E,E)
c309,c148
c298,c233
c349,c98
c37,c389
c218,c151
c413,c94
c191,c242
c308,c340
c367,c390
c372,c181
c460,c225
c272,c207
c386,c341
c329,c217
c17,c40
c282,c127
c184,c297
c20,c9
c213,c114
c133,c18
c108,c51
c359,c409
c95,c90
c460,c33
c133,c446
c272,c352
c220,c291
c297,c250
c458,c198
c372,c316
c82,c478
c130,c304
c367,c21
c413,c77
c241,c192
c362,c109
c212,c109
c20,c248
c67,c377
c227,c150
c191,c313
c217,c62
c184,c5
c257,c305
c208,c233
c264,c53
c3,c344
c212,c386
c3,c307
c246,c397
c404,c335
c130,c445
c151,c460
c19,c202
c467,c15
c241,c48
c276,c427
c329,c373
c224,c301
c309,c209
c319,c367
c262,c5
c151,c105
c341,c117
c161,c317
c114,c207
c258,c260
c264,c412
c366,c351
c99,c105
c172,c62
c319,c102
c308,c289
c224,c322
c281,c221
c212,c248
c37,c297
c349,c77
c281,c98
c208,c136
c19,c13
c420,c98
c114,c340
c40,c370
c47,c367
c218,c229
c442,c408
c355,c294
c442,c286
c161,c482
c146,c166
c282,c293
c108,c121
c276,c195
c212,c429
c467,c203
c194,c165
c291,c425
c373,c168
c95,c395
c262,c436
c17,c417
c323,c19
c82,c44
c291,c460
c257,c314
c217,c422
c404,c7
c99,c212
c386,c276
c213,c416
c359,c8
c40,c160
c107,c180
c146,c209
c362,c125
c243,c99
c129,c137
c118,c400
c116,c366
c172,c128
c366,c58
c298,c385
c109,c348
c194,c253
c234,c202
c47,c251
c373,c259
c109,c127
c67,c118
c234,c7
c243,c226
c341,c467
c107,c381
c258,c0
.
p1(E,E)
c196,c366
c311,c19
c455,c362
c81,c99
c332,c355
c153,c194
c418,c234
c375,c282
c306,c323
c201,c67
c368,c476
c39,c65
c159,c217
c335,c341
c234,c386
c191,c47
c145,c156
c379,c257
c81,c319
c301,c191
c475,c349
c120,c246
c366,c442
c152,c298
c75,c40
c425,c94
c244,c272
c27,c107
c346,c133
c96,c218
c218,c329
c291,c264
c340,c243
c284,c308
c286,c309
c397,c151
c460,c184
c30,c276
c68,c212
c251,c372
c202,c404
c208,c227
c466,c291
c365,c281
c267,c20
c390,c108
c315,c208
c439,c460
c461,c212
c153,c279
c8,c82
c43,c114
c155,c467
c286,c258
c114,c359
c302,c161
c396,c213
c95,c458
c142,c146
c78,c367
c155,c37
c291,c241
c441,c172
.
p10(E,E)
c56,c367
c480,c420
c164,c234
c275,c67
c265,c241
c258,c40
c46,c442
c434,c218
c70,c366
c157,c99
c226,c243
c407,c341
c153,c309
c222,c220
c225,c329
c343,c282
c27,c47
c262,c467
c122,c212
c313,c291
c422,c227
c228,c281
c388,c241
c389,c114
c169,c257
c294,c362
c453,c467
c209,c404
c202,c319
c320,c194
c62,c372
c178,c19
c292,c191
c262,c37
c234,c151
c102,c355
c213,c213
c309,c309
c303,c108
c162,c184
c388,c264
c372,c133
c410,c349
c309,c258
c438,c146
c210,c161
c81,c129
c468,c298
c155,c458
c322,c386
c18,c116
c157,c323
c121,c359
c38,c3
c202,c99
c358,c109
c288,c130
c460,c246
c256,c194
c80,c297
c295,c208
c215,c460
c213,c272
c49,c20
c338,c262
c224,c212
c153,c258
c223,c118
c159,c308
c110,c217
c265,c264
c157,c319
c453,c37
c453,c82
c430,c107
c140,c172
c132,c276
.
p5(E,E)
c7,c404
c40,c17
c121,c108
c233,c298
c317,c161
c341,c386
c62,c172
c242,c191
c416,c213
c226,c243
c260,c258
c389,c37
c15,c467
c62,c217
c109,c362
c322,c224
c304,c130
c102,c319
c117,c341
c127,c282
c58,c366
c248,c20
c168,c373
c286,c442
c166,c146
c340,c308
c13,c19
c209,c309
c478,c82
c352,c272
c77,c413
c48,c241
c202,c234
c446,c133
c109,c212
c212,c99
c105,c151
c233,c208
c5,c184
c386,c212
c21,c367
c5,c262
c33,c460
c367,c47
c118,c67
c160,c40
c98,c349
c316,c372
c90,c95
c348,c109
c340,c114
c344,c3
c460,c291
c427,c276
c221,c281
c305,c257
c229,c218
c373,c329
c409,c359
c165,c194
c53,c264
c180,c107
.
p0(E,E)
c341,c407
c279,c320
c191,c292
c329,c225
c442,c46
c257,c169
c258,c309
c241,c388
c404,c209
c217,c110
c367,c56
c323,c157
c3,c38
c243,c226
c37,c453
c281,c228
c227,c422
c220,c222
c67,c275
c47,c27
c208,c295
c184,c162
c161,c210
c146,c438
c319,c157
c82,c453
c282,c343
c241,c265
c65,c196
c129,c81
c349,c410
c212,c122
c372,c62
c114,c389
c130,c288
c234,c164
c108,c303
c467,c262
c272,c213
c476,c482
c133,c372
c291,c313
c109,c358
c258,c153
c386,c322
c172,c140
c309,c153
c362,c294
c212,c224
c116,c18
c467,c453
c262,c338
c264,c265
c194,c256
c276,c132
c107,c430
c40,c258
c194,c320
c458,c155
c118,c223
c279,c256
c20,c49
c355,c102
c99,c157
c19,c178
c151,c234
c460,c215
c218,c434
c94,c163
c298,c468
c99,c202
c213,c213
c297,c80
c366,c70
c308,c159
c319,c202
c420,c480
c264,c388
c359,c121
c156,c356
c309,c309
c246,c460
c37,c262
.
|
D
|
// PERMUTE_ARGS:
/*
TEST_OUTPUT:
---
compilable/test70.d(14): Deprecation: implicit overload merging with selective/renamed import is now removed.
---
*/
import imports.test70 : foo;
void foo(int) {}
// selective import does not create local alias implicitly
void bar()
{
foo();
foo(1);
}
|
D
|
instance PAL_270_Ritter (Npc_Default)
{
// ------ NSC ------
name = NAME_RITTER;
guild = GIL_PAL;
id = 270;
voice = 6;
flags = 0; //NPC_FLAG_IMMORTAL oder 0
npctype = NPCTYPE_OCMAIN;
// ------ Attribute ------
B_SetAttributesToChapter (self, 4); //setzt Attribute und LEVEL entsprechend dem angegebenen Kapitel (1-6)
// ------ Kampf-Taktik ------
fight_tactic = FAI_HUMAN_STRONG; // MASTER / STRONG / COWARD
// ------ Equippte Waffen ------ //Munition wird automatisch generiert, darf aber angegeben werden
EquipItem (self, ItMw_2h_Pal_Sword);
// ------ Inventory ------
B_CreateAmbientInv (self);
// ------ visuals ------ //Muss NACH Attributen kommen, weil in B_SetNpcVisual die Breite abh. v. STR skaliert wird
B_SetNpcVisual (self, MALE, "Hum_Head_Fighter", Face_L_ToughBart_Quentin, BodyTex_L, ITAR_PAL_M);
Mdl_SetModelFatness (self, 0);
Mdl_ApplyOverlayMds (self, "Humans_Militia.mds"); // Tired / Militia / Mage / Arrogance / Relaxed
// ------ NSC-relevante Talente vergeben ------
B_GiveNpcTalents (self);
// ------ Kampf-Talente ------ //Der enthaltene B_AddFightSkill setzt Talent-Ani abhängig von TrefferChance% - alle Kampftalente werden gleichhoch gesetzt
B_SetFightSkills (self, 65); //Grenzen für Talent-Level liegen bei 30 und 60
// ------ TA anmelden ------
daily_routine = Rtn_Start_270;
};
FUNC VOID Rtn_Start_270 ()
{
TA_Stand_Guarding (08,00,23,00,"OC_EBR_STAND_THRONE_02");
TA_Stand_Guarding (23,00,08,00,"OC_EBR_BASE_TO_FLOOR");
};
|
D
|
module prova.attachables.colliders.collider2d;
import prova;
package(prova) enum Shape { POINT, RECTANGLE, CIRCLE }
///
abstract class Collider2D
{
///
Vector2 offset;
package(prova) LinkedList!(Collider2D) collisions;
package(prova) LinkedList!(Collider2D) previousCollisions;
package(prova) SpacialMap2D spacialMap;
private LinkedList!(int) tags;
private Entity _entity;
private Shape _shape;
///
package this(Shape shape)
{
_shape = shape;
collisions = new LinkedList!(Collider2D);
tags = new LinkedList!(int);
}
///
@property Entity entity()
{
return _entity;
}
///
package(prova) @property void entity(Entity entity)
{
_entity = entity;
}
///
@property bool collisionOccured()
{
return collisions.length > 0;
}
///
Vector2 getSize();
///
bool intersects(RectCollider collider);
///
bool intersects(CircleCollider collider);
///
bool intersects(PointCollider collider);
///
Vector2 resolve(RectCollider collider);
///
Vector2 resolve(CircleCollider collider);
///
Vector2 resolve(PointCollider collider);
///
Vector2 getPosition()
{
Vector3 position = _entity.getWorldPosition();
return Vector2(position.x, position.y) + offset;
}
///
Rect getBounds()
{
Vector2 size = getSize();
Vector2 position = getPosition();
return Rect(
position.x - size.x / 2,
position.y + size.y / 2,
size.x,
size.y
);
}
///
void addTag(int tag)
{
tags.insertBack(tag);
}
///
void removeTag(int tag)
{
tags.remove(tag);
}
///
bool hasTag(int tag)
{
return tags.contains(tag);
}
///
bool intersects(Collider2D collider)
{
final switch(collider._shape)
{
case Shape.POINT:
return intersects(cast(PointCollider) collider);
case Shape.CIRCLE:
return intersects(cast(CircleCollider) collider);
case Shape.RECTANGLE:
return intersects(cast(RectCollider) collider);
}
}
/// Returns a vector that can be used to move the entity out of the collider
Vector2 resolve(Collider2D collider)
{
final switch(collider._shape)
{
case Shape.POINT:
return resolve(cast(PointCollider) collider);
case Shape.CIRCLE:
return resolve(cast(CircleCollider) collider);
case Shape.RECTANGLE:
return resolve(cast(RectCollider) collider);
}
}
/// Should be called when a collider is resized
protected void updateSize()
{
if(spacialMap) {
spacialMap.updateBucketSize(this);
}
}
}
|
D
|
/home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Vapor.build/Multipart/Request+FormData.swift.o : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Message+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Response+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Body+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+FormData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/FormData+Polymorphic.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Command.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Log+Convenience.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Resource.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/HTTP+Node.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/AcceptLanguage.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cache/Config+Cache.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Configurable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSONRepresentable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/StringInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/RequestInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Vapor+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/MediaType.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Config+Middleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Date/DateMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/File+Response.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Resolve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Serve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/DumpConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Config+ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoEncoding.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Chaining.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Droplet+Routing.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Config+Log.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RoutesLog.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Config+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogLevel.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Config+Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/ProviderInstall.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/HashProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CipherProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Int+Random.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Version.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSConfiguration.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RouteCollection.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Subscription.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Run.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mailgun.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Config+Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Responder.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileManager.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/ConsoleLogger.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/Config+Cipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoCipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/CryptoHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/BCryptHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/StaticViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/EngineServer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/SecurityLayer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/AbortError.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider+Resources.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Directories.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Bytes.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/InitProtocols.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Sessions/Config+Sessions.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Responder+Helpers.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/WebSockets/WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Exports.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/EngineClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/FoundationClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Response+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Request+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Event.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/Accept.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+Multipart.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/Abort.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer+Request.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/Config+View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorView.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/JSON.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/SMTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/FormData.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Node.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cache.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/PathIndexable.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Console.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Routing.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Branches.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cookies.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Configs.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sessions.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/BCrypt.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Multipart.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap
/home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Vapor.build/Request+FormData~partial.swiftmodule : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Message+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Response+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Body+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+FormData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/FormData+Polymorphic.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Command.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Log+Convenience.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Resource.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/HTTP+Node.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/AcceptLanguage.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cache/Config+Cache.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Configurable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSONRepresentable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/StringInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/RequestInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Vapor+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/MediaType.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Config+Middleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Date/DateMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/File+Response.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Resolve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Serve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/DumpConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Config+ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoEncoding.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Chaining.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Droplet+Routing.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Config+Log.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RoutesLog.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Config+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogLevel.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Config+Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/ProviderInstall.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/HashProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CipherProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Int+Random.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Version.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSConfiguration.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RouteCollection.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Subscription.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Run.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mailgun.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Config+Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Responder.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileManager.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/ConsoleLogger.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/Config+Cipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoCipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/CryptoHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/BCryptHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/StaticViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/EngineServer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/SecurityLayer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/AbortError.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider+Resources.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Directories.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Bytes.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/InitProtocols.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Sessions/Config+Sessions.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Responder+Helpers.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/WebSockets/WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Exports.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/EngineClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/FoundationClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Response+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Request+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Event.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/Accept.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+Multipart.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/Abort.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer+Request.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/Config+View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorView.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/JSON.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/SMTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/FormData.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Node.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cache.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/PathIndexable.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Console.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Routing.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Branches.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cookies.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Configs.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sessions.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/BCrypt.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Multipart.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap
/home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Vapor.build/Request+FormData~partial.swiftdoc : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Message+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Response+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Body+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+FormData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/FormData+Polymorphic.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Command.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Log+Convenience.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Resource.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/HTTP+Node.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/AcceptLanguage.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cache/Config+Cache.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Configurable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSONRepresentable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/StringInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/RequestInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Vapor+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/MediaType.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Config+Middleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Date/DateMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/File+Response.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Resolve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Serve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/DumpConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Config+ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoEncoding.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Chaining.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Droplet+Routing.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Config+Log.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RoutesLog.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Config+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogLevel.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Config+Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/ProviderInstall.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/HashProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CipherProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Int+Random.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Version.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSConfiguration.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RouteCollection.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Subscription.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Run.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mailgun.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Config+Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Responder.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileManager.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/ConsoleLogger.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/Config+Cipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoCipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/CryptoHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/BCryptHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/StaticViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/EngineServer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/SecurityLayer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/AbortError.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider+Resources.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Directories.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Bytes.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/InitProtocols.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Sessions/Config+Sessions.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Responder+Helpers.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/WebSockets/WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Exports.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/EngineClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/FoundationClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Response+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Request+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Event.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/Accept.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+Multipart.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/Abort.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer+Request.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/Config+View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorView.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/JSON.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/SMTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/FormData.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Node.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cache.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/PathIndexable.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Console.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Routing.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Branches.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cookies.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Configs.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sessions.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/BCrypt.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Multipart.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap
|
D
|
func int Spell_Logic_Charm(var int manaInvested)
{
PrintDebugNpc(PD_MAGIC,"Spell_Logic_Charm");
if(manaInvested >= SPL_SENDCAST_CHARM)
{
Npc_SendSinglePerc(self,other,PERC_ASSESSMAGIC);
return SPL_SENDCAST;
};
return SPL_RECEIVEINVEST;
};
|
D
|
module sys.win32.SpecialPath;
enum ПОсобыйПуть
{
РабСтол = 0,
Интернет,
Программы,
Контролы,
Принтеры,
Личное,
Избраное,
Пуск,
Недавнее,
Почта,
Битбакет,
МенюПуск, // = 11
ПапкаРабСтола = 16,
Диски,
Сеть,
Окружение,
Шрифты,
Шаблоны,
Общее_МенюПуск,
Общее_Программы,
Общее_Пуск,
Общее_ПапкаРабСтола,
ДанныеПриложений,
Печать,
Локальная_ДанныеПриложеий,
АльтПуск,
Общее_АльтПуск,
Общее_Избранное,
ИнтернетКэш,
Куки,
История,
Общее_ДанныеПриложений,
Виндовс,
Система,
ПрограммныеФайлы,
МоиРисунки,
Профиль,
СистемаХ86,
ПрограммныеайлыХ86,
ПрограммныеФайлы_Общее,
ПрограммныеФайлы_ОбщееХ86,
Общее_Шаблоны,
Общее_Документы,
Общее_Администрирование,
Администрирование,
Подключения, // =49
Общее_Музыка = 53,
Общее_Рисунки,
Общее_Видео,
Ресурсы,
ЛокализованныеРесурсы,
Общее_ОЕМ_Ссылки,
ЗаписьКД, // = 59
СетевоеОкружение = 61,
Флаг_НеПроверять = 0x4000,
Флаг_Создать = 0x8000,
Флаг_Маска = 0xFF00
}
ткст дайОсобыйПуть( ПОсобыйПуть оп );
|
D
|
module drocks.response;
import std.conv : to;
import std.algorithm : map;
import drocks.sockhandler : SockHandler;
import drocks.exception : ClientException;
import drocks.pair : Pair;
import drocks.multivalue;
struct Response
{
private:
SockHandler _sock;
public:
this(SockHandler sockHandler)
{
_sock = sockHandler;
}
@disable this ();
//void close() { _sock.close(); }
// Raw data of response
string raw()
{
return _sock.readAll();
}
// Cast response to bool (is response "OK")
bool isOk()
{
if(_sock.isValid) {
auto resp = _sock.readLine();
return (resp.length > 1) && (resp[0..2] == "OK");
}
return false;
}
// Check if socket is valid
bool isValid() const
{
return _sock.isValid;
}
// Get single value of response
string getValue()
{
if(!_sock.isValid) {
return null;
}
auto val_len_str = _sock.readLine();
if(!val_len_str.length) {
return null;
}
auto val_len = val_len_str.to!int;
if(val_len < 0 || !_sock.isValid) {
return null;
}
auto rez = val_len ? _sock.read(val_len).idup : "";
if(!val_len) {
_sock.getChar(); // retrieve char '\n'
}
return rez;
}
// Get key and value of response
Pair getPair()
{
return Pair(this.getKey(), this.getValue());
}
// Get multi-value iterator of response
auto getMultiPair()
{
//return refRange(new MultiPair(this));
return MultiPair(this);
}
auto getMultiKey()
{
//return refRange(new MultiKey(this));
return MultiKey(this);
}
auto getMultiValue()
{
//return refRange(new MultiValue(this));
return MultiValue(this);
}
auto getMultiBool()
{
return this.getMultiKey().map!`a == "OK"`;
}
// Get single value of response
string getKey() // const
{
if(!_sock.isValid) {
return null;
}
return _sock.readLine().idup;
}
}
|
D
|
/**
* D header file for POSIX.
*
* Copyright: Copyright Robert Klotzner 2012
* License: $(HTTP www.boost.org/LICENSE_1_0.txt, Boost License 1.0).
* Authors: Robert Klotzner
* Standards: The Open Group Base Specifications Issue 6 IEEE Std 1003.1, 2004 Edition
*/
module core.sys.posix.sys.statvfs;
private import core.stdc.config;
private import core.sys.posix.config;
public import core.sys.posix.sys.types;
version (Posix):
extern (C) :
version(CRuntime_Glibc) {
static if(__WORDSIZE == 32)
{
version=_STATVFSBUF_F_UNUSED;
}
struct statvfs_t
{
c_ulong f_bsize;
c_ulong f_frsize;
fsblkcnt_t f_blocks;
fsblkcnt_t f_bfree;
fsblkcnt_t f_bavail;
fsfilcnt_t f_files;
fsfilcnt_t f_ffree;
fsfilcnt_t f_favail;
c_ulong f_fsid;
version(_STATVFSBUF_F_UNUSED)
{
int __f_unused;
}
c_ulong f_flag;
c_ulong f_namemax;
int[6] __f_spare;
}
/* Definitions for the flag in `f_flag'. These definitions should be
kept in sync with the definitions in <sys/mount.h>. */
static if(__USE_GNU)
{
enum FFlag
{
ST_RDONLY = 1, /* Mount read-only. */
ST_NOSUID = 2,
ST_NODEV = 4, /* Disallow access to device special files. */
ST_NOEXEC = 8, /* Disallow program execution. */
ST_SYNCHRONOUS = 16, /* Writes are synced at once. */
ST_MANDLOCK = 64, /* Allow mandatory locks on an FS. */
ST_WRITE = 128, /* Write on file/directory/symlink. */
ST_APPEND = 256, /* Append-only file. */
ST_IMMUTABLE = 512, /* Immutable file. */
ST_NOATIME = 1024, /* Do not update access times. */
ST_NODIRATIME = 2048, /* Do not update directory access times. */
ST_RELATIME = 4096 /* Update atime relative to mtime/ctime. */
}
} /* Use GNU. */
else
{ // Posix defined:
enum FFlag
{
ST_RDONLY = 1, /* Mount read-only. */
ST_NOSUID = 2
}
}
static if( __USE_FILE_OFFSET64 )
{
int statvfs64 (const char * file, statvfs_t* buf);
alias statvfs64 statvfs;
int fstatvfs64 (int fildes, statvfs_t *buf) @trusted;
alias fstatvfs64 fstatvfs;
}
else
{
int statvfs (const char * file, statvfs_t* buf);
int fstatvfs (int fildes, statvfs_t *buf);
}
}
else version(NetBSD)
{
enum _VFS_MNAMELEN = 1024;
enum _VFS_NAMELEN = 32;
struct fsid_t
{
int[2] __fsid_val;
}
struct statvfs_t
{
c_ulong f_flag;
c_ulong f_bsize;
c_ulong f_frsize;
c_ulong f_iosize;
fsblkcnt_t f_blocks;
fsblkcnt_t f_bfree;
fsblkcnt_t f_bavail;
fsblkcnt_t f_bresvd;
fsfilcnt_t f_files;
fsfilcnt_t f_ffree;
fsfilcnt_t f_favail;
fsfilcnt_t f_fresvd;
ulong f_syncreads;
ulong f_syncwrites;
ulong f_asyncreads;
ulong f_asyncwrites;
fsid_t f_fsidx;
c_ulong f_fsid;
c_ulong f_namemax;
int f_owner;
int[4] f_spare;
char[_VFS_NAMELEN] f_fstypename;
char[_VFS_MNAMELEN] f_mntonname;
char[_VFS_MNAMELEN] f_mntfromname;
}
enum FFlag
{
ST_RDONLY = 1, /* Mount read-only. */
ST_NOSUID = 2
}
int statvfs (const char * file, statvfs_t* buf);
int fstatvfs (int fildes, statvfs_t *buf) @trusted;
}
else
{
struct statvfs_t
{
c_ulong f_bsize;
c_ulong f_frsize;
fsblkcnt_t f_blocks;
fsblkcnt_t f_bfree;
fsblkcnt_t f_bavail;
fsfilcnt_t f_files;
fsfilcnt_t f_ffree;
fsfilcnt_t f_favail;
c_ulong f_fsid;
c_ulong f_flag;
c_ulong f_namemax;
}
enum FFlag
{
ST_RDONLY = 1, /* Mount read-only. */
ST_NOSUID = 2
}
int statvfs (const char * file, statvfs_t* buf);
int fstatvfs (int fildes, statvfs_t *buf) @trusted;
}
|
D
|
/**
This module contains support for controlling dynamic arrays' capacity and length
Copyright: Copyright Digital Mars 2000 - 2019.
License: Distributed under the
$(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0).
(See accompanying file LICENSE)
Source: $(DRUNTIMESRC core/internal/_array/_capacity.d)
*/
module core.internal.array.capacity;
// HACK: `nothrow` and `pure` is faked.
private extern (C) void[] _d_arraysetlengthT(const TypeInfo ti, size_t newlength, void[]* p) nothrow pure;
private extern (C) void[] _d_arraysetlengthiT(const TypeInfo ti, size_t newlength, void[]* p) nothrow pure;
/*
* This template is needed because there need to be a `_d_arraysetlengthTTrace!Tarr` instance for every
* `_d_arraysetlengthT!Tarr`. By wrapping both of these functions inside of this template we force the
* compiler to create a instance of both function for every type that is used.
*/
/// Implementation of `_d_arraysetlengthT` and `_d_arraysetlengthTTrace`
template _d_arraysetlengthTImpl(Tarr : T[], T)
{
import core.internal.array.utils : _d_HookTraceImpl;
private enum errorMessage = "Cannot resize arrays if compiling without support for runtime type information!";
/**
* Resize dynamic array
* Params:
* arr = the array that will be resized, taken as a reference
* newlength = new length of array
* Returns:
* The new length of the array
* Bugs:
* The safety level of this function is faked. It shows itself as `@trusted pure nothrow` to not break existing code.
*/
size_t _d_arraysetlengthT(return scope ref Tarr arr, size_t newlength) @trusted pure nothrow
{
pragma(inline, false);
version (D_TypeInfo)
{
auto ti = typeid(Tarr);
static if (__traits(isZeroInit, T))
._d_arraysetlengthT(ti, newlength, cast(void[]*)&arr);
else
._d_arraysetlengthiT(ti, newlength, cast(void[]*)&arr);
return arr.length;
}
else
assert(0, errorMessage);
}
/**
* TraceGC wrapper around $(REF _d_arraysetlengthT, core,internal,array,core.internal.array.capacity).
* Bugs:
* This function template was ported from a much older runtime hook that bypassed safety,
* purity, and throwabilty checks. To prevent breaking existing code, this function template
* is temporarily declared `@trusted pure nothrow` until the implementation can be brought up to modern D expectations.
*/
alias _d_arraysetlengthTTrace = _d_HookTraceImpl!(Tarr, _d_arraysetlengthT, errorMessage);
}
@safe unittest
{
struct S
{
float f = 1.0;
}
int[] arr;
_d_arraysetlengthTImpl!(typeof(arr))._d_arraysetlengthT(arr, 16);
assert(arr.length == 16);
foreach (int i; arr)
assert(i == int.init);
shared S[] arr2;
_d_arraysetlengthTImpl!(typeof(arr2))._d_arraysetlengthT(arr2, 16);
assert(arr2.length == 16);
foreach (s; arr2)
assert(s == S.init);
}
|
D
|
sheet glass cut in shapes for windows or doors
a panel or section of panels in a wall or door
street name for lysergic acid diethylamide
|
D
|
# FIXED
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/source/DSP2833x_DMA.c
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Device.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Adc.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_DevEmu.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_CpuTimers.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_ECan.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_ECap.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_DMA.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_EPwm.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_EQep.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Gpio.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_I2c.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Mcbsp.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_PieCtrl.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_PieVect.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Spi.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Sci.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_SysCtrl.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_XIntrupt.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Xintf.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_Examples.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_GlobalPrototypes.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_EPwm_defines.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_Dma_defines.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_I2c_defines.h
DSP2833x_DMA.obj: C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_DefaultIsr.h
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/source/DSP2833x_DMA.c:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Device.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Adc.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_DevEmu.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_CpuTimers.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_ECan.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_ECap.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_DMA.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_EPwm.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_EQep.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Gpio.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_I2c.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Mcbsp.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_PieCtrl.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_PieVect.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Spi.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Sci.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_SysCtrl.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_XIntrupt.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/headers/include/DSP2833x_Xintf.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_Examples.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_GlobalPrototypes.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_EPwm_defines.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_Dma_defines.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_I2c_defines.h:
C:/ti/c2000/C2000Ware_2_00_00_02/device_support/f2833x/common/include/DSP2833x_DefaultIsr.h:
|
D
|
/**
A simple priority queue module.
*/
module dranges.priorityqueue;
import std.typecons;
import std.conv;
import std.contracts;
import dranges.binaryheap;
/**
Thin wrapper around a BinaryHeap!(predicate, Tuple!(Priority, Value)).
Otherwise acts as a bona fide priority queue: you enter value/priority pairs, you
can change priority with changePriority(), insert elements with put and output them
with foreach() (or empty/front/popFront if you wish).
*/
struct PriorityQueue(alias predicate = "a < b", V, P) {
///
alias Tuple!(P,V) PV;
BinaryHeap!(predicate, PV) heap;
/// forward most calls to the underlying binary heap.
BinaryHeap!(predicate, PV)* opDot() {
return &heap;
}
/// Defined so that foreach can infer element type.
PV front() {
return heap.front;
}
/**
This will change a value priority.
Throws: RangeError (Range violation) if the key/value does not exist.
Note: It cannot just be (V value, P newPriority) and deduce the oldPriority by looking
for value in the heap, because there may be many values (of same value...) with different
priorities.
*/
void changePriority(V value, P oldPriority, P newPriority) {
enforce(tuple(oldPriority, value) in heap.position,
"changePriority error: no value '" ~ to!string(value) ~ "' with priority: " ~ to!string(oldPriority) ~ " exists in this queue.");
heap.changeKey(tuple(oldPriority, value), tuple(newPriority, value));
}
}
/**
Helper function to infer types and put them in the queue.
Data is given in the argument list as value,priority pairs.
*/
PriorityQueue!(predicate, V, P) priorityQueue(alias predicate = "a < b", V, P, R...)(V value, P priority, R rest) {
PriorityQueue!(predicate, V, P) pq;
auto pvlist = toPairArrayInverted(value, priority, rest); // Creates a Tuple!(P,V) array
pq.heap = binaryHeap!(predicate, Tuple!(P,V))(pvlist);
return pq;
}
/**
Helper function to infer types and put them in the queue.
The argument is an associative array of values and priorities: ["a":0, "b":1, "qwerty":-100]
Values are keys, priority are values. It makes for a more readable list IMO, but
does not allow the existence of many times the same value, but entered in the queue with varying
priorities (it would erase the first pair). Use the preceding version for that.
*/
PriorityQueue!(predicate, V, P) priorityQueue(alias predicate = "a < b", V, P)(P[V] valuePriorityArray) {
PriorityQueue!(predicate, V, P) pq;
auto pvlist = toPairArrayInverted(valuePriorityArray); // Creates a Tuple!(P,V) array
pq.heap = binaryHeap!(predicate, Tuple!(P,V))(pvlist);
return pq;
}
// These should be cleaned up and put inside templates.d or associative.d
Tuple!(K,V)[] toPairArrayInverted(K, V, R...)(V value1, K key1, V value2, K key2, R rest) {
if (rest.length > 0) {
return [tuple(key1, value1)] ~ toPairArrayInverted(value2, key2, rest);
}
else {
return [tuple(key1, value1), tuple(key2, value2)];
}
}
Tuple!(K,V)[] toPairArrayInverted(K, V)(V value1, K key1) {
return [tuple(key1, value1)];
}
Tuple!(V, K)[] toPairArrayInverted(K, V)(V[K] associativeArray) {
Tuple!(V, K)[] result;
foreach(key, value; associativeArray) {
result ~= tuple(value, key);
}
return result;
}
|
D
|
/Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Validation.build/ValidatorType.swift.o : /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validatable.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/ValidatorType.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/ValidationError.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/URLValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/AndValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/RangeValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NilIgnoringValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NilValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/EmailValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/InValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/OrValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/CharacterSetValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/CountValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NotValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/EmptyValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validations.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Exports.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/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.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/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.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/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/cpp_magic.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/ifaddrs-android.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIODarwin/include/CNIODarwin.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/CNIOLinux.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio-zlib-support.git-1048424751408724151/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/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/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/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Validation.build/ValidatorType~partial.swiftmodule : /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validatable.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/ValidatorType.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/ValidationError.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/URLValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/AndValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/RangeValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NilIgnoringValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NilValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/EmailValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/InValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/OrValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/CharacterSetValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/CountValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NotValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/EmptyValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validations.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Exports.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/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.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/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.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/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/cpp_magic.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/ifaddrs-android.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIODarwin/include/CNIODarwin.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/CNIOLinux.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio-zlib-support.git-1048424751408724151/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/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/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/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Validation.build/ValidatorType~partial.swiftdoc : /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validatable.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/ValidatorType.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/ValidationError.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/URLValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/AndValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/RangeValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NilIgnoringValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NilValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/EmailValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/InValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/OrValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/CharacterSetValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/CountValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/NotValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validators/EmptyValidator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Validations.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/validation.git-2977145303676801164/Sources/Validation/Exports.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/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.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/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.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/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/cpp_magic.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/ifaddrs-android.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIODarwin/include/CNIODarwin.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/CNIOLinux.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio-zlib-support.git-1048424751408724151/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/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/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
|
/home/otso/Development/Projects/rukatas/find_smallest_int_in_array_8_020320/target/debug/deps/find_smallest_int_in_array_8_020320-72b3506afb55b6f9: src/main.rs
/home/otso/Development/Projects/rukatas/find_smallest_int_in_array_8_020320/target/debug/deps/find_smallest_int_in_array_8_020320-72b3506afb55b6f9.d: src/main.rs
src/main.rs:
|
D
|
/Users/mac/Desktop/23March/BEKApp-master/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/DispatchQueue+Alamofire.o : /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/MultipartFormData.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Timeline.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Alamofire.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Response.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/TaskDelegate.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/SessionDelegate.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ParameterEncoding.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Validation.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ResponseSerialization.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/SessionManager.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/AFError.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Notifications.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Result.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Request.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/mac/Desktop/23March/BEKApp-master/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/mac/Desktop/23March/BEKApp-master/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/mac/Desktop/23March/BEKApp-master/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/DispatchQueue+Alamofire~partial.swiftmodule : /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/MultipartFormData.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Timeline.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Alamofire.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Response.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/TaskDelegate.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/SessionDelegate.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ParameterEncoding.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Validation.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ResponseSerialization.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/SessionManager.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/AFError.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Notifications.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Result.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Request.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/mac/Desktop/23March/BEKApp-master/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/mac/Desktop/23March/BEKApp-master/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/mac/Desktop/23March/BEKApp-master/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/DispatchQueue+Alamofire~partial.swiftdoc : /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/MultipartFormData.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Timeline.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Alamofire.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Response.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/TaskDelegate.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/SessionDelegate.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ParameterEncoding.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Validation.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ResponseSerialization.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/SessionManager.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/AFError.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Notifications.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Result.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/Request.swift /Users/mac/Desktop/23March/BEKApp-master/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/mac/Documents/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/mac/Desktop/23March/BEKApp-master/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/mac/Desktop/23March/BEKApp-master/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/mac/Documents/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/Build/Intermediates.noindex/CryptoSwift.build/Debug/CryptoSwift.build/Objects-normal/x86_64/Bit.o : /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ChaCha20.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA3.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEADChaCha20Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/MD5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt128.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/ECB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OCB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CBCMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/PCBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEAD.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HKDF.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/GCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CTR.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockMode.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Updatable.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/DigestType.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ISO78164Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/NoPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ZeroPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Blowfish.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Checksum.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt32+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt64+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt16+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt8+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Data+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/String+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Collection+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Int+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Array+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/String+FoundationExtension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/ChaCha20+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/HMAC+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/AES+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Blowfish+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Utils+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Rabbit+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Array+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BatchedCollection.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CompactMap.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockCipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CipherModeWorker.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Authenticator.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Generics.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SecureBytes.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Utils.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockModeOptions.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Operators.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Bit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Rabbit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Scrypt.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Digest.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/Build/Intermediates.noindex/CryptoSwift.build/Debug/CryptoSwift.build/Objects-normal/x86_64/Bit~partial.swiftmodule : /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ChaCha20.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA3.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEADChaCha20Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/MD5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt128.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/ECB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OCB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CBCMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/PCBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEAD.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HKDF.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/GCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CTR.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockMode.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Updatable.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/DigestType.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ISO78164Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/NoPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ZeroPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Blowfish.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Checksum.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt32+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt64+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt16+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt8+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Data+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/String+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Collection+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Int+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Array+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/String+FoundationExtension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/ChaCha20+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/HMAC+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/AES+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Blowfish+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Utils+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Rabbit+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Array+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BatchedCollection.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CompactMap.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockCipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CipherModeWorker.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Authenticator.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Generics.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SecureBytes.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Utils.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockModeOptions.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Operators.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Bit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Rabbit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Scrypt.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Digest.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/Build/Intermediates.noindex/CryptoSwift.build/Debug/CryptoSwift.build/Objects-normal/x86_64/Bit~partial.swiftdoc : /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ChaCha20.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA3.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEADChaCha20Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/MD5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt128.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/ECB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OCB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CBCMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/PCBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEAD.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HKDF.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/GCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CTR.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockMode.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Updatable.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/DigestType.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ISO78164Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/NoPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ZeroPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Blowfish.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Checksum.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt32+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt64+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt16+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt8+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Data+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/String+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Collection+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Int+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Array+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/String+FoundationExtension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/ChaCha20+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/HMAC+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/AES+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Blowfish+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Utils+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Rabbit+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Array+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BatchedCollection.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CompactMap.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockCipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CipherModeWorker.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Authenticator.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Generics.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SecureBytes.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Utils.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockModeOptions.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Operators.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Bit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Rabbit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Scrypt.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Digest.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/Build/Intermediates.noindex/CryptoSwift.build/Debug/CryptoSwift.build/Objects-normal/x86_64/Bit~partial.swiftsourceinfo : /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ChaCha20.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA3.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEADChaCha20Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/MD5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt128.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/ECB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OCB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CBCMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/PCBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEAD.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HKDF.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/GCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CTR.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockMode.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Updatable.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/DigestType.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ISO78164Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/NoPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ZeroPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Blowfish.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Checksum.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt32+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt64+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt16+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt8+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Data+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/String+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Collection+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Int+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Array+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/String+FoundationExtension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/ChaCha20+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/HMAC+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/AES+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Blowfish+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Utils+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Rabbit+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Array+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BatchedCollection.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CompactMap.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockCipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CipherModeWorker.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Authenticator.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Generics.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SecureBytes.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Utils.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockModeOptions.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Operators.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Bit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Rabbit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Scrypt.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Digest.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/home/asaikia/Downloads/learn_rust/variables/target/debug/deps/variables-cef2647b24a2e224: src/main.rs
/home/asaikia/Downloads/learn_rust/variables/target/debug/deps/variables-cef2647b24a2e224.d: src/main.rs
src/main.rs:
|
D
|
The founding euro countries are Belgium, Germany, Spain, France, Ireland, Italy, Luxembourg, the Netherlands, Austria, Portugal and Finland.
The euro becomes a currency on January 1, 1999 for cashless trading.
Mass printing of euro notes begins in 1999.
They become legal tender on January 1, 2002.
Signs of the euro's acceptance include: two international banks quote prices in the euro; China welcomes its initiation; Eurostat offers euro-related information online; Bulgaria moves to link its currency with the euro; and Thailand considers using it in foreign reserves.
However, the European Central Bank announces it won't encourage its use as reserve currency.
|
D
|
/*
* This file is part of gtkD.
*
* gtkD is free software; you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as published by
* the Free Software Foundation; either version 2.1 of the License, or
* (at your option) any later version.
*
* gtkD is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public License
* along with gtkD; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
// generated automatically - do not change
// find conversion definition on APILookup.txt
// implement new conversion functionalities on the wrap.utils pakage
/*
* Conversion parameters:
* inFile = cairo-context.html
* outPack = cairo
* outFile = Context
* strct = cairo_t
* realStrct=
* ctorStrct=
* clss = Context
* interf =
* class Code: Yes
* interface Code: No
* template for:
* extend =
* implements:
* prefixes:
* - cairo_
* omit structs:
* omit prefixes:
* omit code:
* omit signals:
* imports:
* - gtkD.cairo.FontFace
* - gtkD.cairo.FontOption
* - gtkD.cairo.Matrix
* - gtkD.cairo.ScaledFont
* - gtkD.cairo.Surface
* - gtkD.cairo.Pattern
* - gtkD.glib.Str
* - gtkD.gdk.Region
* - gtkD.gdk.Rectangle
* - gtkD.gdk.Pixbuf
* - gtkD.gdk.Pixmap
* - gtkD.gdk.Color
* - gtkD.gtkc.gdk
* - gtkD.gdk.Drawable
* structWrap:
* - cairo_font_face_t* -> FontFace
* - cairo_font_options_t* -> FontOption
* - cairo_matrix_t* -> Matrix
* - cairo_pattern_t* -> Pattern
* - cairo_scaled_font_t* -> ScaledFont
* - cairo_surface_t* -> Surface
* - cairo_t* -> Context
* module aliases:
* local aliases:
* overrides:
*/
module gtkD.cairo.Context;
public import gtkD.gtkc.cairotypes;
private import gtkD.gtkc.cairo;
private import gtkD.glib.ConstructionException;
private import gtkD.cairo.FontFace;
private import gtkD.cairo.FontOption;
private import gtkD.cairo.Matrix;
private import gtkD.cairo.ScaledFont;
private import gtkD.cairo.Surface;
private import gtkD.cairo.Pattern;
private import gtkD.glib.Str;
private import gtkD.gdk.Region;
private import gtkD.gdk.Rectangle;
private import gtkD.gdk.Pixbuf;
private import gtkD.gdk.Pixmap;
private import gtkD.gdk.Color;
private import gtkD.gtkc.gdk;
private import gtkD.gdk.Drawable;
/**
* Description
* cairo_t is the main object used when drawing with gtkD.cairo. To
* draw with cairo, you create a cairo_t, set the target surface,
* and drawing options for the cairo_t, create shapes with
* functions like cairo_move_to() and cairo_line_to(), and then
* draw shapes with cairo_stroke() or cairo_fill().
* cairo_t's can be pushed to a stack via cairo_save().
* They may then safely be changed, without loosing the current state.
* Use cairo_restore() to restore to the saved state.
*/
public class Context
{
/** the main Gtk struct */
protected cairo_t* cairo;
public cairo_t* getContextStruct()
{
return cairo;
}
/** the main Gtk struct as a void* */
protected void* getStruct()
{
return cast(void*)cairo;
}
/**
* Sets our main struct and passes it to the parent class
*/
public this (cairo_t* cairo)
{
if(cairo is null)
{
this = null;
return;
}
this.cairo = cairo;
}
/**
* Creates a Cairo context for drawing to drawable.
* Since 2.8
* Params:
* drawable = a GdkDrawable
* Returns:
* A newly created Cairo context. Free with
* cairo_destroy() when you are done drawing.
*/
this (Drawable drawable)
{
// cairo_t* gdk_cairo_create (GdkDrawable *);
this(gdk_cairo_create(drawable.getDrawableStruct()));
}
/**
* Sets the specified GdkColor as the source color of cr.
* Since 2.8
* Params:
* color = a GdkColor
*/
public void setSourceColor(Color color)
{
// void gdk_cairo_set_source_color (cairo_t *cr, GdkColor *color);
gdk_cairo_set_source_color(getContextStruct(), color.getColorStruct());
}
/**
* Sets the given pixbuf as the source pattern for the Cairo context.
* The pattern has an extend mode of CAIRO_EXTEND_NONE and is aligned
* so that the origin of pixbuf is pixbufX, pixbufY
* Since 2.8
* Params:
* pixbuf = a GdkPixbuf
* pixbufX = X coordinate of location to place upper left corner of pixbuf
* pixbufY = Y coordinate of location to place upper left corner of pixbuf
*/
public void setSourcePixbuf(Pixbuf pixbuf, double pixbufX, double pixbufY)
{
// void gdk_cairo_set_source_pixbuf (cairo_t *cr, GdkPixbuf *pixbuf, double pixbuf_x, double pixbuf_y);
gdk_cairo_set_source_pixbuf(getContextStruct(), pixbuf.getPixbufStruct(), pixbufX, pixbufY);
}
/**
* Sets the given pixmap as the source pattern for the Cairo context.
* The pattern has an extend mode of CAIRO_EXTEND_NONE and is aligned
* so that the origin of pixbuf is pixbufX, pixbufY
* Since 2.10
* Params:
* pixmap = a GdkPixmap
* pixmapX = X coordinate of location to place upper left corner of pixmap
* pixmapY = Y coordinate of location to place upper left corner of pixmap
*/
public void setSourcePixmap(Pixmap pixmap, double pixmapX, double pixmapY)
{
// void gdk_cairo_set_source_pixmap (cairo_t *cr, GdkPixmap *pixmap, double pixmap_x, double pixmap_y);
gdk_cairo_set_source_pixmap( getContextStruct(), pixmap.getPixmapStruct(), pixmapX, pixmapY);
}
/**
* Adds the given rectangle to the current path of cr.
* Since 2.8
* Params:
* rectangle = a GdkRectangle
*/
public void rectangle(Rectangle rectangle)
{
// void gdk_cairo_rectangle (cairo_t *cr, GdkRectangle *rectangle);
gdk_cairo_rectangle( getContextStruct(), rectangle.getRectangleStruct());
}
/**
* Adds the given region to the current path of cr.
* Since 2.8
* Params:
* region = a GdkRegion
*/
public void region(Region region)
{
// void gdk_cairo_region (cairo_t *cr, GdkRegion *region);
gdk_cairo_region(getContextStruct(), region.getRegionStruct());
}
/**
* Allocates an array of cairo_glyph_t's.
* This function is only useful in implementations of
* cairo_user_scaled_font_text_to_glyphs_func_t where the user
* needs to allocate an array of glyphs that cairo will free.
* For all other uses, user can use their own allocation method
* for glyphs.
* This function returns NULL if num_glyphs is not positive,
* or if out of memory. That means, the NULL return value
* signals out-of-memory only if num_glyphs was positive.
* Since 1.8
* Params:
* numGlyphs = number of glyphs to allocate
* Returns: the newly allocated array of glyphs that should be freed using cairo_glyph_free()
*/
public static cairo_glyph_t[] glyphAllocate(int numGlyphs)
{
// cairo_glyph_t* cairo_glyph_allocate (int num_glyphs);
return cairo_glyph_allocate(numGlyphs)[0 .. numGlyphs];
}
/**
* Allocates an array of cairo_text_cluster_t's.
* This function is only useful in implementations of
* cairo_user_scaled_font_text_to_glyphs_func_t where the user
* needs to allocate an array of text clusters that cairo will free.
* For all other uses, user can use their own allocation method
* for text clusters.
* This function returns NULL if num_clusters is not positive,
* or if out of memory. That means, the NULL return value
* signals out-of-memory only if num_clusters was positive.
* Since 1.8
* Params:
* numClusters = number of text_clusters to allocate
* Returns: the newly allocated array of text clusters that should be freed using cairo_text_cluster_free()
*/
public static cairo_text_cluster_t[] textClusterAllocate(int numClusters)
{
// cairo_text_cluster_t* cairo_text_cluster_allocate (int num_clusters);
return cairo_text_cluster_allocate(numClusters)[0 .. numClusters];
}
/**
* Description
* Paths are the most basic drawing tools and are primarily used to implicitly
* generate simple masks.
*/
/**
* Description
* The current transformation matrix, ctm, is a
* two-dimensional affine transformation that maps all coordinates and other
* drawing instruments from the user space into the
* surface's canonical coordinate system, also known as the device
* space.
*/
/**
* Description
* Cairo has two sets of text rendering capabilities:
* The functions with text in their name form cairo's
* toy text API. The toy API takes UTF-8 encoded
* text and is limited in its functionality to rendering simple
* left-to-right text with no advanced features. That means for example
* that most complex scripts like Hebrew, Arabic, and Indic scripts are
* out of question. No kerning or correct positioning of diacritical marks
* either. The font selection is pretty limited too and doesn't handle the
* case that the selected font does not cover the characters in the text.
* This set of functions are really that, a toy text API, for testing and
* demonstration purposes. Any serious application should avoid them.
* The functions with glyphs in their name form cairo's
* low-level text API. The low-level API relies on
* the user to convert text to a set of glyph indexes and positions. This
* is a very hard problem and is best handled by external libraries, like
* the pangocairo that is part of the Pango text layout and rendering library.
* Pango is available from http://www.gtkD.pango.org/.
*/
/**
* Creates a new cairo_t with all graphics state parameters set to
* default values and with target as a target surface. The target
* surface should be constructed with a backend-specific function such
* as cairo_image_surface_create() (or any other
* cairo_backend_surface_create() variant).
* This function references target, so you can immediately
* call cairo_surface_destroy() on it if you don't need to
* maintain a separate reference to it.
* Params:
* target = target surface for the context
* Returns: a newly allocated cairo_t with a reference count of 1. The initial reference count should be released with cairo_destroy() when you are done using the cairo_t. This function never returns NULL. If memory cannot be allocated, a special cairo_t object will be returned on which cairo_status() returns CAIRO_STATUS_NO_MEMORY. You can use this object normally, but no drawing will be done.
*/
public static Context create(Surface target)
{
// cairo_t* cairo_create (cairo_surface_t *target);
auto p = cairo_create((target is null) ? null : target.getSurfaceStruct());
if(p is null)
{
return null;
}
return new Context(cast(cairo_t*) p);
}
/**
* Increases the reference count on cr by one. This prevents
* cr from being destroyed until a matching call to cairo_destroy()
* is made.
* The number of references to a cairo_t can be get using
* cairo_get_reference_count().
* Returns: the referenced cairo_t.
*/
public Context reference()
{
// cairo_t* cairo_reference (cairo_t *cr);
auto p = cairo_reference(cairo);
if(p is null)
{
return null;
}
return new Context(cast(cairo_t*) p);
}
/**
* Decreases the reference count on cr by one. If the result
* is zero, then cr and all associated resources are freed.
* See cairo_reference().
*/
public void destroy()
{
// void cairo_destroy (cairo_t *cr);
cairo_destroy(cairo);
}
/**
* Checks whether an error has previously occurred for this context.
* Returns: the current status of this context, see cairo_status_t
*/
public cairo_status_t status()
{
// cairo_status_t cairo_status (cairo_t *cr);
return cairo_status(cairo);
}
/**
* Makes a copy of the current state of cr and saves it
* on an internal stack of saved states for cr. When
* cairo_restore() is called, cr will be restored to
* the saved state. Multiple calls to cairo_save() and
* cairo_restore() can be nested; each call to cairo_restore()
* restores the state from the matching paired cairo_save().
* It isn't necessary to clear all saved states before
* a cairo_t is freed. If the reference count of a cairo_t
* drops to zero in response to a call to cairo_destroy(),
* any saved states will be freed along with the cairo_t.
*/
public void save()
{
// void cairo_save (cairo_t *cr);
cairo_save(cairo);
}
/**
* Restores cr to the state saved by a preceding call to
* cairo_save() and removes that state from the stack of
* saved states.
*/
public void restore()
{
// void cairo_restore (cairo_t *cr);
cairo_restore(cairo);
}
/**
* Gets the target surface for the cairo context as passed to
* cairo_create().
* This function will always return a valid pointer, but the result
* can be a "nil" surface if cr is already in an error state,
* (ie. cairo_status() != CAIRO_STATUS_SUCCESS).
* A nil surface is indicated by cairo_surface_status()
* != CAIRO_STATUS_SUCCESS.
* Returns: the target surface. This object is owned by gtkD.cairo. Tokeep a reference to it, you must call cairo_surface_reference().
*/
public Surface getTarget()
{
// cairo_surface_t* cairo_get_target (cairo_t *cr);
auto p = cairo_get_target(cairo);
if(p is null)
{
return null;
}
return new Surface(cast(cairo_surface_t*) p);
}
/**
* Temporarily redirects drawing to an intermediate surface known as a
* group. The redirection lasts until the group is completed by a call
* to cairo_pop_group() or cairo_pop_group_to_source(). These calls
* provide the result of any drawing to the group as a pattern,
* (either as an explicit object, or set as the source pattern).
* This group functionality can be convenient for performing
* intermediate compositing. One common use of a group is to render
* objects as opaque within the group, (so that they occlude each
* other), and then blend the result with translucence onto the
* destination.
* Groups can be nested arbitrarily deep by making balanced calls to
* cairo_push_group()/cairo_pop_group(). Each call pushes/pops the new
* target group onto/from a stack.
* The cairo_push_group() function calls cairo_save() so that any
* changes to the graphics state will not be visible outside the
* group, (the pop_group functions call cairo_restore()).
* By default the intermediate group will have a content type of
* CAIRO_CONTENT_COLOR_ALPHA. Other content types can be chosen for
* the group by using cairo_push_group_with_content() instead.
* As an example, here is how one might fill and stroke a path with
* translucence, but without any portion of the fill being visible
* Since 1.2
*/
public void pushGroup()
{
// void cairo_push_group (cairo_t *cr);
cairo_push_group(cairo);
}
/**
* Temporarily redirects drawing to an intermediate surface known as a
* group. The redirection lasts until the group is completed by a call
* to cairo_pop_group() or cairo_pop_group_to_source(). These calls
* provide the result of any drawing to the group as a pattern,
* (either as an explicit object, or set as the source pattern).
* The group will have a content type of content. The ability to
* control this content type is the only distinction between this
* function and cairo_push_group() which you should see for a more
* detailed description of group rendering.
* Since 1.2
* Params:
* content = a %cairo_content_t indicating the type of group that
* will be created
*/
public void pushGroupWithContent(cairo_content_t content)
{
// void cairo_push_group_with_content (cairo_t *cr, cairo_content_t content);
cairo_push_group_with_content(cairo, content);
}
/**
* Terminates the redirection begun by a call to cairo_push_group() or
* cairo_push_group_with_content() and returns a new pattern
* containing the results of all drawing operations performed to the
* group.
* The cairo_pop_group() function calls cairo_restore(), (balancing a
* call to cairo_save() by the push_group function), so that any
* changes to the graphics state will not be visible outside the
* group.
* Since 1.2
* Returns: a newly created (surface) pattern containing theresults of all drawing operations performed to the group. Thecaller owns the returned object and should callcairo_pattern_destroy() when finished with it.
*/
public Pattern popGroup()
{
// cairo_pattern_t* cairo_pop_group (cairo_t *cr);
auto p = cairo_pop_group(cairo);
if(p is null)
{
return null;
}
return new Pattern(cast(cairo_pattern_t*) p);
}
/**
* Terminates the redirection begun by a call to cairo_push_group() or
* cairo_push_group_with_content() and installs the resulting pattern
* as the source pattern in the given cairo context.
* The behavior of this function is equivalent to the sequence of
* Since 1.2
*/
public void popGroupToSource()
{
// void cairo_pop_group_to_source (cairo_t *cr);
cairo_pop_group_to_source(cairo);
}
/**
* Gets the current destination surface for the context. This is either
* the original target surface as passed to cairo_create() or the target
* surface for the current group as started by the most recent call to
* cairo_push_group() or cairo_push_group_with_content().
* This function will always return a valid pointer, but the result
* can be a "nil" surface if cr is already in an error state,
* (ie. cairo_status() != CAIRO_STATUS_SUCCESS).
* A nil surface is indicated by cairo_surface_status()
* != CAIRO_STATUS_SUCCESS.
* Since 1.2
* Returns: the target surface. This object is owned by gtkD.cairo. Tokeep a reference to it, you must call cairo_surface_reference().
*/
public Surface getGroupTarget()
{
// cairo_surface_t* cairo_get_group_target (cairo_t *cr);
auto p = cairo_get_group_target(cairo);
if(p is null)
{
return null;
}
return new Surface(cast(cairo_surface_t*) p);
}
/**
* Sets the source pattern within cr to an opaque color. This opaque
* color will then be used for any subsequent drawing operation until
* a new source pattern is set.
* The color components are floating point numbers in the range 0 to
* 1. If the values passed in are outside that range, they will be
* clamped.
* The default source pattern is opaque black, (that is, it is
* equivalent to cairo_set_source_rgb(cr, 0.0, 0.0, 0.0)).
* Params:
* red = red component of color
* green = green component of color
* blue = blue component of color
*/
public void setSourceRgb(double red, double green, double blue)
{
// void cairo_set_source_rgb (cairo_t *cr, double red, double green, double blue);
cairo_set_source_rgb(cairo, red, green, blue);
}
/**
* Sets the source pattern within cr to a translucent color. This
* color will then be used for any subsequent drawing operation until
* a new source pattern is set.
* The color and alpha components are floating point numbers in the
* range 0 to 1. If the values passed in are outside that range, they
* will be clamped.
* The default source pattern is opaque black, (that is, it is
* equivalent to cairo_set_source_rgba(cr, 0.0, 0.0, 0.0, 1.0)).
* Params:
* red = red component of color
* green = green component of color
* blue = blue component of color
* alpha = alpha component of color
*/
public void setSourceRgba(double red, double green, double blue, double alpha)
{
// void cairo_set_source_rgba (cairo_t *cr, double red, double green, double blue, double alpha);
cairo_set_source_rgba(cairo, red, green, blue, alpha);
}
/**
* Sets the source pattern within cr to source. This pattern
* will then be used for any subsequent drawing operation until a new
* source pattern is set.
* Note: The pattern's transformation matrix will be locked to the
* user space in effect at the time of cairo_set_source(). This means
* that further modifications of the current transformation matrix
* will not affect the source pattern. See cairo_pattern_set_matrix().
* The default source pattern is a solid pattern that is opaque black,
* (that is, it is equivalent to cairo_set_source_rgb(cr, 0.0, 0.0,
* 0.0)).
* Params:
* source = a cairo_pattern_t to be used as the source for
* subsequent drawing operations.
*/
public void setSource(Pattern source)
{
// void cairo_set_source (cairo_t *cr, cairo_pattern_t *source);
cairo_set_source(cairo, (source is null) ? null : source.getPatternStruct());
}
/**
* This is a convenience function for creating a pattern from surface
* and setting it as the source in cr with cairo_set_source().
* The x and y parameters give the user-space coordinate at which
* the surface origin should appear. (The surface origin is its
* upper-left corner before any transformation has been applied.) The
* x and y patterns are negated and then set as translation values
* in the pattern matrix.
* Other than the initial translation pattern matrix, as described
* above, all other pattern attributes, (such as its extend mode), are
* set to the default values as in cairo_pattern_create_for_surface().
* The resulting pattern can be queried with cairo_get_source() so
* that these attributes can be modified if desired, (eg. to create a
* repeating pattern with cairo_pattern_set_extend()).
* Params:
* surface = a surface to be used to set the source pattern
* x = User-space X coordinate for surface origin
* y = User-space Y coordinate for surface origin
*/
public void setSourceSurface(Surface surface, double x, double y)
{
// void cairo_set_source_surface (cairo_t *cr, cairo_surface_t *surface, double x, double y);
cairo_set_source_surface(cairo, (surface is null) ? null : surface.getSurfaceStruct(), x, y);
}
/**
* Gets the current source pattern for cr.
* Returns: the current source pattern. This object is owned bygtkD.cairo. To keep a reference to it, you must callcairo_pattern_reference().
*/
public Pattern getSource()
{
// cairo_pattern_t* cairo_get_source (cairo_t *cr);
auto p = cairo_get_source(cairo);
if(p is null)
{
return null;
}
return new Pattern(cast(cairo_pattern_t*) p);
}
/**
* Set the antialiasing mode of the rasterizer used for drawing shapes.
* This value is a hint, and a particular backend may or may not support
* a particular value. At the current time, no backend supports
* CAIRO_ANTIALIAS_SUBPIXEL when drawing shapes.
* Note that this option does not affect text rendering, instead see
* cairo_font_options_set_antialias().
* Params:
* antialias = the new antialiasing mode
*/
public void setAntialias(cairo_antialias_t antialias)
{
// void cairo_set_antialias (cairo_t *cr, cairo_antialias_t antialias);
cairo_set_antialias(cairo, antialias);
}
/**
* Gets the current shape antialiasing mode, as set by cairo_set_shape_antialias().
* Returns: the current shape antialiasing mode.
*/
public cairo_antialias_t getAntialias()
{
// cairo_antialias_t cairo_get_antialias (cairo_t *cr);
return cairo_get_antialias(cairo);
}
/**
* Sets the dash pattern to be used by cairo_stroke(). A dash pattern
* is specified by dashes, an array of positive values. Each value
* provides the length of alternate "on" and "off" portions of the
* stroke. The offset specifies an offset into the pattern at which
* the stroke begins.
* Each "on" segment will have caps applied as if the segment were a
* separate sub-path. In particular, it is valid to use an "on" length
* of 0.0 with CAIRO_LINE_CAP_ROUND or CAIRO_LINE_CAP_SQUARE in order
* to distributed dots or squares along a path.
* Note: The length values are in user-space units as evaluated at the
* time of stroking. This is not necessarily the same as the user
* space at the time of cairo_set_dash().
* If num_dashes is 0 dashing is disabled.
* If num_dashes is 1 a symmetric pattern is assumed with alternating
* on and off portions of the size specified by the single value in
* dashes.
* If any value in dashes is negative, or if all values are 0, then
* cr will be put into an error state with a status of
* #CAIRO_STATUS_INVALID_DASH.
* Params:
* dashes = an array specifying alternate lengths of on and off stroke portions
* offset = an offset into the dash pattern at which the stroke should start
*/
public void setDash(double[] dashes, double offset)
{
// void cairo_set_dash (cairo_t *cr, const double *dashes, int num_dashes, double offset);
cairo_set_dash(cairo, dashes.ptr, dashes.length, offset);
}
/**
* This function returns the length of the dash array in cr (0 if dashing
* is not currently in effect).
* See also cairo_set_dash() and cairo_get_dash().
* Since 1.4
* Returns: the length of the dash array, or 0 if no dash array set.
*/
public int getDashCount()
{
// int cairo_get_dash_count (cairo_t *cr);
return cairo_get_dash_count(cairo);
}
/**
* Gets the current dash array. If not NULL, dashes should be big
* enough to hold at least the number of values returned by
* cairo_get_dash_count().
* Since 1.4
* Params:
* dashes = return value for the dash array, or NULL
* offset = return value for the current dash offset, or NULL
*/
public void getDash(double* dashes, double* offset)
{
// void cairo_get_dash (cairo_t *cr, double *dashes, double *offset);
cairo_get_dash(cairo, dashes, offset);
}
/**
* Set the current fill rule within the cairo context. The fill rule
* is used to determine which regions are inside or outside a complex
* (potentially self-intersecting) path. The current fill rule affects
* both cairo_fill() and cairo_clip(). See cairo_fill_rule_t for details
* on the semantics of each available fill rule.
* The default fill rule is CAIRO_FILL_RULE_WINDING.
* Params:
* fillRule = a fill rule, specified as a cairo_fill_rule_t
*/
public void setFillRule(cairo_fill_rule_t fillRule)
{
// void cairo_set_fill_rule (cairo_t *cr, cairo_fill_rule_t fill_rule);
cairo_set_fill_rule(cairo, fillRule);
}
/**
* Gets the current fill rule, as set by cairo_set_fill_rule().
* Returns: the current fill rule.
*/
public cairo_fill_rule_t getFillRule()
{
// cairo_fill_rule_t cairo_get_fill_rule (cairo_t *cr);
return cairo_get_fill_rule(cairo);
}
/**
* Sets the current line cap style within the cairo context. See
* cairo_line_cap_t for details about how the available line cap
* styles are drawn.
* As with the other stroke parameters, the current line cap style is
* examined by cairo_stroke(), cairo_stroke_extents(), and
* cairo_stroke_to_path(), but does not have any effect during path
* construction.
* The default line cap style is CAIRO_LINE_CAP_BUTT.
* Params:
* lineCap = a line cap style
*/
public void setLineCap(cairo_line_cap_t lineCap)
{
// void cairo_set_line_cap (cairo_t *cr, cairo_line_cap_t line_cap);
cairo_set_line_cap(cairo, lineCap);
}
/**
* Gets the current line cap style, as set by cairo_set_line_cap().
* Returns: the current line cap style.
*/
public cairo_line_cap_t getLineCap()
{
// cairo_line_cap_t cairo_get_line_cap (cairo_t *cr);
return cairo_get_line_cap(cairo);
}
/**
* Sets the current line join style within the cairo context. See
* cairo_line_join_t for details about how the available line join
* styles are drawn.
* As with the other stroke parameters, the current line join style is
* examined by cairo_stroke(), cairo_stroke_extents(), and
* cairo_stroke_to_path(), but does not have any effect during path
* construction.
* The default line join style is CAIRO_LINE_JOIN_MITER.
* Params:
* lineJoin = a line join style
*/
public void setLineJoin(cairo_line_join_t lineJoin)
{
// void cairo_set_line_join (cairo_t *cr, cairo_line_join_t line_join);
cairo_set_line_join(cairo, lineJoin);
}
/**
* Gets the current line join style, as set by cairo_set_line_join().
* Returns: the current line join style.
*/
public cairo_line_join_t getLineJoin()
{
// cairo_line_join_t cairo_get_line_join (cairo_t *cr);
return cairo_get_line_join(cairo);
}
/**
* Sets the current line width within the cairo context. The line
* width value specifies the diameter of a pen that is circular in
* user space, (though device-space pen may be an ellipse in general
* due to scaling/shear/rotation of the CTM).
* Note: When the description above refers to user space and CTM it
* refers to the user space and CTM in effect at the time of the
* stroking operation, not the user space and CTM in effect at the
* time of the call to cairo_set_line_width(). The simplest usage
* makes both of these spaces identical. That is, if there is no
* change to the CTM between a call to cairo_set_line_with() and the
* stroking operation, then one can just pass user-space values to
* cairo_set_line_width() and ignore this note.
* As with the other stroke parameters, the current line width is
* examined by cairo_stroke(), cairo_stroke_extents(), and
* cairo_stroke_to_path(), but does not have any effect during path
* construction.
* The default line width value is 2.0.
* Params:
* width = a line width
*/
public void setLineWidth(double width)
{
// void cairo_set_line_width (cairo_t *cr, double width);
cairo_set_line_width(cairo, width);
}
/**
* This function returns the current line width value exactly as set by
* cairo_set_line_width(). Note that the value is unchanged even if
* the CTM has changed between the calls to cairo_set_line_width() and
* cairo_get_line_width().
* Returns: the current line width.
*/
public double getLineWidth()
{
// double cairo_get_line_width (cairo_t *cr);
return cairo_get_line_width(cairo);
}
/**
* Sets the current miter limit within the cairo context.
* If the current line join style is set to CAIRO_LINE_JOIN_MITER
* (see cairo_set_line_join()), the miter limit is used to determine
* whether the lines should be joined with a bevel instead of a miter.
* Cairo divides the length of the miter by the line width.
* If the result is greater than the miter limit, the style is
* converted to a bevel.
* As with the other stroke parameters, the current line miter limit is
* examined by cairo_stroke(), cairo_stroke_extents(), and
* cairo_stroke_to_path(), but does not have any effect during path
* construction.
* The default miter limit value is 10.0, which will convert joins
* with interior angles less than 11 degrees to bevels instead of
* miters. For reference, a miter limit of 2.0 makes the miter cutoff
* at 60 degrees, and a miter limit of 1.414 makes the cutoff at 90
* degrees.
* A miter limit for a desired angle can be computed as: miter limit =
* 1/sin(angle/2)
* Params:
* limit = miter limit to set
*/
public void setMiterLimit(double limit)
{
// void cairo_set_miter_limit (cairo_t *cr, double limit);
cairo_set_miter_limit(cairo, limit);
}
/**
* Gets the current miter limit, as set by cairo_set_miter_limit().
* Returns: the current miter limit.
*/
public double getMiterLimit()
{
// double cairo_get_miter_limit (cairo_t *cr);
return cairo_get_miter_limit(cairo);
}
/**
* Sets the compositing operator to be used for all drawing
* operations. See cairo_operator_t for details on the semantics of
* each available compositing operator.
* The default operator is CAIRO_OPERATOR_OVER.
* Params:
* op = a compositing operator, specified as a cairo_operator_t
*/
public void setOperator(cairo_operator_t op)
{
// void cairo_set_operator (cairo_t *cr, cairo_operator_t op);
cairo_set_operator(cairo, op);
}
/**
* Gets the current compositing operator for a cairo context.
* Returns: the current compositing operator.
*/
public cairo_operator_t getOperator()
{
// cairo_operator_t cairo_get_operator (cairo_t *cr);
return cairo_get_operator(cairo);
}
/**
* Sets the tolerance used when converting paths into trapezoids.
* Curved segments of the path will be subdivided until the maximum
* deviation between the original path and the polygonal approximation
* is less than tolerance. The default value is 0.1. A larger
* value will give better performance, a smaller value, better
* appearance. (Reducing the value from the default value of 0.1
* is unlikely to improve appearance significantly.)
* Params:
* tolerance = the tolerance, in device units (typically pixels)
*/
public void setTolerance(double tolerance)
{
// void cairo_set_tolerance (cairo_t *cr, double tolerance);
cairo_set_tolerance(cairo, tolerance);
}
/**
* Gets the current tolerance value, as set by cairo_set_tolerance().
* Returns: the current tolerance value.
*/
public double getTolerance()
{
// double cairo_get_tolerance (cairo_t *cr);
return cairo_get_tolerance(cairo);
}
/**
* Establishes a new clip region by intersecting the current clip
* region with the current path as it would be filled by cairo_fill()
* and according to the current fill rule (see cairo_set_fill_rule()).
* After cairo_clip(), the current path will be cleared from the cairo
* context.
* The current clip region affects all drawing operations by
* effectively masking out any changes to the surface that are outside
* the current clip region.
* Calling cairo_clip() can only make the clip region smaller, never
* larger. But the current clip is part of the graphics state, so a
* temporary restriction of the clip region can be achieved by
* calling cairo_clip() within a cairo_save()/cairo_restore()
* pair. The only other means of increasing the size of the clip
* region is cairo_reset_clip().
*/
public void clip()
{
// void cairo_clip (cairo_t *cr);
cairo_clip(cairo);
}
/**
* Establishes a new clip region by intersecting the current clip
* region with the current path as it would be filled by cairo_fill()
* and according to the current fill rule (see cairo_set_fill_rule()).
* Unlike cairo_clip(), cairo_clip_preserve() preserves the path within
* the cairo context.
* The current clip region affects all drawing operations by
* effectively masking out any changes to the surface that are outside
* the current clip region.
* Calling cairo_clip() can only make the clip region smaller, never
* larger. But the current clip is part of the graphics state, so a
* temporary restriction of the clip region can be achieved by
* calling cairo_clip() within a cairo_save()/cairo_restore()
* pair. The only other means of increasing the size of the clip
* region is cairo_reset_clip().
*/
public void clipPreserve()
{
// void cairo_clip_preserve (cairo_t *cr);
cairo_clip_preserve(cairo);
}
/**
* Computes a bounding box in user coordinates covering the area inside the
* current clip.
* Since 1.4
* Params:
* x1 = left of the resulting extents
* y1 = top of the resulting extents
* x2 = right of the resulting extents
* y2 = bottom of the resulting extents
*/
public void clipExtents(out double x1, out double y1, out double x2, out double y2)
{
// void cairo_clip_extents (cairo_t *cr, double *x1, double *y1, double *x2, double *y2);
cairo_clip_extents(cairo, &x1, &y1, &x2, &y2);
}
/**
* Reset the current clip region to its original, unrestricted
* state. That is, set the clip region to an infinitely large shape
* containing the target surface. Equivalently, if infinity is too
* hard to grasp, one can imagine the clip region being reset to the
* exact bounds of the target surface.
* Note that code meant to be reusable should not call
* cairo_reset_clip() as it will cause results unexpected by
* higher-level code which calls cairo_clip(). Consider using
* cairo_save() and cairo_restore() around cairo_clip() as a more
* robust means of temporarily restricting the clip region.
*/
public void resetClip()
{
// void cairo_reset_clip (cairo_t *cr);
cairo_reset_clip(cairo);
}
/**
* Unconditionally frees rectangle_list and all associated
* references. After this call, the rectangle_list pointer must not
* be dereferenced.
* Since 1.4
* Params:
* rectangleList = a rectangle list, as obtained from cairo_copy_clip_rectangles()
*/
public static void rectangleListDestroy(cairo_rectangle_list_t* rectangleList)
{
// void cairo_rectangle_list_destroy (cairo_rectangle_list_t *rectangle_list);
cairo_rectangle_list_destroy(rectangleList);
}
/**
* Gets the current clip region as a list of rectangles in user coordinates.
* Never returns NULL.
* The status in the list may be CAIRO_STATUS_CLIP_NOT_REPRESENTABLE to
* indicate that the clip region cannot be represented as a list of
* user-space rectangles. The status may have other values to indicate
* other errors.
* Since 1.4
* Returns: the current clip region as a list of rectangles in user coordinates,which should be destroyed using cairo_rectangle_list_destroy().
*/
public cairo_rectangle_list_t* copyClipRectangleList()
{
// cairo_rectangle_list_t* cairo_copy_clip_rectangle_list (cairo_t *cr);
return cairo_copy_clip_rectangle_list(cairo);
}
/**
* A drawing operator that fills the current path according to the
* current fill rule, (each sub-path is implicitly closed before being
* filled). After cairo_fill(), the current path will be cleared from
* the cairo context. See cairo_set_fill_rule() and
* cairo_fill_preserve().
*/
public void fill()
{
// void cairo_fill (cairo_t *cr);
cairo_fill(cairo);
}
/**
* A drawing operator that fills the current path according to the
* current fill rule, (each sub-path is implicitly closed before being
* filled). Unlike cairo_fill(), cairo_fill_preserve() preserves the
* path within the cairo context.
* See cairo_set_fill_rule() and cairo_fill().
*/
public void fillPreserve()
{
// void cairo_fill_preserve (cairo_t *cr);
cairo_fill_preserve(cairo);
}
/**
* Computes a bounding box in user coordinates covering the area that
* would be affected, (the "inked" area), by a cairo_fill() operation
* given the current path and fill parameters. If the current path is
* empty, returns an empty rectangle ((0,0), (0,0)). Surface
* dimensions and clipping are not taken into account.
* Contrast with cairo_path_extents(), which is similar, but returns
* non-zero extents for some paths with no inked area, (such as a
* simple line segment).
* Note that cairo_fill_extents() must necessarily do more work to
* compute the precise inked areas in light of the fill rule, so
* cairo_path_extents() may be more desirable for sake of performance
* if the non-inked path extents are desired.
* See cairo_fill(), cairo_set_fill_rule() and cairo_fill_preserve().
* Params:
* x1 = left of the resulting extents
* y1 = top of the resulting extents
* x2 = right of the resulting extents
* y2 = bottom of the resulting extents
*/
public void fillExtents(out double x1, out double y1, out double x2, out double y2)
{
// void cairo_fill_extents (cairo_t *cr, double *x1, double *y1, double *x2, double *y2);
cairo_fill_extents(cairo, &x1, &y1, &x2, &y2);
}
/**
* Tests whether the given point is inside the area that would be
* affected by a cairo_fill() operation given the current path and
* filling parameters. Surface dimensions and clipping are not taken
* into account.
* See cairo_fill(), cairo_set_fill_rule() and cairo_fill_preserve().
* Params:
* x = X coordinate of the point to test
* y = Y coordinate of the point to test
* Returns: A non-zero value if the point is inside, or zero ifoutside.
*/
public cairo_bool_t inFill(double x, double y)
{
// cairo_bool_t cairo_in_fill (cairo_t *cr, double x, double y);
return cairo_in_fill(cairo, x, y);
}
/**
* A drawing operator that paints the current source
* using the alpha channel of pattern as a mask. (Opaque
* areas of pattern are painted with the source, transparent
* areas are not painted.)
* Params:
* pattern = a cairo_pattern_t
*/
public void mask(Pattern pattern)
{
// void cairo_mask (cairo_t *cr, cairo_pattern_t *pattern);
cairo_mask(cairo, (pattern is null) ? null : pattern.getPatternStruct());
}
/**
* A drawing operator that paints the current source
* using the alpha channel of surface as a mask. (Opaque
* areas of surface are painted with the source, transparent
* areas are not painted.)
* Params:
* surface = a cairo_surface_t
* surfaceX = X coordinate at which to place the origin of surface
* surfaceY = Y coordinate at which to place the origin of surface
*/
public void maskSurface(Surface surface, double surfaceX, double surfaceY)
{
// void cairo_mask_surface (cairo_t *cr, cairo_surface_t *surface, double surface_x, double surface_y);
cairo_mask_surface(cairo, (surface is null) ? null : surface.getSurfaceStruct(), surfaceX, surfaceY);
}
/**
* A drawing operator that paints the current source everywhere within
* the current clip region.
*/
public void paint()
{
// void cairo_paint (cairo_t *cr);
cairo_paint(cairo);
}
/**
* A drawing operator that paints the current source everywhere within
* the current clip region using a mask of constant alpha value
* alpha. The effect is similar to cairo_paint(), but the drawing
* is faded out using the alpha value.
* Params:
* alpha = alpha value, between 0 (transparent) and 1 (opaque)
*/
public void paintWithAlpha(double alpha)
{
// void cairo_paint_with_alpha (cairo_t *cr, double alpha);
cairo_paint_with_alpha(cairo, alpha);
}
/**
* A drawing operator that strokes the current path according to the
* current line width, line join, line cap, and dash settings. After
* cairo_stroke(), the current path will be cleared from the cairo
* context. See cairo_set_line_width(), cairo_set_line_join(),
* cairo_set_line_cap(), cairo_set_dash(), and
* cairo_stroke_preserve().
* Note: Degenerate segments and sub-paths are treated specially and
* provide a useful result. These can result in two different
*/
public void stroke()
{
// void cairo_stroke (cairo_t *cr);
cairo_stroke(cairo);
}
/**
* A drawing operator that strokes the current path according to the
* current line width, line join, line cap, and dash settings. Unlike
* cairo_stroke(), cairo_stroke_preserve() preserves the path within the
* cairo context.
* See cairo_set_line_width(), cairo_set_line_join(),
* cairo_set_line_cap(), cairo_set_dash(), and
* cairo_stroke_preserve().
*/
public void strokePreserve()
{
// void cairo_stroke_preserve (cairo_t *cr);
cairo_stroke_preserve(cairo);
}
/**
* Computes a bounding box in user coordinates covering the area that
* would be affected, (the "inked" area), by a cairo_stroke()
* operation operation given the current path and stroke
* parameters. If the current path is empty, returns an empty
* rectangle ((0,0), (0,0)). Surface dimensions and clipping are not
* taken into account.
* Note that if the line width is set to exactly zero, then
* cairo_stroke_extents() will return an empty rectangle. Contrast with
* cairo_path_extents() which can be used to compute the non-empty
* bounds as the line width approaches zero.
* Note that cairo_stroke_extents() must necessarily do more work to
* compute the precise inked areas in light of the stroke parameters,
* so cairo_path_extents() may be more desirable for sake of
* performance if non-inked path extents are desired.
* See cairo_stroke(), cairo_set_line_width(), cairo_set_line_join(),
* cairo_set_line_cap(), cairo_set_dash(), and
* cairo_stroke_preserve().
* Params:
* x1 = left of the resulting extents
* y1 = top of the resulting extents
* x2 = right of the resulting extents
* y2 = bottom of the resulting extents
*/
public void strokeExtents(out double x1, out double y1, out double x2, out double y2)
{
// void cairo_stroke_extents (cairo_t *cr, double *x1, double *y1, double *x2, double *y2);
cairo_stroke_extents(cairo, &x1, &y1, &x2, &y2);
}
/**
* Tests whether the given point is inside the area that would be
* affected by a cairo_stroke() operation given the current path and
* stroking parameters. Surface dimensions and clipping are not taken
* into account.
* See cairo_stroke(), cairo_set_line_width(), cairo_set_line_join(),
* cairo_set_line_cap(), cairo_set_dash(), and
* cairo_stroke_preserve().
* Params:
* x = X coordinate of the point to test
* y = Y coordinate of the point to test
* Returns: A non-zero value if the point is inside, or zero ifoutside.
*/
public cairo_bool_t inStroke(double x, double y)
{
// cairo_bool_t cairo_in_stroke (cairo_t *cr, double x, double y);
return cairo_in_stroke(cairo, x, y);
}
/**
* Emits the current page for backends that support multiple pages, but
* doesn't clear it, so, the contents of the current page will be retained
* for the next page too. Use cairo_show_page() if you want to get an
* empty page after the emission.
* This is a convenience function that simply calls
* cairo_surface_copy_page() on cr's target.
*/
public void copyPage()
{
// void cairo_copy_page (cairo_t *cr);
cairo_copy_page(cairo);
}
/**
* Emits and clears the current page for backends that support multiple
* pages. Use cairo_copy_page() if you don't want to clear the page.
* This is a convenience function that simply calls
* cairo_surface_show_page() on cr's target.
*/
public void showPage()
{
// void cairo_show_page (cairo_t *cr);
cairo_show_page(cairo);
}
/**
* Returns the current reference count of cr.
* Since 1.4
* Returns: the current reference count of cr. If theobject is a nil object, 0 will be returned.
*/
public uint getReferenceCount()
{
// unsigned int cairo_get_reference_count (cairo_t *cr);
return cairo_get_reference_count(cairo);
}
/**
* Attach user data to cr. To remove user data from a surface,
* call this function with the key that was used to set it and NULL
* for data.
* Since 1.4
* Params:
* key = the address of a cairo_user_data_key_t to attach the user data to
* userData = the user data to attach to the cairo_t
* destroy = a cairo_destroy_func_t which will be called when the
* cairo_t is destroyed or when new user data is attached using the
* same key.
* Returns: CAIRO_STATUS_SUCCESS or CAIRO_STATUS_NO_MEMORY if aslot could not be allocated for the user data.
*/
public cairo_status_t setUserData(cairo_user_data_key_t* key, void* userData, cairo_destroy_func_t destroy)
{
// cairo_status_t cairo_set_user_data (cairo_t *cr, const cairo_user_data_key_t *key, void *user_data, cairo_destroy_func_t destroy);
return cairo_set_user_data(cairo, key, userData, destroy);
}
/**
* Return user data previously attached to cr using the specified
* key. If no user data has been attached with the given key this
* function returns NULL.
* Since 1.4
* Params:
* key = the address of the cairo_user_data_key_t the user data was
* attached to
* Returns: the user data previously attached or NULL.
*/
public void* getUserData(cairo_user_data_key_t* key)
{
// void* cairo_get_user_data (cairo_t *cr, const cairo_user_data_key_t *key);
return cairo_get_user_data(cairo, key);
}
/**
* Creates a copy of the current path and returns it to the user as a
* cairo_path_t. See cairo_path_data_t for hints on how to iterate
* over the returned data structure.
* This function will always return a valid pointer, but the result
* will have no data (data==NULL and
* num_data==0), if either of the following
* Returns: the copy of the current path. The caller owns thereturned object and should call cairo_path_destroy() when finishedwith it.
*/
public cairo_path_t* copyPath()
{
// cairo_path_t* cairo_copy_path (cairo_t *cr);
return cairo_copy_path(cairo);
}
/**
* Gets a flattened copy of the current path and returns it to the
* user as a cairo_path_t. See cairo_path_data_t for hints on
* how to iterate over the returned data structure.
* This function is like cairo_copy_path() except that any curves
* in the path will be approximated with piecewise-linear
* approximations, (accurate to within the current tolerance
* value). That is, the result is guaranteed to not have any elements
* of type CAIRO_PATH_CURVE_TO which will instead be replaced by a
* series of CAIRO_PATH_LINE_TO elements.
* This function will always return a valid pointer, but the result
* will have no data (data==NULL and
* num_data==0), if either of the following
* Returns: the copy of the current path. The caller owns thereturned object and should call cairo_path_destroy() when finishedwith it.
*/
public cairo_path_t* copyPathFlat()
{
// cairo_path_t* cairo_copy_path_flat (cairo_t *cr);
return cairo_copy_path_flat(cairo);
}
/**
* Immediately releases all memory associated with path. After a call
* to cairo_path_destroy() the path pointer is no longer valid and
* should not be used further.
* Note: cairo_path_destroy() should only be called with a
* pointer to a cairo_path_t returned by a cairo function. Any path
* that is created manually (ie. outside of cairo) should be destroyed
* manually as well.
* Params:
* path = a path previously returned by either cairo_copy_path() or
* cairo_copy_path_flat().
*/
public static void pathDestroy(cairo_path_t* path)
{
// void cairo_path_destroy (cairo_path_t *path);
cairo_path_destroy(path);
}
/**
* Append the path onto the current path. The path may be either the
* return value from one of cairo_copy_path() or
* cairo_copy_path_flat() or it may be constructed manually. See
* cairo_path_t for details on how the path data structure should be
* initialized, and note that path->status must be
* initialized to CAIRO_STATUS_SUCCESS.
* Params:
* path = path to be appended
*/
public void appendPath(cairo_path_t* path)
{
// void cairo_append_path (cairo_t *cr, const cairo_path_t *path);
cairo_append_path(cairo, path);
}
/**
* Returns whether a current point is defined on the current path.
* See cairo_get_current_point() for details on the current point.
* Since 1.6
* Returns: whether a current point is defined.
*/
public cairo_bool_t hasCurrentPoint()
{
// cairo_bool_t cairo_has_current_point (cairo_t *cr);
return cairo_has_current_point(cairo);
}
/**
* Gets the current point of the current path, which is
* conceptually the final point reached by the path so far.
* The current point is returned in the user-space coordinate
* system. If there is no defined current point or if cr is in an
* error status, x and y will both be set to 0.0. It is possible to
* check this in advance with cairo_has_current_point().
* Most path construction functions alter the current point. See the
* Params:
* x = return value for X coordinate of the current point
* y = return value for Y coordinate of the current point
*/
public void getCurrentPoint(out double x, out double y)
{
// void cairo_get_current_point (cairo_t *cr, double *x, double *y);
cairo_get_current_point(cairo, &x, &y);
}
/**
* Clears the current path. After this call there will be no path and
* no current point.
*/
public void newPath()
{
// void cairo_new_path (cairo_t *cr);
cairo_new_path(cairo);
}
/**
* Begin a new sub-path. Note that the existing path is not
* affected. After this call there will be no current point.
* In many cases, this call is not needed since new sub-paths are
* frequently started with cairo_move_to().
* A call to cairo_new_sub_path() is particularly useful when
* beginning a new sub-path with one of the cairo_arc() calls. This
* makes things easier as it is no longer necessary to manually
* compute the arc's initial coordinates for a call to
* cairo_move_to().
* Since 1.2
*/
public void newSubPath()
{
// void cairo_new_sub_path (cairo_t *cr);
cairo_new_sub_path(cairo);
}
/**
* Adds a line segment to the path from the current point to the
* beginning of the current sub-path, (the most recent point passed to
* cairo_move_to()), and closes this sub-path. After this call the
* current point will be at the joined endpoint of the sub-path.
* The behavior of cairo_close_path() is distinct from simply calling
* cairo_line_to() with the equivalent coordinate in the case of
* stroking. When a closed sub-path is stroked, there are no caps on
* the ends of the sub-path. Instead, there is a line join connecting
* the final and initial segments of the sub-path.
* If there is no current point before the call to cairo_close_path(),
* this function will have no effect.
* Note: As of cairo version 1.2.4 any call to cairo_close_path() will
* place an explicit MOVE_TO element into the path immediately after
* the CLOSE_PATH element, (which can be seen in cairo_copy_path() for
* example). This can simplify path processing in some cases as it may
* not be necessary to save the "last move_to point" during processing
* as the MOVE_TO immediately after the CLOSE_PATH will provide that
* point.
*/
public void closePath()
{
// void cairo_close_path (cairo_t *cr);
cairo_close_path(cairo);
}
/**
* Adds a circular arc of the given radius to the current path. The
* arc is centered at (xc, yc), begins at angle1 and proceeds in
* the direction of increasing angles to end at angle2. If angle2 is
* less than angle1 it will be progressively increased by 2*M_PI
* until it is greater than angle1.
* If there is a current point, an initial line segment will be added
* to the path to connect the current point to the beginning of the
* arc. If this initial line is undesired, it can be avoided by
* calling cairo_new_sub_path() before calling cairo_arc().
* Angles are measured in radians. An angle of 0.0 is in the direction
* of the positive X axis (in user space). An angle of M_PI/2.0 radians
* (90 degrees) is in the direction of the positive Y axis (in
* user space). Angles increase in the direction from the positive X
* axis toward the positive Y axis. So with the default transformation
* matrix, angles increase in a clockwise direction.
* (To convert from degrees to radians, use degrees * (M_PI /
* 180.).)
* This function gives the arc in the direction of increasing angles;
* see cairo_arc_negative() to get the arc in the direction of
* decreasing angles.
* The arc is circular in user space. To achieve an elliptical arc,
* you can scale the current transformation matrix by different
* amounts in the X and Y directions. For example, to draw an ellipse
* Params:
* xc = X position of the center of the arc
* yc = Y position of the center of the arc
* radius = the radius of the arc
* angle1 = the start angle, in radians
* angle2 = the end angle, in radians
*/
public void arc(double xc, double yc, double radius, double angle1, double angle2)
{
// void cairo_arc (cairo_t *cr, double xc, double yc, double radius, double angle1, double angle2);
cairo_arc(cairo, xc, yc, radius, angle1, angle2);
}
/**
* Adds a circular arc of the given radius to the current path. The
* arc is centered at (xc, yc), begins at angle1 and proceeds in
* the direction of decreasing angles to end at angle2. If angle2 is
* greater than angle1 it will be progressively decreased by 2*M_PI
* until it is less than angle1.
* See cairo_arc() for more details. This function differs only in the
* direction of the arc between the two angles.
* Params:
* xc = X position of the center of the arc
* yc = Y position of the center of the arc
* radius = the radius of the arc
* angle1 = the start angle, in radians
* angle2 = the end angle, in radians
*/
public void arcNegative(double xc, double yc, double radius, double angle1, double angle2)
{
// void cairo_arc_negative (cairo_t *cr, double xc, double yc, double radius, double angle1, double angle2);
cairo_arc_negative(cairo, xc, yc, radius, angle1, angle2);
}
/**
* Adds a cubic Bézier spline to the path from the current point to
* position (x3, y3) in user-space coordinates, using (x1, y1) and
* (x2, y2) as the control points. After this call the current point
* will be (x3, y3).
* If there is no current point before the call to cairo_curve_to()
* this function will behave as if preceded by a call to
* cairo_move_to(cr, x1, y1).
* Params:
* x1 = the X coordinate of the first control point
* y1 = the Y coordinate of the first control point
* x2 = the X coordinate of the second control point
* y2 = the Y coordinate of the second control point
* x3 = the X coordinate of the end of the curve
* y3 = the Y coordinate of the end of the curve
*/
public void curveTo(double x1, double y1, double x2, double y2, double x3, double y3)
{
// void cairo_curve_to (cairo_t *cr, double x1, double y1, double x2, double y2, double x3, double y3);
cairo_curve_to(cairo, x1, y1, x2, y2, x3, y3);
}
/**
* Adds a line to the path from the current point to position (x, y)
* in user-space coordinates. After this call the current point
* will be (x, y).
* If there is no current point before the call to cairo_line_to()
* this function will behave as cairo_move_to(cr, x, y).
* Params:
* x = the X coordinate of the end of the new line
* y = the Y coordinate of the end of the new line
*/
public void lineTo(double x, double y)
{
// void cairo_line_to (cairo_t *cr, double x, double y);
cairo_line_to(cairo, x, y);
}
/**
* Begin a new sub-path. After this call the current point will be (x,
* y).
* Params:
* x = the X coordinate of the new position
* y = the Y coordinate of the new position
*/
public void moveTo(double x, double y)
{
// void cairo_move_to (cairo_t *cr, double x, double y);
cairo_move_to(cairo, x, y);
}
/**
* Adds a closed sub-path rectangle of the given size to the current
* path at position (x, y) in user-space coordinates.
* Params:
* x = the X coordinate of the top left corner of the rectangle
* y = the Y coordinate to the top left corner of the rectangle
* width = the width of the rectangle
* height = the height of the rectangle
*/
public void rectangle(double x, double y, double width, double height)
{
// void cairo_rectangle (cairo_t *cr, double x, double y, double width, double height);
cairo_rectangle(cairo, x, y, width, height);
}
/**
* Adds closed paths for the glyphs to the current path. The generated
* path if filled, achieves an effect similar to that of
* cairo_show_glyphs().
* Params:
* glyphs = array of glyphs to show
* numGlyphs = number of glyphs to show
*/
public void glyphPath(cairo_glyph_t* glyphs, int numGlyphs)
{
// void cairo_glyph_path (cairo_t *cr, const cairo_glyph_t *glyphs, int num_glyphs);
cairo_glyph_path(cairo, glyphs, numGlyphs);
}
/**
* Adds closed paths for text to the current path. The generated
* path if filled, achieves an effect similar to that of
* cairo_show_text().
* Text conversion and positioning is done similar to cairo_show_text().
* Like cairo_show_text(), After this call the current point is
* moved to the origin of where the next glyph would be placed in
* this same progression. That is, the current point will be at
* the origin of the final glyph offset by its advance values.
* This allows for chaining multiple calls to to cairo_text_path()
* without having to set current point in between.
* Note: The cairo_text_path() function call is part of what the cairo
* designers call the "toy" text API. It is convenient for short demos
* and simple programs, but it is not expected to be adequate for
* serious text-using applications. See cairo_glyph_path() for the
* "real" text path API in gtkD.cairo.
* Params:
* utf8 = a NUL-terminated string of text encoded in UTF-8, or NULL
*/
public void textPath(string utf8)
{
// void cairo_text_path (cairo_t *cr, const char *utf8);
cairo_text_path(cairo, Str.toStringz(utf8));
}
/**
* Relative-coordinate version of cairo_curve_to(). All offsets are
* relative to the current point. Adds a cubic Bézier spline to the
* path from the current point to a point offset from the current
* point by (dx3, dy3), using points offset by (dx1, dy1) and
* (dx2, dy2) as the control points. After this call the current
* point will be offset by (dx3, dy3).
* Given a current point of (x, y), cairo_rel_curve_to(cr, dx1,
* dy1, dx2, dy2, dx3, dy3) is logically equivalent to
* cairo_curve_to(cr, x+dx1, y+dy1, x+dx2, y+dy2, x+dx3, y+dy3).
* It is an error to call this function with no current point. Doing
* so will cause cr to shutdown with a status of
* CAIRO_STATUS_NO_CURRENT_POINT.
* Params:
* dx1 = the X offset to the first control point
* dy1 = the Y offset to the first control point
* dx2 = the X offset to the second control point
* dy2 = the Y offset to the second control point
* dx3 = the X offset to the end of the curve
* dy3 = the Y offset to the end of the curve
*/
public void relCurveTo(double dx1, double dy1, double dx2, double dy2, double dx3, double dy3)
{
// void cairo_rel_curve_to (cairo_t *cr, double dx1, double dy1, double dx2, double dy2, double dx3, double dy3);
cairo_rel_curve_to(cairo, dx1, dy1, dx2, dy2, dx3, dy3);
}
/**
* Relative-coordinate version of cairo_line_to(). Adds a line to the
* path from the current point to a point that is offset from the
* current point by (dx, dy) in user space. After this call the
* current point will be offset by (dx, dy).
* Given a current point of (x, y), cairo_rel_line_to(cr, dx, dy)
* is logically equivalent to cairo_line_to(cr, x + dx, y + dy).
* It is an error to call this function with no current point. Doing
* so will cause cr to shutdown with a status of
* CAIRO_STATUS_NO_CURRENT_POINT.
* Params:
* dx = the X offset to the end of the new line
* dy = the Y offset to the end of the new line
*/
public void relLineTo(double dx, double dy)
{
// void cairo_rel_line_to (cairo_t *cr, double dx, double dy);
cairo_rel_line_to(cairo, dx, dy);
}
/**
* Begin a new sub-path. After this call the current point will offset
* by (x, y).
* Given a current point of (x, y), cairo_rel_move_to(cr, dx, dy)
* is logically equivalent to cairo_move_to(cr, x + dx, y + dy).
* It is an error to call this function with no current point. Doing
* so will cause cr to shutdown with a status of
* CAIRO_STATUS_NO_CURRENT_POINT.
* Params:
* dx = the X offset
* dy = the Y offset
*/
public void relMoveTo(double dx, double dy)
{
// void cairo_rel_move_to (cairo_t *cr, double dx, double dy);
cairo_rel_move_to(cairo, dx, dy);
}
/**
* Computes a bounding box in user-space coordinates covering the
* points on the current path. If the current path is empty, returns
* an empty rectangle ((0,0), (0,0)). Stroke parameters, fill rule,
* surface dimensions and clipping are not taken into account.
* Contrast with cairo_fill_extents() and cairo_stroke_extents() which
* return the extents of only the area that would be "inked" by
* the corresponding drawing operations.
* The result of cairo_path_extents() is defined as equivalent to the
* limit of cairo_stroke_extents() with CAIRO_LINE_CAP_ROUND as the
* line width approaches 0.0, (but never reaching the empty-rectangle
* returned by cairo_stroke_extents() for a line width of 0.0).
* Specifically, this means that zero-area sub-paths such as
* cairo_move_to();cairo_line_to() segments, (even degenerate cases
* where the coordinates to both calls are identical), will be
* considered as contributing to the extents. However, a lone
* cairo_move_to() will not contribute to the results of
* cairo_path_extents().
* Since 1.6
* Params:
* x1 = left of the resulting extents
* y1 = top of the resulting extents
* x2 = right of the resulting extents
* y2 = bottom of the resulting extents
*/
public void pathExtents(out double x1, out double y1, out double x2, out double y2)
{
// void cairo_path_extents (cairo_t *cr, double *x1, double *y1, double *x2, double *y2);
cairo_path_extents(cairo, &x1, &y1, &x2, &y2);
}
/**
* Modifies the current transformation matrix (CTM) by translating the
* user-space origin by (tx, ty). This offset is interpreted as a
* user-space coordinate according to the CTM in place before the new
* call to cairo_translate(). In other words, the translation of the
* user-space origin takes place after any existing transformation.
* Params:
* tx = amount to translate in the X direction
* ty = amount to translate in the Y direction
*/
public void translate(double tx, double ty)
{
// void cairo_translate (cairo_t *cr, double tx, double ty);
cairo_translate(cairo, tx, ty);
}
/**
* Modifies the current transformation matrix (CTM) by scaling the X
* and Y user-space axes by sx and sy respectively. The scaling of
* the axes takes place after any existing transformation of user
* space.
* Params:
* sx = scale factor for the X dimension
* sy = scale factor for the Y dimension
*/
public void scale(double sx, double sy)
{
// void cairo_scale (cairo_t *cr, double sx, double sy);
cairo_scale(cairo, sx, sy);
}
/**
* Modifies the current transformation matrix (CTM) by rotating the
* user-space axes by angle radians. The rotation of the axes takes
* places after any existing transformation of user space. The
* rotation direction for positive angles is from the positive X axis
* toward the positive Y axis.
* Params:
* angle = angle (in radians) by which the user-space axes will be
* rotated
*/
public void rotate(double angle)
{
// void cairo_rotate (cairo_t *cr, double angle);
cairo_rotate(cairo, angle);
}
/**
* Modifies the current transformation matrix (CTM) by applying
* matrix as an additional transformation. The new transformation of
* user space takes place after any existing transformation.
* Params:
* matrix = a transformation to be applied to the user-space axes
*/
public void transform(Matrix matrix)
{
// void cairo_transform (cairo_t *cr, const cairo_matrix_t *matrix);
cairo_transform(cairo, (matrix is null) ? null : matrix.getMatrixStruct());
}
/**
* Modifies the current transformation matrix (CTM) by setting it
* equal to matrix.
* Params:
* matrix = a transformation matrix from user space to device space
*/
public void setMatrix(Matrix matrix)
{
// void cairo_set_matrix (cairo_t *cr, const cairo_matrix_t *matrix);
cairo_set_matrix(cairo, (matrix is null) ? null : matrix.getMatrixStruct());
}
/**
* Stores the current transformation matrix (CTM) into matrix.
* Params:
* matrix = return value for the matrix
*/
public void getMatrix(Matrix matrix)
{
// void cairo_get_matrix (cairo_t *cr, cairo_matrix_t *matrix);
cairo_get_matrix(cairo, (matrix is null) ? null : matrix.getMatrixStruct());
}
/**
* Resets the current transformation matrix (CTM) by setting it equal
* to the identity matrix. That is, the user-space and device-space
* axes will be aligned and one user-space unit will transform to one
* device-space unit.
*/
public void identityMatrix()
{
// void cairo_identity_matrix (cairo_t *cr);
cairo_identity_matrix(cairo);
}
/**
* Transform a coordinate from user space to device space by
* multiplying the given point by the current transformation matrix
* (CTM).
* Params:
* x = X value of coordinate (in/out parameter)
* y = Y value of coordinate (in/out parameter)
*/
public void userToDevice(inout double x, inout double y)
{
// void cairo_user_to_device (cairo_t *cr, double *x, double *y);
cairo_user_to_device(cairo, &x, &y);
}
/**
* Transform a distance vector from user space to device space. This
* function is similar to cairo_user_to_device() except that the
* translation components of the CTM will be ignored when transforming
* (dx,dy).
* Params:
* dx = X component of a distance vector (in/out parameter)
* dy = Y component of a distance vector (in/out parameter)
*/
public void userToDeviceDistance(inout double dx, inout double dy)
{
// void cairo_user_to_device_distance (cairo_t *cr, double *dx, double *dy);
cairo_user_to_device_distance(cairo, &dx, &dy);
}
/**
* Transform a coordinate from device space to user space by
* multiplying the given point by the inverse of the current
* transformation matrix (CTM).
* Params:
* x = X value of coordinate (in/out parameter)
* y = Y value of coordinate (in/out parameter)
*/
public void deviceToUser(inout double x, inout double y)
{
// void cairo_device_to_user (cairo_t *cr, double *x, double *y);
cairo_device_to_user(cairo, &x, &y);
}
/**
* Transform a distance vector from device space to user space. This
* function is similar to cairo_device_to_user() except that the
* translation components of the inverse CTM will be ignored when
* transforming (dx,dy).
* Params:
* dx = X component of a distance vector (in/out parameter)
* dy = Y component of a distance vector (in/out parameter)
*/
public void deviceToUserDistance(inout double dx, inout double dy)
{
// void cairo_device_to_user_distance (cairo_t *cr, double *dx, double *dy);
cairo_device_to_user_distance(cairo, &dx, &dy);
}
/**
* Note: The cairo_select_font_face() function call is part of what
* the cairo designers call the "toy" text API. It is convenient for
* short demos and simple programs, but it is not expected to be
* adequate for serious text-using applications.
* Selects a family and style of font from a simplified description as
* a family name, slant and weight. Cairo provides no operation to
* list available family names on the system (this is a "toy",
* remember), but the standard CSS2 generic family names, ("serif",
* "sans-serif", "cursive", "fantasy", "monospace"), are likely to
* work as expected.
* For "real" font selection, see the font-backend-specific
* font_face_create functions for the font backend you are using. (For
* example, if you are using the freetype-based cairo-ft font backend,
* see cairo_ft_font_face_create_for_ft_face() or
* cairo_ft_font_face_create_for_pattern().) The resulting font face
* could then be used with cairo_scaled_font_create() and
* cairo_set_scaled_font().
* Similarly, when using the "real" font support, you can call
* directly into the underlying font system, (such as fontconfig or
* freetype), for operations such as listing available fonts, etc.
* It is expected that most applications will need to use a more
* comprehensive font handling and text layout library, (for example,
* pango), in conjunction with gtkD.cairo.
* If text is drawn without a call to cairo_select_font_face(), (nor
* cairo_set_font_face() nor cairo_set_scaled_font()), the default
* family is platform-specific, but is essentially "sans-serif".
* Default slant is CAIRO_FONT_SLANT_NORMAL, and default weight is
* CAIRO_FONT_WEIGHT_NORMAL.
* This function is equivalent to a call to cairo_toy_font_face_create()
* followed by cairo_set_font_face().
* Params:
* family = a font family name, encoded in UTF-8
* slant = the slant for the font
* weight = the weight for the font
*/
public void selectFontFace(string family, cairo_font_slant_t slant, cairo_font_weight_t weight)
{
// void cairo_select_font_face (cairo_t *cr, const char *family, cairo_font_slant_t slant, cairo_font_weight_t weight);
cairo_select_font_face(cairo, Str.toStringz(family), slant, weight);
}
/**
* Sets the current font matrix to a scale by a factor of size, replacing
* any font matrix previously set with cairo_set_font_size() or
* cairo_set_font_matrix(). This results in a font size of size user space
* units. (More precisely, this matrix will result in the font's
* em-square being a size by size square in user space.)
* If text is drawn without a call to cairo_set_font_size(), (nor
* cairo_set_font_matrix() nor cairo_set_scaled_font()), the default
* font size is 10.0.
* Params:
* size = the new font size, in user space units
*/
public void setFontSize(double size)
{
// void cairo_set_font_size (cairo_t *cr, double size);
cairo_set_font_size(cairo, size);
}
/**
* Sets the current font matrix to matrix. The font matrix gives a
* transformation from the design space of the font (in this space,
* the em-square is 1 unit by 1 unit) to user space. Normally, a
* simple scale is used (see cairo_set_font_size()), but a more
* complex font matrix can be used to shear the font
* or stretch it unequally along the two axes
* Params:
* matrix = a cairo_matrix_t describing a transform to be applied to
* the current font.
*/
public void setFontMatrix(Matrix matrix)
{
// void cairo_set_font_matrix (cairo_t *cr, const cairo_matrix_t *matrix);
cairo_set_font_matrix(cairo, (matrix is null) ? null : matrix.getMatrixStruct());
}
/**
* Stores the current font matrix into matrix. See
* cairo_set_font_matrix().
* Params:
* matrix = return value for the matrix
*/
public void getFontMatrix(Matrix matrix)
{
// void cairo_get_font_matrix (cairo_t *cr, cairo_matrix_t *matrix);
cairo_get_font_matrix(cairo, (matrix is null) ? null : matrix.getMatrixStruct());
}
/**
* Sets a set of custom font rendering options for the cairo_t.
* Rendering options are derived by merging these options with the
* options derived from underlying surface; if the value in options
* has a default value (like CAIRO_ANTIALIAS_DEFAULT), then the value
* from the surface is used.
* Params:
* options = font options to use
*/
public void setFontOptions(FontOption options)
{
// void cairo_set_font_options (cairo_t *cr, const cairo_font_options_t *options);
cairo_set_font_options(cairo, (options is null) ? null : options.getFontOptionStruct());
}
/**
* Retrieves font rendering options set via cairo_set_font_options.
* Note that the returned options do not include any options derived
* from the underlying surface; they are literally the options
* passed to cairo_set_font_options().
* Params:
* options = a cairo_font_options_t object into which to store
* the retrieved options. All existing values are overwritten
*/
public void getFontOptions(FontOption options)
{
// void cairo_get_font_options (cairo_t *cr, cairo_font_options_t *options);
cairo_get_font_options(cairo, (options is null) ? null : options.getFontOptionStruct());
}
/**
* Replaces the current cairo_font_face_t object in the cairo_t with
* font_face. The replaced font face in the cairo_t will be
* destroyed if there are no other references to it.
* Params:
* fontFace = a cairo_font_face_t, or NULL to restore to the default font
*/
public void setFontFace(FontFace fontFace)
{
// void cairo_set_font_face (cairo_t *cr, cairo_font_face_t *font_face);
cairo_set_font_face(cairo, (fontFace is null) ? null : fontFace.getFontFaceStruct());
}
/**
* Gets the current font face for a cairo_t.
* Returns: the current font face. This object is owned bygtkD.cairo. To keep a reference to it, you must callcairo_font_face_reference().This function never returns NULL. If memory cannot be allocated, aspecial "nil" cairo_font_face_t object will be returned on whichcairo_font_face_status() returns CAIRO_STATUS_NO_MEMORY. Usingthis nil object will cause its error state to propagate to otherobjects it is passed to, (for example, callingcairo_set_font_face() with a nil font will trigger an error thatwill shutdown the cairo_t object).
*/
public FontFace getFontFace()
{
// cairo_font_face_t* cairo_get_font_face (cairo_t *cr);
auto p = cairo_get_font_face(cairo);
if(p is null)
{
return null;
}
return new FontFace(cast(cairo_font_face_t*) p);
}
/**
* Replaces the current font face, font matrix, and font options in
* the cairo_t with those of the cairo_scaled_font_t. Except for
* some translation, the current CTM of the cairo_t should be the
* same as that of the cairo_scaled_font_t, which can be accessed
* using cairo_scaled_font_get_ctm().
* Since 1.2
* Params:
* scaledFont = a cairo_scaled_font_t
*/
public void setScaledFont(ScaledFont scaledFont)
{
// void cairo_set_scaled_font (cairo_t *cr, const cairo_scaled_font_t *scaled_font);
cairo_set_scaled_font(cairo, (scaledFont is null) ? null : scaledFont.getScaledFontStruct());
}
/**
* Gets the current scaled font for a cairo_t.
* Since 1.4
* Returns: the current scaled font. This object is owned bygtkD.cairo. To keep a reference to it, you must callcairo_scaled_font_reference().This function never returns NULL. If memory cannot be allocated, aspecial "nil" cairo_scaled_font_t object will be returned on whichcairo_scaled_font_status() returns CAIRO_STATUS_NO_MEMORY. Usingthis nil object will cause its error state to propagate to otherobjects it is passed to, (for example, callingcairo_set_scaled_font() with a nil font will trigger an error thatwill shutdown the cairo_t object).
*/
public ScaledFont getScaledFont()
{
// cairo_scaled_font_t* cairo_get_scaled_font (cairo_t *cr);
auto p = cairo_get_scaled_font(cairo);
if(p is null)
{
return null;
}
return new ScaledFont(cast(cairo_scaled_font_t*) p);
}
/**
* A drawing operator that generates the shape from a string of UTF-8
* characters, rendered according to the current font_face, font_size
* (font_matrix), and font_options.
* This function first computes a set of glyphs for the string of
* text. The first glyph is placed so that its origin is at the
* current point. The origin of each subsequent glyph is offset from
* that of the previous glyph by the advance values of the previous
* glyph.
* After this call the current point is moved to the origin of where
* the next glyph would be placed in this same progression. That is,
* the current point will be at the origin of the final glyph offset
* by its advance values. This allows for easy display of a single
* logical string with multiple calls to cairo_show_text().
* Note: The cairo_show_text() function call is part of what the cairo
* designers call the "toy" text API. It is convenient for short demos
* and simple programs, but it is not expected to be adequate for
* serious text-using applications. See cairo_show_glyphs() for the
* "real" text display API in gtkD.cairo.
* Params:
* utf8 = a NUL-terminated string of text encoded in UTF-8, or NULL
*/
public void showText(string utf8)
{
// void cairo_show_text (cairo_t *cr, const char *utf8);
cairo_show_text(cairo, Str.toStringz(utf8));
}
/**
* A drawing operator that generates the shape from an array of glyphs,
* rendered according to the current font face, font size
* (font matrix), and font options.
* Params:
* glyphs = array of glyphs to show
*/
public void showGlyphs(cairo_glyph_t[] glyphs)
{
// void cairo_show_glyphs (cairo_t *cr, const cairo_glyph_t *glyphs, int num_glyphs);
cairo_show_glyphs(cairo, glyphs.ptr, glyphs.length);
}
/**
* This operation has rendering effects similar to cairo_show_glyphs()
* but, if the target surface supports it, uses the provided text and
* cluster mapping to embed the text for the glyphs shown in the output.
* The cairo_has_show_text_glyphs() function can be used to query that.
* If the target does not support it, this function acts like
* cairo_show_glyphs().
* The mapping between utf8 and glyphs is provided by an array of
* clusters. Each cluster covers a number of
* text bytes and glyphs, and neighboring clusters cover neighboring
* areas of utf8 and glyphs. The clusters should collectively cover utf8
* and glyphs in entirety.
* The first cluster always covers bytes from the beginning of utf8.
* If cluster_flags do not have the CAIRO_TEXT_CLUSTER_FLAG_BACKWARD
* set, the first cluster also covers the beginning
* of glyphs, otherwise it covers the end of the glyphs array and
* following clusters move backward.
* See cairo_text_cluster_t for constraints on valid clusters.
* Since 1.8
* Params:
* utf8 = a string of text encoded in UTF-8
* utf8_Len = length of utf8 in bytes, or -1 if it is NUL-terminated
* glyphs = array of glyphs to show
* clusters = array of cluster mapping information
* clusterFlags = cluster mapping flags
*/
public void showTextGlyphs(string utf8, int utf8_Len, cairo_glyph_t[] glyphs, cairo_text_cluster_t[] clusters, cairo_text_cluster_flags_t clusterFlags)
{
// void cairo_show_text_glyphs (cairo_t *cr, const char *utf8, int utf8_len, const cairo_glyph_t *glyphs, int num_glyphs, const cairo_text_cluster_t *clusters, int num_clusters, cairo_text_cluster_flags_t cluster_flags);
cairo_show_text_glyphs(cairo, Str.toStringz(utf8), utf8_Len, glyphs.ptr, glyphs.length, clusters.ptr, clusters.length, clusterFlags);
}
/**
* Gets the font extents for the currently selected font.
* Params:
* extents = a cairo_font_extents_t object into which the results
* will be stored.
*/
public void fontExtents(cairo_font_extents_t* extents)
{
// void cairo_font_extents (cairo_t *cr, cairo_font_extents_t *extents);
cairo_font_extents(cairo, extents);
}
/**
* Gets the extents for a string of text. The extents describe a
* user-space rectangle that encloses the "inked" portion of the text,
* (as it would be drawn by cairo_show_text()). Additionally, the
* x_advance and y_advance values indicate the amount by which the
* current point would be advanced by cairo_show_text().
* Note that whitespace characters do not directly contribute to the
* size of the rectangle (extents.width and extents.height). They do
* contribute indirectly by changing the position of non-whitespace
* characters. In particular, trailing whitespace characters are
* likely to not affect the size of the rectangle, though they will
* affect the x_advance and y_advance values.
* Params:
* utf8 = a NUL-terminated string of text encoded in UTF-8, or NULL
* extents = a cairo_text_extents_t object into which the results
* will be stored
*/
public void textExtents(string utf8, cairo_text_extents_t* extents)
{
// void cairo_text_extents (cairo_t *cr, const char *utf8, cairo_text_extents_t *extents);
cairo_text_extents(cairo, Str.toStringz(utf8), extents);
}
/**
* Gets the extents for an array of glyphs. The extents describe a
* user-space rectangle that encloses the "inked" portion of the
* glyphs, (as they would be drawn by cairo_show_glyphs()).
* Additionally, the x_advance and y_advance values indicate the
* amount by which the current point would be advanced by
* cairo_show_glyphs().
* Note that whitespace glyphs do not contribute to the size of the
* rectangle (extents.width and extents.height).
* Params:
* glyphs = an array of cairo_glyph_t objects
* extents = a cairo_text_extents_t object into which the results
* will be stored
*/
public void glyphExtents(cairo_glyph_t[] glyphs, cairo_text_extents_t* extents)
{
// void cairo_glyph_extents (cairo_t *cr, const cairo_glyph_t *glyphs, int num_glyphs, cairo_text_extents_t *extents);
cairo_glyph_extents(cairo, glyphs.ptr, glyphs.length, extents);
}
/**
* Creates a font face from a triplet of family, slant, and weight.
* These font faces are used in implementation of the the cairo_t "toy"
* font API.
* If family is the zero-length string "", the platform-specific default
* family is assumed. The default family then can be queried using
* cairo_toy_font_face_get_family().
* The cairo_select_font_face() function uses this to create font faces.
* See that function for limitations of toy font faces.
* Since 1.8
* Params:
* family = a font family name, encoded in UTF-8
* slant = the slant for the font
* weight = the weight for the font
* Returns: a newly created cairo_font_face_t. Free with cairo_font_face_destroy() when you are done using it.
*/
public static FontFace toyFontFaceCreate(string family, cairo_font_slant_t slant, cairo_font_weight_t weight)
{
// cairo_font_face_t* cairo_toy_font_face_create (const char *family, cairo_font_slant_t slant, cairo_font_weight_t weight);
auto p = cairo_toy_font_face_create(Str.toStringz(family), slant, weight);
if(p is null)
{
return null;
}
return new FontFace(cast(cairo_font_face_t*) p);
}
/**
* Gets the familly name of a toy font.
* Since 1.8
* Params:
* fontFace = A toy font face
* Returns: The family name. This string is owned by the font faceand remains valid as long as the font face is alive (referenced).
*/
public static string toyFontFaceGetFamily(FontFace fontFace)
{
// const char* cairo_toy_font_face_get_family (cairo_font_face_t *font_face);
return Str.toString(cairo_toy_font_face_get_family((fontFace is null) ? null : fontFace.getFontFaceStruct()));
}
/**
* Gets the slant a toy font.
* Since 1.8
* Params:
* fontFace = A toy font face
* Returns: The slant value
*/
public static cairo_font_slant_t toyFontFaceGetSlant(FontFace fontFace)
{
// cairo_font_slant_t cairo_toy_font_face_get_slant (cairo_font_face_t *font_face);
return cairo_toy_font_face_get_slant((fontFace is null) ? null : fontFace.getFontFaceStruct());
}
/**
* Gets the weight a toy font.
* Since 1.8
* Params:
* fontFace = A toy font face
* Returns: The weight value
*/
public static cairo_font_weight_t toyFontFaceGetWeight(FontFace fontFace)
{
// cairo_font_weight_t cairo_toy_font_face_get_weight (cairo_font_face_t *font_face);
return cairo_toy_font_face_get_weight((fontFace is null) ? null : fontFace.getFontFaceStruct());
}
/**
* Frees an array of cairo_glyph_t's allocated using cairo_glyph_allocate().
* This function is only useful to free glyph array returned
* by cairo_scaled_font_text_to_glyphs() where cairo returns
* an array of glyphs that the user will free.
* For all other uses, user can use their own allocation method
* for glyphs.
* Since 1.8
* Params:
* glyphs = array of glyphs to free, or NULL
*/
public static void glyphFree(cairo_glyph_t[] glyphs)
{
// void cairo_glyph_free (cairo_glyph_t *glyphs);
cairo_glyph_free(glyphs.ptr);
}
/**
* Frees an array of cairo_text_cluster's allocated using cairo_text_cluster_allocate().
* This function is only useful to free text cluster array returned
* by cairo_scaled_font_text_to_glyphs() where cairo returns
* an array of text clusters that the user will free.
* For all other uses, user can use their own allocation method
* for text clusters.
* Since 1.8
* Params:
* clusters = array of text clusters to free, or NULL
*/
public static void textClusterFree(cairo_text_cluster_t[] clusters)
{
// void cairo_text_cluster_free (cairo_text_cluster_t *clusters);
cairo_text_cluster_free(clusters.ptr);
}
}
|
D
|
instance PAL_215_RITTER(NPC_DEFAULT)
{
name[0] = NAME_RITTER;
guild = GIL_PAL;
id = 215;
voice = 12;
flags = 0;
npctype = NPCTYPE_AMBIENT;
b_setattributestochapter(self,4);
fight_tactic = FAI_HUMAN_MASTER;
EquipItem(self,itmw_2h_pal_sword);
b_createambientinv(self);
b_setnpcvisual(self,MALE,"Hum_Head_FatBald",FACE_L_TOUGH02,BODYTEX_L,itar_pal_m);
Mdl_SetModelFatness(self,2);
Mdl_ApplyOverlayMds(self,"Humans_Militia.mds");
b_givenpctalents(self);
b_setfightskills(self,55);
daily_routine = rtn_start_215;
};
func void rtn_start_215()
{
ta_practice_sword(7,8,19,1,"NW_CITY_TRAIN_01");
ta_smalltalk(19,1,23,7,"NW_CITY_UPTOWN_HUT_03_01");
ta_sit_throne(23,7,7,8,"NW_CITY_UPTOWN_HUT_03_SIT");
};
|
D
|
/Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Skip.o : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/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/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap
/Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Skip~partial.swiftmodule : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/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/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap
/Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Skip~partial.swiftdoc : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/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/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap
|
D
|
/*
Boost Software License - Version 1.0 - August 17th, 2003
Permission is hereby granted, free of charge, to any person or organization
obtaining a copy of the software and accompanying documentation covered by
this license (the "Software") to use, reproduce, display, distribute,
execute, and transmit the Software, and to prepare derivative works of the
Software, and to permit third-parties to whom the Software is furnished to
do so, all subject to the following:
The copyright notices in the Software and this entire statement, including
the above license grant, this restriction and the following disclaimer,
must be included in all copies of the Software, in whole or in part, and
all derivative works of the Software, unless such copies or derivative
works are solely in the form of machine-executable object code generated by
a source language processor.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT
SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE
FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE,
ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
DEALINGS IN THE SOFTWARE.
*/
module derelict.sdl2.functions;
private
{
import core.stdc.stdio;
import core.stdc.stdarg;
import derelict.sdl2.types;
}
extern(C)
{
// SDL.h
alias nothrow int function(Uint32) da_SDL_Init;
alias nothrow int function(Uint32) da_SDL_InitSubSystem;
alias nothrow void function(Uint32) da_SDL_QuitSubSystem;
alias nothrow Uint32 function(Uint32) da_SDL_WasInit;
alias nothrow void function() da_SDL_Quit;
// SDL_audio.h
alias nothrow int function() da_SDL_GetNumAudioDrivers;
alias nothrow const(char)* function(int) da_SDL_GetAudioDriver;
alias nothrow int function(const(char)*) da_SDL_AudioInit;
alias nothrow void function() da_SDL_AudioQuit;
alias nothrow const(char)* function() da_SDL_GetCurrentAudioDriver;
alias nothrow int function(SDL_AudioSpec*, SDL_AudioSpec*) da_SDL_OpenAudio;
alias nothrow int function(int) da_SDL_GetNumAudioDevices;
alias nothrow const(char)* function(int, int) da_SDL_GetAudioDeviceName;
alias nothrow SDL_AudioDeviceID function(const(char)*, int, const(SDL_AudioSpec)*,SDL_AudioSpec*,int) da_SDL_OpenAudioDevice;
alias nothrow SDL_AudioStatus function() da_SDL_GetAudioStatus;
alias nothrow SDL_AudioStatus function(SDL_AudioDeviceID) da_SDL_GetAudioDeviceStatus;
alias nothrow void function(int) da_SDL_PauseAudio;
alias nothrow void function(SDL_AudioDeviceID, int) da_SDL_PauseAudioDevice;
alias nothrow SDL_AudioSpec function(SDL_RWops*, int, SDL_AudioSpec*, Uint8**, Uint32*) da_SDL_LoadWAV_RW;
alias nothrow void function(Uint8*) da_SDL_FreeWAV;
alias nothrow int function(SDL_AudioCVT*, SDL_AudioFormat, Uint8, int, SDL_AudioFormat, Uint8, int) da_SDL_BuildAudioCVT;
alias nothrow int function(SDL_AudioCVT*) da_SDL_ConvertAudio;
alias nothrow void function(Uint8*, const(Uint8)*, Uint32, int) da_SDL_MixAudio;
alias nothrow void function(Uint8*, const(Uint8)*, SDL_AudioFormat, Uint32, int) da_SDL_MixAudioFormat;
alias nothrow void function() da_SDL_LockAudio;
alias nothrow void function(SDL_AudioDeviceID) da_SDL_LockAudioDevice;
alias nothrow void function() da_SDL_UnlockAudio;
alias nothrow void function(SDL_AudioDeviceID) da_SDL_UnlockAudioDevice;
alias nothrow void function() da_SDL_CloseAudio;
alias nothrow void function() da_SDL_CloseAudioDevice;
alias nothrow int function(SDL_AudioDeviceID) da_SDL_AudioDeviceConnected;
// SDL_clipboard.h
alias nothrow int function(const(char)*) da_SDL_SetClipboardText;
alias nothrow char* function() da_SDL_GetClipboardText;
alias nothrow SDL_bool function() da_SDL_HasClipboardText;
// SDL_cpuinfo.h
alias nothrow int function() da_SDL_GetCPUCount;
alias nothrow int function() da_SDL_GetCPUCacheLineSize;
alias nothrow SDL_bool function() da_SDL_HasRDTSC;
alias nothrow SDL_bool function() da_SDL_HasAltiVec;
alias nothrow SDL_bool function() da_SDL_HasMMX;
alias nothrow SDL_bool function() da_SDL_Has3DNow;
alias nothrow SDL_bool function() da_SDL_HasSSE;
alias nothrow SDL_bool function() da_SDL_HasSSE2;
alias nothrow SDL_bool function() da_SDL_HasSSE3;
alias nothrow SDL_bool function() da_SDL_HasSSE41;
alias nothrow SDL_bool function() da_SDL_HasSSE42;
// SDL_error.h
alias nothrow void function(const(char)*, ...) da_SDL_SetError;
alias nothrow const(char)* function() da_SDL_GetError;
alias nothrow void function() da_SDL_ClearError;
// SDL_events.h
alias nothrow void function() da_SDL_PumpEvents;
alias nothrow int function(SDL_Event*, int, SDL_eventaction, Uint32, Uint32) da_SDL_PeepEvents;
alias nothrow SDL_bool function(Uint32) da_SDL_HasEvent;
alias nothrow SDL_bool function(Uint32, Uint32) da_SDL_HasEvents;
alias nothrow void function(Uint32) da_SDL_FlushEvent;
alias nothrow void function(Uint32, Uint32) da_SDL_FlushEvents;
alias nothrow int function(SDL_Event*) da_SDL_PollEvent;
alias nothrow int function(SDL_Event*) da_SDL_WaitEvent;
alias nothrow int function(SDL_Event*, int) da_SDL_WaitEventTimeout;
alias nothrow int function(SDL_Event*) da_SDL_PushEvent;
alias nothrow void function(SDL_EventFilter, void*) da_SDL_SetEventFilter;
alias nothrow void function(SDL_EventFilter*, void**) da_SDL_GetEventFilter;
alias nothrow void function(SDL_EventFilter, void*) da_SDL_AddEventWatch;
alias nothrow void function(SDL_EventFilter, void*) da_SDL_DelEventWatch;
alias nothrow void function(SDL_EventFilter, void*) da_SDL_FilterEvents;
alias nothrow Uint8 function(Uint32, int) da_SDL_EventState;
alias nothrow Uint32 function(int) da_SDL_RegisterEvents;
// SDL_gesture.h
alias nothrow int function(SDL_TouchID) da_SDL_RecordGesture;
alias nothrow int function(SDL_RWops*) da_SDL_SaveAllDollarTemplates;
alias nothrow int function(SDL_GestureID, SDL_RWops*) da_SDL_SaveDollarTemplate;
alias nothrow int function(SDL_TouchID, SDL_RWops*) da_SDL_LoadDollarTemplates;
// SDL_haptic.h
alias nothrow int function() da_SDL_NumHaptics;
alias nothrow const(char)* function(int) da_SDL_HapticName;
alias nothrow SDL_Haptic* function(int) da_SDL_HapticOpen;
alias nothrow int function(int) da_SDL_HapticOpened;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticIndex;
alias nothrow int function() da_SDL_MouseIsHaptic;
alias nothrow SDL_Haptic* function() da_SDL_HapticOpenFromMouse;
alias nothrow int function(SDL_Joystick*) da_SDL_JoystickIsHaptic;
alias nothrow SDL_Haptic* function(SDL_Joystick*) da_SDL_HapticOpenFromJoystick;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticClose;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticNumEffects;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticNumEffectsPlaying;
alias nothrow uint function(SDL_Haptic*) da_SDL_HapticQuery;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticNumAxes;
alias nothrow int function(SDL_Haptic*, SDL_HapticEffect*) da_SDL_HapticEffectSupported;
alias nothrow int function(SDL_Haptic*, SDL_HapticEffect*) da_SDL_HapticNewEffect;
alias nothrow int function(SDL_Haptic*, int, SDL_HapticEffect*) da_SDL_HapticUpdateEffect;
alias nothrow int function(SDL_Haptic*, int, SDL_HapticEffect*) da_SDL_HapticRunEffect;
alias nothrow int function(SDL_Haptic*, int) da_SDL_HapticStopEffect;
alias nothrow int function(SDL_Haptic*, int) da_SDL_HapticDestroyEffect;
alias nothrow int function(SDL_Haptic*, int) da_SDL_HapticGetEffectStatus;
alias nothrow int function(SDL_Haptic*, int) da_SDL_HapticSetGain;
alias nothrow int function(SDL_Haptic*, int) da_SDL_HapticSetAutocenter;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticPause;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticUnpause;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticStopAll;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticRumbleSupported;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticRumbleInit;
alias nothrow int function(SDL_Haptic*, float, Uint32) da_SDL_HapticRumblePlay;
alias nothrow int function(SDL_Haptic*) da_SDL_HapticRumbleStop;
// SDL_hints.h
alias nothrow SDL_bool function(const(char)*, const(char)*, SDL_HintPriority) da_SDL_SetHintWithPriority;
alias nothrow SDL_bool function(const(char)*, const(char)*) da_SDL_SetHint;
alias nothrow const(char)* function(const(char)*) da_SDL_GetHint;
alias nothrow void function() da_SDL_ClearHints;
// SDL_input.h
alias nothrow int function() da_SDL_RedetectInputDevices;
alias nothrow int function() da_SDL_GetNumInputDevices;
alias nothrow const(char)* function(int) da_SDL_GetInputDeviceName;
alias nothrow int function(int) da_SDL_IsDeviceDisconnected;
// SDL_joystick.h
alias nothrow int function() da_SDL_NumJoysticks;
alias nothrow const(char)* function(int) da_SDL_JoystickName;
alias nothrow SDL_Joystick* function(int) da_SDL_JoystickOpen;
alias nothrow int function(int) da_SDL_JoystickOpened;
alias nothrow int function(SDL_Joystick*) da_SDL_JoystickIndex;
alias nothrow int function(SDL_Joystick*) da_SDL_JoystickNumAxes;
alias nothrow int function(SDL_Joystick*) da_SDL_JoystickNumBalls;
alias nothrow int function(SDL_Joystick*) da_SDL_JoystickNumHats;
alias nothrow int function(SDL_Joystick*) da_SDL_JoystickNumButtons;
alias nothrow int function(SDL_Joystick*) da_SDL_JoystickUpdate;
alias nothrow int function(int) da_SDL_JoystickEventState;
alias nothrow Sint16 function(SDL_Joystick*, int) da_SDL_JoystickGetAxis;
alias nothrow Uint8 function(SDL_Joystick*, int) da_SDL_JoystickGetHat;
alias nothrow int function(SDL_Joystick*, int, int*, int*) da_SDL_JoystickGetBall;
alias nothrow Uint8 function(SDL_Joystick*, int) da_SDL_JoystickGetButton;
alias nothrow void function(SDL_Joystick*) da_SDL_JoystickClose;
// SDL_keyboard.h
alias nothrow SDL_Window* function() da_SDL_GetKeyboardFocus;
alias nothrow Uint8* function(int*) da_SDL_GetKeyboardState;
alias nothrow SDL_Keymod function() da_SDL_GetModState;
alias nothrow void function(SDL_Keymod) da_SDL_SetModState;
alias nothrow SDL_Keycode function(SDL_Scancode) da_SDL_GetKeyFromScancode;
alias nothrow SDL_Scancode function(SDL_Keycode) da_SDL_GetScancodeFromKey;
alias nothrow const(char)* function(SDL_Scancode) da_SDL_GetScancodeName;
alias nothrow SDL_Scancode function(const(char)*) da_SDL_GetScancodeFromName;
alias nothrow const(char)* function(SDL_Keycode) da_SDL_GetKeyName;
alias nothrow SDL_Keycode function(const(char)*) da_SDL_GetKeyFromName;
alias nothrow void function() da_SDL_StartTextInput;
alias nothrow SDL_bool function() da_SDL_IsTextInputActive;
alias nothrow void function() da_SDL_StopTextInput;
alias nothrow void function(SDL_Rect*) da_SDL_SetTextInputRect;
alias nothrow SDL_bool function() da_SDL_HasScreenKeyboardSupport;
alias nothrow SDL_bool function(SDL_Window*) da_SDL_IsScreenKeyboardShown;
// SDL_loadso.h
alias nothrow void* function(const(char)*) da_SDL_LoadObject;
alias nothrow void* function(void*, const(char*)) da_SDL_LoadFunction;
alias nothrow void function(void*) da_SDL_UnloadObject;
// SDL_log.h
alias nothrow void function(SDL_LogPriority) da_SDL_LogSetAllPriority;
alias nothrow void function(int, SDL_LogPriority) da_SDL_LogSetPriority;
alias nothrow SDL_LogPriority function(int) da_SDL_LogGetPriority;
alias nothrow void function() da_SDL_LogResetPriorities;
alias nothrow void function(const(char)*, ...) da_SDL_Log;
alias nothrow void function(int, const(char)*, ...) da_SDL_LogVerbose;
alias nothrow void function(int, const(char)*, ...) da_SDL_LogDebug;
alias nothrow void function(int, const(char)*, ...) da_SDL_LogInfo;
alias nothrow void function(int, const(char)*, ...) da_SDL_LogWarn;
alias nothrow void function(int, const(char)*, ...) da_SDL_LogError;
alias nothrow void function(int, const(char)*, ...) da_SDL_LogCritical;
alias nothrow void function(int, SDL_LogPriority, const(char)*, ...) da_SDL_LogMessage;
alias nothrow void function(int, SDL_LogPriority, const(char)*, va_list) da_SDL_LogMessageV;
alias nothrow void function(SDL_LogOutputFunction, void**) da_SDL_LogGetOutputFunction;
alias nothrow void function(SDL_LogOutputFunction, void*) da_SDL_LogSetOutputFunction;
// SDL_messagebox.h
alias nothrow int function(const(SDL_MessageBoxData)*, int) da_SDL_ShowMessageBox;
alias nothrow int function(Uint32, const(char)*, const(char)*, SDL_Window*) da_SDL_ShowSimpleMessageBox;
// SDL_mouse.h
alias nothrow SDL_Window* function() da_SDL_GetMouseFocus;
alias nothrow Uint32 function(int*, int*) da_SDL_GetMouseState;
alias nothrow Uint32 function(int*, int*) da_SDL_GetRelativeMouseState;
alias nothrow void function(SDL_Window*, int, int) da_SDL_WarpMouseInWindow;
alias nothrow int function(SDL_bool) da_SDL_SetRelativeMouseMode;
alias nothrow SDL_bool function() da_SDL_GetRelativeMouseMode;
alias nothrow SDL_Cursor* function(const(Uint8)*, const(Uint8)*, int, int, int, int) da_SDL_CreateCursor;
alias nothrow SDL_Cursor* function(SDL_Surface*, int, int) da_SDL_CreateColorCursor;
alias nothrow SDL_Cursor* function(SDL_SystemCursor) da_SDL_CreateSystemCursor;
alias nothrow void function(SDL_Cursor*) da_SDL_SetCursor;
alias nothrow SDL_Cursor* function() da_SDL_GetCursor;
alias nothrow void function(SDL_Cursor*) da_SDL_FreeCursor;
alias nothrow int function(int) da_SDL_ShowCursor;
// SDL_pixels.h
alias nothrow const(char)* function(Uint32) da_SDL_GetPixelFormatName;
alias nothrow SDL_bool function(Uint32, int*, Uint32*, Uint32*, Uint32*, Uint32*) da_SDL_PixelFormatEnumToMasks;
alias nothrow Uint32 function(int, Uint32, Uint32, Uint32, Uint32) da_SDL_MasksToPixelFormatEnum;
alias nothrow SDL_PixelFormat* function(Uint32) da_SDL_AllocFormat;
alias nothrow void function(SDL_PixelFormat*) da_SDL_FreeFormat;
alias nothrow SDL_Palette* function(int) da_SDL_AllocPalette;
alias nothrow int function(SDL_PixelFormat*, SDL_Palette*) da_SDL_SetPixelFormatPalette;
alias nothrow int function(SDL_Palette*, const(SDL_Color)*, int, int) da_SDL_SetPaletteColors;
alias nothrow void function(SDL_Palette*) da_SDL_FreePalette;
alias nothrow Uint32 function(const(SDL_PixelFormat)*, Uint8, Uint8, Uint8) da_SDL_MapRGB;
alias nothrow Uint32 function(const(SDL_PixelFormat)*, Uint8, Uint8, Uint8, Uint8) da_SDL_MapRGBA;
alias nothrow void function(Uint32, const(SDL_PixelFormat)*, Uint8*, Uint8*, Uint8*) da_SDL_GetRGB;
alias nothrow void function(Uint32, const(SDL_PixelFormat)*, Uint8*, Uint8*, Uint8*, Uint8*) da_SDL_GetRGBA;
alias nothrow void function(float, Uint16*) da_SDL_CalculateGammaRamp;
// SDL_platform.h
alias nothrow const(char)* function() da_SDL_GetPlatform;
// SDL_power.h
alias nothrow SDL_PowerState function(int*, int*) da_SDL_GetPowerInfo;
// SDL_Rect.h
alias nothrow SDL_bool function(const(SDL_Rect)*, const(SDL_Rect)*) da_SDL_HasIntersection;
alias nothrow SDL_bool function(const(SDL_Rect)*, const(SDL_Rect)*, SDL_Rect*) da_SDL_IntersectRect;
alias nothrow void function(const(SDL_Rect)*, const(SDL_Rect)*, SDL_Rect*) da_SDL_UnionRect;
alias nothrow void function(const(SDL_Point)*, int, const(SDL_Rect)*, SDL_Rect*) da_SDL_EnclosePoints;
alias nothrow SDL_bool function(const(SDL_Rect)*, int*, int*, int*, int*) da_SDL_IntersectRectAndLine;
// SDL_Render.h
alias nothrow int function() da_SDL_GetNumRenderDrivers;
alias nothrow int function(int, SDL_RendererInfo*) da_SDL_GetRenderDriverInfo;
alias nothrow int function(int, int, Uint32, SDL_Window**, SDL_Renderer**) da_SDL_CreateWindowAndRenderer;
alias nothrow SDL_Renderer* function(SDL_Window*, int, Uint32) da_SDL_CreateRenderer;
alias nothrow SDL_Renderer* function(SDL_Surface*) da_SDL_CreateSoftwareRenderer;
alias nothrow SDL_Renderer* function(SDL_Window*) da_SDL_GetRenderer;
alias nothrow int function(SDL_Renderer*, SDL_RendererInfo*) da_SDL_GetRendererInfo;
alias nothrow SDL_Texture* function(SDL_Renderer*, Uint32, int, int, int) da_SDL_CreateTexture;
alias nothrow SDL_Texture* function(SDL_Renderer*, SDL_Surface*) da_SDL_CreateTextureFromSurface;
alias nothrow int function(SDL_Texture*, Uint32*, int*, int*, int*) da_SDL_QueryTexture;
alias nothrow int function(SDL_Texture*, Uint8, Uint8, Uint8) da_SDL_SetTextureColorMod;
alias nothrow int function(SDL_Texture*, Uint8*, Uint8*, Uint8*) da_SDL_GetTextureColorMod;
alias nothrow int function(SDL_Texture*, Uint8) da_SDL_SetTextureAlphaMod;
alias nothrow int function(SDL_Texture*, Uint8*) da_SDL_GetTextureAlphaMod;
alias nothrow int function(SDL_Texture*, SDL_BlendMode) da_SDL_SetTextureBlendMode;
alias nothrow int function(SDL_Texture*, SDL_BlendMode*) da_SDL_GetTextureBlendMode;
alias nothrow int function(SDL_Texture*, const(SDL_Rect)*, const(void)*, int) da_SDL_UpdateTexture;
alias nothrow int function(SDL_Texture*, const(SDL_Rect)*, void**, int*) da_SDL_LockTexture;
alias nothrow int function(SDL_Texture*) da_SDL_UnlockTexture;
alias nothrow SDL_bool function(SDL_Renderer*) da_SDL_RenderTargetSupported;
alias nothrow int function(SDL_Renderer*, SDL_Texture*) da_SDL_SetRenderTarget;
alias nothrow SDL_Texture* function(SDL_Renderer*) da_SDL_GetRenderTarget;
alias nothrow int function(SDL_Renderer*, int, int) da_SDL_RenderSetLogicalSize;
alias nothrow void function(SDL_Renderer*, int*, int*) da_SDL_RenderGetLogicalSize;
alias nothrow int function(SDL_Renderer*, const(SDL_Rect)*) da_SDL_RenderSetViewport;
alias nothrow void function(SDL_Renderer*, SDL_Rect*) da_SDL_RenderGetViewport;
alias nothrow int function(SDL_Renderer*, float, float) da_SDL_RenderSetScale;
alias nothrow int function(SDL_Renderer*, float*, float*) da_SDL_RenderGetScale;
alias nothrow int function(SDL_Renderer*, Uint8, Uint8, Uint8, Uint8) da_SDL_SetRenderDrawColor;
alias nothrow int function(SDL_Renderer*, Uint8*, Uint8*, Uint8*, Uint8*) da_SDL_GetRenderDrawColor;
alias nothrow int function(SDL_Renderer*, SDL_BlendMode) da_SDL_SetRenderDrawBlendMode;
alias nothrow int function(SDL_Renderer*, SDL_BlendMode*) da_SDL_GetRenderDrawBlendMode;
alias nothrow int function(SDL_Renderer*) da_SDL_RenderClear;
alias nothrow int function(SDL_Renderer*, int, int) da_SDL_RenderDrawPoint;
alias nothrow int function(SDL_Renderer*, const(SDL_Point)*, int) da_SDL_RenderDrawPoints;
alias nothrow int function(SDL_Renderer*, int, int, int, int) da_SDL_RenderDrawLine;
alias nothrow int function(SDL_Renderer*, const(SDL_Point)*, int) da_SDL_RenderDrawLines;
alias nothrow int function(SDL_Renderer*, const(SDL_Rect)*) da_SDL_RenderDrawRect;
alias nothrow int function(SDL_Renderer*, const(SDL_Rect)*, int) da_SDL_RenderDrawRects;
alias nothrow int function(SDL_Renderer*, const(SDL_Rect)*) da_SDL_RenderFillRect;
alias nothrow int function(SDL_Renderer*, const(SDL_Rect)*) da_SDL_RenderFillRects;
alias nothrow int function(SDL_Renderer*, SDL_Texture*, const(SDL_Rect)*, const(SDL_Rect*)) da_SDL_RenderCopy;
alias nothrow int function(SDL_Renderer*, SDL_Texture*, const(SDL_Rect)*, const(SDL_Rect)*, const(double), const(SDL_Point)*, const(SDL_RendererFlip)) da_SDL_RenderCopyEx;
alias nothrow int function(SDL_Renderer*, const(SDL_Rect)*, Uint32, void*, int) da_SDL_RenderReadPixels;
alias nothrow void function(SDL_Renderer*) da_SDL_RenderPresent;
alias nothrow void function(SDL_Texture*) da_SDL_DestroyTexture;
alias nothrow void function(SDL_Renderer*) da_SDL_DestroyRenderer;
alias nothrow int function(SDL_Texture*, float*, float*) da_SDL_GL_BindTexture;
alias nothrow int function(SDL_Texture*) da_SDL_GL_UnbindTexture;
// SDL_rwops.h
alias nothrow SDL_RWops* function(const(char)*, const(char)*) da_SDL_RWFromFile;
alias nothrow SDL_RWops* function(FILE*, SDL_bool) da_SDL_RWFromFP;
alias nothrow SDL_RWops* function(void*, int) da_SDL_RWFromMem;
alias nothrow SDL_RWops* function(const(void)*, int) da_SDL_RWFromConstMem;
alias nothrow SDL_RWops* function() da_SDL_AllocRW;
alias nothrow void function(SDL_RWops*) da_SDL_FreeRW;
alias nothrow Uint8 function(SDL_RWops*) da_SDL_ReadU8;
alias nothrow Uint16 function(SDL_RWops*) da_SDL_ReadLE16;
alias nothrow Uint16 function(SDL_RWops*) da_SDL_ReadBE16;
alias nothrow Uint32 function(SDL_RWops*) da_SDL_ReadLE32;
alias nothrow Uint32 function(SDL_RWops*) da_SDL_ReadBE32;
alias nothrow Uint64 function(SDL_RWops*) da_SDL_ReadLE64;
alias nothrow Uint64 function(SDL_RWops*) da_SDL_ReadBE64;
alias nothrow size_t function(SDL_RWops*, Uint8) da_SDL_WriteU8;
alias nothrow size_t function(SDL_RWops*, Uint16) da_SDL_WriteLE16;
alias nothrow size_t function(SDL_RWops*, Uint16) da_SDL_WriteBE16;
alias nothrow size_t function(SDL_RWops*, Uint32) da_SDL_WriteLE32;
alias nothrow size_t function(SDL_RWops*, Uint32) da_SDL_WriteBE32;
alias nothrow size_t function(SDL_RWops*, Uint64) da_SDL_WriteLE64;
alias nothrow size_t function(SDL_RWops*, Uint64) da_SDL_WriteBE64;
// SDL_shape.h
alias nothrow SDL_Window* function(const(char)*, uint, uint, uint, uint, Uint32) da_SDL_CreateShapedWindow;
alias nothrow SDL_bool function(const(SDL_Window)*) da_SDL_IsShapedWindow;
alias nothrow int function(SDL_Window*, SDL_Surface*, SDL_WindowShapeMode*) da_SDL_SetWindowShape;
alias nothrow int function(SDL_Window*, SDL_WindowShapeMode*) da_SDL_GetShapedWindowMode;
// SDL_surface.h
alias nothrow SDL_Surface* function(Uint32, int, int, int, Uint32, Uint32, Uint32, Uint32) da_SDL_CreateRGBSurface;
alias nothrow SDL_Surface* function(void*, int, int, int, int, Uint32, Uint32, Uint32, Uint32) da_SDL_CreateRGBSurfaceFrom;
alias nothrow void function(SDL_Surface*) da_SDL_FreeSurface;
alias nothrow int function(SDL_Surface*, SDL_Palette*) da_SDL_SetSurfacePalette;
alias nothrow int function(SDL_Surface*) da_SDL_LockSurface;
alias nothrow int function(SDL_Surface*) da_SDL_UnlockSurface;
alias nothrow SDL_Surface* function(SDL_RWops*, int) da_SDL_LoadBMP_RW;
alias nothrow int function(SDL_Surface*, SDL_RWops*, int) da_SDL_SaveBMP_RW;
alias nothrow int function(SDL_Surface*, int) da_SDL_SetSurfaceRLE;
alias nothrow int function(SDL_Surface*, int, Uint32) da_SDL_SetColorKey;
alias nothrow int function(SDL_Surface*, Uint32*) da_SDL_GetColorKey;
alias nothrow int function(SDL_Surface*, Uint8, Uint8, Uint8) da_SDL_SetSurfaceColorMod;
alias nothrow int function(SDL_Surface*, Uint8*, Uint8*, Uint8*) da_SDL_GetSurfaceColorMod;
alias nothrow int function(SDL_Surface*, Uint8) da_SDL_SetSurfaceAlphaMod;
alias nothrow int function(SDL_Surface*, Uint8*) da_SDL_GetSurfaceAlphaMod;
alias nothrow int function(SDL_Surface*, SDL_BlendMode) da_SDL_SetSurfaceBlendMode;
alias nothrow int function(SDL_Surface*, SDL_BlendMode*) da_SDL_GetSurfaceBlendMode;
alias nothrow SDL_bool function(SDL_Surface*, const(SDL_Rect)*) da_SDL_SetClipRect;
alias nothrow void function(SDL_Surface*, SDL_Rect*) da_SDL_GetClipRect;
alias nothrow SDL_Surface* function(SDL_Surface*, SDL_PixelFormat*, Uint32) da_SDL_ConvertSurface;
alias nothrow SDL_Surface* function(SDL_Surface*, Uint32, Uint32) da_SDL_ConvertSurfaceFormat;
alias nothrow int function(int, int, Uint32, const(void)*, int, Uint32, void*, int) da_SDL_ConvertPixels;
alias nothrow int function(SDL_Surface*, const(SDL_Rect)*, Uint32) da_SDL_FillRect;
alias nothrow int function(SDL_Surface*, const(SDL_Rect)*, int, Uint32) da_SDL_FillRects;
alias nothrow SDL_UpperBlit SDL_BlitSurface;
alias nothrow int function(SDL_Surface*, const(SDL_Rect)*, SDL_Surface*, SDL_Rect*) da_SDL_UpperBlit;
alias nothrow int function(SDL_Surface*, SDL_Rect*, SDL_Surface*, SDL_Rect*) da_SDL_LowerBlit;
alias nothrow int function(SDL_Surface*, const(SDL_Rect)*, SDL_Surface*, const(SDL_Rect)*) da_SDL_SoftStretch;
alias nothrow SDL_UpperBlitScaled SDL_BlitScaled;
alias nothrow int function(SDL_Surface*, const(SDL_Rect)*, SDL_Surface*, SDL_Rect*) da_SDL_UpperBlitScaled;
alias nothrow int function(SDL_Surface*, SDL_Rect*, SDL_Surface*, SDL_Rect*) da_SDL_LowerBlitScaled;
// SDL_timer.h
alias nothrow Uint32 function() da_SDL_GetTicks;
alias nothrow Uint64 function() da_SDL_GetPerformanceCounter;
alias nothrow Uint64 function() da_SDL_GetPerformanceFrequency;
alias nothrow void function(Uint32) da_SDL_Delay;
alias nothrow SDL_TimerID function(Uint32, SDL_TimerCallback, void*) da_SDL_AddTimer;
alias nothrow SDL_bool function(SDL_TimerID) da_SDL_RemoveTimer;
// SDL_touch.h
alias nothrow SDL_Touch* function(SDL_TouchID) da_SDL_GetTouch;
alias nothrow SDL_Finger* function(SDL_TouchID, SDL_FingerID) da_SDL_GetFinger;
// SDL_version.h
alias nothrow void function(SDL_version*) da_SDL_GetVersion;
alias nothrow const(char)* function() da_SDL_GetRevision;
alias nothrow int function() da_SDL_GetRevisionNumber;
// SDL_video.h
alias nothrow int function() da_SDL_GetNumVideoDrivers;
alias nothrow const(char)* function(int) da_SDL_GetVideoDriver;
alias nothrow int function(const(char)*) da_SDL_VideoInit;
alias nothrow void function() da_SDL_VideoQuit;
alias nothrow const(char)* function() da_SDL_GetCurrentVideoDriver;
alias nothrow int function() da_SDL_GetNumVideoDisplays;
alias nothrow int function(int, SDL_Rect*) da_SDL_GetDisplayBounds;
alias nothrow int function(int) da_SDL_GetNumDisplayModes;
alias nothrow int function(int, int, SDL_DisplayMode*) da_SDL_GetDisplayMode;
alias nothrow int function(int, SDL_DisplayMode*) da_SDL_GetDesktopDisplayMode;
alias nothrow int function(int, SDL_DisplayMode*) da_SDL_GetCurrentDisplayMode;
alias nothrow SDL_DisplayMode* function(int, const(SDL_DisplayMode)*, SDL_DisplayMode*) da_SDL_GetClosestDisplayMode;
alias nothrow int function(SDL_Window*) da_SDL_GetWindowDisplay;
alias nothrow int function(SDL_Window*, const(SDL_DisplayMode)*) da_SDL_SetWindowDisplayMode;
alias nothrow int function(SDL_Window*, SDL_DisplayMode*) da_SDL_GetWindowDisplayMode;
alias nothrow Uint32 function(SDL_Window*) da_SDL_GetWindowPixelFormat;
alias nothrow SDL_Window* function(const(char)*, int, int, int, int, Uint32) da_SDL_CreateWindow;
alias nothrow SDL_Window* function(const(void)*) da_SDL_CreateWindowFrom;
alias nothrow Uint32 function(SDL_Window*) da_SDL_GetWindowID;
alias nothrow SDL_Window* function(Uint32) da_SDL_GetWindowFromID;
alias nothrow Uint32 function(SDL_Window*) da_SDL_GetWindowFlags;
alias nothrow void function(SDL_Window*, const(char)*) da_SDL_SetWindowTitle;
alias nothrow const(char)* function(SDL_Window*) da_SDL_GetWindowTitle;
alias nothrow void function(SDL_Window*, SDL_Surface*) da_SDL_SetWindowIcon;
alias nothrow void* function(SDL_Window*, const(char)*, void*) da_SDL_SetWindowData;
alias nothrow void* function(SDL_Window*, const(char)*) da_SDL_GetWindowData;
alias nothrow void function(SDL_Window*, int, int) da_SDL_SetWindowPosition;
alias nothrow void function(SDL_Window*, int*, int*) da_SDL_GetWindowPosition;
alias nothrow void function(SDL_Window*, int, int) da_SDL_SetWindowSize;
alias nothrow void function(SDL_Window*, int*, int*) da_SDL_GetWindowSize;
alias nothrow void function(SDL_Window*, SDL_bool) da_SDL_SetWindowBordered;
alias nothrow void function(SDL_Window*) da_SDL_ShowWindow;
alias nothrow void function(SDL_Window*) da_SDL_HideWindow;
alias nothrow void function(SDL_Window*) da_SDL_RaiseWindow;
alias nothrow void function(SDL_Window*) da_SDL_MaximizeWindow;
alias nothrow void function(SDL_Window*) da_SDL_MinimizeWindow;
alias nothrow void function(SDL_Window*) da_SDL_RestoreWindow;
alias nothrow int function(SDL_Window*, SDL_bool) da_SDL_SetWindowFullscreen;
alias nothrow SDL_Surface* function(SDL_Window*) da_SDL_GetWindowSurface;
alias nothrow int function(SDL_Window*) da_SDL_UpdateWindowSurface;
alias nothrow int function(SDL_Window*, SDL_Rect*, int) da_SDL_UpdateWindowSurfaceRects;
alias nothrow void function(SDL_Window*, SDL_bool) da_SDL_SetWindowGrab;
alias nothrow SDL_bool function(SDL_Window*) da_SDL_GetWindowGrab;
alias nothrow int function(SDL_Window*, float) da_SDL_SetWindowBrightness;
alias nothrow float function(SDL_Window*) da_SDL_GetWindowBrightness;
alias nothrow int function(SDL_Window*, const(Uint16)*, const(Uint16)*, const(Uint16)*, const(Uint16)*) da_SDL_SetWindowGammaRamp;
alias nothrow int function(SDL_Window*, Uint16*, Uint16*, Uint16*, Uint16*) da_SDL_GetWindowGammaRamp;
alias nothrow void function(SDL_Window*) da_SDL_DestroyWindow;
alias nothrow SDL_bool function() da_SDL_IsScreenSaverEnabled;
alias nothrow void function() da_SDL_EnableScreenSaver;
alias nothrow void function() da_SDL_DisableScreenSaver;
alias nothrow int function(const(char)*) da_SDL_GL_LoadLibrary;
alias nothrow void* function(const(char)*) da_SDL_GL_GetProcAddress;
alias nothrow void function() da_SDL_GL_UnloadLibrary;
alias nothrow SDL_bool function(const(char)*) da_SDL_GL_ExtensionSupported;
alias nothrow int function(SDL_GLattr, int) da_SDL_GL_SetAttribute;
alias nothrow int function(SDL_GLattr, int*) da_SDL_GL_GetAttribute;
alias nothrow SDL_GLContext function(SDL_Window*) da_SDL_GL_CreateContext;
alias nothrow int function(SDL_Window*, SDL_GLContext) da_SDL_GL_MakeCurrent;
alias nothrow int function(int) da_SDL_GL_SetSwapInterval;
alias nothrow int function() da_SDL_GL_GetSwapInterval;
alias nothrow void function(SDL_Window*) da_SDL_GL_SwapWindow;
alias nothrow void function(SDL_GLContext) da_SDL_GL_DeleteContext;
}
// SDL_audio.h
nothrow SDL_AudioSpec SDL_LoadWAV(const(char)* file, SDL_AudioSpec* spec, Uint8** audio_buf, Uint32* len)
{
return SDL_LoadWAV_RW(SDL_RWFromFile(file, "rb"), 1, spec, audio_buf, len);
}
// SDL_events.h
nothrow Uint8 SDL_GetEventState(Uint32 type)
{
return SDL_EventState(type, SDL_QUERY);
}
// SDL_quit.h
nothrow bool SDL_QuitRequested()
{
SDL_PumpEvents();
return SDL_PeepEvents(null, 0, SDL_PEEKEVENT, SDL_QUIT, SDL_QUIT) > 0;
}
// SDL_surface.h
nothrow SDL_Surface* SDL_LoadBMP(const(char)* file)
{
return SDL_LoadBMP_RW(SDL_RWFromFile(file, "rb"), 1);
}
nothrow int SDL_SaveBMP(SDL_Surface* surface, const(char)* file)
{
return SDL_SaveBMP_RW(surface, SDL_RWFromFile(file, "wb"), 1);
}
__gshared
{
da_SDL_Init SDL_Init;
da_SDL_InitSubSystem SDL_InitSubSystem;
da_SDL_QuitSubSystem SDL_QuitSubSystem;
da_SDL_WasInit SDL_WasInit;
da_SDL_Quit SDL_Quit;
da_SDL_GetNumAudioDrivers SDL_GetNumAudioDrivers;
da_SDL_GetAudioDriver SDL_GetAudioDriver;
da_SDL_AudioInit SDL_AudioInit;
da_SDL_AudioQuit SDL_AudioQuit;
da_SDL_GetCurrentAudioDriver SDL_GetCurrentAudioDriver;
da_SDL_OpenAudio SDL_OpenAudio;
da_SDL_GetNumAudioDevices SDL_GetNumAudioDevices;
da_SDL_GetAudioDeviceName SDL_GetAudioDeviceName;
da_SDL_OpenAudioDevice SDL_OpenAudioDevice;
da_SDL_GetAudioStatus SDL_GetAudioStatus;
da_SDL_GetAudioDeviceStatus SDL_GetAudioDeviceStatus;
da_SDL_PauseAudio SDL_PauseAudio;
da_SDL_PauseAudioDevice SDL_PauseAudioDevice;
da_SDL_LoadWAV_RW SDL_LoadWAV_RW;
da_SDL_FreeWAV SDL_FreeWAV;
da_SDL_BuildAudioCVT SDL_BuildAudioCVT;
da_SDL_ConvertAudio SDL_ConvertAudio;
da_SDL_MixAudio SDL_MixAudio;
da_SDL_MixAudioFormat SDL_MixAudioFormat;
da_SDL_LockAudio SDL_LockAudio;
da_SDL_LockAudioDevice SDL_LockAudioDevice;
da_SDL_UnlockAudio SDL_UnlockAudio;
da_SDL_UnlockAudioDevice SDL_UnlockAudioDevice;
da_SDL_CloseAudio SDL_CloseAudio;
da_SDL_CloseAudioDevice SDL_CloseAudioDevice;
// da_SDL_AudioDeviceConnected SDL_AudioDeviceConnected;
da_SDL_SetClipboardText SDL_SetClipboardText;
da_SDL_GetClipboardText SDL_GetClipboardText;
da_SDL_HasClipboardText SDL_HasClipboardText;
da_SDL_GetCPUCount SDL_GetCPUCount;
da_SDL_GetCPUCacheLineSize SDL_GetCPUCacheLineSize;
da_SDL_HasRDTSC SDL_HasRDTSC;
da_SDL_HasAltiVec SDL_HasAltiVec;
da_SDL_HasMMX SDL_HasMMX;
da_SDL_Has3DNow SDL_Has3DNow;
da_SDL_HasSSE SDL_HasSSE;
da_SDL_HasSSE2 SDL_HasSSE2;
da_SDL_HasSSE3 SDL_HasSSE3;
da_SDL_HasSSE41 SDL_HasSSE41;
da_SDL_HasSSE42 SDL_HasSSE42;
da_SDL_SetError SDL_SetError;
da_SDL_GetError SDL_GetError;
da_SDL_ClearError SDL_ClearError;
da_SDL_PumpEvents SDL_PumpEvents;
da_SDL_PeepEvents SDL_PeepEvents;
da_SDL_HasEvent SDL_HasEvent;
da_SDL_HasEvents SDL_HasEvents;
da_SDL_FlushEvent SDL_FlushEvent;
da_SDL_FlushEvents SDL_FlushEvents;
da_SDL_PollEvent SDL_PollEvent;
da_SDL_WaitEvent SDL_WaitEvent;
da_SDL_WaitEventTimeout SDL_WaitEventTimeout;
da_SDL_PushEvent SDL_PushEvent;
da_SDL_SetEventFilter SDL_SetEventFilter;
da_SDL_GetEventFilter SDL_GetEventFilter;
da_SDL_AddEventWatch SDL_AddEventWatch;
da_SDL_DelEventWatch SDL_DelEventWatch;
da_SDL_FilterEvents SDL_FilterEvents;
da_SDL_EventState SDL_EventState;
da_SDL_RegisterEvents SDL_RegisterEvents;
da_SDL_RecordGesture SDL_RecordGesture;
da_SDL_SaveAllDollarTemplates SDL_SaveAllDollarTemplates;
da_SDL_SaveDollarTemplate SDL_SaveDollarTemplate;
da_SDL_LoadDollarTemplates SDL_LoadDollarTemplates;
da_SDL_NumHaptics SDL_NumHaptics;
da_SDL_HapticName SDL_HapticName;
da_SDL_HapticOpen SDL_HapticOpen;
da_SDL_HapticOpened SDL_HapticOpened;
da_SDL_HapticIndex SDL_HapticIndex;
da_SDL_MouseIsHaptic SDL_MouseIsHaptic;
da_SDL_HapticOpenFromMouse SDL_HapticOpenFromMouse;
da_SDL_JoystickIsHaptic SDL_JoystickIsHaptic;
da_SDL_HapticOpenFromJoystick SDL_HapticOpenFromJoystick;
da_SDL_HapticClose SDL_HapticClose;
da_SDL_HapticNumEffects SDL_HapticNumEffects;
da_SDL_HapticNumEffectsPlaying SDL_HapticNumEffectsPlaying;
da_SDL_HapticQuery SDL_HapticQuery;
da_SDL_HapticNumAxes SDL_HapticNumAxes;
da_SDL_HapticEffectSupported SDL_HapticEffectSupported;
da_SDL_HapticNewEffect SDL_HapticNewEffect;
da_SDL_HapticUpdateEffect SDL_HapticUpdateEffect;
da_SDL_HapticRunEffect SDL_HapticRunEffect;
da_SDL_HapticStopEffect SDL_HapticStopEffect;
da_SDL_HapticDestroyEffect SDL_HapticDestroyEffect;
da_SDL_HapticGetEffectStatus SDL_HapticGetEffectStatus;
da_SDL_HapticSetGain SDL_HapticSetGain;
da_SDL_HapticSetAutocenter SDL_HapticSetAutocenter;
da_SDL_HapticPause SDL_HapticPause;
da_SDL_HapticUnpause SDL_HapticUnpause;
da_SDL_HapticStopAll SDL_HapticStopAll;
da_SDL_HapticRumbleSupported SDL_HapticRumbleSupported;
da_SDL_HapticRumbleInit SDL_HapticRumbleInit;
da_SDL_HapticRumblePlay SDL_HapticRumblePlay;
da_SDL_HapticRumbleStop SDL_HapticRumbleStop;
da_SDL_SetHintWithPriority SDL_SetHintWithPriority;
da_SDL_SetHint SDL_SetHint;
da_SDL_GetHint SDL_GetHint;
da_SDL_ClearHints SDL_ClearHints;
// da_SDL_RedetectInputDevices SDL_RedetectInputDevices;
// da_SDL_GetNumInputDevices SDL_GetNumInputDevices;
// da_SDL_GetInputDeviceName SDL_GetInputDeviceName;
da_SDL_IsDeviceDisconnected SDL_IsDeviceDisconnected;
da_SDL_NumJoysticks SDL_NumJoysticks;
da_SDL_JoystickName SDL_JoystickName;
da_SDL_JoystickOpen SDL_JoystickOpen;
da_SDL_JoystickOpened SDL_JoystickOpened;
da_SDL_JoystickIndex SDL_JoystickIndex;
da_SDL_JoystickNumAxes SDL_JoystickNumAxes;
da_SDL_JoystickNumBalls SDL_JoystickNumBalls;
da_SDL_JoystickNumHats SDL_JoystickNumHats;
da_SDL_JoystickNumButtons SDL_JoystickNumButtons;
da_SDL_JoystickUpdate SDL_JoystickUpdate;
da_SDL_JoystickEventState SDL_JoystickEventState;
da_SDL_JoystickGetAxis SDL_JoystickGetAxis;
da_SDL_JoystickGetHat SDL_JoystickGetHat;
da_SDL_JoystickGetBall SDL_JoystickGetBall;
da_SDL_JoystickGetButton SDL_JoystickGetButton;
da_SDL_JoystickClose SDL_JoystickClose;
da_SDL_GetKeyboardFocus SDL_GetKeyboardFocus;
da_SDL_GetKeyboardState SDL_GetKeyboardState;
da_SDL_GetModState SDL_GetModState;
da_SDL_SetModState SDL_SetModState;
da_SDL_GetKeyFromScancode SDL_GetKeyFromScancode;
da_SDL_GetScancodeFromKey SDL_GetScancodeFromKey;
da_SDL_GetScancodeName SDL_GetScancodeName;
da_SDL_GetScancodeFromName SDL_GetScancodeFromName;
da_SDL_GetKeyName SDL_GetKeyName;
da_SDL_GetKeyFromName SDL_GetKeyFromName;
da_SDL_StartTextInput SDL_StartTextInput;
da_SDL_IsTextInputActive SDL_IsTextInputActive;
da_SDL_StopTextInput SDL_StopTextInput;
da_SDL_SetTextInputRect SDL_SetTextInputRect;
da_SDL_HasScreenKeyboardSupport SDL_HasScreenKeyboardSupport;
da_SDL_IsScreenKeyboardShown SDL_IsScreenKeyboardShown;
da_SDL_LoadObject SDL_LoadObject;
da_SDL_LoadFunction SDL_LoadFunction;
da_SDL_UnloadObject SDL_UnloadObject;
da_SDL_LogSetAllPriority SDL_LogSetAllPriority;
da_SDL_LogSetPriority SDL_LogSetPriority;
da_SDL_LogGetPriority SDL_LogGetPriority;
da_SDL_LogResetPriorities SDL_LogResetPriorities;
da_SDL_Log SDL_Log;
da_SDL_LogVerbose SDL_LogVerbose;
da_SDL_LogDebug SDL_LogDebug;
da_SDL_LogInfo SDL_LogInfo;
da_SDL_LogWarn SDL_LogWarn;
da_SDL_LogError SDL_LogError;
da_SDL_LogCritical SDL_LogCritical;
da_SDL_LogMessage SDL_LogMessage;
da_SDL_LogMessageV SDL_LogMessageV;
da_SDL_LogGetOutputFunction SDL_LogGetOutputFunction;
da_SDL_LogSetOutputFunction SDL_LogSetOutputFunction;
da_SDL_ShowMessageBox SDL_ShowMessageBox;
da_SDL_ShowSimpleMessageBox SDL_ShowSimpleMessageBox;
da_SDL_GetMouseFocus SDL_GetMouseFocus;
da_SDL_GetMouseState SDL_GetMouseState;
da_SDL_GetRelativeMouseState SDL_GetRelativeMouseState;
da_SDL_WarpMouseInWindow SDL_WarpMouseInWindow;
da_SDL_SetRelativeMouseMode SDL_SetRelativeMouseMode;
da_SDL_GetRelativeMouseMode SDL_GetRelativeMouseMode;
da_SDL_CreateCursor SDL_CreateCursor;
da_SDL_CreateColorCursor SDL_CreateColorCursor;
da_SDL_CreateSystemCursor SDL_CreateSystemCursor;
da_SDL_SetCursor SDL_SetCursor;
da_SDL_GetCursor SDL_GetCursor;
da_SDL_FreeCursor SDL_FreeCursor;
da_SDL_ShowCursor SDL_ShowCursor;
da_SDL_GetPixelFormatName SDL_GetPixelFormatName;
da_SDL_PixelFormatEnumToMasks SDL_PixelFormatEnumToMasks;
da_SDL_MasksToPixelFormatEnum SDL_MasksToPixelFormatEnum;
da_SDL_AllocFormat SDL_AllocFormat;
da_SDL_FreeFormat SDL_FreeFormat;
da_SDL_AllocPalette SDL_AllocPalette;
da_SDL_SetPixelFormatPalette SDL_SetPixelFormatPalette;
da_SDL_SetPaletteColors SDL_SetPaletteColors;
da_SDL_FreePalette SDL_FreePalette;
da_SDL_MapRGB SDL_MapRGB;
da_SDL_MapRGBA SDL_MapRGBA;
da_SDL_GetRGB SDL_GetRGB;
da_SDL_GetRGBA SDL_GetRGBA;
da_SDL_CalculateGammaRamp SDL_CalculateGammaRamp;
da_SDL_GetPlatform SDL_GetPlatform;
da_SDL_GetPowerInfo SDL_GetPowerInfo;
da_SDL_HasIntersection SDL_HasIntersection;
da_SDL_IntersectRect SDL_IntersectRect;
da_SDL_UnionRect SDL_UnionRect;
da_SDL_EnclosePoints SDL_EnclosePoints;
da_SDL_IntersectRectAndLine SDL_IntersectRectAndLine;
da_SDL_GetNumRenderDrivers SDL_GetNumRenderDrivers;
da_SDL_GetRenderDriverInfo SDL_GetRenderDriverInfo;
da_SDL_CreateWindowAndRenderer SDL_CreateWindowAndRenderer;
da_SDL_CreateRenderer SDL_CreateRenderer;
da_SDL_CreateSoftwareRenderer SDL_CreateSoftwareRenderer;
da_SDL_GetRenderer SDL_GetRenderer;
da_SDL_GetRendererInfo SDL_GetRendererInfo;
da_SDL_CreateTexture SDL_CreateTexture;
da_SDL_CreateTextureFromSurface SDL_CreateTextureFromSurface;
da_SDL_QueryTexture SDL_QueryTexture;
da_SDL_SetTextureColorMod SDL_SetTextureColorMod;
da_SDL_GetTextureColorMod SDL_GetTextureColorMod;
da_SDL_SetTextureAlphaMod SDL_SetTextureAlphaMod;
da_SDL_GetTextureAlphaMod SDL_GetTextureAlphaMod;
da_SDL_SetTextureBlendMode SDL_SetTextureBlendMode;
da_SDL_GetTextureBlendMode SDL_GetTextureBlendMode;
da_SDL_UpdateTexture SDL_UpdateTexture;
da_SDL_LockTexture SDL_LockTexture;
da_SDL_UnlockTexture SDL_UnlockTexture;
da_SDL_RenderTargetSupported SDL_RenderTargetSupported;
da_SDL_SetRenderTarget SDL_SetRenderTarget;
da_SDL_GetRenderTarget SDL_GetRenderTarget;
da_SDL_RenderSetLogicalSize SDL_RenderSetLogicalSize;
da_SDL_RenderGetLogicalSize SDL_RenderGetLogicalSize;
da_SDL_RenderSetViewport SDL_RenderSetViewport;
da_SDL_RenderGetViewport SDL_RenderGetViewport;
da_SDL_RenderSetScale SDL_RenderSetScale;
da_SDL_RenderGetScale SDL_RenderGetScale;
da_SDL_SetRenderDrawColor SDL_SetRenderDrawColor;
da_SDL_GetRenderDrawColor SDL_GetRenderDrawColor;
da_SDL_SetRenderDrawBlendMode SDL_SetRenderDrawBlendMode;
da_SDL_GetRenderDrawBlendMode SDL_GetRenderDrawBlendMode;
da_SDL_RenderClear SDL_RenderClear;
da_SDL_RenderDrawPoint SDL_RenderDrawPoint;
da_SDL_RenderDrawPoints SDL_RenderDrawPoints;
da_SDL_RenderDrawLine SDL_RenderDrawLine;
da_SDL_RenderDrawLines SDL_RenderDrawLines;
da_SDL_RenderDrawRect SDL_RenderDrawRect;
da_SDL_RenderDrawRects SDL_RenderDrawRects;
da_SDL_RenderFillRect SDL_RenderFillRect;
da_SDL_RenderFillRects SDL_RenderFillRects;
da_SDL_RenderCopy SDL_RenderCopy;
da_SDL_RenderCopyEx SDL_RenderCopyEx;
da_SDL_RenderReadPixels SDL_RenderReadPixels;
da_SDL_RenderPresent SDL_RenderPresent;
da_SDL_DestroyTexture SDL_DestroyTexture;
da_SDL_DestroyRenderer SDL_DestroyRenderer;
da_SDL_GL_BindTexture SDL_GL_BindTexture;
da_SDL_GL_UnbindTexture SDL_GL_UnbindTexture;
da_SDL_RWFromFile SDL_RWFromFile;
da_SDL_RWFromFP SDL_RWFromFP;
da_SDL_RWFromMem SDL_RWFromMem;
da_SDL_RWFromConstMem SDL_RWFromConstMem;
da_SDL_AllocRW SDL_AllocRW;
da_SDL_FreeRW SDL_FreeRW;
da_SDL_ReadU8 SDL_ReadU8;
da_SDL_ReadLE16 SDL_ReadLE16;
da_SDL_ReadBE16 SDL_ReadBE16;
da_SDL_ReadLE32 SDL_ReadLE32;
da_SDL_ReadBE32 SDL_ReadBE32;
da_SDL_ReadLE64 SDL_ReadLE64;
da_SDL_ReadBE64 SDL_ReadBE64;
da_SDL_WriteU8 SDL_WriteU8;
da_SDL_WriteLE16 SDL_WriteLE16;
da_SDL_WriteBE16 SDL_WriteBE16;
da_SDL_WriteLE32 SDL_WriteLE32;
da_SDL_WriteBE32 SDL_WriteBE32;
da_SDL_WriteLE64 SDL_WriteLE64;
da_SDL_WriteBE64 SDL_WriteBE64;
da_SDL_CreateShapedWindow SDL_CreateShapedWindow;
da_SDL_IsShapedWindow SDL_IsShapedWindow;
da_SDL_SetWindowShape SDL_SetWindowShape;
da_SDL_GetShapedWindowMode SDL_GetShapedWindowMode;
da_SDL_CreateRGBSurface SDL_CreateRGBSurface;
da_SDL_CreateRGBSurfaceFrom SDL_CreateRGBSurfaceFrom;
da_SDL_FreeSurface SDL_FreeSurface;
da_SDL_SetSurfacePalette SDL_SetSurfacePalette;
da_SDL_LockSurface SDL_LockSurface;
da_SDL_UnlockSurface SDL_UnlockSurface;
da_SDL_LoadBMP_RW SDL_LoadBMP_RW;
da_SDL_SaveBMP_RW SDL_SaveBMP_RW;
da_SDL_SetSurfaceRLE SDL_SetSurfaceRLE;
da_SDL_SetColorKey SDL_SetColorKey;
da_SDL_GetColorKey SDL_GetColorKey;
da_SDL_SetSurfaceColorMod SDL_SetSurfaceColorMod;
da_SDL_GetSurfaceColorMod SDL_GetSurfaceColorMod;
da_SDL_SetSurfaceAlphaMod SDL_SetSurfaceAlphaMod;
da_SDL_GetSurfaceAlphaMod SDL_GetSurfaceAlphaMod;
da_SDL_SetSurfaceBlendMode SDL_SetSurfaceBlendMode;
da_SDL_GetSurfaceBlendMode SDL_GetSurfaceBlendMode;
da_SDL_SetClipRect SDL_SetClipRect;
da_SDL_GetClipRect SDL_GetClipRect;
da_SDL_ConvertSurface SDL_ConvertSurface;
da_SDL_ConvertSurfaceFormat SDL_ConvertSurfaceFormat;
da_SDL_ConvertPixels SDL_ConvertPixels;
da_SDL_FillRect SDL_FillRect;
da_SDL_FillRects SDL_FillRects;
da_SDL_UpperBlit SDL_UpperBlit;
da_SDL_LowerBlit SDL_LowerBlit;
da_SDL_SoftStretch SDL_SoftStretch;
da_SDL_UpperBlitScaled SDL_UpperBlitScaled;
da_SDL_LowerBlitScaled SDL_LowerBlitScaled;
da_SDL_GetTicks SDL_GetTicks;
da_SDL_GetPerformanceCounter SDL_GetPerformanceCounter;
da_SDL_GetPerformanceFrequency SDL_GetPerformanceFrequency;
da_SDL_Delay SDL_Delay;
da_SDL_AddTimer SDL_AddTimer;
da_SDL_GetTouch SDL_GetTouch;
da_SDL_GetFinger SDL_GetFinger;
da_SDL_GetVersion SDL_GetVersion;
da_SDL_GetRevision SDL_GetRevision;
da_SDL_GetRevisionNumber SDL_GetRevisionNumber;
da_SDL_GetNumVideoDrivers SDL_GetNumVideoDrivers;
da_SDL_GetVideoDriver SDL_GetVideoDriver;
da_SDL_VideoInit SDL_VideoInit;
da_SDL_VideoQuit SDL_VideoQuit;
da_SDL_GetCurrentVideoDriver SDL_GetCurrentVideoDriver;
da_SDL_GetNumVideoDisplays SDL_GetNumVideoDisplays;
da_SDL_GetDisplayBounds SDL_GetDisplayBounds;
da_SDL_GetNumDisplayModes SDL_GetNumDisplayModes;
da_SDL_GetDisplayMode SDL_GetDisplayMode;
da_SDL_GetDesktopDisplayMode SDL_GetDesktopDisplayMode;
da_SDL_GetCurrentDisplayMode SDL_GetCurrentDisplayMode;
da_SDL_GetClosestDisplayMode SDL_GetClosestDisplayMode;
da_SDL_GetWindowDisplay SDL_GetWindowDisplay;
da_SDL_SetWindowDisplayMode SDL_SetWindowDisplayMode;
da_SDL_GetWindowDisplayMode SDL_GetWindowDisplayMode;
da_SDL_GetWindowPixelFormat SDL_GetWindowPixelFormat;
da_SDL_CreateWindow SDL_CreateWindow;
da_SDL_CreateWindowFrom SDL_CreateWindowFrom;
da_SDL_GetWindowID SDL_GetWindowID;
da_SDL_GetWindowFromID SDL_GetWindowFromID;
da_SDL_GetWindowFlags SDL_GetWindowFlags;
da_SDL_SetWindowTitle SDL_SetWindowTitle;
da_SDL_GetWindowTitle SDL_GetWindowTitle;
da_SDL_SetWindowIcon SDL_SetWindowIcon;
da_SDL_SetWindowData SDL_SetWindowData;
da_SDL_GetWindowData SDL_GetWindowData;
da_SDL_SetWindowPosition SDL_SetWindowPosition;
da_SDL_GetWindowPosition SDL_GetWindowPosition;
da_SDL_SetWindowSize SDL_SetWindowSize;
da_SDL_GetWindowSize SDL_GetWindowSize;
da_SDL_SetWindowBordered SDL_SetWindowBordered;
da_SDL_ShowWindow SDL_ShowWindow;
da_SDL_HideWindow SDL_HideWindow;
da_SDL_RaiseWindow SDL_RaiseWindow;
da_SDL_MaximizeWindow SDL_MaximizeWindow;
da_SDL_MinimizeWindow SDL_MinimizeWindow;
da_SDL_RestoreWindow SDL_RestoreWindow;
da_SDL_SetWindowFullscreen SDL_SetWindowFullscreen;
da_SDL_GetWindowSurface SDL_GetWindowSurface;
da_SDL_UpdateWindowSurface SDL_UpdateWindowSurface;
da_SDL_UpdateWindowSurfaceRects SDL_UpdateWindowSurfaceRects;
da_SDL_SetWindowGrab SDL_SetWindowGrab;
da_SDL_GetWindowGrab SDL_GetWindowGrab;
da_SDL_SetWindowBrightness SDL_SetWindowBrightness;
da_SDL_GetWindowBrightness SDL_GetWindowBrightness;
da_SDL_SetWindowGammaRamp SDL_SetWindowGammaRamp;
da_SDL_GetWindowGammaRamp SDL_GetWindowGammaRamp;
da_SDL_DestroyWindow SDL_DestroyWindow;
da_SDL_IsScreenSaverEnabled SDL_IsScreenSaverEnabled;
da_SDL_EnableScreenSaver SDL_EnableScreenSaver;
da_SDL_DisableScreenSaver SDL_DisableScreenSaver;
da_SDL_GL_LoadLibrary SDL_GL_LoadLibrary;
da_SDL_GL_GetProcAddress SDL_GL_GetProcAddress;
da_SDL_GL_UnloadLibrary SDL_GL_UnloadLibrary;
da_SDL_GL_ExtensionSupported SDL_GL_ExtensionSupported;
da_SDL_GL_SetAttribute SDL_GL_SetAttribute;
da_SDL_GL_GetAttribute SDL_GL_GetAttribute;
da_SDL_GL_CreateContext SDL_GL_CreateContext;
da_SDL_GL_MakeCurrent SDL_GL_MakeCurrent;
da_SDL_GL_SetSwapInterval SDL_GL_SetSwapInterval;
da_SDL_GL_GetSwapInterval SDL_GL_GetSwapInterval;
da_SDL_GL_SwapWindow SDL_GL_SwapWindow;
da_SDL_GL_DeleteContext SDL_GL_DeleteContext;
}
|
D
|
import std.stdio, std.array, std.string, std.conv, std.algorithm;
import std.typecons, std.range, std.random, std.math, std.container;
import std.numeric, std.bigint, core.bitop, std.bitmanip;
void main() {
auto N = readln.chomp.to!int;
auto L = new long[](N);
auto R = new long[](N);
foreach (i; 0..N) {
auto s = readln.split.map!(to!long);
L[i] = s[0];
R[i] = s[1];
}
L.sort();
R.sort();
long ans = -1;
long tmp = 0;
foreach (i; 0..N) {
tmp += L[$-i-1] * 2;
ans = max(ans, tmp);
tmp -= R[i] * 2;
ans = max(ans, tmp);
}
tmp = 0;
foreach (i; 0..N) {
tmp -= R[i] * 2;
ans = max(ans, tmp);
tmp += L[$-i-1] * 2;
ans = max(ans, tmp);
}
ans.writeln;
}
|
D
|
/Users/GMoran/Desktop/ClassicPlayer/DerivedData/ClassicPlayer/Build/Intermediates/ClassicPlayer.build/Debug-iphoneos/ClassicPlayer.build/Objects-normal/armv7/SettingsVC.o : /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/NowPlayingVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AboutScreenVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsVC.swift /Users/GMoran/Desktop/ClassicPlayer/AboutVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MusicMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MainMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AlbumsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/PlaylistsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ArtistsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SongListMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/Array+Shuffle.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AppDelegate.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/C2AClickWheel.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ImageTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MenuTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ViewController.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsScreenViewController.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/StatusBarViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/MediaPlayer.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AudioToolbox.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/SwiftOnoneSupport.swiftmodule
/Users/GMoran/Desktop/ClassicPlayer/DerivedData/ClassicPlayer/Build/Intermediates/ClassicPlayer.build/Debug-iphoneos/ClassicPlayer.build/Objects-normal/armv7/SettingsVC~partial.swiftmodule : /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/NowPlayingVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AboutScreenVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsVC.swift /Users/GMoran/Desktop/ClassicPlayer/AboutVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MusicMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MainMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AlbumsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/PlaylistsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ArtistsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SongListMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/Array+Shuffle.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AppDelegate.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/C2AClickWheel.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ImageTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MenuTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ViewController.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsScreenViewController.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/StatusBarViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/MediaPlayer.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AudioToolbox.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/SwiftOnoneSupport.swiftmodule
/Users/GMoran/Desktop/ClassicPlayer/DerivedData/ClassicPlayer/Build/Intermediates/ClassicPlayer.build/Debug-iphoneos/ClassicPlayer.build/Objects-normal/armv7/SettingsVC~partial.swiftdoc : /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/NowPlayingVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AboutScreenVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsVC.swift /Users/GMoran/Desktop/ClassicPlayer/AboutVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MusicMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MainMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AlbumsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/PlaylistsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ArtistsMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SongListMenuVC.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/Array+Shuffle.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/AppDelegate.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/C2AClickWheel.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ImageTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/MenuTableCell.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/ViewController.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/SettingsScreenViewController.swift /Users/GMoran/Desktop/ClassicPlayer/ClassicPlayer/StatusBarViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/MediaPlayer.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AudioToolbox.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/SwiftOnoneSupport.swiftmodule
|
D
|
///////////////////////////////////////////////////////////////////////
// Info EXIT
///////////////////////////////////////////////////////////////////////
INSTANCE DIA_Hyglas_Kap1_EXIT (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 999;
condition = DIA_Hyglas_Kap1_EXIT_Condition;
information = DIA_Hyglas_Kap1_EXIT_Info;
permanent = TRUE;
description = DIALOG_ENDE;
};
FUNC INT DIA_Hyglas_Kap1_EXIT_Condition()
{
if (Kapitel <= 1)
{
return TRUE;
};
};
FUNC VOID DIA_Hyglas_Kap1_EXIT_Info()
{
AI_StopProcessInfos (self);
};
///////////////////////////////////////////////////////////////////////
// Info Feuer
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_Feuer (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 2;
condition = DIA_Hyglas_Feuer_Condition;
information = DIA_Hyglas_Feuer_Info;
permanent = FALSE;
description = "Požaduji Zkoušku ohnę.";
};
func int DIA_Hyglas_Feuer_Condition ()
{
if (other.guild == GIL_NOV)
&& (KNOWS_FIRE_CONTEST == TRUE)
&& (Npc_KnowsInfo (other,DIA_Pyrokar_FIRE) == FALSE)
{
return TRUE;
};
};
func void DIA_Hyglas_Feuer_Info ()
{
AI_Output (other, self, "DIA_Hyglas_Feuer_15_00"); //Požaduji Zkoušku ohnę.
AI_Output (self, other, "DIA_Hyglas_Feuer_14_01"); //Zkouška ohnę pochází ze starých časů a už velice dlouho jí nikdo nepodstoupil.
AI_Output (self, other, "DIA_Hyglas_Feuer_14_02"); //Co požaduješ, je velice nebezpečné. Radęji si to ještę rozmysli.
};
///////////////////////////////////////////////////////////////////////
// Info Hallo
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_Hallo (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 2;
condition = DIA_Hyglas_Hallo_Condition;
information = DIA_Hyglas_Hallo_Info;
permanent = FALSE;
important = TRUE;
};
func int DIA_Hyglas_Hallo_Condition ()
{
if Npc_IsInState (self,ZS_Talk)
{
return TRUE;
};
};
func void DIA_Hyglas_Hallo_Info ()
{
AI_Output (self, other, "DIA_Hyglas_Hallo_14_00"); //Jsem mistr Hyglas, Strážce ohnę a Opatrovník vędomostí.
if (other.guild == GIL_NOV)
{
AI_Output (self, other, "DIA_Hyglas_Hallo_14_01"); //Takže mistr Parlan ti dal svolení ke studiu svitků.
AI_Output (self, other, "DIA_Hyglas_Hallo_14_02"); //Tudíž pâesnę to bys teë męl dęlat. Studovat, abys ve svatých knihách našel osvícení.
};
};
///////////////////////////////////////////////////////////////////////
// Info JOB
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_JOB (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 2;
condition = DIA_Hyglas_JOB_Condition;
information = DIA_Hyglas_JOB_Info;
permanent = FALSE;
description = "Co studuješ ty, mistâe?";
};
func int DIA_Hyglas_JOB_Condition ()
{
return TRUE;
};
func void DIA_Hyglas_JOB_Info ()
{
AI_Output (other, self, "DIA_Hyglas_JOB_15_00"); //Co studuješ ty, mistâe?
AI_Output (self, other, "DIA_Hyglas_JOB_14_01"); //Můj výzkum se zamęâuje na oheŕ - Innosovu sílu.
AI_Output (self, other, "DIA_Hyglas_JOB_14_02"); //Je to jeho dar a zároveŕ mocná zbraŕ - a já vytváâím runy, které obsahují jeho moc.
if (other.guild == GIL_NOV)
{
AI_Output (other, self, "DIA_Hyglas_JOB_15_03"); //Velmi poučné. Mohl bys mę to naučit?
AI_Output (self, other, "DIA_Hyglas_JOB_14_04"); //Je to Innos, kdo dává dar magie. Jen jeho služebníkům, ohnivým mágům, je pâáno vládnout jeho mocí.
};
};
///////////////////////////////////////////////////////////////////////
// Info CONTEST
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_CONTEST (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 9;
condition = DIA_Hyglas_CONTEST_Condition;
information = DIA_Hyglas_CONTEST_Info;
permanent = FALSE;
description = "Požádal jsem o Zkoušku ohnę. Ulthar mi dal za úkol vytvoâit runu ohnivého šípu.";
};
func int DIA_Hyglas_CONTEST_Condition ()
{
if (MIS_RUNE == LOG_RUNNING)
{
return TRUE;
};
};
func void DIA_Hyglas_CONTEST_Info ()
{
AI_Output (other, self, "DIA_Hyglas_CONTEST_15_00"); //Požádal jsem o Zkoušku ohnę. Ulthar mi dal za úkol vytvoâit runu ohnivého šípu.
AI_Output (self, other, "DIA_Hyglas_CONTEST_14_01"); //A teë po mnę chceš, abych tę naučil pâíslušnou formuli?
AI_Output (other, self, "DIA_Hyglas_CONTEST_15_02"); //Neznám nikoho jiného, kdo by to dokázal.
AI_Output (self, other, "DIA_Hyglas_CONTEST_14_03"); //Hmm...
AI_Output (self, other, "DIA_Hyglas_CONTEST_14_04"); //Dobrá, naučím tę tu formuli. Ale nejdâív budeš muset najít všechny potâebné ingredience.
B_LogEntry (TOPIC_Rune,"Pokud si obstarám pâíslušné ingredience, naučí mę Hyglas zaklínadlo pro runu ohnivého šípu.");
};
///////////////////////////////////////////////////////////////////////
// Info FIREBOLT
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_FIREBOLT (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 9;
condition = DIA_Hyglas_FIREBOLT_Condition;
information = DIA_Hyglas_FIREBOLT_Info;
permanent = FALSE;
description = "Jaké ingredience potâebuji na vytvoâení runy ohnivého šípu?";
};
func int DIA_Hyglas_FIREBOLT_Condition ()
{
if Npc_KnowsInfo (hero, DIA_Hyglas_CONTEST)
&& (MIS_RUNE == LOG_RUNNING)
&& (PLAYER_TALENT_RUNES [SPL_Firebolt] == FALSE)
{
return TRUE;
};
};
func void DIA_Hyglas_FIREBOLT_Info ()
{
AI_Output (other, self, "DIA_Hyglas_FIREBOLT_15_00"); //Jaké ingredience potâebuji na vytvoâení runy ohnivého šípu?
AI_Output (self, other, "DIA_Hyglas_FIREBOLT_14_01"); //Pâečti si to - je to tam v tęch knihách.
};
///////////////////////////////////////////////////////////////////////
// Info TALENT_FIREBOLT
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_TALENT_FIREBOLT (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 990;
condition = DIA_Hyglas_TALENT_FIREBOLT_Condition;
information = DIA_Hyglas_TALENT_FIREBOLT_Info;
permanent = TRUE;
description = "Nauč mę vytvoâit runu OHNIVÉHO ŠÍPU.";
};
func int DIA_Hyglas_TALENT_FIREBOLT_Condition ()
{
if Npc_KnowsInfo (hero, DIA_Hyglas_CONTEST)
&& (PLAYER_TALENT_RUNES [SPL_Firebolt] == FALSE)
&& (Npc_HasItems (other,ItMi_RuneBlank) >= 1)
&& (Npc_HasItems (other,ItSc_Firebolt) >= 1)
&& (Npc_HasItems (other,ItMi_Sulfur) >= 1)
{
return TRUE;
};
};
func void DIA_Hyglas_TALENT_FIREBOLT_Info ()
{
AI_Output (other, self, "DIA_Hyglas_TALENT_FIREBOLT_15_00"); //Nauč mę vytvoâit runu OHNIVÉHO ŠÍPU.
if (B_TeachPlayerTalentRunes (self, other, SPL_Firebolt))
{
AI_Output (self, other, "DIA_Hyglas_TALENT_FIREBOLT_14_01"); //Pokud chceš sestavit runu ohnivého šípu, musíš na runovém stole spojit síru s runovým kamenem.
AI_Output (self, other, "DIA_Hyglas_TALENT_FIREBOLT_14_02"); //Síla ze svitku s kouzlem ohnivého šípu vplyne do runy a ty získáš Innosův nástroj.
AI_Output (self, other, "DIA_Hyglas_TALENT_FIREBOLT_14_03"); //Takže jakmile budeš mít všechny potâebné vęci, pâistup k runovému stolu a vytvoâ svou runu.
};
};
///////////////////////////////////////////////////////////////////////
// Info BLANK_RUNE
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_BLANK_RUNE (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 9;
condition = DIA_Hyglas_BLANK_RUNE_Condition;
information = DIA_Hyglas_BLANK_RUNE_Info;
permanent = FALSE;
description = "Kde bych mohl najít runový kámen?";
};
func int DIA_Hyglas_BLANK_RUNE_Condition ()
{
if Npc_KnowsInfo (hero, DIA_Hyglas_FIREBOLT)
&& (MIS_RUNE == LOG_RUNNING)
&& (npc_hasItems (other, ItMI_RuneBlank) < 1)
&& (PLAYER_TALENT_RUNES [SPL_Firebolt] == FALSE)
{
return TRUE;
};
};
func void DIA_Hyglas_BLANK_RUNE_Info ()
{
AI_Output (other, self, "DIA_Hyglas_BLANK_RUNE_15_00"); //Kde bych mohl najít runový kámen?
AI_Output (self, other, "DIA_Hyglas_BLANK_RUNE_14_01"); //Hele, jsi to ty, kdo požádal o Zkoušku ohnę, ne já. Najít jej je součástí zkoušky.
};
///////////////////////////////////////////////////////////////////////
// Info GOTRUNE
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_GOTRUNE (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 2;
condition = DIA_Hyglas_GOTRUNE_Condition;
information = DIA_Hyglas_GOTRUNE_Info;
permanent = FALSE;
description = "Vytvoâil jsem tu runu.";
};
func int DIA_Hyglas_GOTRUNE_Condition ()
{
if (Npc_KnowsInfo (hero,DIA_Ulthar_SUCCESS)== FALSE )
&& (Npc_HasItems (hero, ItRu_Firebolt) >= 1)
&& (other.guild == GIL_KDF)
{
return TRUE;
};
};
func void DIA_Hyglas_GOTRUNE_Info ()
{
AI_Output (other, self, "DIA_Hyglas_GOTRUNE_15_00"); //Vytvoâil jsem tu runu.
AI_Output (self, other, "DIA_Hyglas_GOTRUNE_14_01"); //Inu dobrá. Zdá se, že v této části zkoušky jsi obstál. Konec konců to nebylo až tak tęžké.
AI_Output (self, other, "DIA_Hyglas_GOTRUNE_14_02"); //Jdi tedy za Utharem a ukaž mu své dílo.
B_LogEntry (TOPIC_Rune,"Vytvoâil jsem runu ohnivého šípu.");
};
///////////////////////////////////////////////////////////////////////
// Info TEACH
///////////////////////////////////////////////////////////////////////
instance DIA_Hyglas_TEACH (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 15;
condition = DIA_Hyglas_TEACH_Condition;
information = DIA_Hyglas_TEACH_Info;
permanent = TRUE;
description = "Uč mę.";
};
func int DIA_Hyglas_TEACH_Condition ()
{
if (other.guild == GIL_KDF)
{
return TRUE;
};
};
func void DIA_Hyglas_TEACH_Info ()
{
var int abletolearn;
abletolearn = 0;
AI_Output (other, self, "DIA_Hyglas_TEACH_15_00"); //Uč mę.
Info_ClearChoices (DIA_Hyglas_TEACH);
Info_AddChoice (DIA_Hyglas_TEACH, DIALOG_BACK,DIA_Hyglas_TEACH_BACK);
if (Npc_GetTalentSkill (other, NPC_TALENT_MAGE) >= 2)
&& (PLAYER_TALENT_RUNES [SPL_InstantFireball] == FALSE)
{
Info_AddChoice (DIA_Hyglas_TEACH, B_BuildLearnString (NAME_SPL_InstantFireball, B_GetLearnCostTalent (other, NPC_TALENT_RUNES, SPL_InstantFireball)) ,DIA_Hyglas_TEACH_InstantFireball);
abletolearn = (abletolearn +1);
};
if (Npc_GetTalentSkill (other, NPC_TALENT_MAGE) >= 3)
&& (PLAYER_TALENT_RUNES [SPL_Firestorm] == FALSE)
{
Info_AddChoice (DIA_Hyglas_TEACH, B_BuildLearnString (NAME_SPL_Firestorm, B_GetLearnCostTalent (other, NPC_TALENT_RUNES, SPL_Firestorm)) ,DIA_Hyglas_TEACH_Firestorm);
abletolearn = (abletolearn +1);
};
if (Npc_GetTalentSkill (other, NPC_TALENT_MAGE) >= 4)
&& (PLAYER_TALENT_RUNES [SPL_ChargeFireball] == FALSE)
{
Info_AddChoice (DIA_Hyglas_TEACH, B_BuildLearnString (NAME_SPL_ChargeFireball, B_GetLearnCostTalent (other, NPC_TALENT_RUNES, SPL_ChargeFireball)) ,DIA_Hyglas_TEACH_ChargeFireball);
abletolearn = (abletolearn +1);
};
if (Npc_GetTalentSkill (other, NPC_TALENT_MAGE) >= 5)
&& (PLAYER_TALENT_RUNES [SPL_Pyrokinesis] == FALSE)
{
Info_AddChoice (DIA_Hyglas_TEACH, B_BuildLearnString (NAME_SPL_Pyrokinesis, B_GetLearnCostTalent (other, NPC_TALENT_RUNES, SPL_Pyrokinesis)) ,DIA_Hyglas_TEACH_Pyrokinesis);
abletolearn = (abletolearn +1);
};
if (Npc_GetTalentSkill (other, NPC_TALENT_MAGE) >= 6)
&& (PLAYER_TALENT_RUNES [SPL_Firerain] == FALSE)
{
Info_AddChoice (DIA_Hyglas_TEACH, B_BuildLearnString (NAME_SPL_Firerain, B_GetLearnCostTalent (other, NPC_TALENT_RUNES, SPL_Firerain)) ,DIA_Hyglas_TEACH_Firerain);
abletolearn = (abletolearn +1);
};
if (abletolearn < 1)
{
B_Say (self, other, "$NOLEARNOVERPERSONALMAX");
Info_ClearChoices (DIA_Hyglas_TEACH);
};
};
FUNC VOID DIA_Hyglas_TEACH_BACK ()
{
Info_ClearChoices (DIA_Hyglas_TEACH);
};
FUNC VOID DIA_Hyglas_TEACH_InstantFireball()
{
B_TeachPlayerTalentRunes (self, other, SPL_InstantFireball);
};
FUNC VOID DIA_Hyglas_TEACH_ChargeFireball()
{
B_TeachPlayerTalentRunes (self, other, SPL_ChargeFireball);
};
FUNC VOID DIA_Hyglas_TEACH_Pyrokinesis()
{
B_TeachPlayerTalentRunes (self, other, SPL_Pyrokinesis);
};
FUNC VOID DIA_Hyglas_TEACH_Firestorm()
{
B_TeachPlayerTalentRunes (self, other, SPL_Firestorm);
};
FUNC VOID DIA_Hyglas_TEACH_Firerain()
{
B_TeachPlayerTalentRunes (self, other, SPL_Firerain);
};
//#######################################
//##
//## Kapitel 2
//##
//#######################################
///////////////////////////////////////////////////////////////////////
// Info EXIT
///////////////////////////////////////////////////////////////////////
INSTANCE DIA_Hyglas_Kap2_EXIT (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 999;
condition = DIA_Hyglas_Kap2_EXIT_Condition;
information = DIA_Hyglas_Kap2_EXIT_Info;
permanent = TRUE;
description = DIALOG_ENDE;
};
FUNC INT DIA_Hyglas_Kap2_EXIT_Condition()
{
if (Kapitel == 2)
{
return TRUE;
};
};
FUNC VOID DIA_Hyglas_Kap2_EXIT_Info()
{
AI_StopProcessInfos (self);
};
//#######################################
//##
//## Kapitel 3
//##
//#######################################
///////////////////////////////////////////////////////////////////////
// Info EXIT
///////////////////////////////////////////////////////////////////////
INSTANCE DIA_Hyglas_Kap3_EXIT (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 999;
condition = DIA_Hyglas_Kap3_EXIT_Condition;
information = DIA_Hyglas_Kap3_EXIT_Info;
permanent = TRUE;
description = DIALOG_ENDE;
};
FUNC INT DIA_Hyglas_Kap3_EXIT_Condition()
{
if (Kapitel == 3)
{
return TRUE;
};
};
FUNC VOID DIA_Hyglas_Kap3_EXIT_Info()
{
AI_StopProcessInfos (self);
};
///////////////////////////////////////////////////////////////////////
// Info BringBook
///////////////////////////////////////////////////////////////////////
INSTANCE DIA_Hyglas_BringBook (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 38;
condition = DIA_Hyglas_BringBook_Condition;
information = DIA_Hyglas_BringBook_Info;
permanent = FALSE;
description = "Co je nového?";
};
FUNC INT DIA_Hyglas_BringBook_Condition()
{
if (Kapitel >= 3)
&& (hero.guild != GIL_SLD)
&& (hero.guild != GIL_DJG)
{
return TRUE;
};
};
FUNC VOID DIA_Hyglas_BringBook_Info()
{
AI_Output (other,self ,"DIA_Hyglas_BringBook_15_00"); //Co je nového?
AI_Output (self ,other,"DIA_Hyglas_BringBook_14_01"); //Hm, ano. Asi sis už všiml tęch postav s černými rouchy.
AI_Output (other,self ,"DIA_Hyglas_BringBook_15_02"); //Setkal jsem se s nimi.
AI_Output (self ,other,"DIA_Hyglas_BringBook_14_03"); //To nás pâivádí k jádru vęci. V tuhle chvíli jsme svędky velice vzácné hvęzdné konstelace.
AI_Output (self ,other,"DIA_Hyglas_BringBook_14_04"); //Abych byl pâesnęjší, znamení Vola je v pâesné korelaci se znamením Válečníka. Pâedpokládám, že víš, co to znamená.
AI_Output (other,self ,"DIA_Hyglas_BringBook_15_05"); //Hmm. No, abych byl upâímný...
AI_Output (self ,other,"DIA_Hyglas_BringBook_14_06"); //Ano, dobrá, chápu. No, nemůžu ti teë vysvętlovat všechno, ale každopádnę to pâedznamenává velké zmęny. A já nemám zmęny rád.
AI_Output (self ,other,"DIA_Hyglas_BringBook_14_07"); //Proto chci, abys mi z męsta pâinesl jednu knihu. Jmenuje se "Posvátná moc hvęzd". Možná ji budeš muset chvilku hledat, ale jsem si jist, že ji nakonec objevíš.
Info_ClearChoices (DIA_Hyglas_BringBook);
Info_AddChoice (DIA_Hyglas_BringBook,"Najdi si tu knihu sám.",DIA_Hyglas_BringBook_GetItYourself);
Info_AddChoice (DIA_Hyglas_BringBook,"Co z toho budu mít?",DIA_Hyglas_BringBook_GetForIt);
Info_AddChoice (DIA_Hyglas_BringBook,"Uvidím, jestli se mi ji podaâí najít.",DIA_Hyglas_BringBook_Yes);
};
FUNC VOID DIA_Hyglas_BringBook_GetItYourself()
{
AI_Output (other,self ,"DIA_Hyglas_BringBook_GetItYourself_15_00"); //Najdi si tu knihu sám.
AI_Output (self ,other,"DIA_Hyglas_BringBook_GetItYourself_14_01"); //Jak se opovažuješ se mnou mluvit tímto tónem? Tvoje chování postrádá úctu, kterou mi jsi povinován.
AI_Output (self ,other,"DIA_Hyglas_BringBook_GetItYourself_14_02"); //Bęž mi z očí a pâemýšlej o svém chování.
MIS_HyglasBringBook = LOG_OBSOLETE;
Info_ClearChoices (DIA_Hyglas_BringBook);
};
FUNC VOID DIA_Hyglas_BringBook_GetForIt()
{
AI_Output (other,self ,"DIA_Hyglas_BringBook_GetForIt_15_00"); //Co z toho budu mít?
AI_Output (self ,other,"DIA_Hyglas_BringBook_GetForIt_14_01"); //Co tím myslíš?
AI_Output (other,self ,"DIA_Hyglas_BringBook_GetForIt_15_02"); //Rád bych vędęl, co dostanu za to, když ti tu knihu pâinesu.
AI_Output (self ,other,"DIA_Hyglas_BringBook_GetForIt_14_03"); //Nic. Co bys myslel, že dostaneš? Pokud máš čas dęlat mi ve męstę poslíčka, je pâímo tvou povinností mi pomoci.
Info_ClearChoices (DIA_Hyglas_BringBook);
};
FUNC VOID DIA_Hyglas_BringBook_Yes()
{
AI_Output (other,self ,"DIA_Hyglas_BringBook_Yes_15_00"); //Uvidím, jestli se mi ji podaâí najít.
AI_Output (self ,other,"DIA_Hyglas_BringBook_Yes_14_01"); //To je správné - získám tak trochu času navíc, abych se mohl poohlédnout také po nęčem jiném.
AI_Output (self ,other,"DIA_Hyglas_BringBook_Yes_14_02"); //Ale aă ti to netrvá moc dlouhou. Obávám se, že nemáme času nazbyt.
MIS_HyglasBringBook = LOG_RUNNING;
Info_ClearChoices (DIA_Hyglas_BringBook);
Log_CreateTopic (TOPIC_HyglasBringBook,LOG_MISSION);
Log_SetTopicStatus (TOPIC_HyglasBringBook,LOG_RUNNING);
B_LogEntry (TOPIC_HyglasBringBook,"Hyglas mę požádal, zda bych mu nenašel knihu 'Božská moc hvęzd'. Zkusím se po ní podívat u męstských obchodníků.");
};
//*********************************************************************
// Ich hab dein Buch
//*********************************************************************
INSTANCE DIA_Hyglas_HaveBook (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 38;
condition = DIA_Hyglas_HaveBook_Condition;
information = DIA_Hyglas_HaveBook_Info;
permanent = FALSE;
description = "Mám pro tebe tu knihu.";
};
FUNC INT DIA_Hyglas_HaveBook_Condition()
{
if (Npc_KnowsInfo (other,DIA_Hyglas_BringBook))
&& (Npc_HasItems (other,ItWr_Astronomy_Mis) >= 1)
{
return TRUE;
};
};
FUNC VOID DIA_Hyglas_HaveBook_Info()
{
AI_Output (other,self ,"DIA_Hyglas_HaveBook_15_00"); //Mám pro tebe tu knihu.
IF Mis_HyglasBringBook == LOG_RUNNING
{
AI_Output (self ,other,"DIA_Hyglas_HaveBook_14_01"); //Výbornę, dej mi ji.
}
else
{
AI_Output (self ,other,"DIA_Hyglas_HaveBook_14_02"); //Takže sis to nakonec pâece jen rozmyslel. Velmi dobâe. Tak kde ji máš?
};
B_GiveInvItems (other,self,ItWr_Astronomy_Mis,1);
Mis_HyglasBringBook = LOG_SUCCESS;
B_GivePlayerXP (XP_HyglasBringBook);
AI_Output (self ,other,"DIA_Hyglas_HaveBook_14_03"); //Můžeš jít. Já půjdu studovat.
};
//#######################################
//##
//## Kapitel 4
//##
//#######################################
///////////////////////////////////////////////////////////////////////
// Info EXIT
///////////////////////////////////////////////////////////////////////
INSTANCE DIA_Hyglas_Kap4_EXIT (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 999;
condition = DIA_Hyglas_Kap4_EXIT_Condition;
information = DIA_Hyglas_Kap4_EXIT_Info;
permanent = TRUE;
description = DIALOG_ENDE;
};
FUNC INT DIA_Hyglas_Kap4_EXIT_Condition()
{
if (Kapitel == 4)
{
return TRUE;
};
};
FUNC VOID DIA_Hyglas_Kap4_EXIT_Info()
{
AI_StopProcessInfos (self);
};
///////////////////////////////////////////////////////////////////////
// Info Perm4
///////////////////////////////////////////////////////////////////////
INSTANCE DIA_Hyglas_Kap4_PERM (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 49;
condition = DIA_Hyglas_Kap4_PERM_Condition;
information = DIA_Hyglas_Kap4_PERM_Info;
permanent = TRUE;
description = "Už jsi na nęco pâišel?";
};
FUNC INT DIA_Hyglas_Kap4_PERM_Condition()
{
if (Npc_KnowsInfo (other,DIA_Hyglas_BringBook))
{
return TRUE;
};
};
FUNC VOID DIA_Hyglas_Kap4_PERM_Info()
{
AI_Output (other,self ,"DIA_Hyglas_Kap4_PERM_15_00"); //Už jsi na nęco pâišel?
if (Mis_HyglasBringBook == LOG_SUCCESS)
{
AI_Output (self ,other,"DIA_Hyglas_Kap4_PERM_14_01"); //No, nemohu si být úplnę jistý, ale zdá se, že současná konstelace hvęzd poukazuje na mnohá nebezpečí.
AI_Output (other,self ,"DIA_Hyglas_Kap4_PERM_15_02"); //Co za nebezpečí?
AI_Output (self ,other,"DIA_Hyglas_Kap4_PERM_14_03"); //Inu, vypadá to, že struktura mezi svęty je velice slabá. K vytvoâení díry do této struktury je teë zapotâebí jen zlomek síly, co obvykle.
AI_Output (self ,other,"DIA_Hyglas_Kap4_PERM_14_04"); //Takovéto portály pak mohou používat démoni ke vstupu do našeho svęta, aniž by museli čelit nęjakému odporu.
Hyglas_SendsToKarras = TRUE;
}
else if (Mis_HyglasBringBook == LOG_RUNNING)
{
AI_Output (self ,other,"DIA_Hyglas_Kap4_PERM_14_05"); //Ne, stále čekám na tu knihu.
}
else
{
AI_Output (self ,other,"DIA_Hyglas_Kap4_PERM_14_06"); //Âekl jsem ti, že stále provádím výzkum, ale samozâejmę by mi to trvalo mnohem déle, kdybych nemęl potâebný materiál.
};
};
//#######################################
//##
//## Kapitel 5
//##
//#######################################
///////////////////////////////////////////////////////////////////////
// Info EXIT
///////////////////////////////////////////////////////////////////////
INSTANCE DIA_Hyglas_Kap5_EXIT (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 999;
condition = DIA_Hyglas_Kap5_EXIT_Condition;
information = DIA_Hyglas_Kap5_EXIT_Info;
permanent = TRUE;
description = DIALOG_ENDE;
};
FUNC INT DIA_Hyglas_Kap5_EXIT_Condition()
{
if (Kapitel == 5)
{
return TRUE;
};
};
FUNC VOID DIA_Hyglas_Kap5_EXIT_Info()
{
AI_StopProcessInfos (self);
};
// ************************************************************
// PICK POCKET
// ************************************************************
INSTANCE DIA_Hyglas_PICKPOCKET (C_INFO)
{
npc = KDF_510_Hyglas;
nr = 900;
condition = DIA_Hyglas_PICKPOCKET_Condition;
information = DIA_Hyglas_PICKPOCKET_Info;
permanent = TRUE;
description = Pickpocket_80;
};
FUNC INT DIA_Hyglas_PICKPOCKET_Condition()
{
C_Beklauen (73, 200);
};
FUNC VOID DIA_Hyglas_PICKPOCKET_Info()
{
Info_ClearChoices (DIA_Hyglas_PICKPOCKET);
Info_AddChoice (DIA_Hyglas_PICKPOCKET, DIALOG_BACK ,DIA_Hyglas_PICKPOCKET_BACK);
Info_AddChoice (DIA_Hyglas_PICKPOCKET, DIALOG_PICKPOCKET ,DIA_Hyglas_PICKPOCKET_DoIt);
};
func void DIA_Hyglas_PICKPOCKET_DoIt()
{
B_Beklauen ();
Info_ClearChoices (DIA_Hyglas_PICKPOCKET);
};
func void DIA_Hyglas_PICKPOCKET_BACK()
{
Info_ClearChoices (DIA_Hyglas_PICKPOCKET);
};
|
D
|
/home/rabeet/Documents/Github/Basic Rust/_Structs_/target/rls/debug/deps/_Structs_-267fa06b61c9ff94.rmeta: src/main.rs
/home/rabeet/Documents/Github/Basic Rust/_Structs_/target/rls/debug/deps/_Structs_-267fa06b61c9ff94.d: src/main.rs
src/main.rs:
|
D
|
/*******************************************************************************
* Copyright (c) 2006 Tom Schindl and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* Tom Schindl - initial API and implementation
* Port to the D programming language:
* yidabu at gmail dot com ( D China http://www.d-programming-language-china.org/ )
*******************************************************************************/
module jface.snippets.Snippet016TableLayout;
import dwtx.jface.layout.TableColumnLayout;
import dwtx.jface.viewers.ColumnWeightData;
import dwtx.jface.viewers.IStructuredContentProvider;
import dwtx.jface.viewers.ITableLabelProvider;
import dwtx.jface.viewers.LabelProvider;
import dwtx.jface.viewers.TableViewer;
import dwtx.jface.viewers.Viewer;
import dwt.DWT;
import dwt.graphics.Image;
import dwt.layout.FillLayout;
import dwt.widgets.Composite;
import dwt.widgets.Display;
import dwt.widgets.Shell;
import dwt.widgets.Table;
import dwt.widgets.TableColumn;
import dwt.dwthelper.utils;
import tango.util.Convert;
/**
* @param args
*/
void main(String[] args) {
Display display = new Display();
Shell shell = new Shell(display);
//shell.setSize(400, 150);
shell.setLayout(new FillLayout());
new Snippet016TableLayout(shell);
shell.open();
while (!shell.isDisposed()) {
if (!display.readAndDispatch())
display.sleep();
}
display.dispose();
}
/**
* A simple TableViewer to demonstrate usage
*
* @author Tom Schindl <tom.schindl@bestsolution.at>
* @since 3.3M3
*/
public class Snippet016TableLayout {
private class MyContentProvider : IStructuredContentProvider {
/*
* (non-Javadoc)
*
* @see dwtx.jface.viewers.IStructuredContentProvider#getElements(java.lang.Object)
*/
public Object[] getElements(Object inputElement) {
return (cast(ArrayWrapperObject) inputElement).array;
}
/*
* (non-Javadoc)
*
* @see dwtx.jface.viewers.IContentProvider#dispose()
*/
public void dispose() {
}
/*
* (non-Javadoc)
*
* @see dwtx.jface.viewers.IContentProvider#inputChanged(dwtx.jface.viewers.Viewer,
* java.lang.Object, java.lang.Object)
*/
public void inputChanged(Viewer viewer, Object oldInput, Object newInput) {
}
}
private class MyLabelProvider : LabelProvider, ITableLabelProvider {
public Image getColumnImage(Object element, int columnIndex) {
return null;
}
public String getColumnText(Object element, int columnIndex) {
return to!(char[])(columnIndex) ~ " - " ~ element.toString();
}
}
public class MyModel {
public int counter;
public this(int counter) {
this.counter = counter;
}
public String toString() {
return "Item " ~ to!(char[])(this.counter);
}
}
public this(Composite comp) {
final TableViewer v = new TableViewer(new Table(comp, DWT.BORDER));
v.setLabelProvider(new MyLabelProvider());
v.setContentProvider(new MyContentProvider());
v.getTable().setHeaderVisible(true);
TableColumnLayout ad = new TableColumnLayout();
comp.setLayout(ad);
TableColumn column = new TableColumn(v.getTable(), DWT.NONE);
column.setText("Column 1");
column.setMoveable(true);
ad.setColumnData(column, new ColumnWeightData(90, 290));
column = new TableColumn(v.getTable(), DWT.NONE);
column.setText("Column 2");
column.setMoveable(true);
ad.setColumnData(column, new ColumnWeightData(10, 200));
MyModel[] model = createModel();
v.setInput(new ArrayWrapperObject(model));
v.getTable().setLinesVisible(true);
}
private MyModel[] createModel() {
MyModel[] elements = new MyModel[10];
for (int i = 0; i < 10; i++) {
elements[i] = new MyModel(i);
}
return elements;
}
}
|
D
|
module drc.SourceText;
import drc.Converter;
import drc.Diagnostics;
import drc.Messages;
import common;
import io.File,
io.FilePath;
/// Представляет исходный код Динрус.
///
/// Исходный текст может поступать из файла или буфера памяти.
final class ИсходныйТекст
{
/// Файловый путь к исходному тексту. Используется в обновном для сообщений об ошибках.
ткст путьКФайлу;
ткст данные; /// UTF-8, исходный текст с нулевым окончанием.
/// Строит объект ИсходныйТекст.
/// Параметры:
/// путьКФайлу = Файловый путь к исходнику.
/// загрузитьФайл = загружать ли файл в конструктор.
this(ткст путьКФайлу, бул загрузитьФайл = нет)
{
this.путьКФайлу = путьКФайлу;
загрузитьФайл && загрузи();
}
/// Строит объект ИсходныйТекст.
/// Параметры:
/// путьКФайлу = файловый путь для сообщения об ошибке.
/// данные = буфер памяти.
this(ткст путьКФайлу, ткст данные)
{
this(путьКФайлу);
this.данные = данные;
добавьСимСентинель();
}
/// Загружает текст исходника из файла.
проц загрузи(Диагностика диаг = пусто)
{
if (!диаг)
диаг = new Диагностика;
assert(путьКФайлу.length);
scope(failure)
{
if (!(new ФПуть(this.путьКФайлу)).есть_ли())
диаг ~= new ОшибкаЛексера(new Положение(путьКФайлу, 0),
сооб.ФайлОтсутствует);
else
диаг ~= new ОшибкаЛексера(new Положение(путьКФайлу, 0),
сооб.ФайлНеЧитается);
данные = "\0";
return;
}
// Прочитать файл.
auto rawdata = cast(ббайт[]) (new Файл(путьКФайлу)).читай();
// Преобразовать данные.
auto конвертер = Преобразователь(путьКФайлу, диаг);
данные = конвертер.данныеВУТФ8(rawdata);
добавьСимСентинель();
}
/// Добавляет '\0' в текст (если ещё нет.)
private проц добавьСимСентинель()
{
if (данные.length == 0 || данные[$-1] != 0)
данные ~= 0;
}
}
|
D
|
module user.controller.user;
import user;
class UserController : UserControllerPrototype{
//private ForgotPasswordController _forgot_password = null;
private IndexController _index = null;
//private LoginController _login = null;
//private LogoutController _logout = null;
//private ProfileController _profile = null;
//private RegisterController _register = null;
//@property public ForgotPasswordController forgot_password(){ return this._forgot_password; }
@property public IndexController index(){ return this._index; }
//@property public LoginController login(){ return this._login; }
//@property public LogoutController logout(){ return this._logout; }
//@property public ProfileController profile(){ return this._profile; }
//@property public RegisterController register(){ return this._register; }
this(){
super();
this.name = "user";
//this._forgot_password = new ForgotPasswordController();
this._index = new IndexController();
//this._login = new LoginController();
//this._logout = new LogoutController();
//this._profile = new ProfileController();
//this._register = new RegisterController();
this.web_interface_settings.urlPrefix = this.name;
this.router.registerWebInterface(this, this.web_interface_settings);
this.router.get("/", &this.index.getIndex);
}
}
|
D
|
/*******************************************************************************
* Copyright (c) 2007, 2008 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
* Tom Schindl<tom.schindl@bestsolution.at> - initial API and implementation
* - fix in bug: 195908, 210752
* Port to the D programming language:
* Frank Benoit <benoit@tionex.de>
*******************************************************************************/
module dwtx.jface.viewers.TreeViewerFocusCellManager;
import dwtx.jface.viewers.SWTFocusCellManager;
import dwtx.jface.viewers.CellNavigationStrategy;
import dwtx.jface.viewers.TreeViewer;
import dwtx.jface.viewers.FocusCellHighlighter;
import dwtx.jface.viewers.ViewerCell;
import dwtx.jface.viewers.ColumnViewer;
import dwt.DWT;
import dwt.widgets.Event;
import dwt.widgets.Item;
import dwt.widgets.Tree;
import dwt.widgets.TreeItem;
import dwt.dwthelper.utils;
/**
* This class is responsible to provide the concept of cells for {@link Tree}.
* This concept is needed to provide features like editor activation with the
* keyboard
*
* @since 3.3
*
*/
public class TreeViewerFocusCellManager : SWTFocusCellManager {
private static /+final+/ CellNavigationStrategy TREE_NAVIGATE;
static this(){
TREE_NAVIGATE = new class CellNavigationStrategy {
public void collapse(ColumnViewer viewer, ViewerCell cellToCollapse,
Event event) {
if (cellToCollapse !is null) {
(cast(TreeItem) cellToCollapse.getItem()).setExpanded(false);
}
}
public void expand(ColumnViewer viewer, ViewerCell cellToExpand,
Event event) {
if (cellToExpand !is null) {
TreeViewer v = cast(TreeViewer) viewer;
v.setExpandedState(v.getTreePathFromItem_package(cast(Item)cellToExpand
.getItem()), true);
}
}
public bool isCollapseEvent(ColumnViewer viewer,
ViewerCell cellToCollapse, Event event) {
if (cellToCollapse is null) {
return false;
}
return cellToCollapse !is null
&& (cast(TreeItem) cellToCollapse.getItem()).getExpanded()
&& event.keyCode is DWT.ARROW_LEFT
&& isFirstColumnCell(cellToCollapse);
}
public bool isExpandEvent(ColumnViewer viewer,
ViewerCell cellToExpand, Event event) {
if (cellToExpand is null) {
return false;
}
return cellToExpand !is null
&& (cast(TreeItem) cellToExpand.getItem()).getItemCount() > 0
&& !(cast(TreeItem) cellToExpand.getItem()).getExpanded()
&& event.keyCode is DWT.ARROW_RIGHT
&& isFirstColumnCell(cellToExpand);
}
private bool isFirstColumnCell(ViewerCell cell) {
return cell.getViewerRow().getVisualIndex_package(cell.getColumnIndex()) is 0;
}
};
}
/**
* Create a new manager using a default navigation strategy:
* <ul>
* <li><code>DWT.ARROW_UP</code>: navigate to cell above</li>
* <li><code>DWT.ARROW_DOWN</code>: navigate to cell below</li>
* <li><code>DWT.ARROW_RIGHT</code>: on first column (collapses if item
* is expanded) else navigate to next visible cell on the right</li>
* <li><code>DWT.ARROW_LEFT</code>: on first column (expands if item is
* collapsed) else navigate to next visible cell on the left</li>
* </ul>
*
* @param viewer
* the viewer the manager is bound to
* @param focusDrawingDelegate
* the delegate responsible to highlight selected cell
*/
public this(TreeViewer viewer,
FocusCellHighlighter focusDrawingDelegate) {
this(viewer, focusDrawingDelegate, TREE_NAVIGATE);
}
/**
* Create a new manager with a custom navigation strategy
*
* @param viewer
* the viewer the manager is bound to
* @param focusDrawingDelegate
* the delegate responsible to highlight selected cell
* @param navigationStrategy
* the strategy used to navigate the cells
* @since 3.4
*/
public this(TreeViewer viewer,
FocusCellHighlighter focusDrawingDelegate,
CellNavigationStrategy navigationStrategy) {
super(viewer, focusDrawingDelegate, navigationStrategy);
}
override ViewerCell getInitialFocusCell() {
Tree tree = cast(Tree) getViewer().getControl();
if (! tree.isDisposed() && tree.getItemCount() > 0 && ! tree.getItem(0).isDisposed()) {
return getViewer().getViewerRowFromItem_package(tree.getItem(0)).getCell(0);
}
return null;
}
public ViewerCell getFocusCell() {
ViewerCell cell = super.getFocusCell();
Tree t = cast(Tree) getViewer().getControl();
// It is possible that the selection has changed under the hood
if (cell !is null) {
if (t.getSelection().length is 1
&& t.getSelection()[0] !is cell.getItem()) {
setFocusCell(getViewer().getViewerRowFromItem_package(
t.getSelection()[0]).getCell(cell.getColumnIndex()));
}
}
return super.getFocusCell();
}
}
|
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_All_BeT-6511418988.notation#_copSALmGEeKQQp7P9cQvNQ"/>
</availablePage>
</pageList>
<sashModel currentSelection="//@sashModel/@windows.0/@children.0">
<windows>
<children xsi:type="di:TabFolder">
<children>
<emfPageIdentifier href="VAR_All_BeT-6511418988.notation#_copSALmGEeKQQp7P9cQvNQ"/>
</children>
</children>
</windows>
</sashModel>
</di:SashWindowsMngr>
|
D
|
/*
This file is part of BioD.
Copyright (C) 2012-2016 Artem Tarasov <lomereiter@gmail.com>
Permission is hereby granted, free of charge, to any person obtaining a
copy of this software and associated documentation files (the "Software"),
to deal in the Software without restriction, including without limitation
the rights to use, copy, modify, merge, publish, distribute, sublicense,
and/or sell copies of the Software, and to permit persons to whom the
Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
DEALINGS IN THE SOFTWARE.
*/
/// $(P $(D BamRead) type provides convenient interface for working with SAM/BAM records.)
///
/// $(P All flags, tags, and fields can be accessed and modified.)
///
/// Examples:
/// ---------------------------
/// import std.conv;
/// ...
/// assert(!read.is_unmapped); // check flag
/// assert(read.ref_id != -1); // access field
///
/// int edit_distance = to!int(read["NM"]); // access tag
/// read["NM"] = 0; // modify tag
/// read["NM"] = null; // remove tag
/// read["NM"] = null; // no-op
///
/// foreach (tag, value; read) // iterate over tags
/// writeln(tag, " ", value); // and print their keys and values
///
/// read.sequence = "AGCAGACTACGTGTGCATAC"; // sets base qualities to 255
/// assert(read.base_qualities[0] == 255);
/// read.is_unmapped = true; // set flag
/// read.ref_id = -1; // set field
/// ---------------------------
module bio.bam.read;
import bio.core.base;
import bio.core.utils.format;
import bio.bam.abstractreader;
import bio.bam.writer;
import bio.bam.tagvalue;
import bio.bam.bai.bin;
import bio.bam.md.core;
import bio.bam.utils.array;
import bio.bam.utils.value;
import bio.core.utils.switchendianness;
import bio.bam.thirdparty.msgpack : Packer, unpack;
import std.algorithm;
import std.range;
import std.conv;
import std.format;
import std.exception;
import std.system;
import std.traits;
import std.array;
import std.bitmanip;
import core.stdc.stdlib;
/**
Represents single CIGAR operation
*/
struct CigarOperation {
static assert(CigarOperation.sizeof == uint.sizeof);
/*
WARNING!
It is very essential that the size of
this struct is EXACTLY equal to uint.sizeof!
The reason is to avoid copying of arrays during alignment parsing.
Namely, when some_pointer points to raw cigar data,
we can just do a cast. This allows to access those data
directly, not doing any memory allocations.
*/
private uint raw; // raw data from BAM
private static ubyte char2op(char c) {
switch(c) {
case 'M': return 0;
case 'I': return 1;
case 'D': return 2;
case 'N': return 3;
case 'S': return 4;
case 'H': return 5;
case 'P': return 6;
case '=': return 7;
case 'X': return 8;
default: return 15; // 15 is used as invalid value
}
}
/// Length must be strictly less than 2^28.
/// $(BR)
/// Operation type must be one of M, I, D, N, S, H, P, =, X.
this(uint length, char operation_type) {
enforce(length < (1<<28), "Too big length of CIGAR operation");
raw = (length << 4) | char2op(operation_type);
}
/// Operation length
uint length() @property const nothrow {
return raw >> 4;
}
/// CIGAR operation as one of MIDNSHP=X.
/// Absent or invalid operation is represented by '?'
char type() @property const nothrow {
return "MIDNSHP=X????????"[raw & 0xF];
}
// Each pair of bits has first bit set iff the operation is query consuming,
// and second bit set iff it is reference consuming.
// X = P H S N D I M
private static immutable uint CIGAR_TYPE = 0b11_11_00_00_01_10_10_01_11;
/// True iff operation is one of M, =, X, I, S
bool is_query_consuming() @property const {
return ((CIGAR_TYPE >> ((raw & 0xF) * 2)) & 1) != 0;
}
/// True iff operation is one of M, =, X, D, N
bool is_reference_consuming() @property const {
return ((CIGAR_TYPE >> ((raw & 0xF) * 2)) & 2) != 0;
}
/// True iff operation is one of M, =, X
bool is_match_or_mismatch() @property const {
return ((CIGAR_TYPE >> ((raw & 0xF) * 2)) & 3) == 3;
}
/// True iff operation is one of 'S', 'H'
bool is_clipping() @property const {
return ((raw & 0xF) >> 1) == 2; // 4 or 5
}
private void toSam(Sink)(auto ref Sink sink) const
if (isSomeSink!Sink)
{
sink.write(length);
sink.write(type);
}
void toString(scope void delegate(const(char)[]) sink) const {
toSam(sink);
}
}
/// Forward range of extended CIGAR operations, with =/X instead of M
/// Useful for, e.g., detecting positions of mismatches.
struct ExtendedCigarRange(CigarOpRange, MdOpRange) {
static assert(isInputRange!CigarOpRange && is(Unqual!(ElementType!CigarOpRange) == CigarOperation));
static assert(isInputRange!MdOpRange && is(Unqual!(ElementType!MdOpRange) == MdOperation));
private {
CigarOpRange _cigar;
MdOpRange _md_ops;
CigarOperation _front_cigar_op;
MdOperation _front_md_op;
uint _n_mismatches;
bool _empty;
}
///
this(CigarOpRange cigar, MdOpRange md_ops) {
_cigar = cigar;
_md_ops = md_ops;
fetchNextCigarOp();
fetchNextMdOp();
}
/// Forward range primitives
bool empty() @property const {
return _empty;
}
/// ditto
CigarOperation front() @property {
debug {
import std.stdio;
writeln(_front_cigar_op, " - ", _front_md_op);
}
if (_front_cigar_op.type != 'M')
return _front_cigar_op;
if (_n_mismatches == 0) {
assert(_front_md_op.is_match);
uint len = min(_front_md_op.match, _front_cigar_op.length);
return CigarOperation(len, '=');
}
assert(_front_md_op.is_mismatch);
return CigarOperation(min(_n_mismatches, _front_cigar_op.length), 'X');
}
/// ditto
ExtendedCigarRange save() @property {
typeof(return) r = void;
r._cigar = _cigar.save;
r._md_ops = _md_ops.save;
r._front_cigar_op = _front_cigar_op;
r._front_md_op = _front_md_op;
r._n_mismatches = _n_mismatches;
r._empty = _empty;
return r;
}
/// ditto
void popFront() {
if (!_front_cigar_op.is_match_or_mismatch) {
if (_front_cigar_op.is_reference_consuming)
fetchNextMdOp();
fetchNextCigarOp();
return;
}
auto len = _front_cigar_op.length;
if (_n_mismatches > 0) {
enforce(_front_md_op.is_mismatch);
if (len > _n_mismatches) {
_front_cigar_op = CigarOperation(len - _n_mismatches, 'M');
_n_mismatches = 0;
fetchNextMdOp();
} else if (len < _n_mismatches) {
_n_mismatches -= len;
fetchNextCigarOp();
} else {
fetchNextCigarOp();
fetchNextMdOp();
}
} else {
enforce(_front_md_op.is_match);
auto n_matches = _front_md_op.match;
if (len > n_matches) {
_front_cigar_op = CigarOperation(len - n_matches, 'M');
fetchNextMdOp();
} else if (len < n_matches) {
_front_md_op.match -= len;
fetchNextCigarOp();
} else {
fetchNextCigarOp();
fetchNextMdOp();
}
}
}
private {
void fetchNextCigarOp() {
if (_cigar.empty) {
_empty = true;
return;
}
_front_cigar_op = _cigar.front;
_cigar.popFront();
}
void fetchNextMdOp() {
if (_md_ops.empty)
return;
_n_mismatches = 0;
_front_md_op = _md_ops.front;
_md_ops.popFront();
if (_front_md_op.is_mismatch) {
_n_mismatches = 1;
while (!_md_ops.empty && _md_ops.front.is_mismatch) {
_md_ops.popFront();
_n_mismatches += 1;
}
}
}
}
}
auto makeExtendedCigar(CigarOpRange, MdOpRange)(CigarOpRange cigar, MdOpRange md_ops) {
return ExtendedCigarRange!(CigarOpRange, MdOpRange)(cigar, md_ops);
}
/**
BAM record representation.
*/
struct BamRead {
mixin TagStorage;
/// Reference index in BAM file header
@property int ref_id() const nothrow { return _refID; }
/// ditto
@property void ref_id(int n) { _dup(); _refID = n; }
/// Reference sequence name ('*' for unmapped reads)
@property string ref_name() const nothrow { return _ref_id_to_string(ref_id); }
/// 0-based leftmost coordinate of the first matching base
@property int position() const nothrow { return _pos; }
/// ditto
@property void position(int n) { _dup(); _pos = n; _recalculate_bin(); }
/// Indexing bin which this read belongs to. Recalculated when position is changed.
@property bio.bam.bai.bin.Bin bin() const nothrow { return Bin(_bin); }
/// Mapping quality. Equals to 255 if not available, otherwise
/// equals to rounded -10 * log10(P {mapping position is wrong}).
@property ubyte mapping_quality() const nothrow { return _mapq; }
/// ditto
@property void mapping_quality(ubyte n) { _dup(); _mapq = n; }
/// Flag bits (should be used on very rare occasions, see flag getters/setters below)
@property ushort flag() const nothrow { return _flag; }
/// ditto
@property void flag(ushort n) { _dup(); _flag = n; }
/// Sequence length. In fact, sequence.length can be used instead, but that might be
/// slower if the compiler is not smart enough to optimize away unrelated stuff.
@property int sequence_length() const nothrow { return _l_seq; }
/// Mate reference ID
@property int mate_ref_id() const nothrow { return _next_refID; }
/// ditto
@property void mate_ref_id(int n) { _dup(); _next_refID = n; }
/// Mate reference sequence name ('*' for unmapped mates)
@property string mate_ref_name() const nothrow { return _ref_id_to_string(_next_refID); }
/// Mate position
@property int mate_position() const nothrow { return _next_pos; }
/// ditto
@property void mate_position(int n) { _dup(); _next_pos = n; }
/// Template length
@property int template_length() const nothrow { return _tlen; }
/// ditto
@property void template_length(int n) { _dup(); _tlen = n; }
// ------------------------ FLAG GETTERS/SETTERS -------------------------------------- //
/// Template having multiple segments in sequencing
@property bool is_paired() const nothrow { return cast(bool)(flag & 0x1); }
/// ditto
@property void is_paired(bool b) { _setFlag( 0, b); }
/// Each segment properly aligned according to the aligner
@property bool proper_pair() const nothrow { return cast(bool)(flag & 0x2); }
/// ditto
@property void proper_pair(bool b) { _setFlag( 1, b); }
/// Segment unmapped
@property bool is_unmapped() const nothrow { return cast(bool)(flag & 0x4); }
/// ditto
@property void is_unmapped(bool b) { _setFlag( 2, b); }
/// Next segment in the template unmapped
@property bool mate_is_unmapped() const nothrow { return cast(bool)(flag & 0x8); }
/// ditto
@property void mate_is_unmapped(bool b) { _setFlag( 3, b); }
/// Sequence being reverse complemented
@property bool is_reverse_strand() const nothrow { return cast(bool)(flag & 0x10); }
/// ditto
@property void is_reverse_strand(bool b) { _setFlag( 4, b); }
/// Sequence of the next segment in the template being reversed
@property bool mate_is_reverse_strand() const nothrow { return cast(bool)(flag & 0x20); }
/// ditto
@property void mate_is_reverse_strand(bool b) { _setFlag( 5, b); }
/// The first segment in the template
@property bool is_first_of_pair() const nothrow { return cast(bool)(flag & 0x40); }
/// ditto
@property void is_first_of_pair(bool b) { _setFlag( 6, b); }
/// The last segment in the template
@property bool is_second_of_pair() const nothrow { return cast(bool)(flag & 0x80); }
/// ditto
@property void is_second_of_pair(bool b) { _setFlag( 7, b); }
/// Secondary alignment
@property bool is_secondary_alignment() const nothrow { return cast(bool)(flag & 0x100); }
/// ditto
@property void is_secondary_alignment(bool b) { _setFlag( 8, b); }
/// Not passing quality controls
@property bool failed_quality_control() const nothrow { return cast(bool)(flag & 0x200); }
/// ditto
@property void failed_quality_control(bool b) { _setFlag( 9, b); }
/// PCR or optical duplicate
@property bool is_duplicate() const nothrow { return cast(bool)(flag & 0x400); }
/// ditto
@property void is_duplicate(bool b) { _setFlag(10, b); }
/// Supplementary alignment
@property bool is_supplementary() const nothrow { return cast(bool)(flag & 0x800); }
/// ditto
@property void is_supplementary(bool b) { _setFlag(11, b); }
/// Convenience function, returns '+' or '-' indicating the strand.
@property char strand() const nothrow {
return is_reverse_strand ? '-' : '+';
}
/// ditto
@property void strand(char c) {
enforce(c == '-' || c == '+', "Strand must be '-' or '+'");
is_reverse_strand = c == '-';
}
/// Read name, length must be in 1..255 interval.
@property string name() const nothrow {
// notice -1: the string is zero-terminated, so we should strip that '\0'
return cast(string)(_chunk[_read_name_offset .. _read_name_offset + _l_read_name - 1]);
}
/// ditto
@property void name(string new_name) {
enforce(new_name.length >= 1 && new_name.length <= 255,
"name length must be in 1-255 range");
_dup();
bio.bam.utils.array.replaceSlice(_chunk,
_chunk[_read_name_offset .. _read_name_offset + _l_read_name - 1],
cast(ubyte[])new_name);
_l_read_name = cast(ubyte)(new_name.length + 1);
}
/// List of CIGAR operations
@property const(CigarOperation)[] cigar() const nothrow {
return cast(const(CigarOperation)[])(_chunk[_cigar_offset .. _cigar_offset +
_n_cigar_op * CigarOperation.sizeof]);
}
/// ditto
@property void cigar(const(CigarOperation)[] c) {
enforce(c.length < 65536, "Too many CIGAR operations, must be <= 65535");
_dup();
bio.bam.utils.array.replaceSlice(_chunk,
_chunk[_cigar_offset .. _cigar_offset + _n_cigar_op * CigarOperation.sizeof],
cast(ubyte[])c);
_n_cigar_op = cast(ushort)(c.length);
_recalculate_bin();
}
/// Extended CIGAR where M operators are replaced with =/X based
/// on information from MD tag. Throws if the read doesn't have MD
/// tag.
auto extended_cigar() @property const {
Value md = this["MD"];
enforce(md.is_string);
return makeExtendedCigar(cigar, mdOperations(*cast(string*)(&md)));
}
/// The number of reference bases covered by this read.
/// $(BR)
/// Returns 0 if the read is unmapped.
int basesCovered() const {
if (this.is_unmapped) {
return 0; // actually, valid alignments should have empty cigar string
}
return reduce!"a + b.length"(0, filter!"a.is_reference_consuming"(cigar));
}
/// Human-readable representation of CIGAR string (same as in SAM format)
string cigarString() const {
char[] str;
// guess size of resulting string
str.reserve(_n_cigar_op * 3);
foreach (cigar_op; cigar) {
str ~= to!string(cigar_op.length);
str ~= cigar_op.type;
}
return cast(string)str;
}
private @property inout(ubyte)[] raw_sequence_data() inout nothrow {
return _chunk[_seq_offset .. _seq_offset + (_l_seq + 1) / 2];
}
/// Read-only random-access range for access to sequence data.
static struct SequenceResult {
private size_t _index;
private ubyte[] _data = void;
private size_t _len = void;
private bool _use_first_4_bits = void;
this(const(ubyte[]) data, size_t len, bool use_first_4_bits=true) {
_data = cast(ubyte[])data;
_len = len;
_use_first_4_bits = use_first_4_bits;
}
///
@property bool empty() const {
return _index >= _len;
}
///
@property bio.core.base.Base front() const {
return opIndex(0);
}
///
@property bio.core.base.Base back() const {
return opIndex(_len - 1);
}
/*
I have no fucking idea why this tiny piece of code
does NOT get inlined by stupid DMD compiler.
Therefore I use string mixin instead.
(hell yeah! Back to the 90s! C macros rulez!)
private size_t _getActualPosition(size_t index) const
{
if (_use_first_4_bits) {
// [0 1] [2 3] [4 5] [6 7] ...
// |
// V
// 0 1 2 3
return index >> 1;
} else {
// [. 0] [1 2] [3 4] [5 6] ...
// |
// V
// 0 1 2 3
return (index >> 1) + (index & 1);
}
}*/
private static string _getActualPosition(string index) {
return "((" ~ index ~") >> 1) + " ~
"(_use_first_4_bits ? 0 : ((" ~ index ~ ") & 1))";
}
private bool _useFirst4Bits(size_t index) const
{
auto res = index % 2 == 0;
if (!_use_first_4_bits) {
res = !res;
}
return res;
}
///
@property SequenceResult save() const {
return SequenceResult(_data[mixin(_getActualPosition("_index")) .. $],
_len - _index,
_useFirst4Bits(_index));
}
///
SequenceResult opSlice(size_t i, size_t j) const {
return SequenceResult(_data[mixin(_getActualPosition("_index + i")) .. $],
j - i,
_useFirst4Bits(_index + i));
}
///
@property bio.core.base.Base opIndex(size_t i) const {
auto pos = _index + i;
if (_use_first_4_bits)
{
if (pos & 1)
return Base.fromInternalCode(_data[pos >> 1] & 0xF);
else
return Base.fromInternalCode(_data[pos >> 1] >> 4);
}
else
{
if (pos & 1)
return Base.fromInternalCode(_data[(pos >> 1) + 1] >> 4);
else
return Base.fromInternalCode(_data[pos >> 1] & 0xF);
}
assert(false);
}
/// ditto
@property void opIndexAssign(bio.core.base.Base base, size_t i) {
auto pos = _index + i;
if (_use_first_4_bits)
{
if (pos & 1)
_data[pos >> 1] &= 0xF0, _data[pos >> 1] |= base.internal_code;
else
_data[pos >> 1] &= 0x0F, _data[pos >> 1] |= base.internal_code << 4;
}
else
{
if (pos & 1)
_data[(pos >> 1) + 1] &= 0x0F, _data[(pos >> 1) + 1] |= base.internal_code << 4;
else
_data[pos >> 1] &= 0xF0, _data[pos >> 1] |= base.internal_code;
}
}
///
void popFront() {
++_index;
}
///
void popBack() {
--_len;
}
///
@property size_t length() const {
return _len - _index;
}
alias length opDollar;
void toString(scope void delegate(const(char)[]) dg) const {
char[256] buf = void;
size_t total = this.length;
size_t written = 0;
while (written < total) {
size_t n = min(buf.length, total - written);
foreach (j; 0 .. n)
buf[j] = opIndex(written + j).asCharacter;
dg(buf[0 .. n]);
written += n;
}
}
}
/// Random-access range of characters
@property SequenceResult sequence() const {
return SequenceResult(raw_sequence_data, sequence_length);
}
static assert(isRandomAccessRange!(ReturnType!sequence));
/// Sets query sequence. Sets all base qualities to 255 (i.e. unknown).
@property void sequence(string seq)
{
_dup();
auto raw_length = (seq.length + 1) / 2;
// set sequence
auto replacement = uninitializedArray!(ubyte[])(raw_length + seq.length);
replacement[raw_length .. $] = 0xFF;
for (size_t i = 0; i < raw_length; ++i) {
replacement[i] = cast(ubyte)(Base(seq[2 * i]).internal_code << 4);
if (seq.length > 2 * i + 1)
replacement[i] |= cast(ubyte)(Base(seq[2 * i + 1]).internal_code);
}
bio.bam.utils.array.replaceSlice(_chunk,
_chunk[_seq_offset .. _tags_offset],
replacement);
_l_seq = cast(int)seq.length;
}
/// Quality data (phred-based scores)
@property inout(ubyte)[] base_qualities() inout nothrow {
return _chunk[_qual_offset .. _qual_offset + _l_seq * char.sizeof];
}
/// Set quality data - array length must be of the same length as the sequence.
@property void base_qualities(const(ubyte)[] quality) {
enforce(quality.length == _l_seq, "Quality data must be of the same length as sequence");
_dup();
_chunk[_qual_offset .. _qual_offset + _l_seq] = quality;
}
/*
Constructs the struct from memory chunk
*/
this(ubyte[] chunk, bool fix_byte_order=true) {
// Switching endianness lazily is not a good idea:
//
// 1) switching byte order is pretty fast
// 2) lazy switching for arrays can kill the performance,
// it has to be done once
// 3) the code will be too complicated, whereas there're
// not so many users of big-endian systems
//
// In summa, BAM is little-endian format, so big-endian
// users will suffer anyway, it's unavoidable.
_chunk = chunk;
this._is_slice = true;
if (fix_byte_order && std.system.endian != Endian.littleEndian) {
switchChunkEndianness();
// Dealing with tags is the responsibility of TagStorage.
fixTagStorageByteOrder();
}
}
// Doesn't touch tags, only fields.
// @@@TODO: NEEDS TESTING@@@
private void switchChunkEndianness() {
// First 8 fields are 32-bit integers:
//
// 0) refID int
// 1) pos int
// 2) bin_mq_nl uint
// 3) flag_nc uint
// 4) l_seq int
// 5) next_refID int
// 6) next_pos int
// 7) tlen int
// ----------------------------------------------------
// (after them name follows which is string)
//
switchEndianness(_chunk.ptr, 8 * uint.sizeof);
// Then we need to switch endianness of CIGAR data:
switchEndianness(_chunk.ptr + _cigar_offset,
_n_cigar_op * uint.sizeof);
}
private size_t calculateChunkSize(string read_name,
string sequence,
in CigarOperation[] cigar)
{
return 8 * int.sizeof
+ (read_name.length + 1) // tailing '\0'
+ uint.sizeof * cigar.length
+ ubyte.sizeof * ((sequence.length + 1) / 2)
+ ubyte.sizeof * sequence.length;
}
/// Construct alignment from basic information about it.
///
/// Other fields can be set afterwards.
this(string read_name, // info for developers:
string sequence, // these 3 fields are needed
in CigarOperation[] cigar) // to calculate size of _chunk
{
enforce(read_name.length < 256, "Too long read name, length must be <= 255");
enforce(cigar.length < 65536, "Too many CIGAR operations, must be <= 65535");
if (this._chunk is null) {
this._chunk = new ubyte[calculateChunkSize(read_name, sequence, cigar)];
}
this._refID = -1; // set default values
this._pos = -1; // according to SAM/BAM
this._mapq = 255; // specification
this._next_refID = -1;
this._next_pos = -1;
this._tlen = 0;
this._l_read_name = cast(ubyte)(read_name.length + 1); // tailing '\0'
this._n_cigar_op = cast(ushort)(cigar.length);
this._l_seq = cast(int)(sequence.length);
// now all offsets can be calculated through corresponding properties
// set default quality
_chunk[_qual_offset .. _qual_offset + sequence.length] = 0xFF;
// set CIGAR data
auto _len = cigar.length * CigarOperation.sizeof;
_chunk[_cigar_offset .. _cigar_offset + _len] = cast(ubyte[])(cigar);
// set read_name
auto _offset = _read_name_offset;
_chunk[_offset .. _offset + read_name.length] = cast(ubyte[])read_name;
_chunk[_offset + read_name.length] = cast(ubyte)'\0';
this._is_slice = false;
this.sequence = sequence;
}
/// Deep copy of the record.
BamRead dup() @property const {
BamRead result;
result._chunk = this._chunk.dup;
result._is_slice = false;
result._modify_in_place = false;
result._reader = cast()_reader;
return result;
}
/// Compare two alignments, including tags
/// (the tags must follow in the same order for equality).
bool opEquals(BamRead other) const pure nothrow {
// don't forget about _is_slice trick
auto m = _cigar_offset;
return _chunk[0 .. m - 1] == other._chunk[0 .. m - 1] &&
_chunk[m .. $] == other._chunk[m .. $];
}
bool opEquals(const(BamRead) other) const pure nothrow {
return opEquals(cast()other);
}
/// Size of the alignment record when output to stream in BAM format.
/// Includes block_size as well (see SAM/BAM specification)
@property size_t size_in_bytes() const {
return int.sizeof + _chunk.length;
}
package void write(BamWriter writer) {
writer.writeInteger(cast(int)(_chunk.length));
ubyte old_byte = _chunk[_cigar_offset - 1];
_chunk[_cigar_offset - 1] = 0;
if (std.system.endian != Endian.littleEndian) {
switchChunkEndianness();
writer.writeByteArray(_chunk[0 .. _tags_offset]);
switchChunkEndianness();
} else {
writer.writeByteArray(_chunk[0 .. _tags_offset]);
}
_chunk[_cigar_offset - 1] = old_byte;
writeTags(writer);
}
/// Packs message in the following format:
/// $(BR)
/// MsgPack array with elements
/// $(OL
/// $(LI name - string)
/// $(LI flag - ushort)
/// $(LI reference sequence id - int)
/// $(LI leftmost mapping position (1-based) - int)
/// $(LI mapping quality - ubyte)
/// $(LI array of CIGAR operation lengths - int[])
/// $(LI array of CIGAR operation types - ubyte[])
/// $(LI mate reference sequence id - int)
/// $(LI mate position (1-based) - int)
/// $(LI template length - int)
/// $(LI segment sequence - string)
/// $(LI phred-base quality - ubyte[])
/// $(LI tags - map: string -> value))
void toMsgpack(Packer)(ref Packer packer) const {
packer.beginArray(13);
packer.pack(cast(ubyte[])name);
packer.pack(flag);
packer.pack(ref_id);
packer.pack(position + 1);
packer.pack(mapping_quality);
packer.pack(array(map!"a.length"(cigar)));
packer.pack(array(map!"a.type"(cigar)));
packer.pack(mate_ref_id);
packer.pack(mate_position);
packer.pack(template_length);
packer.pack(to!string(sequence));
packer.pack(base_qualities);
packer.beginMap(tagCount());
foreach (key, value; this) {
packer.pack(key);
packer.pack(value);
}
}
/// String representation.
/// $(BR)
/// Possible formats are SAM ("%s") and JSON ("%j")
void toString(scope void delegate(const(char)[]) sink, FormatSpec!char fmt) const {
if (size_in_bytes < 10000 && fmt.spec == 's') {
auto p = cast(char*)alloca(size_in_bytes * 5);
char* end = p;
toSam(end);
sink(p[0 .. end - p]);
} else if (size_in_bytes < 5000 && fmt.spec == 'j') {
auto p = cast(char*)alloca(size_in_bytes * 10 + 1000);
char* end = p;
toJson(end);
sink(p[0 .. end - p]);
} else if (fmt.spec == 's') {
toSam(sink);
} else if (fmt.spec == 'j') {
toJson(sink);
} else {
throw new FormatException("unknown format specifier");
}
}
/// ditto
void toSam(Sink)(auto ref Sink sink) const
if (isSomeSink!Sink)
{
sink.write(name);
sink.write('\t');
sink.write(flag);
sink.write('\t');
if (ref_id == -1 || _reader is null)
sink.write('*');
else
sink.write(_reader.reference_sequences[ref_id].name);
sink.write('\t');
sink.write(position + 1);
sink.write('\t');
sink.write(mapping_quality);
sink.write('\t');
if (cigar.length == 0)
sink.write('*');
else
foreach (op; cigar)
op.toSam(sink);
sink.write('\t');
if (mate_ref_id == ref_id) {
if (mate_ref_id == -1)
sink.write("*\t");
else
sink.write("=\t");
} else {
if (mate_ref_id == -1 || _reader is null) {
sink.write("*\t");
} else {
auto mate_name = _reader.reference_sequences[mate_ref_id].name;
sink.write(mate_name);
sink.write("\t");
}
}
sink.write(mate_position + 1);
sink.write('\t');
sink.write(template_length);
sink.write('\t');
if (sequence_length == 0)
sink.write('*');
else
foreach (char c; sequence)
sink.write(c);
sink.write('\t');
if (base_qualities.length == 0 || base_qualities[0] == 0xFF)
sink.write('*');
else
foreach (qual; base_qualities)
sink.write(cast(char)(qual + 33));
foreach (k, v; this) {
sink.write('\t');
sink.write(k);
sink.write(':');
v.toSam(sink);
}
}
/// ditto
string toSam()() const {
return to!string(this);
}
/// JSON representation
void toJson(Sink)(auto ref Sink sink) const
if (isSomeSink!Sink)
{
sink.write(`{"qname":`); sink.writeJson(name);
sink.write(`,"flag":`); sink.write(flag);
sink.write(`,"rname":`);
if (ref_id == -1 || _reader is null)
sink.write(`"*"`);
else
sink.writeJson(_reader.reference_sequences[ref_id].name);
sink.write(`,"pos":`); sink.write(position + 1);
sink.write(`,"mapq":`); sink.write(mapping_quality);
sink.write(`,"cigar":"`);
if (cigar.empty)
sink.write('*');
else
foreach (op; cigar)
op.toSam(sink);
sink.write('"');
sink.write(`,"rnext":`);
if (mate_ref_id == ref_id) {
if (mate_ref_id == -1)
sink.write(`"*"`);
else
sink.write(`"="`);
} else if (mate_ref_id == -1 || _reader is null) {
sink.write(`"*"`);
} else {
sink.writeJson(_reader.reference_sequences[mate_ref_id].name);
}
sink.write(`,"pnext":`); sink.write(mate_position + 1);
sink.write(`,"tlen":`); sink.write(template_length);
sink.write(`,"seq":"`);
if (sequence_length == 0)
sink.write('*');
else
foreach (char c; sequence)
sink.write(c);
sink.write('"');
sink.write(`,"qual":`);
sink.writeJson(base_qualities);
sink.write(`,"tags":{`);
bool not_first = false;
foreach (k, v; this) {
if (not_first)
sink.write(',');
sink.writeJson(k);
sink.write(':');
v.toJson(sink);
not_first = true;
}
sink.write("}}");
}
/// ditto
string toJson()() const {
auto w = appender!(char[])();
toJson((const(char)[] s) { w.put(s); });
return cast(string)w.data;
}
/// Associates read with BAM reader. This is done automatically
/// if this read is obtained through BamReader/Reference methods.
void associateWithReader(bio.bam.abstractreader.IBamSamReader reader) {
_reader = reader;
}
/// Associated BAM/SAM reader.
inout(bio.bam.abstractreader.IBamSamReader) reader() @property inout {
return _reader;
}
///
bool is_slice_backed() @property const {
return _is_slice;
}
/// Raw representation of the read. Occasionally useful for dirty hacks!
inout(ubyte)[] raw_data() @property inout {
return _chunk;
}
/// ditto
void raw_data(ubyte[] data) @property {
_chunk = data;
}
package ubyte[] _chunk; // holds all the data,
// the access is organized via properties
// (see below)
private:
// by specs, name ends with '\0'
// let's use this byte for something useful!
//
// (Of course this places some restrictions on usage,
// but allows to reduce size of record.)
bool _is_slice() @property const {
return cast(bool)(_chunk[_cigar_offset - 1] & 1);
}
void _is_slice(bool is_slice) @property {
_chunk[_cigar_offset - 1] &= 0b11111110;
_chunk[_cigar_offset - 1] |= (is_slice ? 1 : 0);
}
// don't call _dup() if the record is modified
bool _modify_in_place() @property const {
return cast(bool)(_chunk[_cigar_offset - 1] & 2);
}
void _modify_in_place(bool in_place) @property {
_chunk[_cigar_offset - 1] &= 0b11111101;
_chunk[_cigar_offset - 1] |= (in_place ? 2 : 0);
}
IBamSamReader _reader;
string _ref_id_to_string(int ref_id) const nothrow {
if (_reader is null)
return "?";
if (ref_id < 0)
return "*";
return _reader.reference_sequences[ref_id].name;
}
// Official field names from SAM/BAM specification.
// For internal use only
@property int _refID() const nothrow {
return *(cast( int*)(_chunk.ptr + int.sizeof * 0));
}
@property int _pos() const nothrow {
return *(cast( int*)(_chunk.ptr + int.sizeof * 1));
}
@property uint _bin_mq_nl() const nothrow pure @system {
return *(cast(uint*)(_chunk.ptr + int.sizeof * 2));
}
@property uint _flag_nc() const nothrow {
return *(cast(uint*)(_chunk.ptr + int.sizeof * 3));
}
@property int _l_seq() const nothrow {
return *(cast( int*)(_chunk.ptr + int.sizeof * 4));
}
@property int _next_refID() const nothrow {
return *(cast( int*)(_chunk.ptr + int.sizeof * 5));
}
@property int _next_pos() const nothrow {
return *(cast( int*)(_chunk.ptr + int.sizeof * 6));
}
@property int _tlen() const nothrow {
return *(cast( int*)(_chunk.ptr + int.sizeof * 7));
}
// Setters, also only for internal use
@property void _refID(int n) { *(cast( int*)(_chunk.ptr + int.sizeof * 0)) = n; }
@property void _pos(int n) { *(cast( int*)(_chunk.ptr + int.sizeof * 1)) = n; }
@property void _bin_mq_nl(uint n) { *(cast(uint*)(_chunk.ptr + int.sizeof * 2)) = n; }
@property void _flag_nc(uint n) { *(cast(uint*)(_chunk.ptr + int.sizeof * 3)) = n; }
@property void _l_seq(int n) { *(cast( int*)(_chunk.ptr + int.sizeof * 4)) = n; }
@property void _next_refID(int n) { *(cast( int*)(_chunk.ptr + int.sizeof * 5)) = n; }
@property void _next_pos(int n) { *(cast( int*)(_chunk.ptr + int.sizeof * 6)) = n; }
@property void _tlen(int n) { *(cast( int*)(_chunk.ptr + int.sizeof * 7)) = n; }
// Additional useful properties, also from SAM/BAM specification
//
// The layout of bin_mq_nl and flag_nc is as follows
// (upper bits -------> lower bits):
//
// bin_mq_nl [ { bin (16b) } { mapping quality (8b) } { read name length (8b) } ]
//
// flag_nc [ { flag (16b) } { n_cigar_op (16b) } ]
//
@property ushort _bin() const nothrow {
return _bin_mq_nl >> 16;
}
@property ubyte _mapq() const nothrow {
return (_bin_mq_nl >> 8) & 0xFF;
}
@property ubyte _l_read_name() const nothrow pure {
return _bin_mq_nl & 0xFF;
}
@property ushort _flag() const nothrow {
return _flag_nc >> 16;
}
@property ushort _n_cigar_op() const nothrow {
return _flag_nc & 0xFFFF;
}
// Setters for those properties
@property void _bin(ushort n) { _bin_mq_nl = (_bin_mq_nl & 0xFFFF) | (n << 16); }
@property void _mapq(ubyte n) { _bin_mq_nl = (_bin_mq_nl & ~0xFF00) | (n << 8); }
@property void _l_read_name(ubyte n) { _bin_mq_nl = (_bin_mq_nl & ~0xFF ) | n; }
@property void _flag(ushort n) { _flag_nc = (_flag_nc & 0xFFFF) | (n << 16); }
@property void _n_cigar_op(ushort n) { _flag_nc = (_flag_nc & ~0xFFFF) | n; }
// Offsets of various arrays in bytes.
// Currently, are computed each time, so if speed will be an issue,
// they can be made fields instead of properties.
@property size_t _read_name_offset() const nothrow pure {
return 8 * int.sizeof;
}
@property size_t _cigar_offset() const nothrow pure {
return _read_name_offset + _l_read_name * char.sizeof;
}
@property size_t _seq_offset() const nothrow {
return _cigar_offset + _n_cigar_op * uint.sizeof;
}
@property size_t _qual_offset() const nothrow {
return _seq_offset + (_l_seq + 1) / 2;
}
// Offset of auxiliary data
@property size_t _tags_offset() const nothrow {
return _qual_offset + _l_seq;
}
// Sets n-th flag bit to boolean value b.
void _setFlag(int n, bool b) {
assert(n < 16);
// http://graphics.stanford.edu/~seander/bithacks.html#ConditionalSetOrClearBitsWithoutBranching
ushort mask = cast(ushort)(1 << n);
_flag = (_flag & ~mask) | ((-cast(int)b) & mask);
}
// If _chunk is still a slice, not an array, duplicate it.
// Used when some part of alignment record is modified by user.
//
// Basically, it's sort of copy-on-write: a lot of read-only alignments
// may point to the same location, but every modified one allocates its
// own chunk of memory.
void _dup() {
if (_is_slice && !_modify_in_place) {
_chunk = _chunk.dup;
_is_slice = false;
}
}
public:
// Calculates bin number.
void _recalculate_bin() {
_bin = reg2bin(position, position + basesCovered());
}
}
/// Lazy tag storage.
///
/// Provides hash-like access and opportunity to iterate
/// storage like an associative array.
mixin template TagStorage() {
// Provides access to chunk of memory which contains tags.
// This way, every time _tags_offset gets updated
// (due to update of cigar string/read name/sequence and memory move),
// the change is reflected automatically in tag storage.
private @property const(ubyte)[] _tags_chunk() const {
return _chunk[_tags_offset .. $];
}
/// Hash-like access to tags. Time complexity is $(BIGOH number of tags).
/// $(BR)
/// If tag with such $(I key) is not found, returned value 'is nothing'.
/// $(BR)
/// If key length is different from 2, exception is thrown.
/// $(BR)
/// Special case when $(I value) represents nothing is used for removing tag
/// (assuming that no more than one with this key is presented in the record).
///
/// Examples:
/// ----------------------------
/// auto v = read["NM"];
/// assert(v.is_integer);
///
/// auto v = read["MN"];
/// assert(v.is_nothing); // no such tag
///
/// read["NM"] = 3; // converted to bio.bam.tagvalue.Value implicitly
///
/// read["NM"] = null; // removes tag
/// assert(read["NM"].is_nothing);
/// ----------------------------
bio.bam.tagvalue.Value opIndex(string key) const {
enforce(key.length == 2, "Key length must be 2");
auto __tags_chunk = _tags_chunk; // _tags_chunk is evaluated lazily
if (__tags_chunk.length < 4)
return Value(null);
size_t offset = 0;
while (offset + 1 < __tags_chunk.length) {
if (__tags_chunk[offset .. offset + 2] == key) {
offset += 2;
return readValue(offset, __tags_chunk);
} else {
offset += 2;
skipValue(offset, __tags_chunk);
}
}
return Value(null);
}
/// ditto
void opIndexAssign(T)(T value, string key)
if (is(T == Value) || __traits(compiles, GetTypeId!T))
{
static if(is(T == Value)) {
enforce(key.length == 2, "Key length must be 2");
auto __tags_chunk = _tags_chunk;
_dup();
size_t offset = 0;
while (offset + 1 < __tags_chunk.length) {
if (__tags_chunk[offset .. offset + 2] == key) {
if (value.is_nothing) {
// special case - remove tag
removeValueAt(offset);
} else {
replaceValueAt(offset + 2, value);
}
return;
} else {
offset += 2;
skipValue(offset, __tags_chunk);
}
}
if (!value.is_nothing)
appendTag(key, value);
} else {
opIndexAssign(Value(value), key);
}
}
/// Append new tag to the end, skipping check if it already exists. $(BIGOH 1)
void appendTag(string key, Value value) {
auto oldlen = _chunk.length;
_chunk.length = _chunk.length + sizeInBytes(value) + 2 * char.sizeof;
_chunk[oldlen .. oldlen + 2] = cast(ubyte[])key;
emplaceValue(_chunk.ptr + oldlen + 2, value);
}
/// Remove all tags
void clearAllTags() {
_chunk.length = _tags_offset;
}
/// Number of tags. $(BIGOH number of tags)
size_t tagCount() {
size_t result = 0;
size_t offset = 0;
auto __tags_chunk = _tags_chunk;
while (offset + 1 < __tags_chunk.length) {
offset += 2;
skipValue(offset, __tags_chunk);
result += 1;
}
return result;
}
// replace existing tag
private void replaceValueAt(size_t offset, Value value) {
// offset points to the beginning of the value
auto begin = offset;
auto __tags_chunk = _tags_chunk;
skipValue(offset, __tags_chunk); // now offset is updated and points to the end
auto end = offset;
prepareSlice(_chunk, __tags_chunk[begin .. end], sizeInBytes(value));
emplaceValue(_chunk.ptr + _tags_offset + begin, value);
}
// remove existing tag
private void removeValueAt(size_t begin) {
// offset points to the beginning of the value
auto offset = begin + 2;
auto __tags_chunk = _tags_chunk;
skipValue(offset, __tags_chunk);
auto end = offset;
// this does the job (see prepareSlice code)
prepareSlice(_chunk, __tags_chunk[begin .. end], 0);
}
/// Provides opportunity to iterate over tags.
int opApply(scope int delegate(const ref string k, const ref Value v) dg) const {
size_t offset = 0;
auto __tags_chunk = _tags_chunk;
while (offset + 1 < __tags_chunk.length) {
auto key = cast(string)__tags_chunk[offset .. offset + 2];
offset += 2;
auto val = readValue(offset, __tags_chunk);
auto res = dg(key, val);
if (res != 0) {
return res;
}
}
return 0;
}
/// Returns the number of tags. Time complexity is $(BIGOH number of tags)
size_t tagCount() const {
size_t res = 0;
size_t offset = 0;
auto __tags_chunk = _tags_chunk;
while (offset + 1 < __tags_chunk.length) {
offset += 2;
skipValue(offset, __tags_chunk);
res += 1;
}
return res;
}
private void writeTags(BamWriter writer) {
if (std.system.endian == Endian.littleEndian) {
writer.writeByteArray(_tags_chunk[]);
} else {
fixTagStorageByteOrder();
writer.writeByteArray(_tags_chunk[]);
fixTagStorageByteOrder();
}
}
// Reads value which starts from (_tags_chunk.ptr + offset) address,
// and updates offset to the end of value. O(1)
private Value readValue(ref size_t offset, const(ubyte)[] tags_chunk) const {
char type = cast(char)tags_chunk[offset++];
return readValueFromArray(type, tags_chunk, offset);
}
// Increases offset so that it points to the next value. O(1).
private void skipValue(ref size_t offset, const(ubyte)[] tags_chunk) const {
char type = cast(char)tags_chunk[offset++];
if (type == 'Z' || type == 'H') {
while (tags_chunk[offset++] != 0) {}
} else if (type == 'B') {
char elem_type = cast(char)tags_chunk[offset++];
auto length = *(cast(uint*)(tags_chunk.ptr + offset));
offset += uint.sizeof + charToSizeof(elem_type) * length;
} else {
offset += charToSizeof(type);
}
}
/*
Intended to be used in constructor for initial endianness fixing
in case the library is used on big-endian system.
NOT TESTED AT ALL!!!
*/
private void fixTagStorageByteOrder() {
/* TODO: TEST ON BIG-ENDIAN SYSTEM!!! */
const(ubyte)* p = _tags_chunk.ptr;
const(ubyte)* end = p + _chunk.length;
while (p < end) {
p += 2; // skip tag name
char type = *(cast(char*)p);
++p; // skip type
if (type == 'Z' || type == 'H') {
while (*p != 0) { // zero-terminated
++p; // string
}
++p; // skip '\0'
} else if (type == 'B') { // array
char elem_type = *(cast(char*)p);
uint size = charToSizeof(elem_type);
switchEndianness(p, uint.sizeof);
uint length = *(cast(uint*)p);
p += uint.sizeof; // skip length
if (size != 1) {
for (auto j = 0; j < length; j++) {
switchEndianness(p, size);
p += size;
}
} else {
// skip
p += length;
}
} else {
uint size = charToSizeof(type);
if (size != 1) {
switchEndianness(p, size);
p += size;
} else {
++p;
}
}
}
}
}
unittest {
import std.algorithm;
import std.stdio;
import std.math;
writeln("Testing BamRead behaviour...");
auto read = BamRead("readname",
"AGCTGACTACGTAATAGCCCTA",
[CigarOperation(22, 'M')]);
assert(read.sequence_length == 22);
assert(read.cigar.length == 1);
assert(read.cigarString() == "22M");
assert(read.name == "readname");
assert(equal(read.sequence(), "AGCTGACTACGTAATAGCCCTA"));
read.name = "anothername";
assert(read.name == "anothername");
assert(read.cigarString() == "22M");
read.base_qualities = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12,
13, 14, 15, 16, 17, 18, 19, 20, 21, 22];
assert(reduce!"a+b"(0, read.base_qualities) == 253);
read["RG"] = 15;
assert(read["RG"] == 15);
read["X1"] = [1, 2, 3, 4, 5];
assert(read["X1"] == [1, 2, 3, 4, 5]);
read.cigar = [CigarOperation(20, 'M'), CigarOperation(2, 'X')];
assert(read.cigarString() == "20M2X");
read["RG"] = cast(float)5.6;
assert(approxEqual(to!float(read["RG"]), 5.6));
read.sequence = "AGCTGGCTACGTAATAGCCCT";
assert(read.sequence_length == 21);
assert(read.base_qualities.length == 21);
assert(read.base_qualities[20] == 255);
assert(equal(read.sequence(), "AGCTGGCTACGTAATAGCCCT"));
assert(retro(read.sequence)[2] == 'C');
assert(retro(read.sequence)[0] == 'T');
assert(read.sequence[4] == 'G');
assert(read.sequence[0] == 'A');
assert(equal(read.sequence[0..8], "AGCTGGCT"));
assert(equal(read.sequence[3..5], "TG"));
assert(equal(read.sequence[3..9][1..4], "GGC"));
read["X1"] = 42;
assert(read["X1"] == 42);
assert(read.tagCount() == 2);
read["X1"] = null;
assert(read["X1"].is_nothing);
assert(read.tagCount() == 1);
read.sequence = "GTAAGCTGGCACTAGCAGCCT";
read.cigar = [CigarOperation(read.sequence_length, 'M')];
read["RG"] = null;
read["RG"] = "readgroup1";
assert(read.tagCount() == 1);
read["RG"] = null;
assert(read.tagCount() == 0);
read.sequence[5] = Base('N');
read.sequence[6] = Base('A');
read.sequence[7] = Base('C');
read.sequence[8] = Base('G');
read.base_qualities[5] = 42;
assert(read.sequence[5 .. 9].equal("NACG"));
assert(read.base_qualities[5] == 42);
// Test MsgPack serialization/deserialization
{
import std.typecons;
static import bio.bam.thirdparty.msgpack;
auto packer = bio.bam.thirdparty.msgpack.packer(Appender!(ubyte[])());
read.toMsgpack(packer);
auto data = packer.stream.data;
auto rec = unpack(data).via.array;
assert(rec[0].as!(ubyte[]) == "anothername");
assert(rec[5].as!(int[]) == [21]);
assert(rec[6].as!(ubyte[]) == ['M']);
assert(rec[10].as!(ubyte[]) == to!string(read.sequence));
}
read.clearAllTags();
assert(read.tagCount() == 0);
}
/// $(P BamRead wrapper which precomputes $(D end_position) = $(D position) + $(D basesCovered()).)
///
/// $(P Computation of basesCovered() takes quite a few cycles. Therefore in places where this
/// property is frequently accessed, it makes sense to precompute it for later use.)
///
/// $(P The idea is that this should be a drop-in replacement for BamRead in algorithms,
/// as the struct uses 'alias this' construction for the wrapped read.)
struct EagerBamRead(R=BamRead) {
///
this(R read) {
this.read = read;
this.end_position = read.position + read.basesCovered();
}
///
R read;
///
alias read this;
/// End position on the reference, computed as position + basesCovered().
int end_position;
///
EagerBamRead dup() @property const {
return EagerBamRead(read.dup);
}
}
static assert(is(EagerBamRead!BamRead : BamRead));
/// Checks if $(D T) behaves like $(D BamRead)
template isBamRead(T)
{
static if (is(Unqual!T : BamRead))
enum isBamRead = true;
else
enum isBamRead = __traits(compiles,
{
T t; bool p;
p = t.ref_id == 1; p = t.position == 2; p = t.bin.id == 3;
p = t.mapping_quality == 4; p = t.flag == 5; p = t.sequence_length == 6;
p = t.mate_ref_id == 7; p = t.mate_position == 8; p = t.template_length == 9;
p = t.is_paired; p = t.proper_pair; p = t.is_unmapped;
p = t.mate_is_unmapped; p = t.mate_is_reverse_strand; p = t.is_first_of_pair;
p = t.is_second_of_pair; p = t.is_secondary_alignment; p = t.failed_quality_control;
p = t.is_duplicate; p = t.strand == '+'; p = t.name == "";
p = t.cigar[0].type == 'M'; p = t.basesCovered() > 42; p = t.cigarString() == "";
p = t.sequence[0] == 'A'; p = t.base_qualities[0] == 0;
});
}
/// $(P Comparison function for 'queryname' sorting order
/// (return whether first read is 'less' than second))
///
/// $(P This function can be called on:
/// $(UL
/// $(LI two reads)
/// $(LI read and string in any order)))
bool compareReadNames(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isBamRead!R1 && isBamRead!R2)
{
return a1.name < a2.name;
}
bool compareReadNames(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isBamRead!R1 && isSomeString!R2)
{
return a1.name < a2;
}
bool compareReadNames(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isSomeString!R1 && isBamRead!R2)
{
return a1 < a2.name;
}
int mixedStrCompare(string a, string b) {
import std.ascii : isDigit;
while (!a.empty && !b.empty) {
if (a.front.isDigit && b.front.isDigit) {
// skip zeros
int za, zb;
while (!a.empty && a.front == '0') { ++za; a.popFront(); }
while (!b.empty && b.front == '0') { ++zb; b.popFront(); }
// skip equal digits
while (!a.empty && !b.empty && a.front.isDigit && a.front == b.front) {
a.popFront();
b.popFront();
}
if (!a.empty && !b.empty && a.front.isDigit && b.front.isDigit) {
// the number of leading digits in each string is non-zero
size_t i = 0, maxi = min(a.length, b.length);
while (i < maxi && a[i].isDigit && b[i].isDigit) ++i;
if (i < a.length && a[i].isDigit) return 1; // a contains more digits
if (i < b.length && b[i].isDigit) return -1; // b contains more digits
// the counts are equal, compare first digits
return cast(byte)a.front - cast(byte)b.front;
} else if (!a.empty && a.front.isDigit) return 1;
else if (!b.empty && b.front.isDigit) return -1;
else if (za != zb) return za - zb; // order by the number of leading zeros
} else {
// lexicographical comparison for non-digits
if (a.front != b.front) return cast(byte)a.front - cast(byte)b.front;
a.popFront(); b.popFront();
}
}
return (!a.empty) ? 1 : (!b.empty) ? -1 : 0;
}
/// $(P Comparison function for 'queryname' sorting order as in Samtools
/// (returns whether first read is 'less' than second in a 'mixed' order,
/// i.e. numbers inside the strings are compared by their integer value))
///
/// $(P This function can be called on:
/// $(UL
/// $(LI two reads)
/// $(LI read and string in any order)))
bool mixedCompareReadNames(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isBamRead!R1 && isBamRead!R2)
{
return mixedStrCompare(a1.name, a2.name) < 0;
}
bool mixedCompareReadNames(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isBamRead!R1 && isSomeString!R2)
{
return mixedStrCompare(a1.name, a2) < 0;
}
bool mixedCompareReadNames(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isSomeString!R1 && isBamRead!R2)
{
return mixedStrCompare(a1, a2.name) < 0;
}
unittest {
assert(mixedStrCompare("BC0123", "BC01234") < 0);
assert(mixedStrCompare("BC0123", "BC0123Z") < 0);
assert(mixedStrCompare("BC01234", "BC01234") == 0);
assert(mixedStrCompare("BC0123DEF45", "BC01234DEF45") < 0);
assert(mixedStrCompare("BC01236DEF45", "BC01234DEF45") > 0);
assert(mixedStrCompare("BC012", "BC0012") < 0);
assert(mixedStrCompare("BC0012DE0034", "BC0012DE34") > 0);
assert(mixedStrCompare("BC12DE0034", "BC012DE34") < 0);
assert(mixedStrCompare("1235", "1234") > 0);
}
/// $(P Comparison function for 'coordinate' sorting order
/// (returns whether first read is 'less' than second))
///
/// $(P This function can be called on:
/// $(UL
/// $(LI two reads (in this case, reference IDs are also taken into account))
/// $(LI read and integer in any order)))
bool compareCoordinates(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isBamRead!R1 && isBamRead!R2)
{
if (a1.ref_id == -1) return false; // unmapped reads should be last
if (a2.ref_id == -1) return true;
if (a1.ref_id < a2.ref_id) return true;
if (a1.ref_id > a2.ref_id) return false;
if (a1.position < a2.position) return true;
if (a1.position > a2.position) return false;
return !a1.is_reverse_strand && a2.is_reverse_strand;
}
bool compareCoordinates(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isBamRead!R1 && isIntegral!R2)
{
return a1.position < a2;
}
bool compareCoordinates(R1, R2)(const auto ref R1 a1, const auto ref R2 a2)
if (isIntegral!R1 && isBamRead!R2)
{
return a1 < a2.position;
}
static assert(isTwoWayCompatible!(compareReadNames, BamRead, string));
static assert(isTwoWayCompatible!(compareCoordinates, BamRead, int));
/// Allows modification of the read in-place even if it's slice-backed.
struct UniqueRead(R) {
R read;
alias read this;
this(R read) {
this.read = read;
this.read._modify_in_place = true;
}
~this() {
this.read._modify_in_place = false;
}
}
/// ditto
auto assumeUnique(R)(auto ref R read) if (isBamRead!R) {
return UniqueRead!R(read);
}
|
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_ushr_long_2addr_4.java
.class public dot.junit.opcodes.ushr_long_2addr.d.T_ushr_long_2addr_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(JI)J
.limit regs 4
const v1, 12345.0
ushr-long/2addr v1, v3
return-wide v1
.end method
|
D
|
instance Mod_1926_BDT_Esteban_NW (Npc_Default)
{
// ------ NSC ------
name = "Esteban";
guild = GIL_OUT;
id = 1926;
voice = 0;
flags = 0;
npctype = NPCTYPE_MAIN;
//------- AIVAR -------
// ------ Attribute ------
B_SetAttributesToChapter (self, 3);
// ------ Kampf-Taktik ------
fight_tactic = FAI_HUMAN_STRONG;
// ------ Equippte Waffen ------
EquipItem (self, ItMw_Bastardschwert);
// ------ Inventory ------
B_CreateAmbientInv (self);
CreateInvItems (self, ITMI_Addon_Stone_01,5);//MISSIONITEMS!
// ------ visuals ------
B_SetNpcVisual (self, MALE, "Hum_Head_Thief", Face_L_ToughBart_Quentin, BodyTex_L, ITAR_VLK_M);
Mdl_SetModelFatness (self, 0);
Mdl_ApplyOverlayMds (self, "Humans_Arrogance.mds");
// ------ NSC-relevante Talente vergeben ------
B_GiveNpcTalents (self);
// ------ Kampf-Talente ------
B_SetFightSkills (self, 50);
// ------ TA anmelden ------
daily_routine = Rtn_Start_1926;
};
FUNC VOID Rtn_Start_1926 ()
{
TA_Smalltalk (08,30,12,00,"NW_CITY_MERCHANT_PATH_28_B");
TA_Sit_Bench (12,00,16,00,"NW_CITY_MERCHANT_SHOP03_FRONT_02_B");
TA_Smalltalk (16,00,22,00,"NW_CITY_MERCHANT_PATH_28_B");
TA_Stand_Drinking (22,00,08,30,"MARKT");
};
FUNC VOID Rtn_Castlemine_1926 ()
{
TA_Smalltalk (08,30,12,00,"NW_CASTLEMINE_TOWER_NAVIGATION2");
TA_Sit_Bench (12,00,16,00,"NW_CASTLEMINE_HUT_BENCH_CAVE");
TA_Smalltalk (16,00,22,00,"NW_CASTLEMINE_TOWER_NAVIGATION2");
TA_Stand_Drinking (22,00,08,30,"NW_CASTLEMINE_TOWER_01");
};
FUNC VOID Rtn_Tot_1926()
{
TA_Stand_WP (08,00,20,00,"TOT");
TA_Stand_WP (20,00,08,00,"TOT");
};
|
D
|
// PERMUTE_ARGS:
/*
TEST_OUTPUT:
---
fail_compilation/test13537.d(32): Error: field U.y cannot modify fields in @safe code that overlap fields with other storage classes
fail_compilation/test13537.d(33): Error: field U.y cannot modify fields in @safe code that overlap fields with other storage classes
fail_compilation/test13537.d(34): Error: field U.z cannot access pointers in @safe code that overlap other fields
fail_compilation/test13537.d(35): Error: field U.y cannot modify fields in @safe code that overlap fields with other storage classes
---
*/
// https://issues.dlang.org/show_bug.cgi?id=13537
union U
{
immutable int x;
int y;
int* z;
}
union V
{
immutable int x;
const int y;
}
void fun() @safe
{
U u;
// errors
u.y = 1;
int* p = &u.y;
int** q = &u.z;
abc(u.y);
// read access is allowed
int a = u.x;
a = u.y;
def(u.y);
// Overlapping const/immutable is allowed
auto v = V(1);
assert(v.y == 1);
}
void gun() @system
{
U u;
// allowed because system code
u.y = 1;
int* p = &u.y;
int** q = &u.z;
abc(u.y);
}
@safe:
void abc(ref int x) { }
void def(const ref int x) { }
|
D
|
instance VLK_528_BUDDLER(NPC_DEFAULT)
{
name[0] = NAME_BUDDLER;
npctype = NPCTYPE_AMBIENT;
guild = GIL_VLK;
level = 2;
voice = 1;
id = 528;
attribute[ATR_STRENGTH] = 13;
attribute[ATR_DEXTERITY] = 10;
attribute[ATR_MANA_MAX] = 0;
attribute[ATR_MANA] = 0;
attribute[ATR_HITPOINTS_MAX] = 64;
attribute[ATR_HITPOINTS] = 64;
Mdl_SetVisual(self,"HUMANS.MDS");
Mdl_ApplyOverlayMds(self,"Humans_Tired.mds");
Mdl_SetVisualBody(self,"hum_body_Naked0",2,1,"Hum_Head_Bald",68,3,vlk_armor_l);
b_scale(self);
Mdl_SetModelFatness(self,0);
fight_tactic = FAI_HUMAN_COWARD;
EquipItem(self,itmw_1h_nailmace_01);
CreateInvItem(self,itmwpickaxe);
CreateInvItem(self,itfoloaf);
CreateInvItem(self,itfobeer);
CreateInvItem(self,itlstorch);
daily_routine = rtn_start_528;
};
func void rtn_start_528()
{
ta_sleep(21,0,6,0,"OCR_HUT_74");
ta_smalltalk(7,30,12,0,"OCR_OUTSIDE_HUT_74");
ta_sitaround(12,0,21,0,"OCR_OUTSIDE_HUT_74");
};
|
D
|
/* Digital Mars DMDScript source code.
* Copyright (c) 2000-2002 by Chromium Communications
* D version Copyright (c) 2004-2010 by Digital Mars
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt)
* written by Walter Bright
* http://www.digitalmars.com
*
* D2 port by Dmitry Olshansky
*
* DMDScript is implemented in the D Programming Language,
* http://www.digitalmars.com/d/
*
* For a C++ implementation of DMDScript, including COM support, see
* http://www.digitalmars.com/dscript/cppscript.html
*/
module dmdscript.derror;
import dmdscript.script;
import dmdscript.dobject;
import dmdscript.dfunction;
import dmdscript.value;
import dmdscript.threadcontext;
import dmdscript.dnative;
import dmdscript.text;
import dmdscript.property;
// Comes from MAKE_HRESULT(SEVERITY_ERROR, FACILITY_CONTROL, 0)
const uint FACILITY = 0x800A0000;
/* ===================== Derror_constructor ==================== */
class DerrorConstructor : Dfunction
{
this()
{
super(1, Dfunction_prototype);
}
override void* Construct(CallContext *cc, Value *ret, Value[] arglist)
{
// ECMA 15.7.2
Dobject o;
Value* m;
Value* n;
Value vemptystring;
vemptystring.putVstring(null);
switch(arglist.length)
{
case 0: // ECMA doesn't say what we do if m is undefined
m = &vemptystring;
n = &vundefined;
break;
case 1:
m = &arglist[0];
if(m.isNumber())
{
n = m;
m = &vemptystring;
}
else
n = &vundefined;
break;
default:
m = &arglist[0];
n = &arglist[1];
break;
}
o = new Derror(m, n);
ret.putVobject(o);
return null;
}
override void* Call(CallContext *cc, Dobject othis, Value* ret, Value[] arglist)
{
// ECMA v3 15.11.1
return Construct(cc, ret, arglist);
}
}
/* ===================== Derror_prototype_toString =============== */
void* Derror_prototype_toString(Dobject pthis, CallContext *cc, Dobject othis, Value *ret, Value[] arglist)
{
// ECMA v3 15.11.4.3
// Return implementation defined string
Value* v;
//writef("Error.prototype.toString()\n");
v = othis.Get(TEXT_message);
if(!v)
v = &vundefined;
ret.putVstring(othis.Get(TEXT_name).toString()~": "~v.toString());
return null;
}
/* ===================== Derror_prototype ==================== */
class DerrorPrototype : Derror
{
this()
{
super(Dobject_prototype);
Dobject f = Dfunction_prototype;
//d_string m = d_string_ctor(DTEXT("Error.prototype.message"));
Put(TEXT_constructor, Derror_constructor, DontEnum);
static enum NativeFunctionData nfd[] =
[
{ TEXT_toString, &Derror_prototype_toString, 0 },
];
DnativeFunction.initialize(this, nfd, 0);
Put(TEXT_name, TEXT_Error, 0);
Put(TEXT_message, TEXT_, 0);
Put(TEXT_description, TEXT_, 0);
Put(TEXT_number, cast(d_number)(/*FACILITY |*/ 0), 0);
}
}
/* ===================== Derror ==================== */
class Derror : Dobject
{
this(Value * m, Value * v2)
{
super(getPrototype());
classname = TEXT_Error;
immutable(char)[] msg;
msg = m.toString();
Put(TEXT_message, msg, 0);
Put(TEXT_description, msg, 0);
if(m.isString())
{
}
else if(m.isNumber())
{
d_number n = m.toNumber();
n = cast(d_number)(/*FACILITY |*/ cast(int)n);
Put(TEXT_number, n, 0);
}
if(v2.isString())
{
Put(TEXT_description, v2.toString(), 0);
Put(TEXT_message, v2.toString(), 0);
}
else if(v2.isNumber())
{
d_number n = v2.toNumber();
n = cast(d_number)(/*FACILITY |*/ cast(int)n);
Put(TEXT_number, n, 0);
}
}
this(Dobject prototype)
{
super(prototype);
classname = TEXT_Error;
}
static Dfunction getConstructor()
{
return Derror_constructor;
}
static Dobject getPrototype()
{
return Derror_prototype;
}
static void initialize()
{
Derror_constructor = new DerrorConstructor();
Derror_prototype = new DerrorPrototype();
Derror_constructor.Put(TEXT_prototype, Derror_prototype, DontEnum | DontDelete | ReadOnly);
}
}
|
D
|
module dgeom.scalefactor;
class ScaleFactor(T) if ( __traits(isArithmetic, T) )
{
T x;
this(T _x)
{
x = _x;
}
T get()
{
return x;
}
typeof(this) inv()
{
return new ScaleFactor(1 / get);
}
typeof(this) opBinary(string op : "+")(typeof(this) other)
{
return new ScaleFactor(get + other.get);
}
typeof(this) opBinary(string op : "-")(typeof(this) other)
{
return new ScaleFactor(get - other.get);
}
typeof(this) opBinary(string op : "*")(typeof(this) other)
{
return new ScaleFactor(get * other.get);
}
alias opEquals = Object.opEquals;
}
unittest
{
import std.stdio;
auto mm_per_inch = new ScaleFactor!float(25.4);
auto cm_per_mm = new ScaleFactor!float(0.1);
auto mm_per_cm = cm_per_mm.inv();
assert(mm_per_cm.get() == 10.0);
}
|
D
|
/home/pi/dev/huePI/ledtest/target/debug/deps/structopt-8b7379078f7218ef.rmeta: /home/pi/.cargo/registry/src/github.com-1ecc6299db9ec823/structopt-0.2.18/src/lib.rs
/home/pi/dev/huePI/ledtest/target/debug/deps/libstructopt-8b7379078f7218ef.rlib: /home/pi/.cargo/registry/src/github.com-1ecc6299db9ec823/structopt-0.2.18/src/lib.rs
/home/pi/dev/huePI/ledtest/target/debug/deps/structopt-8b7379078f7218ef.d: /home/pi/.cargo/registry/src/github.com-1ecc6299db9ec823/structopt-0.2.18/src/lib.rs
/home/pi/.cargo/registry/src/github.com-1ecc6299db9ec823/structopt-0.2.18/src/lib.rs:
|
D
|
import std.file;
void main()
{
remove("dirfoo");
}
|
D
|
informal terms for a meal
take in solid food
eat a meal
take in food
worry or cause anxiety in a persistent way
use up (resources or materials
cause to deteriorate due to the action of water, air, or an acid
|
D
|
module krepel.event;
import krepel.krepel;
import krepel.memory;
import krepel.container.array;
struct Event(ArgTypes...)
{
alias ListenerType = void delegate(ArgTypes);
Array!ListenerType Listeners;
this(IAllocator Allocator)
{
this.Allocator = Allocator;
}
@property void Allocator(IAllocator NewAllocator)
{
this.Listeners.Allocator = NewAllocator;
}
void Add(ListenerType Listener)
{
this.Listeners ~= Listener;
}
bool Remove(ListenerType Listener)
{
auto Index = this.Listeners[].CountUntil(Listener);
if(Index < 0) return false;
// Note(Manu): Don't use RemoveAtSwap to maintain the order the listeners were added.
this.Listeners.RemoveAt(Index);
return true;
}
void opCall(ArgTypes...)(auto ref ArgTypes Args)
{
foreach(Listener; this.Listeners)
{
Listener(Args);
}
}
}
//
// Unit Tests
//
unittest
{
auto TestAllocator = CreateTestAllocator();
auto TheEvent = Event!int(TestAllocator);
auto Listener = (int Val) => assert(Val == 42);
TheEvent.Add(ToDelegate(Listener));
TheEvent(42);
TheEvent.Remove(ToDelegate(Listener));
TheEvent(1337);
}
unittest
{
auto TestAllocator = CreateTestAllocator();
auto TheEvent = Event!(int*)(TestAllocator);
TheEvent.Add( (int* Val){ assert(*Val == 42); *Val = 1337; } );
TheEvent.Add( (int* Val){ assert(*Val == 1337); *Val = 0xC0FFEE; } );
auto Value = 42;
TheEvent(&Value);
assert(Value == 0xC0FFEE);
// Try once more.
Value = 42;
TheEvent(&Value);
assert(Value == 0xC0FFEE);
}
|
D
|
/***********************************************************************\
* comcat.d *
* *
* Windows API header module *
* *
* Translated from MinGW Windows headers *
* by Stewart Gordon *
* *
* Placed into public domain *
\***********************************************************************/
module win32.comcat;
import win32.windows, win32.ole2;
private import win32.basetyps, win32.cguid, win32.objbase, win32.unknwn,
win32.windef, win32.wtypes;
alias IEnumGUID* LPENUMGUID;
interface IEnumGUID : IUnknown {
HRESULT Next(ULONG, GUID*, ULONG*);
HRESULT Skip(ULONG);
HRESULT Reset();
HRESULT Clone(LPENUMGUID*);
}
alias GUID CATID;
alias REFGUID REFCATID;
alias GUID_NULL CATID_NULL;
alias IsEqualGUID IsEqualCATID;
struct CATEGORYINFO {
CATID catid;
LCID lcid;
OLECHAR[128] szDescription;
}
alias CATEGORYINFO* LPCATEGORYINFO;
alias IEnumGUID IEnumCATID;
alias LPENUMGUID LPENUMCATID;
alias IID_IEnumGUID IID_IEnumCATID;
alias IEnumGUID IEnumCLSID;
alias LPENUMGUID LPENUMCLSID;
alias IID_IEnumGUID IID_IEnumCLSID;
interface ICatInformation : IUnknown {
HRESULT EnumCategories(LCID, LPENUMCATEGORYINFO*);
HRESULT GetCategoryDesc(REFCATID, LCID, PWCHAR*);
HRESULT EnumClassesOfCategories(ULONG, CATID*, ULONG, CATID*,
LPENUMCLSID*);
HRESULT IsClassOfCategories(REFCLSID, ULONG, CATID*, ULONG, CATID*);
HRESULT EnumImplCategoriesOfClass(REFCLSID, LPENUMCATID*);
HRESULT EnumReqCategoriesOfClass(REFCLSID, LPENUMCATID*);
}
alias ICatInformation* LPCATINFORMATION;
interface ICatRegister : IUnknown {
HRESULT RegisterCategories(ULONG, CATEGORYINFO*);
HRESULT UnRegisterCategories(ULONG, CATID*);
HRESULT RegisterClassImplCategories(REFCLSID, ULONG, CATID*);
HRESULT UnRegisterClassImplCategories(REFCLSID, ULONG, CATID*);
HRESULT RegisterClassReqCategories(REFCLSID, ULONG, CATID*);
HRESULT UnRegisterClassReqCategories(REFCLSID, ULONG, CATID*);
}
alias ICatRegister* LPCATREGISTER;
interface IEnumCATEGORYINFO : IUnknown {
HRESULT Next(ULONG, CATEGORYINFO*, ULONG*);
HRESULT Skip(ULONG);
HRESULT Reset();
HRESULT Clone(LPENUMCATEGORYINFO*);
}
alias IEnumCATEGORYINFO* LPENUMCATEGORYINFO;
|
D
|
///* 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.
// */
//
//
//import flow.common.db.SchemaManager;
//import flow.common.interceptor.Command;
//import flow.common.interceptor.CommandContext;
//import flow.engine.ProcessEngineConfiguration;
//import flow.engine.impl.cfg.ProcessEngineConfigurationImpl;
//import flow.engine.impl.util.CommandContextUtil;
//import org.slf4j.Logger;
//import org.slf4j.LoggerFactory;
//
///**
// * @author Tom Baeyens
// * @author Joram Barrez
// */
//class SchemaOperationsProcessEngineBuild implements Command!Void {
//
// private static final Logger LOGGER = LoggerFactory.getLogger(SchemaOperationsProcessEngineBuild.class);
//
// override
// public Void execute(CommandContext commandContext) {
//
// SchemaManager schemaManager = CommandContextUtil.getProcessEngineConfiguration(commandContext).getSchemaManager();
// string databaseSchemaUpdate = CommandContextUtil.getProcessEngineConfiguration().getDatabaseSchemaUpdate();
//
// LOGGER.debug("Executing schema management with setting {}", databaseSchemaUpdate);
// if (ProcessEngineConfiguration.DB_SCHEMA_UPDATE_DROP_CREATE.equals(databaseSchemaUpdate)) {
// try {
// schemaManager.schemaDrop();
// } catch (RuntimeException e) {
// // ignore
// }
// }
// if (ProcessEngineConfiguration.DB_SCHEMA_UPDATE_CREATE_DROP.equals(databaseSchemaUpdate)
// || ProcessEngineConfigurationImpl.DB_SCHEMA_UPDATE_DROP_CREATE.equals(databaseSchemaUpdate) || ProcessEngineConfigurationImpl.DB_SCHEMA_UPDATE_CREATE.equals(databaseSchemaUpdate)) {
// schemaManager.schemaCreate();
//
// } else if (ProcessEngineConfiguration.DB_SCHEMA_UPDATE_FALSE.equals(databaseSchemaUpdate)) {
// schemaManager.schemaCheckVersion();
//
// } else if (ProcessEngineConfiguration.DB_SCHEMA_UPDATE_TRUE.equals(databaseSchemaUpdate)) {
// schemaManager.schemaUpdate();
// }
//
// return null;
// }
//}
|
D
|
/*
* Copyright (c) 2004-2008 Derelict Developers
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are
* met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
*
* * Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* * Neither the names 'Derelict', 'DerelictGL', nor the names of its contributors
* may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED
* TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
* PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
* CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
* EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
* PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
* LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
* SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
module derelict.opengl.gl15;
private
{
import derelict.util.loader;
import derelict.util.exception;
import derelict.opengl.gltypes;
import derelict.opengl.gl13;
import derelict.opengl.gl14;
version(Windows)
import derelict.opengl.wgl;
}
package void loadGL15(SharedLib lib)
{
version(Windows)
{
wglBindFunc(cast(void**)&glGenQueries, "glGenQueries", lib);
wglBindFunc(cast(void**)&glDeleteQueries, "glDeleteQueries", lib);
wglBindFunc(cast(void**)&glIsQuery, "glIsQuery", lib);
wglBindFunc(cast(void**)&glBeginQuery, "glBeginQuery", lib);
wglBindFunc(cast(void**)&glEndQuery, "glEndQuery", lib);
wglBindFunc(cast(void**)&glGetQueryiv, "glGetQueryiv", lib);
wglBindFunc(cast(void**)&glGetQueryObjectiv, "glGetQueryObjectiv", lib);
wglBindFunc(cast(void**)&glGetQueryObjectuiv, "glGetQueryObjectuiv", lib);
wglBindFunc(cast(void**)&glBindBuffer, "glBindBuffer", lib);
wglBindFunc(cast(void**)&glDeleteBuffers, "glDeleteBuffers", lib);
wglBindFunc(cast(void**)&glGenBuffers, "glGenBuffers", lib);
wglBindFunc(cast(void**)&glIsBuffer, "glIsBuffer", lib);
wglBindFunc(cast(void**)&glBufferData, "glBufferData", lib);
wglBindFunc(cast(void**)&glBufferSubData, "glBufferSubData", lib);
wglBindFunc(cast(void**)&glGetBufferSubData, "glGetBufferSubData", lib);
wglBindFunc(cast(void**)&glMapBuffer, "glMapBuffer", lib);
wglBindFunc(cast(void**)&glUnmapBuffer, "glUnmapBuffer", lib);
wglBindFunc(cast(void**)&glGetBufferParameteriv, "glGetBufferParameteriv", lib);
wglBindFunc(cast(void**)&glGetBufferPointerv, "glGetBufferPointerv", lib);
}
else
{
bindFunc(glGenQueries)("glGenQueries", lib);
bindFunc(glDeleteQueries)("glDeleteQueries", lib);
bindFunc(glIsQuery)("glIsQuery", lib);
bindFunc(glBeginQuery)("glBeginQuery", lib);
bindFunc(glEndQuery)("glEndQuery", lib);
bindFunc(glGetQueryiv)("glGetQueryiv", lib);
bindFunc(glGetQueryObjectiv)("glGetQueryObjectiv", lib);
bindFunc(glGetQueryObjectuiv)("glGetQueryObjectuiv", lib);
bindFunc(glBindBuffer)("glBindBuffer", lib);
bindFunc(glDeleteBuffers)("glDeleteBuffers", lib);
bindFunc(glGenBuffers)("glGenBuffers", lib);
bindFunc(glIsBuffer)("glIsBuffer", lib);
bindFunc(glBufferData)("glBufferData", lib);
bindFunc(glBufferSubData)("glBufferSubData", lib);
bindFunc(glGetBufferSubData)("glGetBufferSubData", lib);
bindFunc(glMapBuffer)("glMapBuffer", lib);
bindFunc(glUnmapBuffer)("glUnmapBuffer", lib);
bindFunc(glGetBufferParameteriv)("glGetBufferParameteriv", lib);
bindFunc(glGetBufferPointerv)("glGetBufferPointerv", lib);
}
}
enum : GLenum
{
GL_BUFFER_SIZE = 0x8764,
GL_BUFFER_USAGE = 0x8765,
GL_QUERY_COUNTER_BITS = 0x8864,
GL_CURRENT_QUERY = 0x8865,
GL_QUERY_RESULT = 0x8866,
GL_QUERY_RESULT_AVAILABLE = 0x8867,
GL_ARRAY_BUFFER = 0x8892,
GL_ELEMENT_ARRAY_BUFFER = 0x8893,
GL_ARRAY_BUFFER_BINDING = 0x8894,
GL_ELEMENT_ARRAY_BUFFER_BINDING = 0x8895,
GL_VERTEX_ARRAY_BUFFER_BINDING = 0x8896,
GL_NORMAL_ARRAY_BUFFER_BINDING = 0x8897,
GL_COLOR_ARRAY_BUFFER_BINDING = 0x8898,
GL_INDEX_ARRAY_BUFFER_BINDING = 0x8899,
GL_TEXTURE_COORD_ARRAY_BUFFER_BINDING = 0x889A,
GL_EDGE_FLAG_ARRAY_BUFFER_BINDING = 0x889B,
GL_SECONDARY_COLOR_ARRAY_BUFFER_BINDING = 0x889C,
GL_FOG_COORDINATE_ARRAY_BUFFER_BINDING = 0x889D,
GL_WEIGHT_ARRAY_BUFFER_BINDING = 0x889E,
GL_VERTEX_ATTRIB_ARRAY_BUFFER_BINDING = 0x889F,
GL_READ_ONLY = 0x88B8,
GL_WRITE_ONLY = 0x88B9,
GL_READ_WRITE = 0x88BA,
GL_BUFFER_ACCESS = 0x88BB,
GL_BUFFER_MAPPED = 0x88BC,
GL_BUFFER_MAP_POINTER = 0x88BD,
GL_STREAM_DRAW = 0x88E0,
GL_STREAM_READ = 0x88E1,
GL_STREAM_COPY = 0x88E2,
GL_STATIC_DRAW = 0x88E4,
GL_STATIC_READ = 0x88E5,
GL_STATIC_COPY = 0x88E6,
GL_DYNAMIC_DRAW = 0x88E8,
GL_DYNAMIC_READ = 0x88E9,
GL_DYNAMIC_COPY = 0x88EA,
GL_SAMPLES_PASSED = 0x8914,
GL_FOG_COORD_SRC = GL_FOG_COORDINATE_SOURCE,
GL_FOG_COORD = GL_FOG_COORDINATE,
GL_CURRENT_FOG_COORD = GL_CURRENT_FOG_COORDINATE,
GL_FOG_COORD_ARRAY_TYPE = GL_FOG_COORDINATE_ARRAY_TYPE,
GL_FOG_COORD_ARRAY_STRIDE = GL_FOG_COORDINATE_ARRAY_STRIDE,
GL_FOG_COORD_ARRAY_POINTER = GL_FOG_COORDINATE_ARRAY_POINTER,
GL_FOG_COORD_ARRAY = GL_FOG_COORDINATE_ARRAY,
GL_FOG_COORD_ARRAY_BUFFER_BINDING = GL_FOG_COORDINATE_ARRAY_BUFFER_BINDING,
GL_SRC0_RGB = GL_SOURCE0_RGB,
GL_SRC1_RGB = GL_SOURCE1_RGB,
GL_SRC2_RGB = GL_SOURCE2_RGB,
GL_SRC0_ALPHA = GL_SOURCE0_ALPHA,
GL_SRC1_ALPHA = GL_SOURCE1_ALPHA,
GL_SRC2_ALPHA = GL_SOURCE2_ALPHA,
}
extern(System):
typedef GLvoid function(GLsizei, GLuint*) pfglGenQueries;
typedef GLvoid function(GLsizei,GLuint*) pfglDeleteQueries;
typedef GLboolean function(GLuint) pfglIsQuery;
typedef GLvoid function(GLenum, GLuint) pfglBeginQuery;
typedef GLvoid function(GLenum) pfglEndQuery;
typedef GLvoid function(GLenum, GLenum, GLint*) pfglGetQueryiv;
typedef GLvoid function(GLuint, GLenum, GLint*) pfglGetQueryObjectiv;
typedef GLvoid function(GLuint, GLenum, GLuint*) pfglGetQueryObjectuiv;
typedef GLvoid function(GLenum, GLuint) pfglBindBuffer;
typedef GLvoid function(GLsizei, GLuint*) pfglDeleteBuffers;
typedef GLvoid function(GLsizei, GLuint*) pfglGenBuffers;
typedef GLboolean function(GLuint) pfglIsBuffer;
typedef GLvoid function(GLenum, GLsizeiptr, GLvoid*, GLenum) pfglBufferData;
typedef GLvoid function(GLenum, GLintptr, GLsizeiptr,GLvoid*) pfglBufferSubData;
typedef GLvoid function(GLenum, GLintptr, GLsizeiptr, GLvoid*) pfglGetBufferSubData;
typedef GLvoid* function(GLenum, GLenum) pfglMapBuffer;
typedef GLboolean function(GLenum) pfglUnmapBuffer;
typedef GLvoid function(GLenum, GLenum, GLint*) pfglGetBufferParameteriv;
typedef GLvoid function(GLenum, GLenum, GLvoid**) pfglGetBufferPointerv;
pfglGenQueries glGenQueries;
pfglDeleteQueries glDeleteQueries;
pfglIsQuery glIsQuery;
pfglBeginQuery glBeginQuery;
pfglEndQuery glEndQuery;
pfglGetQueryiv glGetQueryiv;
pfglGetQueryObjectiv glGetQueryObjectiv;
pfglGetQueryObjectuiv glGetQueryObjectuiv;
pfglBindBuffer glBindBuffer;
pfglDeleteBuffers glDeleteBuffers;
pfglGenBuffers glGenBuffers;
pfglIsBuffer glIsBuffer;
pfglBufferData glBufferData;
pfglBufferSubData glBufferSubData;
pfglGetBufferSubData glGetBufferSubData;
pfglMapBuffer glMapBuffer;
pfglUnmapBuffer glUnmapBuffer;
pfglGetBufferParameteriv glGetBufferParameteriv;
pfglGetBufferPointerv glGetBufferPointerv;
|
D
|
/+
+ Copyright (c) Charles Petzold, 1998.
+ Ported to the D Programming Language by Andrej Mitrovic, 2011.
+/
module PopPad3;
import core.memory;
import core.runtime;
import core.thread;
import std.conv;
import std.math;
import std.range;
import std.string;
import std.utf;
auto toUTF16z(S)(S s)
{
return toUTFz!(const(wchar)*)(s);
}
pragma(lib, "gdi32.lib");
pragma(lib, "comdlg32.lib");
pragma(lib, "winmm.lib");
import core.sys.windows.windef;
import core.sys.windows.winuser;
import core.sys.windows.wingdi;
import core.sys.windows.winbase;
import core.sys.windows.commdlg;
import core.sys.windows.mmsystem;
import PopFile;
import PopFind;
import PopFont;
import resource;
string appName = "PopPad";
string description = "name";
HINSTANCE hinst;
extern (Windows)
int WinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int iCmdShow)
{
int result;
try
{
Runtime.initialize();
result = myWinMain(hInstance, hPrevInstance, lpCmdLine, iCmdShow);
Runtime.terminate();
}
catch (Throwable o)
{
MessageBox(null, o.toString().toUTF16z, "Error", MB_OK | MB_ICONEXCLAMATION);
result = 0;
}
return result;
}
int myWinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int iCmdShow)
{
hinst = hInstance;
HACCEL hAccel;
HWND hwnd;
MSG msg;
WNDCLASS wndclass;
wndclass.style = CS_HREDRAW | CS_VREDRAW;
wndclass.lpfnWndProc = &WndProc;
wndclass.cbClsExtra = 0;
wndclass.cbWndExtra = 0;
wndclass.hInstance = hInstance;
wndclass.hIcon = LoadIcon(hInstance, appName.toUTF16z);
wndclass.hCursor = LoadCursor(NULL, IDC_ARROW);
wndclass.hbrBackground = cast(HBRUSH) GetStockObject(WHITE_BRUSH);
wndclass.lpszMenuName = appName.toUTF16z;
wndclass.lpszClassName = appName.toUTF16z;
if (!RegisterClass(&wndclass))
{
MessageBox(NULL, "This program requires Windows NT!", appName.toUTF16z, MB_ICONERROR);
return 0;
}
hwnd = CreateWindow(appName.toUTF16z, // window class name
description.toUTF16z, // window caption
WS_OVERLAPPEDWINDOW, // window style
CW_USEDEFAULT, // initial x position
CW_USEDEFAULT, // initial y position
CW_USEDEFAULT, // initial x size
CW_USEDEFAULT, // initial y size
NULL, // parent window handle
NULL, // window menu handle
hInstance, // program instance handle
NULL); // creation parameters
ShowWindow(hwnd, iCmdShow);
UpdateWindow(hwnd);
hAccel = LoadAccelerators(hInstance, appName.toUTF16z);
while (GetMessage(&msg, NULL, 0, 0))
{
if (hDlgModeless == NULL || !IsDialogMessage(hDlgModeless, &msg))
{
if (!TranslateAccelerator(hwnd, hAccel, &msg))
{
TranslateMessage(&msg);
DispatchMessage(&msg);
}
}
}
return msg.wParam;
}
enum EDITID = 1;
enum UNTITLED = "(untitled)";
HWND hDlgModeless;
void DoCaption(HWND hwnd, string szTitleName)
{
string szCaption;
szCaption = format("%s - %s", appName, szTitleName.length ? szTitleName : UNTITLED);
SetWindowText(hwnd, szCaption.toUTF16z);
}
void OkMessage(HWND hwnd, string szMessage, string szTitleName)
{
string szBuffer;
szBuffer = format(szMessage, szTitleName.length ? szTitleName : UNTITLED);
MessageBox(hwnd, szBuffer.toUTF16z, appName.toUTF16z, MB_OK | MB_ICONEXCLAMATION);
}
int AskAboutSave(HWND hwnd, string szTitleName)
{
string szBuffer;
int iReturn;
szBuffer = format("Save current changes in %s?", szTitleName.length ? szTitleName : UNTITLED);
iReturn = MessageBox(hwnd, szBuffer.toUTF16z, appName.toUTF16z, MB_YESNOCANCEL | MB_ICONQUESTION);
if (iReturn == IDYES)
if (!SendMessage(hwnd, WM_COMMAND, IDM_FILE_SAVE, 0))
iReturn = IDCANCEL;
return iReturn;
}
wchar[MAX_PATH] szFileName = 0;
wchar[MAX_PATH] szTitleName = 0;
extern (Windows)
LRESULT WndProc(HWND hwnd, UINT message, WPARAM wParam, LPARAM lParam) nothrow
{
scope (failure) assert(0);
static BOOL bNeedSave = FALSE;
static HINSTANCE hInst;
static HWND hwndEdit;
static int iOffset;
static UINT messageFindReplace;
int iSelBeg, iSelEnd, iEnable;
LPFINDREPLACE pfr;
switch (message)
{
case WM_CREATE:
hInst = (cast(LPCREATESTRUCT)lParam).hInstance;
// Create the edit control child window
hwndEdit = CreateWindow("edit", NULL,
WS_CHILD | WS_VISIBLE | WS_HSCROLL | WS_VSCROLL |
WS_BORDER | ES_LEFT | ES_MULTILINE |
ES_NOHIDESEL | ES_AUTOHSCROLL | ES_AUTOVSCROLL,
0, 0, 0, 0,
hwnd, cast(HMENU)EDITID, hInst, NULL);
SendMessage(hwndEdit, EM_LIMITTEXT, 32000, 0L);
// Initialize common dialog box stuff
PopFileInitialize(hwnd);
PopFontInitialize(hwndEdit);
messageFindReplace = RegisterWindowMessage(FINDMSGSTRING.ptr);
DoCaption(hwnd, to!string(fromWStringz(szTitleName.ptr)));
return 0;
case WM_SETFOCUS:
SetFocus(hwndEdit);
return 0;
case WM_SIZE:
MoveWindow(hwndEdit, 0, 0, LOWORD(lParam), HIWORD(lParam), TRUE);
return 0;
case WM_INITMENUPOPUP:
switch (lParam)
{
case 1: // Edit menu
// Enable Undo if edit control can do it
EnableMenuItem(cast(HMENU)wParam, IDM_EDIT_UNDO,
SendMessage(hwndEdit, EM_CANUNDO, 0, 0L) ?
MF_ENABLED : MF_GRAYED);
// Enable Paste if text is in the clipboard
EnableMenuItem(cast(HMENU)wParam, IDM_EDIT_PASTE,
IsClipboardFormatAvailable(CF_TEXT) ?
MF_ENABLED : MF_GRAYED);
// Enable Cut, Copy, and Del if text is selected
SendMessage(hwndEdit, EM_GETSEL, cast(WPARAM)&iSelBeg, cast(LPARAM)&iSelEnd);
iEnable = (iSelBeg != iSelEnd) ? MF_ENABLED : MF_GRAYED;
EnableMenuItem(cast(HMENU)wParam, IDM_EDIT_CUT, iEnable);
EnableMenuItem(cast(HMENU)wParam, IDM_EDIT_COPY, iEnable);
EnableMenuItem(cast(HMENU)wParam, IDM_EDIT_CLEAR, iEnable);
break;
case 2: // Search menu
// Enable Find, Next, and Replace if modeless
// dialogs are not already active
iEnable = hDlgModeless == NULL ?
MF_ENABLED : MF_GRAYED;
EnableMenuItem(cast(HMENU)wParam, IDM_SEARCH_FIND, iEnable);
EnableMenuItem(cast(HMENU)wParam, IDM_SEARCH_NEXT, iEnable);
EnableMenuItem(cast(HMENU)wParam, IDM_SEARCH_REPLACE, iEnable);
break;
default:
}
return 0;
case WM_COMMAND:
// Messages from edit control
if (lParam && LOWORD(wParam) == EDITID)
{
switch (HIWORD(wParam))
{
case EN_UPDATE:
bNeedSave = TRUE;
return 0;
case EN_ERRSPACE:
case EN_MAXTEXT:
MessageBox(hwnd, "Edit control out of space.",
appName.toUTF16z, MB_OK | MB_ICONSTOP);
return 0;
default:
}
break;
}
switch (LOWORD(wParam))
{
// Messages from File menu
case IDM_FILE_NEW:
if (bNeedSave && IDCANCEL == AskAboutSave(hwnd, to!string(fromWStringz(szTitleName.ptr))))
return 0;
SetWindowText(hwndEdit, "\0");
szFileName[0] = 0;
szTitleName[0] = 0;
DoCaption(hwnd, to!string(fromWStringz(szTitleName.ptr)));
bNeedSave = FALSE;
return 0;
case IDM_FILE_OPEN:
if (bNeedSave && IDCANCEL == AskAboutSave(hwnd, to!string(fromWStringz(szTitleName.ptr))))
return 0;
if (PopFileOpenDlg(hwnd, szFileName.ptr, szTitleName.ptr))
{
if (!PopFileRead(hwndEdit, szFileName.ptr))
{
OkMessage(hwnd, "Could not read file %s!", to!string(fromWStringz(szTitleName.ptr)));
szFileName[0] = 0;
szTitleName[0] = 0;
}
}
DoCaption(hwnd, to!string(fromWStringz(szTitleName.ptr)));
bNeedSave = FALSE;
return 0;
case IDM_FILE_SAVE:
if (szFileName[0] != 0)
{
if (PopFileWrite(hwndEdit, szFileName.ptr))
{
bNeedSave = FALSE;
return 1;
}
else
{
OkMessage(hwnd, "Could not write file %s", to!string(fromWStringz(szTitleName.ptr)));
return 0;
}
}
goto case;
case IDM_FILE_SAVE_AS:
if (PopFileSaveDlg(hwnd, szFileName.ptr, szTitleName.ptr))
{
DoCaption(hwnd, to!string(fromWStringz(szTitleName.ptr)));
if (PopFileWrite(hwndEdit, szFileName.ptr))
{
bNeedSave = FALSE;
return 1;
}
else
{
OkMessage(hwnd, "Could not write file %s", to!string(fromWStringz(szTitleName.ptr)));
return 0;
}
}
return 0;
case IDM_FILE_PRINT:
if (!PopPrntPrintFile(hInst, hwnd, hwndEdit, szTitleName.ptr))
OkMessage(hwnd, "Could not print file %s", to!string(fromWStringz(szTitleName.ptr)));
return 0;
case IDM_APP_EXIT:
SendMessage(hwnd, WM_CLOSE, 0, 0);
return 0;
// Messages from Edit menu
case IDM_EDIT_UNDO:
SendMessage(hwndEdit, WM_UNDO, 0, 0);
return 0;
case IDM_EDIT_CUT:
SendMessage(hwndEdit, WM_CUT, 0, 0);
return 0;
case IDM_EDIT_COPY:
SendMessage(hwndEdit, WM_COPY, 0, 0);
return 0;
case IDM_EDIT_PASTE:
SendMessage(hwndEdit, WM_PASTE, 0, 0);
return 0;
case IDM_EDIT_CLEAR:
SendMessage(hwndEdit, WM_CLEAR, 0, 0);
return 0;
case IDM_EDIT_SELECT_ALL:
SendMessage(hwndEdit, EM_SETSEL, 0, -1);
return 0;
// Messages from Search menu
case IDM_SEARCH_FIND:
SendMessage(hwndEdit, EM_GETSEL, 0, cast(LPARAM)&iOffset);
hDlgModeless = PopFindFindDlg(hwnd);
return 0;
case IDM_SEARCH_NEXT:
SendMessage(hwndEdit, EM_GETSEL, 0, cast(LPARAM)&iOffset);
if (PopFindValidFind())
PopFindNextText(hwndEdit, &iOffset);
else
hDlgModeless = PopFindFindDlg(hwnd);
return 0;
case IDM_SEARCH_REPLACE:
SendMessage(hwndEdit, EM_GETSEL, 0, cast(LPARAM)&iOffset);
hDlgModeless = PopFindReplaceDlg(hwnd);
return 0;
case IDM_FORMAT_FONT:
if (PopFontChooseFont(hwnd))
PopFontSetFont(hwndEdit);
return 0;
// Messages from Help menu
case IDM_HELP:
OkMessage(hwnd, "Help not yet implemented!",
"\0");
return 0;
case IDM_APP_ABOUT:
DialogBox(hInst, "AboutBox", hwnd, &AboutDlgProc);
return 0;
default:
}
break;
case WM_CLOSE:
if (!bNeedSave || IDCANCEL != AskAboutSave(hwnd, to!string(fromWStringz(szTitleName.ptr))))
DestroyWindow(hwnd);
return 0;
case WM_QUERYENDSESSION:
if (!bNeedSave || IDCANCEL != AskAboutSave(hwnd, to!string(fromWStringz(szTitleName.ptr))))
return 1;
return 0;
case WM_DESTROY:
PopFontDeinitialize();
PostQuitMessage(0);
return 0;
default:
// Process "Find-Replace" messages
if (message == messageFindReplace)
{
pfr = cast(LPFINDREPLACE)lParam;
if (pfr.Flags & FR_DIALOGTERM)
hDlgModeless = NULL;
if (pfr.Flags & FR_FINDNEXT)
if (!PopFindFindText(hwndEdit, &iOffset, pfr))
OkMessage(hwnd, "Text not found!", "\0");
if (pfr.Flags & FR_REPLACE || pfr.Flags & FR_REPLACEALL)
if (!PopFindReplaceText(hwndEdit, &iOffset, pfr))
OkMessage(hwnd, "Text not found!", "\0");
if (pfr.Flags & FR_REPLACEALL)
{
while (PopFindReplaceText(hwndEdit, &iOffset, pfr))
{
}
}
return 0;
}
break;
}
return DefWindowProc(hwnd, message, wParam, lParam);
}
extern (Windows)
BOOL AboutDlgProc(HWND hDlg, UINT message, WPARAM wParam, LPARAM lParam)
{
switch (message)
{
case WM_INITDIALOG:
return TRUE;
case WM_COMMAND:
switch (LOWORD(wParam))
{
case IDOK:
EndDialog(hDlg, 0);
return TRUE;
default:
}
break;
default:
}
return FALSE;
}
BOOL PopPrntPrintFile(HINSTANCE hInst, HWND hwnd, HWND hwndEdit, PTSTR pstrTitleName)
{
return FALSE;
}
|
D
|
/Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Timeline.o : /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Timeline.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Response.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/TaskDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Validation.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/AFError.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Notifications.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Result.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Request.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/anton/Desktop/WeatherApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/dyld.modulemap /Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.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/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Timeline~partial.swiftmodule : /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Timeline.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Response.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/TaskDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Validation.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/AFError.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Notifications.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Result.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Request.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/anton/Desktop/WeatherApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/dyld.modulemap /Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.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/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Timeline~partial.swiftdoc : /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Timeline.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Response.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/TaskDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Validation.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/AFError.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Notifications.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Result.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Request.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/anton/Desktop/WeatherApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/dyld.modulemap /Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.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/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Timeline~partial.swiftsourceinfo : /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Timeline.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Response.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/TaskDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Validation.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/AFError.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Notifications.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Result.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Request.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/anton/Desktop/WeatherApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/dyld.modulemap /Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.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/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
a person who dissents from some established policy
characterized by departure from accepted beliefs or standards
disagreeing, especially with a majority
|
D
|
instance DIA_Morgahard_EXIT(C_Info)
{
npc = BDT_1030_Morgahard;
nr = 999;
condition = DIA_Morgahard_EXIT_Condition;
information = DIA_Morgahard_EXIT_Info;
permanent = TRUE;
description = Dialog_Ende;
};
func int DIA_Morgahard_EXIT_Condition()
{
return TRUE;
};
func void DIA_Morgahard_EXIT_Info()
{
AI_StopProcessInfos(self);
};
instance DIA_Morgahard_HALLO(C_Info)
{
npc = BDT_1030_Morgahard;
nr = 3;
condition = DIA_Morgahard_HALLO_Condition;
information = DIA_Morgahard_HALLO_Info;
description = "Ты Моргахард.";
};
func int DIA_Morgahard_HALLO_Condition()
{
return TRUE;
};
func void DIA_Morgahard_HALLO_Info()
{
AI_Output(other,self,"DIA_Morgahard_HALLO_15_00"); //Ты Моргахард.
AI_Output(self,other,"DIA_Morgahard_HALLO_07_01"); //Откуда ты знаешь мое имя?
AI_Output(other,self,"DIA_Morgahard_HALLO_15_02"); //Тебя ищет судья. Ты сбежал из тюрьмы.
AI_Output(other,self,"DIA_Morgahard_HALLO_15_03"); //Что ты сделал такого? Украл его бумажник?
AI_Output(self,other,"DIA_Morgahard_HALLO_07_04"); //Не его! Главы города, по его наводке.
AI_Output(self,other,"DIA_Morgahard_HALLO_07_05"); //А после того как мы напали на него, он не захотел делиться награбленным с нами и посадил нас за решетку.
AI_Output(self,other,"DIA_Morgahard_HALLO_07_06"); //Нам не хотелось болтаться на виселице, поэтому мы сбежали.
AI_Output(self,other,"DIA_Morgahard_HALLO_07_07"); //Мы думали, что нас здесь не найдут. Но похоже, мы ошибались.
Info_ClearChoices(DIA_Morgahard_HALLO);
Info_AddChoice(DIA_Morgahard_HALLO,"Хватит хныкать! Доставай свое оружие.",DIA_Morgahard_HALLO_attack);
Info_AddChoice(DIA_Morgahard_HALLO,"Что мы можем сделать с судьей?",DIA_Morgahard_HALLO_richter);
Info_AddChoice(DIA_Morgahard_HALLO,"Судья приказал мне убить тебя.",DIA_Morgahard_HALLO_tot);
B_LogEntry(TOPIC_RichterLakai,"Я нашел Моргахарда, главаря бродяг.");
SCFoundMorgahard = TRUE;
B_GivePlayerXP(XP_FoundMorgahard);
};
func void DIA_Morgahard_HALLO_tot()
{
AI_Output(other,self,"DIA_Morgahard_HALLO_tot_15_00"); //Судья приказал мне убить тебя.
AI_Output(self,other,"DIA_Morgahard_HALLO_tot_07_01"); //Да, конечно. За этим ты и пришел, да?
};
func void DIA_Morgahard_HALLO_richter()
{
AI_Output(other,self,"DIA_Morgahard_HALLO_richter_15_00"); //Что мы можем сделать с судьей?
AI_Output(self,other,"DIA_Morgahard_HALLO_richter_07_01"); //Ничего. Он засел в верхнем квартале города как паук в паутине. Неприкосновенный.
AI_Output(other,self,"DIA_Morgahard_HALLO_richter_15_02"); //Я бы так не сказал. Нам нужно доказательство его вины в деле главы города.
AI_Output(self,other,"DIA_Morgahard_HALLO_richter_07_03"); //Доказательство говоришь? У меня есть оно. Но кто послушает беглого преступника?
AI_Output(other,self,"DIA_Morgahard_HALLO_richter_15_04"); //Дай мне это доказательство, и я позабочусь, чтобы за вами больше никто не охотился.
AI_Output(self,other,"DIA_Morgahard_HALLO_richter_07_05"); //Ты уверен? Хорошо. Вот, возьми это письмо. Оно подписано судьей.
B_GiveInvItems(self,other,ItWr_RichterKomproBrief_MIS,1);
AI_Output(self,other,"DIA_Morgahard_HALLO_richter_07_06"); //Если это и не снимет с меня вину, оно позволит доказать, что судья был соучастником в этом деле.
B_LogEntry(TOPIC_RichterLakai,"Моргахард передал мне бумагу с приказом судьи. Этот клочок бумаги доказывает, что судья ограбил главу города Лариуса. Я думаю, это именно то, что хотел найти Ли.");
AI_StopProcessInfos(self);
};
var int MorgahardSucked;
func void DIA_Morgahard_HALLO_attack()
{
AI_Output(other,self,"DIA_Morgahard_HALLO_attack_15_00"); //Хватит хныкать! Доставай свое оружие. Мы положим этому делу конец.
AI_Output(self,other,"DIA_Morgahard_HALLO_attack_07_01"); //Отлично. Мне все равно нечего терять.
AI_StopProcessInfos(self);
MorgahardSucked = TRUE;
B_Attack(self,other,AR_SuddenEnemyInferno,1);
};
instance DIA_Morgahard_Nickname(C_Info)
{
npc = BDT_1030_Morgahard;
nr = 3;
condition = DIA_Morgahard_Nickname_Condition;
information = DIA_Morgahard_Nickname_Info;
permanent = FALSE;
description = "Аделхард, часом, не твой родственник?";
};
func int DIA_Morgahard_Nickname_Condition()
{
if(Npc_IsInState(self,ZS_Talk) && Npc_KnowsInfo(other,DIA_Morgahard_HALLO) && (MorgahardSucked == FALSE) && (AlehardHere == TRUE))
{
return TRUE;
};
};
func void DIA_Morgahard_Nickname_Info()
{
AI_Output(other,self,"DIA_Morgahard_Nickname_01_00"); //Аделхард, часом, не твой родственник?
AI_Output(self,other,"DIA_Morgahard_Nickname_01_01"); //Кто?! Алехард?... Не знаю никакого Алехарда.
AI_Output(other,self,"DIA_Morgahard_Nickname_01_02"); //Вообще-то, я сказал 'Аделхард'.
AI_Output(self,other,"DIA_Morgahard_Nickname_01_03"); //И его не знаю.
AI_Output(other,self,"DIA_Morgahard_Nickname_01_04"); //Да их не двое, а всего один - А-дел-хард!
AI_Output(self,other,"DIA_Morgahard_Nickname_01_05"); //По-моему, ты просто издеваешься надо мной! Иди к черту!
AI_Output(other,self,"DIA_Morgahard_Nickname_01_06"); //Воу, воу, полегче! Я просто спросил. Без всякой задней мысли.
AI_Output(self,other,"DIA_Morgahard_Nickname_01_07"); //Ага, ты на моем веку не первый такой 'просто спрашивающий'. Никого я не знаю, понял?!
AI_Output(self,other,"DIA_Morgahard_Nickname_01_08"); //Ни Алехарда, ни Леонарда, ни Бернарда, ни Фернандо... хотя, Фернандо я знаю...(с издевкой) Он тебя не интересует случайно?!
AI_Output(other,self,"DIA_Morgahard_Nickname_01_09"); //Нет.
AI_Output(self,other,"DIA_Morgahard_Nickname_01_10"); //Жаль!
AI_Output(other,self,"DIA_Morgahard_Nickname_01_11"); //У вас с Аделхардом похожие имена, у них окончание одно, вот я и подумал...
AI_Output(self,other,"DIA_Morgahard_Nickname_01_12"); //Ох! Он подумал! Вон, у Лариуса с Корнелиусом тоже имена одинаково заканчиваются! Может, они муж с женой? Спроси при встрече!
AI_Output(other,self,"DIA_Morgahard_Nickname_01_13"); //А это идея.
};
instance DIA_Morgahard_Perm(C_Info)
{
npc = BDT_1030_Morgahard;
nr = 3;
condition = DIA_Morgahard_Perm_Condition;
information = DIA_Morgahard_Perm_Info;
important = TRUE;
permanent = TRUE;
};
func int DIA_Morgahard_Perm_Condition()
{
if(Npc_IsInState(self,ZS_Talk) && Npc_KnowsInfo(other,DIA_Morgahard_HALLO) && (MorgahardSucked == FALSE) && (AlehardHere == FALSE))
{
return TRUE;
};
};
func void DIA_Morgahard_Perm_Info()
{
AI_Output(self,other,"DIA_Morgahard_Perm_07_00"); //А этот подлец судья... Я еще увижу его болтающимся на виселице.
AI_StopProcessInfos(self);
};
instance DIA_Morgahard_Perm2(C_Info)
{
npc = BDT_1030_Morgahard;
nr = 3;
condition = DIA_Morgahard_Perm2_Condition;
information = DIA_Morgahard_Perm2_Info;
important = TRUE;
permanent = TRUE;
};
func int DIA_Morgahard_Perm2_Condition()
{
if(Npc_IsInState(self,ZS_Talk) && (MorgahardSucked == TRUE))
{
return TRUE;
};
};
func void DIA_Morgahard_Perm2_Info()
{
AI_Output(self,other,"DIA_Morgahard_Perm2_07_00"); //Почему бы тебе просто не исчезнуть?
AI_StopProcessInfos(self);
};
instance DIA_Morgahard_PICKPOCKET(C_Info)
{
npc = BDT_1030_Morgahard;
nr = 900;
condition = DIA_Morgahard_PICKPOCKET_Condition;
information = DIA_Morgahard_PICKPOCKET_Info;
permanent = TRUE;
description = PICKPOCKET_COMM;
};
func int DIA_Morgahard_PICKPOCKET_Condition()
{
return C_Beklauen(73,45);
};
func void DIA_Morgahard_PICKPOCKET_Info()
{
Info_ClearChoices(DIA_Morgahard_PICKPOCKET);
Info_AddChoice(DIA_Morgahard_PICKPOCKET,Dialog_Back,DIA_Morgahard_PICKPOCKET_BACK);
Info_AddChoice(DIA_Morgahard_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Morgahard_PICKPOCKET_DoIt);
};
func void DIA_Morgahard_PICKPOCKET_DoIt()
{
B_Beklauen();
Info_ClearChoices(DIA_Morgahard_PICKPOCKET);
};
func void DIA_Morgahard_PICKPOCKET_BACK()
{
Info_ClearChoices(DIA_Morgahard_PICKPOCKET);
};
|
D
|
module linkservice.utils.crypto;
import std.algorithm, std.array, std.stdio, std.format, std.string, std.base64;
import std.digest.sha;
import sodium;
import linkservice.common;
// Return values used by the sodium/argon2i functions to signify success/failure
const int SODIUM_INIT_FAILURE = -1;
const int CRYPTO_PWHASH_SUCCESS = 0;
const int CRYPTO_PWHASH_VERIFY_SUCCESS = 0;
const int AUTH_VERIFY_SUCCESS = 0;
// Default hashing parameters for argon
const enum ARGON2I_OPSLIMIT = crypto_pwhash_OPSLIMIT_INTERACTIVE;
const enum ARGON2I_MEMLIMIT = crypto_pwhash_MEMLIMIT_INTERACTIVE;
// String constants for authentication string generation
const string AUTH_STRING_DELIMITER = ":";
// Default token, key and MAC byte lengths
const int AUTH_TOKEN_LENGTH = 32; // 32 bytes == 256 bits
const int AUTH_KEY_LENGTH = crypto_auth_KEYBYTES;
const int AUTH_MAC_LENGTH = crypto_auth_BYTES;
bool verifyPassword(const string password, const string hashedPassword) {
debugfln("verifyPassword(%s, %s)", password, hashedPassword);
import std.algorithm.mutation;
if(hashedPassword.length > crypto_pwhash_STRBYTES) {
// TODO: Throw exception, stored hash was somehow longer than what argon2i returns
}
char[crypto_pwhash_STRBYTES] hashedPasswordArray;
// Zero fill the the array since crypto_pwhash_argon2i_str_verify expects null bytes for
// unused array entries
hashedPasswordArray[] = 0;
for(int i = 0; i < crypto_pwhash_STRBYTES; i++) {
if(i < hashedPassword.length) {
hashedPasswordArray[i] = hashedPassword[i];
}
}
return argon2iVerifyPassword(password, hashedPasswordArray);
}
string hashPassword(const string password) {
auto hashedPassword = argon2iHashPassword(password);
// Convert the null-terminated C-style string returned by the argon2i function into a D string
return fromStringz(hashedPassword.ptr).idup;
}
bool argon2iVerifyPassword(const string password, const char[crypto_pwhash_STRBYTES] hashedPassword) {
debugfln("argon2iVerifyPassword(%s, %s)", password, hashedPassword);
synchronized { // sodium_init could be executed by multiple threads simultaneously
if (sodium_init == SODIUM_INIT_FAILURE) {
// TODO: Throw exception here
}
}
return crypto_pwhash_argon2i_str_verify(hashedPassword, password.ptr, password.length) == CRYPTO_PWHASH_VERIFY_SUCCESS;
}
char[crypto_pwhash_STRBYTES] argon2iHashPassword(const string password) {
synchronized { // sodium_init could be executed by multiple threads simultaneously
if (sodium_init == SODIUM_INIT_FAILURE) {
// TODO: Throw exception here
}
}
char[crypto_pwhash_STRBYTES] hashedPassword;
if (crypto_pwhash_argon2i_str(hashedPassword,
password.ptr,
password.length,
ARGON2I_OPSLIMIT,
ARGON2I_MEMLIMIT
) != CRYPTO_PWHASH_SUCCESS) {
// TODO: Throw exception here, out of memory
}
return hashedPassword;
}
ubyte[AUTH_KEY_LENGTH] generateNewAuthKey() {
ubyte[AUTH_KEY_LENGTH] randomBytes = generateRandomBytes(AUTH_KEY_LENGTH);
return randomBytes;
}
ubyte[AUTH_TOKEN_LENGTH] generateNewAuthToken() {
ubyte[AUTH_TOKEN_LENGTH] randomBytes = generateRandomBytes(AUTH_TOKEN_LENGTH);
return randomBytes;
}
ubyte[] generateRandomBytes(int byteCount) {
synchronized { // sodium_init could be executed by multiple threads simultaneously
if (sodium_init == SODIUM_INIT_FAILURE) {
// TODO: Throw exception
}
}
ubyte[] randomBytes;
randomBytes.length = byteCount;
// Use Sodium to generate random bytes
randombytes_buf(randomBytes.ptr, randomBytes.length);
return randomBytes.dup; // always pass a copy of the random bytes using .dup
}
string generateAuthString(const ubyte[AUTH_KEY_LENGTH] key,
const ubyte[AUTH_TOKEN_LENGTH] token) {
ubyte[AUTH_MAC_LENGTH] mac;
crypto_auth(mac.ptr, token.ptr, token.length, key.ptr);
return format("%s%s%s", Base64.encode(token), AUTH_STRING_DELIMITER, Base64.encode(mac));
}
bool verifyAuthToken(const ubyte[AUTH_KEY_LENGTH] key,
const ubyte[AUTH_TOKEN_LENGTH] token,
const ubyte[AUTH_MAC_LENGTH] mac) {
return crypto_auth_verify(mac.ptr, token.ptr, token.length, key.ptr) == AUTH_VERIFY_SUCCESS;
}
|
D
|
import reggae;
enum debugFlags = ["-w", "-g", "-debug", "-version=Have_automem"];
alias lib = dubConfigurationTarget!(
Configuration("library"),
CompilerFlags(debugFlags),
LinkerFlags(),
No.main,
CompilationMode.package_,
);
alias testObjs = dlangObjectsPerModule!(
Sources!"tests",
CompilerFlags(debugFlags ~ ["-unittest"]),
dubImportPaths!(Configuration("unittest"))
);
alias ut = dubLink!(
TargetName("ut"),
Configuration("unittest"),
targetConcat!(lib, testObjs, dubDependencies!(Configuration("unittest"))),
);
mixin build!(ut);
|
D
|
module nxt.casing;
import std.traits : isSomeString;
version(unittest)
{
import std.algorithm : equal;
}
/** Convert string $(S s) to lower-case.
*
* String must contain ASCII characters only.
*/
auto toLowerASCII(S)(S s)
if (isSomeString!S)
{
import std.algorithm.iteration : map;
import std.ascii : toLower;
import std.traits : isNarrowString;
static if (isNarrowString!S)
{
import std.utf : byUTF;
return s.byUTF!dchar.map!(ch => ch.toLower);
}
else
return t.map!(ch => ch.toLower);
}
///
@safe pure /*TODO: nothrow @nogc*/ unittest
{
assert("Lasse".toLowerASCII.equal("lasse"));
assert("Åberg".toLowerASCII.equal("Åberg")); // ignores unicode letters
}
/** Convert string $(S s) to lower-case.
*
* String may contain Unicode characters.
*/
auto toLowerUnicode(S)(S s)
if (isSomeString!S)
{
import std.algorithm.iteration : map;
import std.uni : toLower;
import std.traits : isNarrowString;
// TODO: functionize
static if (isNarrowString!S)
{
import std.utf : byUTF;
return s.byUTF!dchar.map!(ch => ch.toLower);
}
else
return t.map!(ch => ch.toLower);
}
///
@safe pure /*TODO: nothrow @nogc*/ unittest
{
assert("Lasse".toLowerUnicode.equal("lasse"));
assert("Åberg".toLowerUnicode.equal("åberg"));
}
/** Convert D-style camel-cased string $(S s) to lower-cased words.
*/
auto camelCasedToLower(S)(S s)
if (isSomeString!S)
{
import std.algorithm.iteration : map;
import std.ascii : isUpper; // D symbol names can only be in ASCII
// TODO: Instead of this add std.ascii.as[Lower|Upper]Case and import std.ascii.asLowerCase
import std.uni : asLowerCase;
import nxt.slicing : preSlicer;
return s.preSlicer!isUpper.map!asLowerCase;
}
///
@safe pure unittest
{
auto x = "doThis".camelCasedToLower;
assert(x.front.equal("do"));
x.popFront();
assert(x.front.equal("this"));
}
/** Convert D-Style camel-cased string $(S s) to space-separated lower-cased words.
*/
auto camelCasedToLowerSpaced(S, Separator)(S s, const Separator separator = " ")
if (isSomeString!S)
{
import std.algorithm.iteration : joiner;
return camelCasedToLower(s).joiner(separator);
}
///
@safe pure unittest
{
assert(equal("doThis".camelCasedToLowerSpaced,
"do this"));
}
/** Convert enumeration value (enumerator) $(D t) to a range chars.
*/
auto toLowerSpacedChars(T, Separator)(const T t,
const Separator separator = " ")
if (is(T == enum))
{
import nxt.enum_ex : toStringFaster;
return t.toStringFaster
.camelCasedToLowerSpaced(separator);
}
///
@safe pure unittest
{
enum Things { isUri, isLink }
assert(Things.isUri.toLowerSpacedChars.equal("is uri"));
assert(Things.isLink.toLowerSpacedChars.equal("is link"));
}
///
@safe pure unittest
{
enum Things { isURI, isLink }
auto r = Things.isURI.toLowerSpacedChars;
alias R = typeof(r);
import std.range.primitives : ElementType;
alias E = ElementType!R;
static assert(is(E == dchar));
}
|
D
|
REPLACE_ACTION_TEXT ~%tutu_var%DELTAN~
~ActionOverride(Player1,LeaveAreaLUAPanic("%Candlekeep_Ch6%","",\[4714.2930\],12))~
~~
REPLACE_ACTION_TEXT ~%tutu_var%DELTAN~
~ActionOverride(Player1,LeaveAreaLUA("%Candlekeep_Ch6%","",\[4714.2930\],12))~
~~
REPLACE_ACTION_TEXT ~%tutu_var%DELTAN~
~ActionOverride(Player2,LeaveAreaLUA("%Candlekeep_Ch6%","",\[4714.2930\],12))~
~~
REPLACE_ACTION_TEXT ~%tutu_var%DELTAN~
~ActionOverride(Player3,LeaveAreaLUA("%Candlekeep_Ch6%","",\[4714.2930\],12))~
~~
REPLACE_ACTION_TEXT ~%tutu_var%DELTAN~
~ActionOverride(Player4,LeaveAreaLUA("%Candlekeep_Ch6%","",\[4714.2930\],12))~
~~
REPLACE_ACTION_TEXT ~%tutu_var%DELTAN~
~ActionOverride(Player5,LeaveAreaLUA("%Candlekeep_Ch6%","",\[4714.2930\],12))~
~~
REPLACE_ACTION_TEXT ~%tutu_var%DELTAN~
~ActionOverride(Player6,LeaveAreaLUA("%Candlekeep_Ch6%","",\[4714.2930\],12))~
~EscapeArea()~
|
D
|
/**
* Poodinis Dependency Injection Framework
* Copyright 2014-2019 Mike Bierlee
* This software is licensed under the terms of the MIT license.
* The full terms of the license can be found in the LICENSE file.
*/
class Scheduler {
private Calendar calendar;
// All parameters will autmatically be assigned when Scheduler is created.
this(Calendar calendar) {
this.calendar = calendar;
}
public void scheduleJob() {
calendar.findOpenDate();
}
}
class Calendar {
private HardwareClock hardwareClock;
// This constructor contains built-in type "int" and thus will not be used.
this(int initialDateTimeStamp, HardwareClock hardwareClock) {
}
// This constructor is chosen instead as candidate for injection when Calendar is created.
this(HardwareClock hardwareClock) {
this.hardwareClock = hardwareClock;
}
public void findOpenDate() {
hardwareClock.doThings();
}
}
import std.stdio;
class HardwareClock {
// Parameterless constructors will halt any further selection of constructors.
this() {
writeln("default constructor");
}
this(string name) {
writeln(name);
}
// As a result, this constructor will not be used when HardwareClock is created.
this(Calendar calendar) {
throw new Exception("This constructor should not be used by Poodinis");
}
public void doThings() {
writeln("Things are being done!");
}
}
void main() {
import poodinis; // Locally imported to emphasize that classes do not depend on Poodinis.
auto dependencies = new shared DependencyContainer();
dependencies.register!Scheduler;
dependencies.register!Calendar;
dependencies.register!HardwareClock( {
writeln("Running the creator");
return new HardwareClock("clock name");
});
auto scheduler = dependencies.resolve!Scheduler;
scheduler.scheduleJob();
}
|
D
|
// This assumes the input graph as undirected and connected.
class DfsTree {
import std.algorithm : any, map, min, swap;
import std.conv : to;
import std.typecons : Tuple, tuple;
int n;
int[] ord;
int[] low;
int[] parent;
int[][] graph;
this(const int[][] graph, int root = 0) {
n = graph.length.to!int;
ord = new int[](n);
low = new int[](n);
parent = new int[](n);
this.graph = new int[][](n);
construct_dfs_tree(graph, root);
}
public bool is_bridge(int u, int v) {
if (u != parent[v] && v != parent[u]) {
return false;
}
if (v == parent[u]) {
swap(u, v);
}
return ord[u] < low[v];
}
public bool is_articulation_point(int u) {
if (ord[u] == 0) {
return graph[u].length >= 2;
} else {
foreach (v; graph[u]) {
if (parent[u] == v) continue;
if (ord[u] <= low[v]) return true;
}
return false;
}
}
private void construct_dfs_tree(const int[][] org, int root) {
int cnt = 0;
ord[] = -1;
low[] = -1;
void dfs(int n, int p) {
ord[n] = low[n] = cnt++;
foreach (m; org[n]) {
if (m == p) continue;
if (ord[m] == -1) {
parent[m] = n;
graph[n] ~= m;
graph[m] ~= n;
dfs(m, n);
low[n] = min(low[n], low[m]);
} else {
low[n] = min(low[n], ord[m]);
}
}
}
dfs(root, -1);
}
}
|
D
|
someone employed in a stable to take care of the horses
|
D
|
/*******************************************************************************
* Copyright (c) 2000, 2008 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*
* Port to the D programming language:
* Jacob Carlborg <doob@me.com>
*******************************************************************************/
module dwt.graphics.Resource;
import dwt.dwthelper.utils;
import dwt.DWT;
import dwt.graphics.Device;
/**
* This class is the abstract superclass of all graphics resource objects.
* Resources created by the application must be disposed.
* <p>
* IMPORTANT: This class is intended to be subclassed <em>only</em>
* within the DWT implementation. However, it has not been marked
* final to allow those outside of the DWT development team to implement
* patched versions of the class in order to get around specific
* limitations in advance of when those limitations can be addressed
* by the team. Any class built using subclassing to access the internals
* of this class will likely fail to compile or run between releases and
* may be strongly platform specific. Subclassing should not be attempted
* without an intimate and detailed understanding of the workings of the
* hierarchy. No support is provided for user-written classes which are
* implemented as subclasses of this class.
* </p>
*
* @see #dispose
* @see #isDisposed
* @see <a href="http://www.eclipse.org/swt/">Sample code and further information</a>
*
* @since 3.1
*/
public abstract class Resource {
/**
* the device where this resource was created
*/
Device device;
public this() {
}
this(Device device) {
if (device is null) device = Device.getDevice();
if (device is null) DWT.error(DWT.ERROR_NULL_ARGUMENT);
this.device = device;
}
void destroy() {
}
/**
* Disposes of the operating system resources associated with
* this resource. Applications must dispose of all resources
* which they allocate.
*/
public void dispose() {
if (device is null) return;
if (device.isDisposed()) return;
destroy();
if (device.tracking) device.dispose_Object(this);
device = null;
}
/**
* Returns the <code>Device</code> where this resource was
* created.
*
* @return <code>Device</code> the device of the receiver
*
* @since 3.2
*/
public Device getDevice() {
Device device = this.device;
if (device is null || isDisposed ()) DWT.error (DWT.ERROR_GRAPHIC_DISPOSED);
return device;
}
void init_() {
if (device.tracking) device.new_Object(this);
}
/**
* Returns <code>true</code> if the resource has been disposed,
* and <code>false</code> otherwise.
* <p>
* This method gets the dispose state for the resource.
* When a resource has been disposed, it is an error to
* invoke any other method using the resource.
*
* @return <code>true</code> when the resource is disposed and <code>false</code> otherwise
*/
public abstract bool isDisposed();
}
|
D
|
/**
* Copyright: Enalye
* License: Zlib
* Authors: Enalye
*/
module magia.render.animation;
import std.conv;
import bindbc.sdl, bindbc.sdl.image;
import magia.common;
import magia.core;
import magia.render.window, magia.render.texture;
import magia.render.tileset, magia.render.sprite;
/// Series of animation frames played successively.
final class Animation {
/// Change the way the animation is playing.
/// once: Play each frames sequencially then stop.
/// reverse: Play each frames from the last to the first one then stop.
/// loop: Like "once", but go back to the first frame instead of stopping.
/// loopReverse: Like "reverse", but go back to the last frame instead of stopping.
/// bounce: Play like the "once" mode, then "reverse", then "once", etc
/// bounceReverse: Like "bounce", but the order is reversed.
enum Mode {
once,
reverse,
loop,
loopReverse,
bounce,
bounceReverse
}
private {
Texture _texture;
Timer _timer;
int _currentFrameId;
bool _isRunning = true, _isReversed;
}
@property {
/// Is the animation currently playing ?
bool isPlaying() const {
return _timer.isRunning;
}
/// Duration in seconds from witch the timer goes from 0 to 1 (framerate dependent). \
/// Only positive non-null values.
float duration() const {
return _timer.duration;
}
/// Ditto
float duration(float v) {
return _timer.duration = v;
}
/// The current frame being used.
int currentFrame() const {
if (_currentFrameId >= frames.length)
return 0;
return frames[_currentFrameId];
}
/// Texture.
Texture texture(Texture texture_) {
return _texture = texture_;
}
/// Ditto
const(Texture) texture() const {
return _texture;
}
}
/// Texture regions (the source size) for each frames.
Vec4i[] clips;
/// The order in which each frames is played.
int[] frames;
/// Destination size.
Vec2f size;
/// Relative center of the sprite.
Vec2f anchor = Vec2f.half;
/// Angle in which the sprite will be rendered.
float angle = 0f;
/// Behavior of the animation.
Mode mode = Mode.loop;
/// Mirroring property.
Flip flip = Flip.none;
/// Color added to the tile.
Color color = Color.white;
/// Alpha
float alpha = 1f;
/// Blending algorithm.
Blend blend = Blend.alpha;
/// Number of directions.
int dirs = 1, maxDirs = 1;
/// Clip offset for each direction.
Vec2i dirOffset = Vec2i.zero;
/// Empty animation.
this() {
}
/// Create an animation from a series of clips.
this(Texture tex, const Vec2f size_, Vec4i[] clips_, int[] frames_) {
assert(tex, "Null texture");
_texture = tex;
size = size_;
clips = clips_;
frames = frames_;
}
/// Create an animation from a tileset.
this(Texture tex, const Vec4i startTileClip, const int columns, const int lines,
const int maxcount = 0, const Vec2i margin = Vec2i.zero) {
assert(tex, "Null texture");
_texture = tex;
size = to!Vec2f(startTileClip.zw);
int count;
for (int y; y < lines; y++) {
for (int x; x < columns; x++) {
Vec4i currentClip = Vec4i(startTileClip.x + x * (startTileClip.z + margin.x),
startTileClip.y + y * (startTileClip.w + margin.y),
startTileClip.z, startTileClip.w);
clips ~= currentClip;
frames ~= count;
count++;
if (maxcount > 0) {
if (count >= maxcount)
return;
}
}
}
}
/// Copy ctor.
this(Animation animation) {
_timer = animation._timer;
_texture = animation._texture;
clips = animation.clips;
frames = animation.frames;
size = animation.size;
anchor = animation.anchor;
angle = animation.angle;
flip = animation.flip;
color = animation.color;
alpha = animation.alpha;
blend = animation.blend;
mode = animation.mode;
dirs = animation.dirs;
maxDirs = animation.maxDirs;
dirOffset = animation.dirOffset;
}
/// Resets the frames to the default order.
void setDefaultFrames() {
frames.length = 0;
for (int i; i < clips.length; ++i)
frames ~= i;
}
/// Starts the animation from the beginning.
void start() {
_timer.start();
reset();
_isRunning = true;
}
/// Stops and resets the animation.
void stop() {
_timer.stop();
reset();
_isRunning = false;
}
/// Pauses the animation where it is.
void pause() {
_timer.pause();
_isRunning = false;
}
/// Resumes the animation from where it was.
void resume() {
_timer.resume();
_isRunning = true;
}
/// Goes back to starting settings.
void reset() {
final switch (mode) with (Mode) {
case once:
_currentFrameId = 0;
_isReversed = false;
break;
case reverse:
_currentFrameId = (cast(int) frames.length) - 1;
_isReversed = false;
break;
case loop:
_currentFrameId = 0;
_isReversed = false;
break;
case loopReverse:
_currentFrameId = (cast(int) frames.length) - 1;
_isReversed = false;
break;
case bounce:
_currentFrameId = 0;
_isReversed = false;
break;
case bounceReverse:
_currentFrameId = (cast(int) frames.length) - 1;
_isReversed = true;
break;
}
}
/// Run the animation.
void update(float deltaTime) {
_timer.update(deltaTime);
if (!_timer.isRunning && _isRunning) {
advance();
}
}
/// Go to the next frame.
void advance() {
_timer.start();
if (!frames.length) {
_currentFrameId = -1;
return;
}
final switch (mode) with (Mode) {
case once:
_currentFrameId++;
if (_currentFrameId >= frames.length) {
_currentFrameId = (cast(int) frames.length) - 1;
_isRunning = false;
}
break;
case reverse:
_currentFrameId--;
if (_currentFrameId < 0) {
_currentFrameId = 0;
_isRunning = false;
}
break;
case loop:
_currentFrameId++;
if (_currentFrameId >= frames.length) {
_currentFrameId = 0;
}
break;
case loopReverse:
_currentFrameId--;
if (_currentFrameId < 0) {
_currentFrameId = (cast(int) frames.length) - 1;
}
break;
case bounce:
case bounceReverse:
if (_isReversed) {
_currentFrameId--;
if (_currentFrameId <= 0) {
_currentFrameId = 0;
_isReversed = false;
}
}
else {
_currentFrameId++;
if ((_currentFrameId + 1) >= frames.length) {
_currentFrameId = (cast(int) frames.length) - 1;
_isReversed = true;
}
}
break;
}
}
/// Render the current frame.
void draw(const Vec2f position) {
if (_currentFrameId < 0 || !frames.length)
return;
assert(_texture, "No texture loaded.");
if (_currentFrameId >= frames.length)
_currentFrameId = 0;
const int currentClip = frames[_currentFrameId];
if (currentClip >= clips.length)
return;
const Vec2f finalSize = size * transformScale();
_texture.draw(transformRenderSpace(position), finalSize,
clips[currentClip], angle, flip, anchor, blend, color, alpha);
}
/// Render the current frame with a direction information.
void draw(const Vec2f position, int currentDir) {
if (_currentFrameId < 0 || !frames.length)
return;
assert(_texture, "No texture loaded.");
if (_currentFrameId >= frames.length)
_currentFrameId = 0;
const int currentClip = frames[_currentFrameId];
if (currentClip >= clips.length)
return;
Vec4i texClip = clips[currentClip];
Flip currentFlip = flip;
if (currentDir >= maxDirs || currentDir < 0)
return;
if (currentDir < dirs) {
texClip.xy = texClip.xy + (dirOffset * currentDir);
}
else {
currentDir = dirs - ((currentDir + 2) - dirs);
texClip.xy = texClip.xy + (dirOffset * currentDir);
final switch (flip) with (Flip) {
case none:
currentFlip = Flip.horizontal;
break;
case horizontal:
currentFlip = Flip.none;
break;
case vertical:
currentFlip = Flip.both;
break;
case both:
currentFlip = Flip.vertical;
break;
}
}
const Vec2f finalSize = size * transformScale();
_texture.draw(transformRenderSpace(position), finalSize, texClip,
angle, currentFlip, anchor, blend, color, alpha);
}
}
|
D
|
/**
Win32 driver implementation using I/O completion ports
Copyright: © 2012 Sönke Ludwig
Authors: Sönke Ludwig
License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file.
*/
module vibe.core.drivers.win32;
import vibe.core.driver;
import vibe.core.log;
import vibe.inet.url;
import core.sys.windows.windows;
import core.time;
import core.thread;
import std.c.windows.windows;
import std.c.windows.winsock;
import std.exception;
private extern(System)
{
DWORD MsgWaitForMultipleObjects(DWORD nCount, const(HANDLE) *pHandles, BOOL bWaitAll, DWORD dwMilliseconds, DWORD dwWakeMask);
HANDLE CreateFileW(LPCTSTR lpFileName, DWORD dwDesiredAccess, DWORD dwShareMode, LPSECURITY_ATTRIBUTES lpSecurityAttributes,
DWORD dwCreationDisposition, DWORD dwFlagsAndAttributes, HANDLE hTemplateFile);
BOOL WriteFileEx(HANDLE hFile, LPCVOID lpBuffer, DWORD nNumberOfBytesToWrite, OVERLAPPED* lpOverlapped,
void function(DWORD, DWORD, OVERLAPPED) lpCompletionRoutine);
BOOL PeekMessageW(MSG *lpMsg, HWND hWnd, UINT wMsgFilterMin, UINT wMsgFilterMax, UINT wRemoveMsg);
LONG DispatchMessageW(MSG *lpMsg);
BOOL PostMessageW(HWND hwnd, UINT msg, WPARAM wPara, LPARAM lParam);
SOCKET WSASocketW(int af, int type, int protocol, WSAPROTOCOL_INFOW *lpProtocolInfo, uint g, DWORD dwFlags);
enum{
WSAPROTOCOL_LEN = 255,
MAX_PROTOCOL_CHAIN = 7
};
struct WSAPROTOCOL_INFOW {
DWORD dwServiceFlags1;
DWORD dwServiceFlags2;
DWORD dwServiceFlags3;
DWORD dwServiceFlags4;
DWORD dwProviderFlags;
GUID ProviderId;
DWORD dwCatalogEntryId;
WSAPROTOCOLCHAIN ProtocolChain;
int iVersion;
int iAddressFamily;
int iMaxSockAddr;
int iMinSockAddr;
int iSocketType;
int iProtocol;
int iProtocolMaxOffset;
int iNetworkByteOrder;
int iSecurityScheme;
DWORD dwMessageSize;
DWORD dwProviderReserved;
wchar szProtocol[WSAPROTOCOL_LEN+1];
};
struct WSAPROTOCOLCHAIN {
int ChainLen;
DWORD ChainEntries[MAX_PROTOCOL_CHAIN];
};
struct GUID
{
size_t Data1;
ushort Data2;
ushort Data3;
ubyte Data4[8];
};
enum{
QS_ALLPOSTMESSAGE = 0x0100,
QS_HOTKEY = 0x0080,
QS_KEY = 0x0001,
QS_MOUSEBUTTON = 0x0004,
QS_MOUSEMOVE = 0x0002,
QS_PAINT = 0x0020,
QS_POSTMESSAGE = 0x0008,
QS_RAWINPUT = 0x0400,
QS_SENDMESSAGE = 0x0040,
QS_TIMER = 0x0010,
QS_MOUSE = (QS_MOUSEMOVE | QS_MOUSEBUTTON),
QS_INPUT = (QS_MOUSE | QS_KEY | QS_RAWINPUT),
QS_ALLEVENTS = (QS_INPUT | QS_POSTMESSAGE | QS_TIMER | QS_PAINT | QS_HOTKEY),
QS_ALLINPUT = (QS_INPUT | QS_POSTMESSAGE | QS_TIMER | QS_PAINT | QS_HOTKEY | QS_SENDMESSAGE),
};
enum{
MWMO_ALERTABLE = 0x0002,
MWMO_INPUTAVAILABLE = 0x0004,
MWMO_WAITALL = 0x0001,
};
}
class Win32EventDriver : EventDriver {
private {
HWND m_hwnd;
DriverCore m_core;
bool m_exit = false;
int m_timerIdCounter = 0;
}
this(DriverCore core)
{
m_core = core;
WSADATA wd;
enforce(WSAStartup(0x0202, &wd) == 0, "Failed to initialize WinSock");
}
int runEventLoop()
{
m_exit = false;
while( !m_exit ){
waitForEvents(INFINITE);
processEvents();
}
return 0;
}
int processEvents()
{
waitForEvents(0);
MSG msg;
while( PeekMessageW(&msg, null, 0, 0, PM_REMOVE) ){
if( msg.message == WM_QUIT ) return 0;
TranslateMessage(&msg);
DispatchMessageW(&msg);
}
//m_core.notifyIdle();
return 0;
}
private void waitForEvents(uint timeout)
{
MsgWaitForMultipleObjects(0, null, timeout, QS_ALLEVENTS, MWMO_ALERTABLE|MWMO_INPUTAVAILABLE);
}
void exitEventLoop()
{
m_exit = true;
PostMessageW(m_hwnd, WM_QUIT, 0, 0);
}
void runWorkerTask(void delegate() f)
{
}
Win32FileStream openFile(string path, FileMode mode)
{
return new Win32FileStream(m_core, Path(path), mode);
}
Win32TcpConnection connectTcp(string host, ushort port)
{
//getaddrinfo();
//auto sock = WSASocketW(AF_INET, IPPROTO_TCP, NULL, 0, WSA_FLAG_OVERLAPPED);
//enforce(sock != INVALID_SOCKET, "Failed to create socket.");
//enforce(WSAConnect(sock, &addr, addr.sizeof, null, null, null, null), "Failed to connect to host");
assert(false);
}
void listenTcp(ushort port, void delegate(TcpConnection conn) conn_callback, string bind_address)
{
}
Win32Signal createSignal()
{
assert(false);
}
Win32Timer createTimer(void delegate() callback)
{
return new Win32Timer(this, callback);
}
}
class Win32Signal : Signal {
void release()
{
}
void acquire()
{
}
bool isOwner()
{
assert(false);
}
@property int emitCount()
const {
assert(false);
}
void emit()
{
}
void wait()
{
}
}
class Win32Timer : Timer {
private {
Win32EventDriver m_driver;
void delegate() m_callback;
bool m_pending;
bool m_periodic;
Duration m_timeout;
}
this(Win32EventDriver driver, void delegate() callback)
{
m_driver = driver;
m_callback = callback;
}
void release()
{
}
void acquire()
{
}
bool isOwner()
{
assert(false);
}
@property bool pending() { return m_pending; }
void rearm(Duration dur, bool periodic = false)
{
m_timeout = dur;
if( m_pending ) stop();
m_periodic = periodic;
//SetTimer(m_hwnd, id, seconds.total!"msecs"(), &timerProc);
assert(false);
}
void stop()
{
assert(m_pending);
//KillTimer(m_driver.m_hwnd, cast(size_t)cast(void*)this);
assert(false);
}
void wait()
{
while( m_pending )
m_driver.m_core.yieldForEvent();
}
private static extern(Windows) nothrow
void onTimer(HWND hwnd, UINT msg, size_t id, uint time)
{
try{
auto timer = cast(Win32Timer)cast(void*)id;
if( timer.m_periodic ){
timer.rearm(timer.m_timeout, true);
} else {
timer.m_pending = false;
}
timer.m_callback();
} catch(Exception e)
{
logError("onTimer Exception: %s", e);
}
}
}
class Win32FileStream : FileStream {
private{
Path m_path;
HANDLE m_handle;
FileMode m_mode;
DriverCore m_driver;
Fiber m_fiber;
}
this(DriverCore driver, Path path, FileMode mode)
{
m_path = path;
m_mode = mode;
m_driver = driver;
m_fiber = Fiber.getThis();
m_handle = CreateFileW(
cast(immutable(char)*)(m_path.toNativeString()),
m_mode == (m_mode == FileMode.CreateTrunc || m_mode == FileMode.Append) ? GENERIC_READ : GENERIC_WRITE,
m_mode == FileMode.Read ? FILE_SHARE_READ : 0,
null,
m_mode == FileMode.CreateTrunc ? TRUNCATE_EXISTING : OPEN_ALWAYS,
FILE_FLAG_BACKUP_SEMANTICS | FILE_FLAG_OVERLAPPED,
null);
}
void release()
{
this.m_fiber = null;
}
void acquire()
{
this.m_fiber.getThis();
}
bool isOwner()
{
assert(false);
}
void close()
{
}
@property Path path()
const{
return m_path;
}
@property ulong size()
const {
assert(false);
}
@property bool readable()
const {
return m_mode == FileMode.Read;
}
@property bool writable()
const {
return m_mode == FileMode.Append || m_mode == FileMode.CreateTrunc;
}
void seek(ulong offset)
{
}
@property bool empty()
{
return false;
}
@property ulong leastSize(){
assert(false);
}
@property bool dataAvailableForRead(){
assert(false);
}
const(ubyte)[] peek(){
assert(false);
}
void read(ubyte[] dst){
assert(false);
}
void write(in ubyte[] bytes, bool do_flush = true){
OVERLAPPED overlapped;
overlapped.Internal = 0;
overlapped.InternalHigh = 0;
overlapped.Offset = 0;
overlapped.OffsetHigh = 0;
overlapped.hEvent = cast(HANDLE)cast(void*)this;
WriteFileEx(m_handle, cast(void*)bytes, bytes.length, &overlapped, &fileStreamOperationComplete);
m_driver.yieldForEvent();
}
void flush(){}
void finalize(){}
void write(InputStream stream, ulong nbytes = 0, bool do_flush = true)
{
writeDefault(stream, nbytes, do_flush);
}
}
class Win32TcpConnection : TcpConnection {
void release()
{
}
void acquire()
{
}
bool isOwner()
{
assert(false);
}
@property void tcpNoDelay(bool enabled)
{
}
void close()
{
}
@property bool connected()
const {
assert(false);
}
@property string peerAddress()
const {
assert(false);
}
bool waitForData(Duration timeout)
{
assert(false);
}
@property bool empty()
{
assert(false);
}
@property ulong leastSize()
{
assert(false);
}
@property bool dataAvailableForRead()
{
assert(false);
}
const(ubyte)[] peek()
{
assert(false);
}
void read(ubyte[] dst)
{
assert(false);
}
void write(in ubyte[] bytes, bool do_flush = true)
{
assert(false);
}
void flush()
{
assert(false);
}
void finalize()
{
assert(false);
}
void write(InputStream stream, ulong nbytes = 0, bool do_flush = true)
{
assert(false);
}
}
private extern(System)
{
void fileStreamOperationComplete(DWORD errorCode, DWORD numberOfBytesTransfered, OVERLAPPED overlapped)
{
auto fileStream = cast(Win32FileStream)(overlapped.hEvent);
fileStream.m_driver.resumeTask(fileStream.m_fiber);
//resume fiber
// set flag operation done
logInfo("fileStreamOperationComplete");
}
}
|
D
|
/*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*/
module thrift.transport.base;
import core.stdc.string : strerror;
import std.conv : text;
import thrift.base;
/**
* An entity data can be read from and/or written to.
*
* A TTransport implementation may capable of either reading or writing, but
* not necessarily both.
*/
interface TTransport {
/**
* Whether this transport is open.
*
* If a transport is closed, it can be opened by calling open(), and vice
* versa for close().
*
* While a transport should always be open when trying to read/write data,
* the related functions do not necessarily fail when called for a closed
* transport. Situations like this could occur e.g. with a wrapper
* transport which buffers data when the underlying transport has already
* been closed (possibly because the connection was abruptly closed), but
* there is still data left to be read in the buffers. This choice has been
* made to simplify transport implementations, in terms of both code
* complexity and runtime overhead.
*/
bool isOpen() @property;
/**
* Tests whether there is more data to read or if the remote side is
* still open.
*
* A typical use case would be a server checking if it should process
* another request on the transport.
*/
bool peek();
/**
* Opens the transport for communications.
*
* If the transport is already open, nothing happens.
*
* Throws: TTransportException if opening fails.
*/
void open();
/**
* Closes the transport.
*
* If the transport is not open, nothing happens.
*
* Throws: TTransportException if closing fails.
*/
void close();
/**
* Attempts to fill the given buffer by reading data.
*
* For potentially blocking data sources (e.g. sockets), read() will only
* block if no data is available at all. If there is some data available,
* but waiting for new data to arrive would be required to fill the whole
* buffer, the readily available data will be immediately returned – use
* readAll() if you want to wait until the whole buffer is filled.
*
* Params:
* buf = Slice to use as buffer.
*
* Returns: How many bytes were actually read
*
* Throws: TTransportException if an error occurs.
*/
size_t read(ubyte[] buf);
/**
* Fills the given buffer by reading data into it, failing if not enough
* data is available.
*
* Params:
* buf = Slice to use as buffer.
*
* Throws: TTransportException if insufficient data is available or reading
* fails altogether.
*/
void readAll(ubyte[] buf);
/**
* Must be called by clients when read is completed.
*
* Implementations can choose to perform a transport-specific action, e.g.
* logging the request to a file.
*
* Returns: The number of bytes read if available, 0 otherwise.
*/
size_t readEnd();
/**
* Writes the passed slice of data.
*
* Note: You must call flush() to ensure the data is actually written,
* and available to be read back in the future. Destroying a TTransport
* object does not automatically flush pending data – if you destroy a
* TTransport object with written but unflushed data, that data may be
* discarded.
*
* Params:
* buf = Slice of data to write.
*
* Throws: TTransportException if an error occurs.
*/
void write(in ubyte[] buf);
/**
* Must be called by clients when write is completed.
*
* Implementations can choose to perform a transport-specific action, e.g.
* logging the request to a file.
*
* Returns: The number of bytes written if available, 0 otherwise.
*/
size_t writeEnd();
/**
* Flushes any pending data to be written.
*
* Must be called before destruction to ensure writes are actually complete,
* otherwise pending data may be discarded. Typically used with buffered
* transport mechanisms.
*
* Throws: TTransportException if an error occurs.
*/
void flush();
/**
* Attempts to return a slice of <code>len</code> bytes of incoming data,
* possibly copied into buf, not consuming them (i.e.: a later read will
* return the same data).
*
* This method is meant to support protocols that need to read variable-
* length fields. They can attempt to borrow the maximum amount of data that
* they will need, then <code>consume()</code> what they actually use. Some
* transports will not support this method and others will fail occasionally,
* so protocols must be prepared to fall back to <code>read()</code> if
* borrow fails.
*
* The transport must be open when calling this.
*
* Params:
* buf = A buffer where the data can be stored if needed, or null to
* indicate that the caller is not supplying storage, but would like a
* slice of an internal buffer, if available.
* len = The number of bytes to borrow.
*
* Returns: If the borrow succeeds, a slice containing the borrowed data,
* null otherwise. The slice will be at least as long as requested, but
* may be longer if the returned slice points into an internal buffer
* rather than buf.
*
* Throws: TTransportException if an error occurs.
*/
const(ubyte)[] borrow(ubyte* buf, size_t len) out (result) {
// FIXME: Commented out because len gets corrupted in
// thrift.transport.memory borrow() unittest.
version(none) assert(result is null || result.length >= len,
"Buffer returned by borrow() too short.");
}
/**
* Remove len bytes from the transport. This must always follow a borrow
* of at least len bytes, and should always succeed.
*
* The transport must be open when calling this.
*
* Params:
* len = Number of bytes to consume.
*
* Throws: TTransportException if an error occurs.
*/
void consume(size_t len);
}
/**
* Provides basic fall-back implementations of the TTransport interface.
*/
class TBaseTransport : TTransport {
override bool isOpen() @property {
return false;
}
override bool peek() {
return isOpen;
}
override void open() {
throw new TTransportException("Cannot open TBaseTransport.",
TTransportException.Type.NOT_IMPLEMENTED);
}
override void close() {
throw new TTransportException("Cannot close TBaseTransport.",
TTransportException.Type.NOT_IMPLEMENTED);
}
override size_t read(ubyte[] buf) {
throw new TTransportException("Cannot read from a TBaseTransport.",
TTransportException.Type.NOT_IMPLEMENTED);
}
override void readAll(ubyte[] buf) {
size_t have;
while (have < buf.length) {
size_t get = read(buf[have..$]);
if (get <= 0) {
throw new TTransportException(text("Could not readAll() ", buf.length,
" bytes as no more data was available after ", have, " bytes."),
TTransportException.Type.END_OF_FILE);
}
have += get;
}
}
override size_t readEnd() {
// Do nothing by default, not needed by all implementations.
return 0;
}
override void write(in ubyte[] buf) {
throw new TTransportException("Cannot write to a TBaseTransport.",
TTransportException.Type.NOT_IMPLEMENTED);
}
override size_t writeEnd() {
// Do nothing by default, not needed by all implementations.
return 0;
}
override void flush() {
// Do nothing by default, not needed by all implementations.
}
override const(ubyte)[] borrow(ubyte* buf, size_t len) {
// borrow() is allowed to fail anyway, so just return null.
return null;
}
override void consume(size_t len) {
throw new TTransportException("Cannot consume from a TBaseTransport.",
TTransportException.Type.NOT_IMPLEMENTED);
}
protected:
this() {}
}
/**
* Makes a TTransport which wraps a given source transport in some way.
*
* A common use case is inside server implementations, where the raw client
* connections accepted from e.g. TServerSocket need to be wrapped into
* buffered or compressed transports.
*/
class TTransportFactory {
/**
* Default implementation does nothing, just returns the transport given.
*/
TTransport getTransport(TTransport trans) {
return trans;
}
}
/**
* Transport factory for transports which simply wrap an underlying TTransport
* without requiring additional configuration.
*/
class TWrapperTransportFactory(T) if (
is(T : TTransport) && __traits(compiles, new T(TTransport.init))
) : TTransportFactory {
override T getTransport(TTransport trans) {
return new T(trans);
}
}
/**
* Transport-level exception.
*/
class TTransportException : TException {
/**
* Error codes for the various types of exceptions.
*/
enum Type {
UNKNOWN, ///
NOT_OPEN, ///
TIMED_OUT, ///
END_OF_FILE, ///
INTERRUPTED, ///
BAD_ARGS, ///
CORRUPTED_DATA, ///
INTERNAL_ERROR, ///
NOT_IMPLEMENTED ///
}
///
this(Type type, string file = __FILE__, size_t line = __LINE__, Throwable next = null) {
static string msgForType(Type type) {
switch (type) {
case Type.UNKNOWN: return "Unknown transport exception";
case Type.NOT_OPEN: return "Transport not open";
case Type.TIMED_OUT: return "Timed out";
case Type.END_OF_FILE: return "End of file";
case Type.INTERRUPTED: return "Interrupted";
case Type.BAD_ARGS: return "Invalid arguments";
case Type.CORRUPTED_DATA: return "Corrupted Data";
case Type.INTERNAL_ERROR: return "Internal error";
case Type.NOT_IMPLEMENTED: return "Not implemented";
default: return "(Invalid exception type)";
}
}
this(msgForType(type), type, file, line, next);
}
///
this(string msg, string file = __FILE__, size_t line = __LINE__,
Throwable next = null)
{
this(msg, Type.UNKNOWN, file, line, next);
}
///
this(string msg, Type type, string file = __FILE__, size_t line = __LINE__,
Throwable next = null)
{
super(msg, file, line, next);
type_ = type;
}
///
Type type() const nothrow @property {
return type_;
}
protected:
Type type_;
}
/**
* Meta-programming helper returning whether the passed type is a TTransport
* implementation.
*/
template isTTransport(T) {
enum isTTransport = is(T : TTransport);
}
|
D
|
module imports.imp12242b1;
// std.string.strip
int stripB(C)(C[] str) @safe pure
if (is(immutable C == immutable char))
{
return 1;
}
|
D
|
instance BAU_918_Bauer (Npc_Default)
{
// ------ NSC ------
name = NAME_BAUER;
guild = GIL_BAU;
id = 918;
voice = 7;
flags = 0; //NPC_FLAG_IMMORTAL oder 0
npctype = NPCTYPE_AMBIENT;
// ------ Attribute ------
B_SetAttributesToChapter (self, 1); //setzt Attribute und LEVEL entsprechend dem angegebenen Kapitel (1-6)
// ------ NSC-relevante Talente vergeben ------
B_GiveNpcTalents (self);
// ------ Kampf-Talente ------ //Der enthaltene B_AddFightSkill setzt Talent-Ani abhängig von TrefferChance% - alle Kampftalente werden gleichhoch gesetzt
B_SetFightSkills (self, 15); //Grenzen für Talent-Level liegen bei 30 und 60
// ------ Kampf-Taktik ------
fight_tactic = FAI_HUMAN_COWARD; // MASTER / STRONG / COWARD
// ------ Equippte Waffen ------ //Munition wird automatisch generiert, darf aber angegeben werden
EquipItem (self, ItMw_1h_Bau_Axe);
// ------ Inventory ------
B_CreateAmbientInv (self);
// ------ visuals ------ //Muss NACH Attributen kommen, weil in B_SetNpcVisual die Breite abh. v. STR skaliert wird
B_SetNpcVisual (self, MALE, "Hum_Head_Fighter", Face_N_Normal17, BodyTex_N, ITAR_BAU_L);
Mdl_SetModelFatness (self, 1);
Mdl_ApplyOverlayMds (self, "Humans_Relaxed.mds"); // Tired / Militia / Mage / Arrogance / Relaxed
// ------ TA anmelden ------
daily_routine = Rtn_Start_918;
};
FUNC VOID Rtn_Start_918 ()
{
TA_Smalltalk (08,05,22,05,"NW_BIGFARM_KITCHEN_09");
TA_Smalltalk (22,05,08,05,"NW_BIGFARM_KITCHEN_09");
};
|
D
|
/*******************************************************************************
* Copyright (c) 2000, 2004 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
* Port to the D programming language:
* Frank Benoit <benoit@tionex.de>
*******************************************************************************/
module org.eclipse.swt.custom.CTabFolder2Listener;
import org.eclipse.swt.internal.SWTEventListener;
import org.eclipse.swt.custom.CTabFolderEvent;
version(Tango){
import tango.core.Traits;
import tango.core.Tuple;
} else { // Phobos
import std.traits;
import std.typetuple;
}
/**
* Classes which implement this interface provide methods
* that deal with the events that are generated by the CTabFolder
* control.
* <p>
* After creating an instance of a class that :
* this interface it can be added to a CTabFolder using the
* <code>addCTabFolder2Listener</code> method and removed using
* the <code>removeCTabFolder2Listener</code> method. When
* events occurs in a CTabFolder the appropriate method
* will be invoked.
* </p>
*
* @see CTabFolder2Adapter
* @see CTabFolderEvent
*
* @since 3.0
*/
public interface CTabFolder2Listener : SWTEventListener {
public enum {
MINIMIZE,
MAXIMIZE,
SHOWLIST,
RESTORE,
CLOSE
}
/**
* Sent when the user clicks on the close button of an item in the CTabFolder.
* The item being closed is specified in the event.item field.
* Setting the event.doit field to false will stop the CTabItem from closing.
* When the CTabItem is closed, it is disposed. The contents of the
* CTabItem (see CTabItem.setControl) will be made not visible when
* the CTabItem is closed.
*
* @param event an event indicating the item being closed
*/
public void close(CTabFolderEvent event);
/**
* Sent when the user clicks on the minimize button of a CTabFolder.
* The state of the CTabFolder does not change automatically - it
* is up to the application to change the state of the CTabFolder
* in response to this event using CTabFolder.setMinimized(true).
*
* @param event an event containing information about the minimize
*
* @see CTabFolder#getMinimized()
* @see CTabFolder#setMinimized(bool)
* @see CTabFolder#setMinimizeVisible(bool)
*/
public void minimize(CTabFolderEvent event);
/**
* Sent when the user clicks on the maximize button of a CTabFolder.
* The state of the CTabFolder does not change automatically - it
* is up to the application to change the state of the CTabFolder
* in response to this event using CTabFolder.setMaximized(true).
*
* @param event an event containing information about the maximize
*
* @see CTabFolder#getMaximized()
* @see CTabFolder#setMaximized(bool)
* @see CTabFolder#setMaximizeVisible(bool)
*/
public void maximize(CTabFolderEvent event);
/**
* Sent when the user clicks on the restore button of a CTabFolder.
* This event is sent either to restore the CTabFolder from the
* minimized state or from the maximized state. To determine
* which restore is requested, use CTabFolder.getMinimized() or
* CTabFolder.getMaximized() to determine the current state.
* The state of the CTabFolder does not change automatically - it
* is up to the application to change the state of the CTabFolder
* in response to this event using CTabFolder.setMaximized(false)
* or CTabFolder.setMinimized(false).
*
* @param event an event containing information about the restore
*
* @see CTabFolder#getMinimized()
* @see CTabFolder#getMaximized()
* @see CTabFolder#setMinimized(bool)
* @see CTabFolder#setMinimizeVisible(bool)
* @see CTabFolder#setMaximized(bool)
* @see CTabFolder#setMaximizeVisible(bool)
*/
public void restore(CTabFolderEvent event);
/**
* Sent when the user clicks on the chevron button of the CTabFolder.
* A chevron appears in the CTabFolder when there are more tabs
* than can be displayed at the current widget size. To select a
* tab that is not currently visible, the user clicks on the
* chevron and selects a tab item from a list. By default, the
* CTabFolder provides a list of all the items that are not currently
* visible, however, the application can provide its own list by setting
* the event.doit field to <code>false</code> and displaying a selection list.
*
* @param event an event containing information about the show list
*
* @see CTabFolder#setSelection(CTabItem)
*/
public void showList(CTabFolderEvent event);
}
/// Helper class for the dgListener template function
private class _DgCTabFolder2ListenerT(Dg,T...) : CTabFolder2Listener {
version(Tango){
alias ParameterTupleOf!(Dg) DgArgs;
static assert( is(DgArgs == Tuple!(CTabFolderEvent,T)),
"Delegate args not correct: "~DgArgs.stringof~" vs. (Event,"~T.stringof~")" );
} else { // Phobos
alias ParameterTypeTuple!(Dg) DgArgs;
static assert( is(DgArgs == TypeTuple!(CTabFolderEvent,T)),
"Delegate args not correct: "~DgArgs.stringof~" vs. (Event,"~T.stringof~")" );
}
Dg dg;
T t;
int type;
private this( int type, Dg dg, T t ){
this.type = type;
this.dg = dg;
static if( T.length > 0 ){
this.t = t;
}
}
void itemClosed( CTabFolderEvent e ){
dg(e,t);
}
public void close(CTabFolderEvent e){
if( type is CTabFolder2Listener.CLOSE ){
dg(e,t);
}
}
public void minimize(CTabFolderEvent e){
if( type is CTabFolder2Listener.MINIMIZE ){
dg(e,t);
}
}
public void maximize(CTabFolderEvent e){
if( type is CTabFolder2Listener.MAXIMIZE ){
dg(e,t);
}
}
public void restore(CTabFolderEvent e){
if( type is CTabFolder2Listener.RESTORE ){
dg(e,t);
}
}
public void showList(CTabFolderEvent e){
if( type is CTabFolder2Listener.SHOWLIST ){
dg(e,t);
}
}
}
/++
+ dgListener creates a class implementing the Listener interface and delegating the call to
+ handleEvent to the users delegate. This template function will store also additional parameters.
+
+ Examle of usage:
+ ---
+ void handleTextEvent ( Event e, int inset ) {
+ // ...
+ }
+ text.addListener (SWT.FocusOut, dgListener( &handleTextEvent, inset ));
+ ---
+/
CTabFolder2Listener dgCTabFolder2Listener( Dg, T... )( int type, Dg dg, T args ){
return new _DgCTabFolder2ListenerT!( Dg, T )( type, dg, args );
}
|
D
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.