code
stringlengths 3
10M
| language
stringclasses 31
values |
|---|---|
module CPUblit.colorlookup;
/**
* CPUblit
* Color look-up and planar to chunky (coming soon) conversion functions.
*/
public import CPUblit.colorspaces;
import bitleveld.datatypes;
/**
* Converts an indexed image of type T (eg. ubyte, ushort) into an unindexed type of U (eg. Pixel16Bit, Pixel32Bit).
*/
public void colorLookup(T, U)(T* src, U* dest, U* palette, size_t length) @nogc pure nothrow {
while(length){
*dest = palette[*src];
src++;
dest++;
length--;
}
}
/**
* Converts a 4 Bit indexed image into an unindexed type of U (eg. Pixel16Bit, Pixel32Bit).
* Word order is: 0xF0 even, 0x0F odd.
*/
public void colorLookup4Bit(U)(ubyte* src, U* dest, U* palette, size_t length, int offset = 0) @nogc pure nothrow {
colorLookup4Bit!(NibbleArray)(NibbleArray(src[0..length>>>1], length), dest, palette, offset);
}
/**
* Converts a 4 Bit indexed image into an unindexed type of U (eg. Pixel16Bit, Pixel32Bit).
* Uses a NibbleArray as a backend.
*/
public void colorLookup4Bit(T,U)(T src, U* dest, U* palette, int offset = 0) @nogc pure nothrow
if(T.mangleof == NibbleArray.mangleof || T.mangleof == NibbleArrayR.mangleof) {
for ( ; offset < src.length ; offset++) {
*dest = palette[src[offset]];
dest++;
}
}
/**
* Converts a 2 Bit indexed image into an unindexed type of U (eg. Pixel16Bit, Pixel32Bit).
* Word order is: 0: 0b11_00_00_00 1: 0b00_11_00_00 2: 0b00_00_11_00 3: 0b00_00_00_11
*/
public void colorLookup2Bit(U)(ubyte* src, U* dest, U* palette, size_t length, int offset = 0) @nogc pure nothrow {
colorLookup2Bit!(QuadArray)(QuadArray(src[0..length>>>2]), dest, palette, offset);
}
/**
* Converts a 2 Bit indexed image into an unindexed type of U (eg. Pixel16Bit, Pixel32Bit).
* Uses a QuadArray as a backend.
*/
public void colorLookup2Bit(T,U)(T src, U* dest, U* palette, int offset = 0) @nogc pure nothrow
if(T.mangleof == QuadArray.mangleof || T.mangleof == QuadArrayR.mangleof){
for ( ; offset < src.length ; offset++){
*dest = palette[src[offset]];
dest++;
}
}
@nogc pure nothrow unittest {
ubyte[256] a, b;
uint[256] c, d;
ushort[256] e;
colorLookup(a.ptr, c.ptr, d.ptr, 255);
colorLookup(e.ptr, c.ptr, d.ptr, 255);
colorLookup2Bit(a.ptr, c.ptr, d.ptr, 255, 1);
colorLookup2Bit(a.ptr, c.ptr, d.ptr, 255, 0);
colorLookup4Bit(a.ptr, c.ptr, d.ptr, 254, 1);
colorLookup4Bit(a.ptr, c.ptr, d.ptr, 254, 0);
}
|
D
|
template TT(T...) { alias T TT; }
void TestOpAssign(Tx, Ux, ops)()
{
foreach(T; Tx.x)
foreach(U; Ux.x)
foreach(op; ops.x)
{
T a = cast(T)1;
mixin("a " ~ op ~ " cast(U)1;");
}
}
void TestOpAssignAssign(Tx, Ux, ops)()
{
foreach(T; Tx.x)
foreach(U; Ux.x)
foreach(op; ops.x)
{
T a = cast(T)1;
U b = cast(U)1;
T r;
mixin("r = a " ~ op ~ " cast(U)1;");
}
}
void TestOpAssignAuto(Tx, Ux, ops)()
{
foreach(T; Tx.x)
foreach(U; Ux.x)
static if (U.sizeof <= T.sizeof)
foreach(op; ops.x)
{
T a = cast(T)1;
U b = cast(U)1;
mixin("auto r = a " ~ op ~ " cast(U)1;");
}
}
void TestOpAndAssign(Tx, Ux, ops)()
{
foreach(T; Tx.x)
foreach(U; Ux.x)
static if (U.sizeof <= T.sizeof && T.sizeof >= 4)
foreach(op; ops.x)
{
T a = cast(T)1;
U b = cast(U)1;
mixin("a = a " ~ op[0..$-1] ~ " cast(U)1;");
}
}
struct boolean { alias TT!(bool) x; }
struct integral { alias TT!(byte, ubyte, short, ushort, int, uint, long, ulong) x; }
struct floating { alias TT!(float, double, real) x; }
struct imaginary { alias TT!(ifloat, idouble, ireal) x; }
struct complex { alias TT!(cfloat, cdouble, creal) x; }
struct all { alias TT!("+=", "-=", "*=", "/=", "%=", "&=", "|=", "^=", "<<=", ">>=", ">>>=") x; }
struct arith { alias TT!("+=", "-=", "*=", "/=", "%=") x; }
struct bitwise { alias TT!("&=", "|=", "^=") x; }
struct shift { alias TT!("<<=", ">>=", ">>>=") x; }
struct addsub { alias TT!("+=", "-=") x; }
struct muldivmod { alias TT!("*=", "/=", "%=") x; }
struct nomod { alias TT!("+=", "-=", "*=", "/=") x; }
void OpAssignCases(alias X)()
{
X!(boolean, boolean, bitwise)();
X!(integral, boolean, all)();
X!(integral, integral, all)();
X!(integral, floating, arith)();
X!(floating, boolean, arith)();
X!(floating, integral, arith)();
X!(floating, floating, arith)();
X!(imaginary, boolean, muldivmod)();
X!(imaginary, integral, muldivmod)();
X!(imaginary, floating, muldivmod)();
X!(imaginary, imaginary, addsub)();
X!(complex, boolean, arith)();
X!(complex, integral, arith)();
X!(complex, floating, arith)();
X!(complex, imaginary, arith)();
X!(complex, complex, nomod)();
}
void OpReAssignCases(alias X)()
{
X!(boolean, boolean, bitwise)();
X!(integral, boolean, all)();
X!(integral, integral, all)();
X!(floating, boolean, arith)();
X!(floating, integral, arith)();
X!(floating, floating, arith)();
X!(imaginary, boolean, muldivmod)();
X!(imaginary, integral, muldivmod)();
X!(imaginary, floating, muldivmod)();
X!(imaginary, imaginary, addsub)();
X!(complex, boolean, arith)();
X!(complex, integral, arith)();
X!(complex, floating, arith)();
X!(complex, imaginary, arith)();
X!(complex, complex, nomod)();
}
void main()
{
OpAssignCases!TestOpAssign();
OpAssignCases!TestOpAssignAssign(); // was once disabled due to bug 7436
OpAssignCases!TestOpAssignAuto(); // https://issues.dlang.org/show_bug.cgi?id=5181
OpReAssignCases!TestOpAndAssign();
}
|
D
|
/++
Generic interface for RDBMS access. Use with one of the implementations in [arsd.mysql], [arsd.sqlite], [arsd.postgres], or [arsd.mssql]. I'm sorry the docs are not good, but a little bit goes a long way:
---
auto db = new Sqlite("file.db"); // see the implementations for constructors
// then the interface, for any impl can be as simple as:
foreach(row; db.query("SELECT id, name FROM people")) {
string id = row[0];
string name = row[1];
}
db.query("INSERT INTO people (id, name) VALUES (?, ?)", 5, "Adam");
---
To convert to other types, just use [std.conv.to] since everything comes out of this as simple strings.
+/
module arsd.database;
// I should do a prepared statement as a template string arg
public import std.variant;
import std.string;
public import std.datetime;
/*
Database 2.0 plan, WIP:
// Do I want to do some kind of RAII?
auto database = Database(new MySql("connection info"));
* Prepared statement support
* Queries with separate args whenever we can with consistent interface
* Query returns some typed info when we can.
* ....?
PreparedStatement prepareStatement(string sql);
Might be worth looking at doing the preparations in static ctors
so they are always done once per program...
*/
///
interface Database {
/// Actually implements the query for the database. The query() method
/// below might be easier to use.
ResultSet queryImpl(string sql, Variant[] args...);
/// Escapes data for inclusion into an sql string literal
string escape(string sqlData);
/// query to start a transaction, only here because sqlite is apparently different in syntax...
void startTransaction();
/// Just executes a query. It supports placeholders for parameters
final ResultSet query(T...)(string sql, T t) {
Variant[] args;
foreach(arg; t) {
Variant a;
static if(__traits(compiles, a = arg))
a = arg;
else
a = to!string(t);
args ~= a;
}
return queryImpl(sql, args);
}
/// turns a systime into a value understandable by the target database as a timestamp to be concated into a query. so it should be quoted and escaped etc as necessary
string sysTimeToValue(SysTime);
/// Prepared statement api
/*
PreparedStatement prepareStatement(string sql, int numberOfArguments);
*/
}
import std.stdio;
// Added Oct 26, 2021
Row queryOneRow(string file = __FILE__, size_t line = __LINE__, T...)(Database db, string sql, T t) {
auto res = db.query(sql, t);
if(res.empty)
throw new Exception("no row in result", file, line);
auto row = res.front;
return row;
}
Ret queryOneColumn(Ret, string file = __FILE__, size_t line = __LINE__, T...)(Database db, string sql, T t) {
auto row = queryOneRow(db, sql, t);
return to!Ret(row[0]);
}
struct Query {
ResultSet result;
this(T...)(Database db, string sql, T t) if(T.length!=1 || !is(T[0]==Variant[])) {
result = db.query(sql, t);
}
// Version for dynamic generation of args: (Needs to be a template for coexistence with other constructor.
this(T...)(Database db, string sql, T args) if (T.length==1 && is(T[0] == Variant[])) {
result = db.queryImpl(sql, args);
}
int opApply(T)(T dg) if(is(T == delegate)) {
import std.traits;
foreach(row; result) {
ParameterTypeTuple!dg tuple;
foreach(i, item; tuple) {
tuple[i] = to!(typeof(item))(row[i]);
}
if(auto result = dg(tuple))
return result;
}
return 0;
}
}
struct Row {
package string[] row;
package ResultSet resultSet;
string opIndex(size_t idx, string file = __FILE__, int line = __LINE__) {
if(idx >= row.length)
throw new Exception(text("index ", idx, " is out of bounds on result"), file, line);
return row[idx];
}
string opIndex(string name, string file = __FILE__, int line = __LINE__) {
auto idx = resultSet.getFieldIndex(name);
if(idx >= row.length)
throw new Exception(text("no field ", name, " in result"), file, line);
return row[idx];
}
string toString() {
return to!string(row);
}
string[string] toAA() {
string[string] a;
string[] fn = resultSet.fieldNames();
foreach(i, r; row)
a[fn[i]] = r;
return a;
}
int opApply(int delegate(ref string, ref string) dg) {
foreach(a, b; toAA())
mixin(yield("a, b"));
return 0;
}
string[] toStringArray() {
return row;
}
}
import std.conv;
interface ResultSet {
// name for associative array to result index
int getFieldIndex(string field);
string[] fieldNames();
// this is a range that can offer other ranges to access it
bool empty() @property;
Row front() @property;
void popFront() ;
size_t length() @property;
/* deprecated */ final ResultSet byAssoc() { return this; }
}
class DatabaseException : Exception {
this(string msg, string file = __FILE__, size_t line = __LINE__) {
super(msg, file, line);
}
}
abstract class SqlBuilder { }
class InsertBuilder : SqlBuilder {
private string table;
private string[] fields;
private string[] fieldsSetSql;
private Variant[] values;
///
void setTable(string table) {
this.table = table;
}
/// same as adding the arr as values one by one. assumes DB column name matches AA key.
void addVariablesFromAssociativeArray(in string[string] arr, string[] names...) {
foreach(name; names) {
fields ~= name;
if(name in arr) {
fieldsSetSql ~= "?";
values ~= Variant(arr[name]);
} else {
fieldsSetSql ~= "null";
}
}
}
///
void addVariable(T)(string name, T value) {
fields ~= name;
fieldsSetSql ~= "?";
values ~= Variant(value);
}
/// if you use a placeholder, be sure to [addValueForHandWrittenPlaceholder] immediately
void addFieldWithSql(string name, string sql) {
fields ~= name;
fieldsSetSql ~= sql;
}
/// for addFieldWithSql that includes a placeholder
void addValueForHandWrittenPlaceholder(T)(T value) {
values ~= Variant(value);
}
/// executes the query
auto execute(Database db, string supplementalSql = null) {
return db.queryImpl(this.toSql() ~ supplementalSql, values);
}
string toSql() {
string sql = "INSERT INTO\n";
sql ~= "\t" ~ table ~ " (\n";
foreach(idx, field; fields) {
sql ~= "\t\t" ~ field ~ ((idx != fields.length - 1) ? ",\n" : "\n");
}
sql ~= "\t) VALUES (\n";
foreach(idx, field; fieldsSetSql) {
sql ~= "\t\t" ~ field ~ ((idx != fieldsSetSql.length - 1) ? ",\n" : "\n");
}
sql ~= "\t)\n";
return sql;
}
}
/// WARNING: this is as susceptible to SQL injections as you would be writing it out by hand
class SelectBuilder : SqlBuilder {
string[] fields;
string table;
string[] joins;
string[] wheres;
string[] orderBys;
string[] groupBys;
int limit;
int limitStart;
Variant[string] vars;
void setVariable(T)(string name, T value) {
assert(name.length);
if(name[0] == '?')
name = name[1 .. $];
vars[name] = Variant(value);
}
Database db;
this(Database db = null) {
this.db = db;
}
/*
It would be nice to put variables right here in the builder
?name
will prolly be the syntax, and we'll do a Variant[string] of them.
Anything not translated here will of course be in the ending string too
*/
SelectBuilder cloned() {
auto s = new SelectBuilder(this.db);
s.fields = this.fields.dup;
s.table = this.table;
s.joins = this.joins.dup;
s.wheres = this.wheres.dup;
s.orderBys = this.orderBys.dup;
s.groupBys = this.groupBys.dup;
s.limit = this.limit;
s.limitStart = this.limitStart;
foreach(k, v; this.vars)
s.vars[k] = v;
return s;
}
override string toString() {
string sql = "SELECT ";
// the fields first
{
bool outputted = false;
foreach(field; fields) {
if(outputted)
sql ~= ", ";
else
outputted = true;
sql ~= field; // "`" ~ field ~ "`";
}
}
sql ~= " FROM " ~ table;
if(joins.length) {
foreach(join; joins)
sql ~= " " ~ join;
}
if(wheres.length) {
bool outputted = false;
sql ~= " WHERE ";
foreach(w; wheres) {
if(outputted)
sql ~= " AND ";
else
outputted = true;
sql ~= "(" ~ w ~ ")";
}
}
if(groupBys.length) {
bool outputted = false;
sql ~= " GROUP BY ";
foreach(o; groupBys) {
if(outputted)
sql ~= ", ";
else
outputted = true;
sql ~= o;
}
}
if(orderBys.length) {
bool outputted = false;
sql ~= " ORDER BY ";
foreach(o; orderBys) {
if(outputted)
sql ~= ", ";
else
outputted = true;
sql ~= o;
}
}
if(limit) {
sql ~= " LIMIT ";
if(limitStart)
sql ~= to!string(limitStart) ~ ", ";
sql ~= to!string(limit);
}
if(db is null)
return sql;
return escapedVariants(db, sql, vars);
}
}
// /////////////////////sql//////////////////////////////////
// used in the internal placeholder thing
string toSql(Database db, Variant a) {
auto v = a.peek!(void*);
if(v && (*v is null)) {
return "NULL";
} else if(auto t = a.peek!(SysTime)) {
return db.sysTimeToValue(*t);
} else if(auto t = a.peek!(DateTime)) {
// FIXME: this might be broken cuz of timezones!
return db.sysTimeToValue(cast(SysTime) *t);
} else if(auto t = a.peek!string) {
auto str = *t;
if(str is null)
return "NULL";
else
return '\'' ~ db.escape(str) ~ '\'';
} else {
string str = to!string(a);
return '\'' ~ db.escape(str) ~ '\'';
}
assert(0);
}
// just for convenience; "str".toSql(db);
string toSql(string s, Database db) {
//if(s is null)
//return "NULL";
return '\'' ~ db.escape(s) ~ '\'';
}
string toSql(long s, Database db) {
return to!string(s);
}
string escapedVariants(Database db, in string sql, Variant[string] t) {
if(t.keys.length <= 0 || sql.indexOf("?") == -1) {
return sql;
}
string fixedup;
int currentStart = 0;
// FIXME: let's make ?? render as ? so we have some escaping capability
foreach(i, dchar c; sql) {
if(c == '?') {
fixedup ~= sql[currentStart .. i];
int idxStart = cast(int) i + 1;
int idxLength;
bool isFirst = true;
while(idxStart + idxLength < sql.length) {
char C = sql[idxStart + idxLength];
if((C >= 'a' && C <= 'z') || (C >= 'A' && C <= 'Z') || C == '_' || (!isFirst && C >= '0' && C <= '9'))
idxLength++;
else
break;
isFirst = false;
}
auto idx = sql[idxStart .. idxStart + idxLength];
if(idx in t) {
fixedup ~= toSql(db, t[idx]);
currentStart = idxStart + idxLength;
} else {
// just leave it there, it might be done on another layer
currentStart = cast(int) i;
}
}
}
fixedup ~= sql[currentStart .. $];
return fixedup;
}
/// Note: ?n params are zero based!
string escapedVariants(Database db, in string sql, Variant[] t) {
// FIXME: let's make ?? render as ? so we have some escaping capability
// if nothing to escape or nothing to escape with, don't bother
if(t.length > 0 && sql.indexOf("?") != -1) {
string fixedup;
int currentIndex;
int currentStart = 0;
foreach(i, dchar c; sql) {
if(c == '?') {
fixedup ~= sql[currentStart .. i];
int idx = -1;
currentStart = cast(int) i + 1;
if((i + 1) < sql.length) {
auto n = sql[i + 1];
if(n >= '0' && n <= '9') {
currentStart = cast(int) i + 2;
idx = n - '0';
}
}
if(idx == -1) {
idx = currentIndex;
currentIndex++;
}
if(idx < 0 || idx >= t.length)
throw new Exception("SQL Parameter index is out of bounds: " ~ to!string(idx) ~ " at `"~sql[0 .. i]~"`");
fixedup ~= toSql(db, t[idx]);
}
}
fixedup ~= sql[currentStart .. $];
return fixedup;
/*
string fixedup;
int pos = 0;
void escAndAdd(string str, int q) {
fixedup ~= sql[pos..q] ~ '\'' ~ db.escape(str) ~ '\'';
}
foreach(a; t) {
int q = sql[pos..$].indexOf("?");
if(q == -1)
break;
q += pos;
auto v = a.peek!(void*);
if(v && (*v is null))
fixedup ~= sql[pos..q] ~ "NULL";
else {
string str = to!string(a);
escAndAdd(str, q);
}
pos = q+1;
}
fixedup ~= sql[pos..$];
sql = fixedup;
*/
}
return sql;
}
enum UpdateOrInsertMode {
CheckForMe,
AlwaysUpdate,
AlwaysInsert
}
// BIG FIXME: this should really use prepared statements
int updateOrInsert(Database db, string table, string[string] values, string where, UpdateOrInsertMode mode = UpdateOrInsertMode.CheckForMe, string key = "id") {
string identifierQuote = "";
bool insert = false;
final switch(mode) {
case UpdateOrInsertMode.CheckForMe:
auto res = db.query("SELECT "~key~" FROM "~identifierQuote~db.escape(table)~identifierQuote~" WHERE " ~ where);
insert = res.empty;
break;
case UpdateOrInsertMode.AlwaysInsert:
insert = true;
break;
case UpdateOrInsertMode.AlwaysUpdate:
insert = false;
break;
}
if(insert) {
string insertSql = "INSERT INTO " ~identifierQuote ~ db.escape(table) ~ identifierQuote ~ " ";
bool outputted = false;
string vs, cs;
foreach(column, value; values) {
if(column is null)
continue;
if(outputted) {
vs ~= ", ";
cs ~= ", ";
} else
outputted = true;
//cs ~= "`" ~ db.escape(column) ~ "`";
cs ~= identifierQuote ~ column ~ identifierQuote; // FIXME: possible insecure
if(value is null)
vs ~= "NULL";
else
vs ~= "'" ~ db.escape(value) ~ "'";
}
if(!outputted)
return 0;
insertSql ~= "(" ~ cs ~ ")";
insertSql ~= " VALUES ";
insertSql ~= "(" ~ vs ~ ")";
db.query(insertSql);
return 0; // db.lastInsertId;
} else {
string updateSql = "UPDATE "~identifierQuote~db.escape(table)~identifierQuote~" SET ";
bool outputted = false;
foreach(column, value; values) {
if(column is null)
continue;
if(outputted)
updateSql ~= ", ";
else
outputted = true;
if(value is null)
updateSql ~= identifierQuote ~ db.escape(column) ~ identifierQuote ~ " = NULL";
else
updateSql ~= identifierQuote ~ db.escape(column) ~ identifierQuote ~ " = '" ~ db.escape(value) ~ "'";
}
if(!outputted)
return 0;
updateSql ~= " WHERE " ~ where;
db.query(updateSql);
return 0;
}
}
string fixupSqlForDataObjectUse(string sql, string[string] keyMapping = null) {
string[] tableNames;
string piece = sql;
sizediff_t idx;
while((idx = piece.indexOf("JOIN")) != -1) {
auto start = idx + 5;
auto i = start;
while(piece[i] != ' ' && piece[i] != '\n' && piece[i] != '\t' && piece[i] != ',')
i++;
auto end = i;
tableNames ~= strip(piece[start..end]);
piece = piece[end..$];
}
idx = sql.indexOf("FROM");
if(idx != -1) {
auto start = idx + 5;
auto i = start;
start = i;
while(i < sql.length && !(sql[i] > 'A' && sql[i] <= 'Z')) // if not uppercase, except for A (for AS) to avoid SQL keywords (hack)
i++;
auto from = sql[start..i];
auto pieces = from.split(",");
foreach(p; pieces) {
p = p.strip();
start = 0;
i = 0;
while(i < p.length && p[i] != ' ' && p[i] != '\n' && p[i] != '\t' && p[i] != ',')
i++;
tableNames ~= strip(p[start..i]);
}
string sqlToAdd;
foreach(tbl; tableNames) {
if(tbl.length) {
string keyName = "id";
if(tbl in keyMapping)
keyName = keyMapping[tbl];
sqlToAdd ~= ", " ~ tbl ~ "." ~ keyName ~ " AS " ~ "id_from_" ~ tbl;
}
}
sqlToAdd ~= " ";
sql = sql[0..idx] ~ sqlToAdd ~ sql[idx..$];
}
return sql;
}
/*
This is like a result set
DataObject res = [...];
res.name = "Something";
res.commit; // runs the actual update or insert
res = new DataObject(fields, tables
when doing a select, we need to figure out all the tables and modify the query to include the ids we need
search for FROM and JOIN
the next token is the table name
right before the FROM, add the ids of each table
given:
SELECT name, phone FROM customers LEFT JOIN phones ON customer.id = phones.cust_id
we want:
SELECT name, phone, customers.id AS id_from_customers, phones.id AS id_from_phones FROM customers LEFT JOIN phones ON customer.id[...];
*/
mixin template DataObjectConstructors() {
this(Database db, string[string] res, Tuple!(string, string)[string] mappings) {
super(db, res, mappings);
}
}
private string yield(string what) { return `if(auto result = dg(`~what~`)) return result;`; }
import std.typecons;
import std.json; // for json value making
class DataObject {
// lets you just free-form set fields, assuming they all come from the given table
// note it doesn't try to handle joins for new rows. you've gotta do that yourself
this(Database db, string table, UpdateOrInsertMode mode = UpdateOrInsertMode.CheckForMe) {
assert(db !is null);
this.db = db;
this.table = table;
this.mode = mode;
}
JSONValue makeJsonValue() {
JSONValue val;
JSONValue[string] valo;
//val.type = JSON_TYPE.OBJECT;
foreach(k, v; fields) {
JSONValue s;
//s.type = JSON_TYPE.STRING;
s.str = v;
valo[k] = s;
}
val = valo;
return val;
}
this(Database db, string[string] res, Tuple!(string, string)[string] mappings) {
this.db = db;
this.mappings = mappings;
this.fields = res;
mode = UpdateOrInsertMode.AlwaysUpdate;
}
string table;
// table, column [alias]
Tuple!(string, string)[string] mappings;
// value [field] [table]
string[string][string] multiTableKeys; // note this is not set internally tight now
// but it can be set manually to do multi table mappings for automatic update
string opDispatch(string field, string file = __FILE__, size_t line = __LINE__)()
if((field.length < 8 || field[0..8] != "id_from_") && field != "popFront")
{
if(field !in fields)
throw new Exception("no such field " ~ field, file, line);
return fields[field];
}
string opDispatch(string field, T)(T t)
if((field.length < 8 || field[0..8] != "id_from_") && field != "popFront")
{
static if(__traits(compiles, t is null)) {
if(t is null)
setImpl(field, null);
else
setImpl(field, to!string(t));
} else
setImpl(field, to!string(t));
return fields[field];
}
private void setImpl(string field, string value) {
if(field in fields) {
if(fields[field] != value)
changed[field] = true;
} else {
changed[field] = true;
}
fields[field] = value;
}
public void setWithoutChange(string field, string value) {
fields[field] = value;
}
int opApply(int delegate(ref string) dg) {
foreach(a; fields)
mixin(yield("a"));
return 0;
}
int opApply(int delegate(ref string, ref string) dg) {
foreach(a, b; fields)
mixin(yield("a, b"));
return 0;
}
string opIndex(string field, string file = __FILE__, size_t line = __LINE__) {
if(field !in fields)
throw new DatabaseException("No such field in data object: " ~ field, file, line);
return fields[field];
}
string opIndexAssign(string value, string field) {
setImpl(field, value);
return value;
}
string* opBinary(string op)(string key) if(op == "in") {
return key in fields;
}
string[string] fields;
bool[string] changed;
void commitChanges() {
commitChanges(cast(string) null, null);
}
void commitChanges(string key, string keyField) {
commitChanges(key is null ? null : [key], keyField is null ? null : [keyField]);
}
void commitChanges(string[] keys, string[] keyFields = null) {
string[string][string] toUpdate;
int updateCount = 0;
foreach(field, c; changed) {
if(c) {
string tbl, col;
if(mappings is null) {
tbl = this.table;
col = field;
} else {
if(field !in mappings)
assert(0, "no such mapping for " ~ field);
auto m = mappings[field];
tbl = m[0];
col = m[1];
}
toUpdate[tbl][col] = fields[field];
updateCount++;
}
}
if(updateCount) {
db.startTransaction();
scope(success) db.query("COMMIT");
scope(failure) db.query("ROLLBACK");
foreach(tbl, values; toUpdate) {
string where, keyFieldToPass;
if(keys is null) {
keys = [null];
}
if(multiTableKeys is null || tbl !in multiTableKeys)
foreach(i, key; keys) {
string keyField;
if(key is null) {
key = "id_from_" ~ tbl;
if(key !in fields)
key = "id";
}
if(i >= keyFields.length || keyFields[i] is null) {
if(key == "id_from_" ~ tbl)
keyField = "id";
else
keyField = key;
} else {
keyField = keyFields[i];
}
if(where.length)
where ~= " AND ";
auto f = key in fields ? fields[key] : null;
if(f is null)
where ~= keyField ~ " = NULL";
else
where ~= keyField ~ " = '"~db.escape(f)~"'" ;
if(keyFieldToPass.length)
keyFieldToPass ~= ", ";
keyFieldToPass ~= keyField;
}
else {
foreach(keyField, v; multiTableKeys[tbl]) {
if(where.length)
where ~= " AND ";
where ~= keyField ~ " = '"~db.escape(v)~"'" ;
if(keyFieldToPass.length)
keyFieldToPass ~= ", ";
keyFieldToPass ~= keyField;
}
}
updateOrInsert(db, tbl, values, where, mode, keyFieldToPass);
}
changed = null;
}
}
void commitDelete() {
if(mode == UpdateOrInsertMode.AlwaysInsert)
throw new Exception("Cannot delete an item not in the database");
assert(table.length); // FIXME, should work with fancy items too
// FIXME: escaping and primary key questions
db.query("DELETE FROM " ~ table ~ " WHERE id = '" ~ db.escape(fields["id"]) ~ "'");
}
string getAlias(string table, string column) {
string ali;
if(mappings is null) {
if(this.table is null) {
mappings[column] = tuple(table, column);
return column;
} else {
assert(table == this.table);
ali = column;
}
} else {
foreach(a, what; mappings)
if(what[0] == table && what[1] == column
&& a.indexOf("id_from_") == -1) {
ali = a;
break;
}
}
return ali;
}
void set(string table, string column, string value) {
string ali = getAlias(table, column);
//assert(ali in fields);
setImpl(ali, value);
}
string select(string table, string column) {
string ali = getAlias(table, column);
//assert(ali in fields);
if(ali in fields)
return fields[ali];
return null;
}
DataObject addNew() {
auto n = new DataObject(db, null);
n.db = this.db;
n.table = this.table;
n.mappings = this.mappings;
foreach(k, v; this.fields)
if(k.indexOf("id_from_") == -1)
n.fields[k] = v;
else
n.fields[k] = null; // don't copy ids
n.mode = UpdateOrInsertMode.AlwaysInsert;
return n;
}
Database db;
UpdateOrInsertMode mode;
}
/**
You can subclass DataObject if you want to
get some compile time checks or better types.
You'll want to disable opDispatch, then forward your
properties to the super opDispatch.
*/
/*mixin*/ string DataObjectField(T, string table, string column, string aliasAs = null)() {
string aliasAs_;
if(aliasAs is null)
aliasAs_ = column;
else
aliasAs_ = aliasAs;
return `
@property void `~aliasAs_~`(`~T.stringof~` setTo) {
super.set("`~table~`", "`~column~`", to!string(setTo));
}
@property `~T.stringof~` `~aliasAs_~` () {
return to!(`~T.stringof~`)(super.select("`~table~`", "`~column~`"));
}
`;
}
mixin template StrictDataObject() {
// disable opdispatch
string opDispatch(string name)(...) if (0) {}
}
string createDataObjectFieldsFromAlias(string table, fieldsToUse)() {
string ret;
fieldsToUse f;
foreach(member; __traits(allMembers, fieldsToUse)) {
ret ~= DataObjectField!(typeof(__traits(getMember, f, member)), table, member);
}
return ret;
}
/**
This creates an editable data object out of a simple struct.
struct MyFields {
int id;
string name;
}
alias SimpleDataObject!("my_table", MyFields) User;
User a = new User(db);
a.id = 30;
a.name = "hello";
a.commitChanges(); // tries an update or insert on the my_table table
Unlike the base DataObject class, this template provides compile time
checking for types and names, based on the struct you pass in:
a.id = "aa"; // compile error
a.notAField; // compile error
*/
class SimpleDataObject(string tableToUse, fieldsToUse) : DataObject {
mixin StrictDataObject!();
mixin(createDataObjectFieldsFromAlias!(tableToUse, fieldsToUse)());
this(Database db) {
super(db, tableToUse);
}
}
/**
Given some SQL, it finds the CREATE TABLE
instruction for the given tableName.
(this is so it can find one entry from
a file with several SQL commands. But it
may break on a complex file, so try to only
feed it simple sql files.)
From that, it pulls out the members to create a
simple struct based on it.
It's not terribly smart, so it will probably
break on complex tables.
Data types handled:
```
INTEGER, SMALLINT, MEDIUMINT -> D's int
TINYINT -> D's bool
BIGINT -> D's long
TEXT, VARCHAR -> D's string
FLOAT, DOUBLE -> D's double
```
It also reads DEFAULT values to pass to D, except for NULL.
It ignores any length restrictions.
Bugs:
$(LIST
* Skips all constraints
* Doesn't handle nullable fields, except with strings
* It only handles SQL keywords if they are all caps
)
This, when combined with SimpleDataObject!(),
can automatically create usable D classes from
SQL input.
*/
struct StructFromCreateTable(string sql, string tableName) {
mixin(getCreateTable(sql, tableName));
}
string getCreateTable(string sql, string tableName) {
skip:
while(readWord(sql) != "CREATE") {}
assert(readWord(sql) == "TABLE");
if(readWord(sql) != tableName)
goto skip;
assert(readWord(sql) == "(");
int state;
int parens;
struct Field {
string name;
string type;
string defaultValue;
}
Field*[] fields;
string word = readWord(sql);
Field* current = new Field(); // well, this is interesting... under new DMD, not using new breaks it in CTFE because it overwrites the one entry!
while(word != ")" || parens) {
if(word == ")") {
parens --;
word = readWord(sql);
continue;
}
if(word == "(") {
parens ++;
word = readWord(sql);
continue;
}
switch(state) {
default: assert(0);
case 0:
if(word[0] >= 'A' && word[0] <= 'Z') {
state = 4;
break; // we want to skip this since it starts with a keyword (we hope)
}
current.name = word;
state = 1;
break;
case 1:
current.type ~= word;
state = 2;
break;
case 2:
if(word == "DEFAULT")
state = 3;
else if (word == ",") {
fields ~= current;
current = new Field();
state = 0; // next
}
break;
case 3:
current.defaultValue = word;
state = 2; // back to skipping
break;
case 4:
if(word == ",")
state = 0;
}
word = readWord(sql);
}
if(current.name !is null)
fields ~= current;
string structCode;
foreach(field; fields) {
structCode ~= "\t";
switch(field.type) {
case "INTEGER":
case "SMALLINT":
case "MEDIUMINT":
case "SERIAL": // added Oct 23, 2021
structCode ~= "int";
break;
case "BOOLEAN":
case "TINYINT":
structCode ~= "bool";
break;
case "BIGINT":
structCode ~= "long";
break;
case "CHAR":
case "char":
case "VARCHAR":
case "varchar":
case "TEXT":
case "text":
case "TIMESTAMPTZ": // added Oct 23, 2021
structCode ~= "string";
break;
case "FLOAT":
case "DOUBLE":
structCode ~= "double";
break;
default:
assert(0, "unknown type " ~ field.type ~ " for " ~ field.name);
}
structCode ~= " ";
structCode ~= field.name;
if(field.defaultValue !is null) {
structCode ~= " = " ~ field.defaultValue;
}
structCode ~= ";\n";
}
return structCode;
}
string readWord(ref string src) {
reset:
while(src[0] == ' ' || src[0] == '\t' || src[0] == '\n')
src = src[1..$];
if(src.length >= 2 && src[0] == '-' && src[1] == '-') { // a comment, skip it
while(src[0] != '\n')
src = src[1..$];
goto reset;
}
int start, pos;
if(src[0] == '`') {
src = src[1..$];
while(src[pos] != '`')
pos++;
goto gotit;
}
while(
(src[pos] >= 'A' && src[pos] <= 'Z')
||
(src[pos] >= 'a' && src[pos] <= 'z')
||
(src[pos] >= '0' && src[pos] <= '9')
||
src[pos] == '_'
)
pos++;
gotit:
if(pos == 0)
pos = 1;
string tmp = src[0..pos];
if(src[pos] == '`')
pos++; // skip the ending quote;
src = src[pos..$];
return tmp;
}
/// Combines StructFromCreateTable and SimpleDataObject into a one-stop template.
/// alias DataObjectFromSqlCreateTable(import("file.sql"), "my_table") MyTable;
template DataObjectFromSqlCreateTable(string sql, string tableName) {
alias SimpleDataObject!(tableName, StructFromCreateTable!(sql, tableName)) DataObjectFromSqlCreateTable;
}
/+
class MyDataObject : DataObject {
this() {
super(new Database("localhost", "root", "pass", "social"), null);
}
mixin StrictDataObject!();
mixin(DataObjectField!(int, "users", "id"));
}
void main() {
auto a = new MyDataObject;
a.fields["id"] = "10";
a.id = 34;
a.commitChanges;
}
+/
/*
alias DataObjectFromSqlCreateTable!(import("db.sql"), "users") Test;
void main() {
auto a = new Test(null);
a.cool = "way";
a.value = 100;
}
*/
void typeinfoBugWorkaround() {
assert(0, to!string(typeid(immutable(char[])[immutable(char)[]])));
}
mixin template DatabaseOperations(string table) {
DataObject getAsDb(Database db) {
return objectToDataObject!(typeof(this))(this, db, table);
}
static typeof(this) fromRow(Row row) {
return rowToObject!(typeof(this))(row);
}
static typeof(this) fromId(Database db, long id) {
auto query = new SelectBuilder(db);
query.table = table;
query.fields ~= "*";
query.wheres ~= "id = ?0";
auto res = db.query(query.toString(), id);
if(res.empty)
throw new Exception("no such row");
return fromRow(res.front);
}
}
string toDbName(string s) {
import std.string;
return s.toLower ~ "s";
}
/++
Easy interop with [arsd.cgi] serveRestObject classes.
History:
Added October 31, 2021.
Warning: not stable/supported at this time.
+/
mixin template DatabaseRestObject(alias getDb) {
override void save() {
this.id = this.saveToDatabase(getDb());
}
override void load(string urlId) {
import std.conv;
this.id = to!int(urlId);
this.loadFromDatabase(getDb());
}
}
void loadFromDatabase(T)(T t, Database database, string tableName = toDbName(__traits(identifier, T))) {
static assert(is(T == class), "structs wont work for this function, try rowToObject instead for now and complain to me adding struct support is easy enough");
auto query = new SelectBuilder(database);
query.table = tableName;
query.fields ~= "*";
query.wheres ~= "id = ?0";
auto res = database.query(query.toString(), t.id);
if(res.empty)
throw new Exception("no such row");
rowToObject(res.front, t);
}
auto saveToDatabase(T)(T t, Database database, string tableName = toDbName(__traits(identifier, T))) {
DataObject obj = objectToDataObject(t, database, tableName, t.id ? UpdateOrInsertMode.AlwaysUpdate : UpdateOrInsertMode.AlwaysInsert);
if(!t.id) {
import std.random; // omg i hate htis
obj.id = uniform(2, int.max);
}
obj.commitChanges;
return t.id;
}
/+ +
auto builder = UpdateBuilder("rooms");
builder.player_one_selection = challenge;
builder.execute(db, id);
+/
private struct UpdateBuilder {
this(T)(string table, T id) {
this.table = table;
import std.conv;
this.id = to!string(id);
}
}
import std.traits, std.datetime;
enum DbSave;
enum DbNullable;
alias AliasHelper(alias T) = T;
T rowToObject(T)(Row row) {
T t;
static if(is(T == class))
t = new T();
rowToObject(row, t);
return t;
}
void rowToObject(T)(Row row, ref T t) {
import arsd.dom, arsd.cgi;
foreach(memberName; __traits(allMembers, T)) {
alias member = AliasHelper!(__traits(getMember, t, memberName));
foreach(attr; __traits(getAttributes, member)) {
static if(is(attr == DbSave)) {
static if(is(typeof(member) == enum))
__traits(getMember, t, memberName) = cast(typeof(member)) to!int(row[memberName]);
else static if(is(typeof(member) == bool)) {
__traits(getMember, t, memberName) = row[memberName][0] == 't';
} else static if(is(typeof(member) == Html)) {
__traits(getMember, t, memberName).source = row[memberName];
} else static if(is(typeof(member) == DateTime))
__traits(getMember, t, memberName) = cast(DateTime) dTimeToSysTime(to!long(row[memberName]));
else {
if(row[memberName].length)
__traits(getMember, t, memberName) = to!(typeof(member))(row[memberName]);
// otherwise, we'll leave it as .init - most likely null
}
}
}
}
}
DataObject objectToDataObject(T)(T t, Database db, string table, UpdateOrInsertMode mode = UpdateOrInsertMode.CheckForMe) {
import arsd.dom, arsd.cgi;
DataObject obj = new DataObject(db, table, mode);
foreach(memberName; __traits(allMembers, T)) {
alias member = AliasHelper!(__traits(getMember, t, memberName));
foreach(attr; __traits(getAttributes, member)) {
static if(is(attr == DbSave)) {
static if(is(typeof(member) == enum))
obj.opDispatch!memberName(cast(int) __traits(getMember, t, memberName));
else static if(is(typeof(member) == Html)) {
obj.opDispatch!memberName(__traits(getMember, t, memberName).source);
} else static if(is(typeof(member) == DateTime))
obj.opDispatch!memberName(dateTimeToDTime(__traits(getMember, t, memberName)));
else {
bool done;
foreach(attr2; __traits(getAttributes, member)) {
static if(is(attr2 == DbNullable)) {
if(__traits(getMember, t, memberName) == 0)
done = true;
}
}
if(!done) {
static if(memberName == "id") {
if(__traits(getMember, t, memberName)) {
// maybe i shouldn't actually set the id but idk
obj.opDispatch!memberName(__traits(getMember, t, memberName));
} else {
// it is null, let the system do something about it like auto increment
}
} else
obj.opDispatch!memberName(__traits(getMember, t, memberName));
}
}
}
}
}
return obj;
}
void fillData(T)(string delegate(string, string) setter, T obj, string name) {
fillData( (k, v) { setter(k, v); }, obj, name);
}
void fillData(T)(void delegate(string, string) setter, T obj, string name) {
import arsd.dom, arsd.cgi;
import std.traits;
static if(!isSomeString!T && isArray!T) {
// FIXME: indexing
foreach(o; obj)
fillData(setter, o, name);
} else static if(is(T == DateTime)) {
fillData(setter, obj.toISOExtString(), name);
} else static if(is(T == Html)) {
fillData(setter, obj.source, name);
} else static if(is(T == struct)) {
foreach(idx, memberName; __traits(allMembers, T)) {
alias member = AliasHelper!(__traits(getMember, obj, memberName));
static if(!is(typeof(member) == function))
fillData(setter, __traits(getMember, obj, memberName), name ~ "." ~ memberName);
else static if(is(typeof(member) == function)) {
static if(functionAttributes!member & FunctionAttribute.property) {
fillData(setter, __traits(getMember, obj, memberName)(), name ~ "." ~ memberName);
}
}
}
} else {
auto value = to!string(obj);
setter(name, value);
}
}
struct varchar(size_t max) {
private string payload;
this(string s, string file = __FILE__, size_t line = __LINE__) {
opAssign(s, file, line);
}
typeof(this) opAssign(string s, string file = __FILE__, size_t line = __LINE__) {
if(s.length > max)
throw new Exception(s ~ " :: too long", file, line);
payload = s;
return this;
}
string asString() {
return payload;
}
alias asString this;
}
version (unittest)
{
/// Unittest utility that returns a predefined set of values
package (arsd) final class PredefinedResultSet : ResultSet
{
string[] fields;
Row[] rows;
size_t current;
this(string[] fields, Row[] rows)
{
this.fields = fields;
this.rows = rows;
foreach (ref row; rows)
row.resultSet = this;
}
int getFieldIndex(const string field) const
{
foreach (const idx, const val; fields)
if (val == field)
return cast(int) idx;
assert(false, "No field with name: " ~ field);
}
string[] fieldNames()
{
return fields;
}
@property bool empty() const
{
return current == rows.length;
}
Row front() @property
{
assert(!empty);
return rows[current];
}
void popFront()
{
assert(!empty);
current++;
}
size_t length() @property
{
return rows.length - current;
}
}
}
|
D
|
someone who owns a home
|
D
|
/Users/Avinash/Documents/Code/Poochie/Poochie/DerivedData/Poochie/Build/Intermediates/Pods.build/Debug-iphonesimulator/EPDeckView.build/Objects-normal/x86_64/EPDeckView.o : /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPCardView.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPDeckView.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPDeckViewAnimationManager.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/Extensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/Target\ Support\ Files/EPDeckView/EPDeckView-umbrella.h /Users/Avinash/Documents/Code/Poochie/Poochie/DerivedData/Poochie/Build/Intermediates/Pods.build/Debug-iphonesimulator/EPDeckView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
/Users/Avinash/Documents/Code/Poochie/Poochie/DerivedData/Poochie/Build/Intermediates/Pods.build/Debug-iphonesimulator/EPDeckView.build/Objects-normal/x86_64/EPDeckView~partial.swiftmodule : /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPCardView.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPDeckView.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPDeckViewAnimationManager.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/Extensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/Target\ Support\ Files/EPDeckView/EPDeckView-umbrella.h /Users/Avinash/Documents/Code/Poochie/Poochie/DerivedData/Poochie/Build/Intermediates/Pods.build/Debug-iphonesimulator/EPDeckView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
/Users/Avinash/Documents/Code/Poochie/Poochie/DerivedData/Poochie/Build/Intermediates/Pods.build/Debug-iphonesimulator/EPDeckView.build/Objects-normal/x86_64/EPDeckView~partial.swiftdoc : /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPCardView.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPDeckView.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/EPDeckViewAnimationManager.swift /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/EPDeckView/Pod/Classes/Extensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Avinash/Documents/Code/Poochie/Poochie/Pods/Target\ Support\ Files/EPDeckView/EPDeckView-umbrella.h /Users/Avinash/Documents/Code/Poochie/Poochie/DerivedData/Poochie/Build/Intermediates/Pods.build/Debug-iphonesimulator/EPDeckView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
|
D
|
module ogregl.compat;
import ogre.compat;
import std.conv: to;
import derelict.opengl3.gl;
//No nVidia or ATI specific bits right now if ever
enum
{
NV_fragment_program = false,
NV_fragment_program_option = false,
NV_occlusion_query = false,
NV_register_combiners = false,
NV_texture_compression_vtc = false,
NV_texture_shader = false,
NV_vertex_program = false,
NV_vertex_program2_option = false,
NV_vertex_program3 = false,
NV_vertex_program4 = false,
NV_register_combiners2 = false,
NV_fragment_program2 = false,
NV_fragment_program4 = false,
ATI_draw_buffers = false,
ATI_fragment_shader = false,
ATI_FS_GpuProgram = false,
ATI_texture_float = false,
}
//Alias ARB suffixed to non-suffixed etc.
alias glClientActiveTexture glClientActiveTextureARB;
alias glEnableVertexAttribArray glEnableVertexAttribArrayARB;
alias glVertexAttribPointer glVertexAttribPointerARB;
//alias glGetProgramiv glGetProgramivARB; //seg fault on 1.4 anyway
alias glDrawElementsInstanced glDrawElementsInstancedARB;
alias glDisableVertexAttribArray glDisableVertexAttribArrayARB;
alias glVertexAttribDivisor glVertexAttribDivisorARB;
alias glSecondaryColor3f glSecondaryColor3fEXT;
string gluErrorString(GLenum errorNumber)
{
//GLubyte *errString = gluErrorString (errorNumber);
if(errorNumber==0)
{
return "No error";
}
//TODO Only gets inited once, right?
enum string[GLenum] errors =
[
GL_INVALID_ENUM: "Invalid enumerator.",
GL_INVALID_VALUE: "Invalid value.",
GL_INVALID_OPERATION: "Invalid operation.",
GL_INVALID_FRAMEBUFFER_OPERATION: "Invalid framebuffer operation.",
GL_STACK_OVERFLOW: "Stack overflow.",
GL_STACK_UNDERFLOW: "Stack underflow.",
GL_OUT_OF_MEMORY: "Out of memory.",
GL_TABLE_TOO_LARGE: "Table too large.",
];
auto err = errorNumber in errors;
return (err !is null ? *err :
"Unknown error: " ~ to!string(errorNumber)); //GLU errors
}
|
D
|
func void B_KommMit()
{
AI_Output(other,self,"DIA_AkilsSchaf_KommMit_15_00"); //Come with me!
};
func void b_biff_verarschen()
{
AI_Output(self,other,"DIA_Biff_ARBEITEN_lebenlassen_07_01"); //I don't need you to make a fool out of myself.
};
func void B_BiffsAnteil_Berechnung()
{
var int momentanKohle;
var int UeberschussKohle;
momentanKohle = Npc_HasItems(hero,ItMi_Gold);
UeberschussKohle = momentanKohle - DJG_Biff_SCGold;
BiffsAnteil = UeberschussKohle / 2;
};
func void B_BiffsAnteil_PrintScreen()
{
var string BiffsAnteilText_Teil;
var string BiffsAnteilText;
var string Anteil;
Anteil = IntToString(BiffsAnteil);
BiffsAnteilText_Teil = ConcatStrings(PRINT_BiffsAnteil,Anteil);
BiffsAnteilText = ConcatStrings(BiffsAnteilText_Teil,PRINT_BiffGold);
AI_PrintScreen(BiffsAnteilText,-1,45,FONT_ScreenSmall,4);
};
func void B_Biff_SetRefuseTalk()
{
if(DJG_Biff_HalbeHalbe == TRUE)
{
Npc_SetRefuseTalk(Biff,1000);
}
else
{
Npc_SetRefuseTalk(Biff,600);
};
};
instance DIA_Biff_EXIT(C_Info)
{
npc = DJG_713_Biff;
nr = 999;
condition = DIA_Biff_EXIT_Condition;
information = DIA_Biff_EXIT_Info;
permanent = TRUE;
description = Dialog_Ende;
};
func int DIA_Biff_EXIT_Condition()
{
return TRUE;
};
func void DIA_Biff_EXIT_Info()
{
AI_StopProcessInfos(self);
};
instance DIA_Biff_HALLO(C_Info)
{
npc = DJG_713_Biff;
nr = 5;
condition = DIA_Biff_HALLO_Condition;
information = DIA_Biff_HALLO_Info;
description = "What are you doing here?";
};
func int DIA_Biff_HALLO_Condition()
{
return TRUE;
};
func void DIA_Biff_HALLO_Info()
{
AI_Output(other,self,"DIA_Biff_HALLO_15_00"); //What are you doing here?
AI_Output(self,other,"DIA_Biff_HALLO_07_01"); //That is truly the stupidest question I have heard in a long time. What does it look like?
Info_AddChoice(DIA_Biff_HALLO,"I can't tell anything from that idiotic face you're making.",DIA_Biff_HALLO_spott);
Info_AddChoice(DIA_Biff_HALLO,"I haven't a clue.",DIA_Biff_HALLO_keineAhnung);
Info_AddChoice(DIA_Biff_HALLO,"Never mind.",DIA_Biff_HALLO_doof);
};
func void DIA_Biff_HALLO_doof()
{
AI_Output(other,self,"DIA_Biff_HALLO_doof_15_00"); //Never mind.
Info_ClearChoices(DIA_Biff_HALLO);
};
func void DIA_Biff_HALLO_spott()
{
AI_Output(other,self,"DIA_Biff_HALLO_spott_15_00"); //I can't tell anything from that idiotic face you're making. That's why I have to ask.
AI_Output(self,other,"DIA_Biff_HALLO_spott_07_01"); //You're mouth is too big for my taste. It's time somebody shut it for you.
AI_StopProcessInfos(self);
B_Attack(self,other,AR_NONE,1);
DJG_BiffParty_nomore = DJG_BiffParty_nomore + 1;
};
func void DIA_Biff_HALLO_keineAhnung()
{
AI_Output(other,self,"DIA_Biff_HALLO_keineAhnung_15_00"); //I haven't a clue.
AI_Output(self,other,"DIA_Biff_HALLO_keineAhnung_07_01"); //I'm waiting for something to finally happen here.
Info_AddChoice(DIA_Biff_HALLO,"What do you expect to happen?",DIA_Biff_HALLO_keineAhnung_was);
};
func void DIA_Biff_HALLO_keineAhnung_was()
{
AI_Output(other,self,"DIA_Biff_HALLO_keineAhnung_was_15_00"); //What do you expect to happen?
AI_Output(self,other,"DIA_Biff_HALLO_keineAhnung_was_07_01"); //Oh, man, you are really not the sharpest knife in the drawer. If I knew that, I wouldn't have to wait.
Info_AddChoice(DIA_Biff_HALLO,"What could happen, then?",DIA_Biff_HALLO_keineAhnung_was_was2);
};
func void DIA_Biff_HALLO_keineAhnung_was_was2()
{
AI_Output(other,self,"DIA_Biff_HALLO_keineAhnung_was_was2_15_00"); //What could happen, then?
AI_Output(self,other,"DIA_Biff_HALLO_keineAhnung_was_was2_07_01"); //You're getting on my nerves. Look, I don't care what happens. Just as long as something does happen.
Info_AddChoice(DIA_Biff_HALLO,"Why don't you do something, then?",DIA_Biff_HALLO_keineAhnung_was_was2_was3);
};
func void DIA_Biff_HALLO_keineAhnung_was_was2_was3()
{
AI_Output(other,self,"DIA_Biff_HALLO_keineAhnung_was_was2_was3_15_00"); //Why don't you do something, then?
AI_Output(self,other,"DIA_Biff_HALLO_keineAhnung_was_was2_was3_07_01"); //If you don't stop asking stupid questions right now, I'm going to shut your dirty mouth.
Info_AddChoice(DIA_Biff_HALLO,"If you just wait around here, nothing will ever happen!",DIA_Biff_HALLO_keineAhnung_was_was2_was3_was4);
};
func void DIA_Biff_HALLO_keineAhnung_was_was2_was3_was4()
{
AI_Output(other,self,"DIA_Biff_HALLO_keineAhnung_was_was2_was3_was4_15_00"); //If you just wait around here, nothing will ever happen!
AI_Output(self,other,"DIA_Biff_HALLO_keineAhnung_was_was2_was3_was4_07_01"); //That's it!
AI_StopProcessInfos(self);
B_Attack(self,other,AR_NONE,1);
DJG_BiffParty_nomore = DJG_BiffParty_nomore + 1;
};
instance DIA_Biff_WASHIERIMTAL(C_Info)
{
npc = DJG_713_Biff;
nr = 7;
condition = DIA_Biff_WASHIERIMTAL_Condition;
information = DIA_Biff_WASHIERIMTAL_Info;
description = "What are you hoping to find here in the Valley of Mines?";
};
func int DIA_Biff_WASHIERIMTAL_Condition()
{
if(Npc_KnowsInfo(other,DIA_Biff_HALLO))
{
return TRUE;
};
};
func void DIA_Biff_WASHIERIMTAL_Info()
{
AI_Output(other,self,"DIA_Biff_WASHIERIMTAL_15_00"); //What are you hoping to find here in the Valley of Mines?
AI_Output(self,other,"DIA_Biff_WASHIERIMTAL_07_01"); //Gold and honor. What else? When I'm finished with the dragon, I'll be swimming in gold.
AI_Output(self,other,"DIA_Biff_WASHIERIMTAL_07_02"); //Enough to spend the rest of my life frequenting every tavern and cathouse in the country.
Info_AddChoice(DIA_Biff_WASHIERIMTAL,"Well, then, I wish you luck.",DIA_Biff_WASHIERIMTAL_vielglueck);
Info_AddChoice(DIA_Biff_WASHIERIMTAL,"Either that, or you'll be dead!",DIA_Biff_WASHIERIMTAL_ihrtot);
};
func void DIA_Biff_WASHIERIMTAL_ihrtot()
{
AI_Output(other,self,"DIA_Biff_WASHIERIMTAL_ihrtot_15_00"); //Either that, or you'll be dead!
AI_Output(self,other,"DIA_Biff_WASHIERIMTAL_ihrtot_07_01"); //So what? That's part of it. If you want to get rich, you've got to take a few risks.
Info_ClearChoices(DIA_Biff_WASHIERIMTAL);
};
func void DIA_Biff_WASHIERIMTAL_vielglueck()
{
AI_Output(other,self,"DIA_Biff_WASHIERIMTAL_vielglueck_15_00"); //Well, then, I wish you luck.
AI_Output(self,other,"DIA_Biff_WASHIERIMTAL_vielglueck_07_01"); //I don't need luck. Just my axe.
Info_ClearChoices(DIA_Biff_WASHIERIMTAL);
};
instance DIA_Biff_ARBEITEN(C_Info)
{
npc = DJG_713_Biff;
nr = 8;
condition = DIA_Biff_ARBEITEN_Condition;
information = DIA_Biff_ARBEITEN_Info;
permanent = TRUE;
description = "How would you like to work for me from now on?";
};
func int DIA_Biff_ARBEITEN_Condition()
{
if((DJG_BiffParty == FALSE) && Npc_KnowsInfo(other,DIA_Biff_HALLO) && (DJG_Biff_Stay == FALSE))
{
return TRUE;
};
};
func void DIA_Biff_ARBEITEN_Info()
{
AI_Output(other,self,"DIA_Biff_ARBEITEN_15_00"); //How would you like to work for me from now on?
B_LogEntry(TOPIC_Dragonhunter,"The Dragon Hunter Biff is a typical mercenary. If I pay him, he'll fight for me.");
if(DJG_BiffParty_nomore >= 6)
{
AI_Output(self,other,"DIA_Biff_ARBEITEN_07_01"); //We tried that once. Didn't work very well. Thanks, not interested.
AI_StopProcessInfos(self);
}
else
{
AI_Output(self,other,"DIA_Biff_ARBEITEN_07_02"); //Mmh. Why not? What are you paying?
};
Info_ClearChoices(DIA_Biff_ARBEITEN);
Info_AddChoice(DIA_Biff_ARBEITEN,"Count yourself lucky if I spare your life.",DIA_Biff_ARBEITEN_lebenlassen);
Info_AddChoice(DIA_Biff_ARBEITEN,"You'll get half of the booty.",DIA_Biff_ARBEITEN_HalbeHalbe);
Info_AddChoice(DIA_Biff_ARBEITEN,"I'll pay you 100 gold coins for now.",DIA_Biff_ARBEITEN_100);
};
func void DIA_Biff_ARBEITEN_100()
{
AI_Output(other,self,"DIA_Biff_ARBEITEN_100_15_00"); //I'll pay you 100 gold coins for now.
if(B_GiveInvItems(other,self,ItMi_Gold,100))
{
AI_Output(self,other,"DIA_Biff_ARBEITEN_100_07_01"); //All right then. It's a start, anyway. Go ahead. I'll follow you.
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"Follow");
B_Biff_SetRefuseTalk();
self.aivar[AIV_PARTYMEMBER] = TRUE;
DJG_BiffParty = TRUE;
}
else
{
b_biff_verarschen();
AI_StopProcessInfos(self);
DJG_BiffParty_nomore = DJG_BiffParty_nomore + 1;
};
};
func void DIA_Biff_ARBEITEN_HalbeHalbe()
{
AI_Output(other,self,"DIA_Biff_ARBEITEN_HalbeHalbe_15_00"); //You'll get half of the booty.
AI_Output(self,other,"DIA_Biff_ARBEITEN_HalbeHalbe_07_01"); //That sounds good. But I'm warning you, don't try ticking me, or you'll regret it.
AI_Output(self,other,"DIA_Biff_ARBEITEN_HalbeHalbe_07_02"); //And one more thing, I don't want any weapons or other junk you collect here. I'm only interested in gold, got it?
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"Follow");
self.aivar[AIV_PARTYMEMBER] = TRUE;
DJG_BiffParty = TRUE;
DJG_Biff_HalbeHalbe = TRUE;
B_Biff_SetRefuseTalk();
if(DJG_Biff_HalbeHalbe_again == FALSE)
{
DJG_Biff_SCGold = Npc_HasItems(hero,ItMi_Gold);
DJG_Biff_HalbeHalbe_again = TRUE;
}
else
{
AI_Output(self,other,"DIA_Biff_ARBEITEN_HalbeHalbe_07_03"); //But, what am I saying. You already know all that.
};
};
func void DIA_Biff_ARBEITEN_lebenlassen()
{
AI_Output(other,self,"DIA_Biff_ARBEITEN_lebenlassen_15_00"); //Count yourself lucky if I spare your life.
b_biff_verarschen();
AI_StopProcessInfos(self);
DJG_BiffParty_nomore = DJG_BiffParty_nomore + 1;
};
instance DIA_Biff_GELDEINTREIBEN(C_Info)
{
npc = DJG_713_Biff;
nr = 9;
condition = DIA_Biff_GELDEINTREIBEN_Condition;
information = DIA_Biff_GELDEINTREIBEN_Info;
important = TRUE;
permanent = TRUE;
};
var int biff_labert_geldeintreiben;
func int DIA_Biff_GELDEINTREIBEN_Condition()
{
if((DJG_Biff_SCGold < (Npc_HasItems(hero,ItMi_Gold) - 1)) && (Npc_GetBodyState(hero) != BS_INVENTORY) && (Npc_GetBodyState(hero) != BS_MOBINTERACT_INTERRUPT) && ((Npc_GetBodyState(hero) != BS_STAND) || (BIFF_LABERT_GELDEINTREIBEN == TRUE)) && ((Npc_GetBodyState(hero) != BS_ITEMINTERACT) || (BIFF_LABERT_GELDEINTREIBEN == TRUE)) && (DJG_Biff_HalbeHalbe == TRUE) && (DJG_BiffParty == TRUE) && (DJG_Biff_Stay == FALSE))
{
BIFF_LABERT_GELDEINTREIBEN = TRUE;
return TRUE;
};
};
func void DIA_Biff_GELDEINTREIBEN_Info()
{
AI_Output(self,other,"DIA_Biff_GELDEINTREIBEN_07_00"); //Wait a minute! Didn't you say half the booty belonged to me? Give it here!
B_BiffsAnteil_Berechnung();
B_BiffsAnteil_PrintScreen();
Info_ClearChoices(DIA_Biff_GELDEINTREIBEN);
Info_AddChoice(DIA_Biff_GELDEINTREIBEN,"I can't afford you.",DIA_Biff_GELDEINTREIBEN_zuTeuer);
Info_AddChoice(DIA_Biff_GELDEINTREIBEN,"Here's your share.",DIA_Biff_GELDEINTREIBEN_geben);
};
func void DIA_Biff_GELDEINTREIBEN_geben()
{
AI_Output(other,self,"DIA_Biff_GELDEINTREIBEN_geben_15_00"); //Here's your share.
AI_Output(self,other,"DIA_Biff_GELDEINTREIBEN_geben_07_01"); //All right. Let's get going.
AI_StopProcessInfos(self);
B_GiveInvItems(other,self,ItMi_Gold,BiffsAnteil);
B_Biff_SetRefuseTalk();
BIFF_LABERT_GELDEINTREIBEN = FALSE;
DJG_Biff_SCGold = Npc_HasItems(hero,ItMi_Gold);
};
func void DIA_Biff_GELDEINTREIBEN_zuTeuer()
{
AI_Output(other,self,"DIA_Biff_GELDEINTREIBEN_zuTeuer_15_00"); //I can't afford you.
AI_Output(self,other,"DIA_Biff_GELDEINTREIBEN_zuTeuer_07_01"); //Stop whining at me. We agreed on half.
Info_ClearChoices(DIA_Biff_GELDEINTREIBEN);
Info_AddChoice(DIA_Biff_GELDEINTREIBEN,"We must part ways now, I'm afraid.",DIA_Biff_GELDEINTREIBEN_zuTeuer_trennen);
Info_AddChoice(DIA_Biff_GELDEINTREIBEN,"Here's your share.",DIA_Biff_GELDEINTREIBEN_geben);
};
func void DIA_Biff_GELDEINTREIBEN_zuTeuer_trennen()
{
AI_Output(other,self,"DIA_Biff_GELDEINTREIBEN_zuTeuer_trennen_15_00"); //Ich fürchte, ich muss mich von dir trennen.
AI_Output(self,other,"DIA_Biff_GELDEINTREIBEN_zuTeuer_trennen_07_01"); //If you say so. Then I'll just have to take my share.
BIFF_LABERT_GELDEINTREIBEN = FALSE;
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"Start");
B_Attack(self,other,AR_NONE,1);
self.aivar[AIV_PARTYMEMBER] = FALSE;
DJG_BiffParty = FALSE;
DJG_Biff_HalbeHalbe = FALSE;
DJG_BiffParty_nomore = DJG_BiffParty_nomore + 1;
};
instance DIA_Biff_ICHBLEIBHIER(C_Info)
{
npc = DJG_713_Biff;
nr = 6;
condition = DIA_Biff_ICHBLEIBHIER_Condition;
information = DIA_Biff_ICHBLEIBHIER_Info;
important = TRUE;
permanent = TRUE;
};
func int DIA_Biff_ICHBLEIBHIER_Condition()
{
if((Npc_GetBodyState(hero) != BS_INVENTORY) && (Npc_GetBodyState(hero) != BS_MOBINTERACT_INTERRUPT) && (DJG_BiffParty == TRUE) && (DJG_Biff_Stay == FALSE) && (((((Npc_GetDistToWP(self,"OW_SWAMPDRAGON_01") < 4000) && (Npc_IsDead(SwampDragon) == FALSE) && (SwampDragon.flags != 0)) || ((Npc_GetDistToWP(self,"LOCATION_19_03_PATH_RUIN8") < 2000) && (Npc_IsDead(RockDragon) == FALSE) && (RockDragon.flags != 0)) || ((Npc_GetDistToWP(self,"CASTLE_36") < 4000) && (Npc_IsDead(FireDragon) == FALSE) && (FireDragon.flags != 0)) || ((Npc_GetDistToWP(self,"OW_ICEDRAGON_01") < 4000) && (Npc_IsDead(IceDragon) == FALSE) && (IceDragon.flags != 0))) && (Npc_HasItems(hero,ItMi_InnosEye_MIS) >= 1)) || (Npc_GetDistToWP(self,"OC_CENTER_GUARD_02") < 4500)))
{
return TRUE;
};
};
func void DIA_Biff_ICHBLEIBHIER_Info()
{
AI_Output(self,other,"DIA_Biff_ICHBLEIBHIER_07_00"); //Really dicey area here. You go in front. I'll keep in the background.
AI_StopProcessInfos(self);
Npc_SetRefuseTalk(self,300);
if(Npc_GetDistToWP(self,"OW_SWAMPDRAGON_01") < 10000)
{
Npc_ExchangeRoutine(self,"Stay_Swamp");
};
if(Npc_GetDistToWP(self,"LOCATION_19_03_PATH_RUIN8") < 10000)
{
Npc_ExchangeRoutine(self,"Stay_Rock");
};
if(Npc_GetDistToWP(self,"CASTLE_36") < 10000)
{
Npc_ExchangeRoutine(self,"Stay_Fire");
};
if(Npc_GetDistToWP(self,"OW_ICEDRAGON_01") < 10000)
{
Npc_ExchangeRoutine(self,"Stay_Ice");
};
if(Npc_GetDistToWP(self,"OC_CENTER_GUARD_02") < 10000)
{
Npc_ExchangeRoutine(self,"Stay_AwayFromOC");
};
DJG_Biff_Stay = TRUE;
DJG_Biff_SCGold = Npc_HasItems(hero,ItMi_Gold);
};
instance DIA_Biff_Stay_AwayFromOC(C_Info)
{
npc = DJG_713_Biff;
condition = DIA_Biff_Stay_AwayFromOC_Condition;
information = DIA_Biff_Stay_AwayFromOC_Info;
nr = 3;
permanent = TRUE;
description = "(Take Biff along again)";
};
func int DIA_Biff_Stay_AwayFromOC_Condition()
{
if(((Npc_GetDistToWP(self,"OW_PATH_298") < 500) || (Npc_GetDistToWP(self,"LOCATION_19_01") < 500)) && (DJG_BiffParty == TRUE) && (DJG_Biff_Stay == TRUE))
{
return TRUE;
};
};
func void DIA_Biff_Stay_AwayFromOC_Info()
{
B_KommMit();
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"Follow");
DJG_Biff_Stay = FALSE;
DJG_Biff_SCGold = Npc_HasItems(hero,ItMi_Gold);
};
instance DIA_Biff_KOHLEWEGGEBEN(C_Info)
{
npc = DJG_713_Biff;
condition = DIA_Biff_KOHLEWEGGEBEN_Condition;
information = DIA_Biff_KOHLEWEGGEBEN_Info;
nr = 10;
important = TRUE;
permanent = TRUE;
};
func int DIA_Biff_KOHLEWEGGEBEN_Condition()
{
if((DJG_Biff_SCGold > Npc_HasItems(hero,ItMi_Gold)) && (DJG_Biff_HalbeHalbe == TRUE) && (DJG_BiffParty == TRUE) && (DJG_Biff_Stay == FALSE))
{
return TRUE;
};
};
func void DIA_Biff_KOHLEWEGGEBEN_Info()
{
AI_Output(self,other,"DIA_Biff_KOHLEWEGGEBEN_07_00"); //Don't scatter your gold all over the place.
AI_Output(self,other,"DIA_Biff_KOHLEWEGGEBEN_07_01"); //Better give it to me, then.
AI_StopProcessInfos(self);
DJG_Biff_SCGold = Npc_HasItems(hero,ItMi_Gold);
};
instance DIA_Biff_BIFFLOSWERDEN(C_Info)
{
npc = DJG_713_Biff;
nr = 11;
condition = DIA_Biff_BIFFLOSWERDEN_Condition;
information = DIA_Biff_BIFFLOSWERDEN_Info;
permanent = TRUE;
description = "This is where our collaboration should end, I think.";
};
func int DIA_Biff_BIFFLOSWERDEN_Condition()
{
if(DJG_BiffParty == TRUE)
{
return TRUE;
};
};
func void DIA_Biff_BIFFLOSWERDEN_Info()
{
AI_Output(other,self,"DIA_Biff_BIFFLOSWERDEN_15_00"); //This is where our collaboration should end, I think.
AI_Output(self,other,"DIA_Biff_BIFFLOSWERDEN_07_01"); //Suit yourself. I can think of better things, too. So long.
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"Start");
self.aivar[AIV_PARTYMEMBER] = FALSE;
DJG_Biff_HalbeHalbe = FALSE;
DJG_BiffParty = FALSE;
DJG_BiffParty_nomore = DJG_BiffParty_nomore + 1;
};
instance DIA_Biff_MEHRGELD(C_Info)
{
npc = DJG_713_Biff;
nr = 12;
condition = DIA_Biff_MEHRGELD_Condition;
information = DIA_Biff_MEHRGELD_Info;
important = TRUE;
permanent = TRUE;
};
func int DIA_Biff_MEHRGELD_Condition()
{
if((DJG_BiffParty == TRUE) && (Npc_RefuseTalk(self) == FALSE) && (DJG_Biff_Stay == FALSE))
{
return TRUE;
};
};
var int DIA_Biff_MEHRGELD_Info_OneTime;
func void DIA_Biff_MEHRGELD_Info()
{
AI_Output(self,other,"DIA_Biff_MEHRGELD_07_00"); //I'm starting to get the feeling that I should get more money from you.
if(DJG_Biff_HalbeHalbe == TRUE)
{
AI_Output(self,other,"DIA_Biff_MEHRGELD_07_01"); //100 gold coins should do it.
if(DIA_Biff_MEHRGELD_Info_OneTime == FALSE)
{
AI_Output(self,other,"DIA_Biff_MEHRGELD_07_02"); //No sweat. Of course, I haven't forgotten that we're splitting the booty.
AI_Output(self,other,"DIA_Biff_MEHRGELD_07_03"); //That's why I won't bug you so often about giving me more money.
DIA_Biff_MEHRGELD_Info_OneTime = TRUE;
};
}
else
{
AI_Output(self,other,"DIA_Biff_MEHRGELD_07_04"); //I want another 100 gold coins.
};
Info_ClearChoices(DIA_Biff_MEHRGELD);
Info_AddChoice(DIA_Biff_MEHRGELD,"I can't afford you.",DIA_Biff_MEHRGELD_zuTeuer);
Info_AddChoice(DIA_Biff_MEHRGELD,"All right. You're worth it.",DIA_Biff_MEHRGELD_ok);
};
func void DIA_Biff_MEHRGELD_ok()
{
AI_Output(other,self,"DIA_Biff_MEHRGELD_ok_15_00"); //All right. You're worth it.
if(B_GiveInvItems(other,self,ItMi_Gold,100))
{
AI_Output(self,other,"DIA_Biff_MEHRGELD_ok_07_01"); //I should say so. Then let's get going.
AI_StopProcessInfos(self);
if(DJG_Biff_HalbeHalbe == TRUE)
{
DJG_Biff_SCGold = Npc_HasItems(hero,ItMi_Gold);
};
B_Biff_SetRefuseTalk();
}
else
{
AI_Output(self,other,"DIA_Biff_MEHRGELD_ok_07_02"); //You poor sucker, you can't even pay a man-at-arms.
AI_Output(self,other,"DIA_Biff_MEHRGELD_ok_07_03"); //I think I'll find another business partner.
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"Start");
self.aivar[AIV_PARTYMEMBER] = FALSE;
DJG_Biff_HalbeHalbe = FALSE;
DJG_BiffParty = FALSE;
DJG_BiffParty_nomore = DJG_BiffParty_nomore + 2;
};
};
func void DIA_Biff_MEHRGELD_zuTeuer()
{
AI_Output(other,self,"DIA_Biff_MEHRGELD_zuTeuer_15_00"); //I can't afford you.
AI_Output(self,other,"DIA_Biff_MEHRGELD_zuTeuer_07_01"); //Then you can just do your crap alone from now on.
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"Start");
self.aivar[AIV_PARTYMEMBER] = FALSE;
DJG_BiffParty = FALSE;
DJG_BiffParty_nomore = DJG_BiffParty_nomore + 2;
};
instance DIA_Biff_HEILUNG(C_Info)
{
npc = DJG_713_Biff;
nr = 4;
condition = DIA_Biff_HEILUNG_Condition;
information = DIA_Biff_HEILUNG_Info;
permanent = TRUE;
description = "Do you need a healing potion?";
};
func int DIA_Biff_HEILUNG_Condition()
{
if(DJG_BiffParty == TRUE)
{
return TRUE;
};
};
func void DIA_Biff_HEILUNG_Info()
{
AI_Output(other,self,"DIA_Biff_HEILUNG_15_00"); //Do you need a healing potion?
AI_Output(self,other,"DIA_Biff_HEILUNG_07_01"); //Sure. It can't hurt.
Info_ClearChoices(DIA_Biff_HEILUNG);
Info_AddChoice(DIA_Biff_HEILUNG,"I'll give you something later.",DIA_Biff_HEILUNG_spaeter);
Info_AddChoice(DIA_Biff_HEILUNG,"(the smallest healing potion)",DIA_Biff_HEILUNG_heiltrankLow);
Info_AddChoice(DIA_Biff_HEILUNG,"(the best healing potion)",DIA_Biff_HEILUNG_heiltrank);
};
func void DIA_Biff_HEILUNG_heiltrank()
{
if(B_GiveInvItems(other,self,ItPo_Health_03,1))
{
B_UseItem(self,ItPo_Health_03);
}
else if(B_GiveInvItems(other,self,ItPo_Health_02,1))
{
B_UseItem(self,ItPo_Health_02);
}
else if(B_GiveInvItems(other,self,ItPo_Health_01,1))
{
B_UseItem(self,ItPo_Health_01);
}
else
{
AI_Output(self,other,"DIA_Biff_HEILUNG_heiltrank_07_00"); //I guess I need to wait until you've got one for me.
};
AI_StopProcessInfos(self);
};
func void DIA_Biff_HEILUNG_heiltrankLow()
{
if(B_GiveInvItems(other,self,ItPo_Health_01,1))
{
B_UseItem(self,ItPo_Health_01);
}
else if(B_GiveInvItems(other,self,ItPo_Health_02,1))
{
B_UseItem(self,ItPo_Health_02);
}
else if(B_GiveInvItems(other,self,ItPo_Health_03,1))
{
B_UseItem(self,ItPo_Health_03);
}
else
{
AI_Output(self,other,"DIA_Biff_HEILUNG_heiltrankLow_07_00"); //Unfortunately, you don't have any at the moment. I'll get back to you later on that.
};
AI_StopProcessInfos(self);
};
func void DIA_Biff_HEILUNG_spaeter()
{
AI_Output(other,self,"DIA_Biff_HEILUNG_spaeter_15_00"); //I'll give you something later.
AI_Output(self,other,"DIA_Biff_HEILUNG_spaeter_07_01"); //But don't forget.
AI_StopProcessInfos(self);
};
instance DIA_Biff_DRACHENTOT(C_Info)
{
npc = DJG_713_Biff;
nr = 5;
condition = DIA_Biff_DRACHENTOT_Condition;
information = DIA_Biff_DRACHENTOT_Info;
description = "That's it. All the dragons are dead.";
};
func int DIA_Biff_DRACHENTOT_Condition()
{
if(DJG_BiffSurvivedLastDragon == TRUE)
{
return TRUE;
};
};
func void DIA_Biff_DRACHENTOT_Info()
{
AI_Output(other,self,"DIA_Biff_DRACHENTOT_15_00"); //That's it. All the dragons are dead.
AI_Output(self,other,"DIA_Biff_DRACHENTOT_07_01"); //Yeah. And I'm still standing.
AI_Output(self,other,"DIA_Biff_DRACHENTOT_07_02"); //Are you sure that was the last one?
AI_Output(other,self,"DIA_Biff_DRACHENTOT_15_03"); //I should think so.
AI_Output(self,other,"DIA_Biff_DRACHENTOT_07_04"); //Too bad. I was just getting warmed up.
B_GivePlayerXP(XP_BiffSurvivedLastDragon);
};
instance DIA_Biff_KnowWhereEnemy(C_Info)
{
npc = DJG_713_Biff;
nr = 2;
condition = DIA_Biff_KnowWhereEnemy_Condition;
information = DIA_Biff_KnowWhereEnemy_Info;
permanent = TRUE;
description = "Would you fancy a little trip around the world?";
};
func int DIA_Biff_KnowWhereEnemy_Condition()
{
if((MIS_SCKnowsWayToIrdorath == TRUE) && (Biff_IsOnBoard == FALSE))
{
return TRUE;
};
};
func void DIA_Biff_KnowWhereEnemy_Info()
{
AI_Output(other,self,"DIA_Biff_KnowWhereEnemy_15_00"); //Would you fancy a little trip around the world?
AI_Output(self,other,"DIA_Biff_KnowWhereEnemy_07_01"); //What?
if(Crewmember_Count >= Max_Crew)
{
AI_Output(other,self,"DIA_Biff_KnowWhereEnemy_15_02"); //Never mind. My ship is full anyway.
AI_Output(self,other,"DIA_Biff_KnowWhereEnemy_07_03"); //Quit yanking my chain, man.
}
else
{
AI_Output(other,self,"DIA_Biff_KnowWhereEnemy_15_04"); //I'm going to leave Khorinis and go to an island to look for new opponents.
Info_ClearChoices(DIA_Biff_KnowWhereEnemy);
Info_AddChoice(DIA_Biff_KnowWhereEnemy,"I just thought I'd mention it.",DIA_Biff_KnowWhereEnemy_No);
Info_AddChoice(DIA_Biff_KnowWhereEnemy,"Won't you come along?",DIA_Biff_KnowWhereEnemy_Yes);
};
};
func void DIA_Biff_KnowWhereEnemy_Yes()
{
AI_Output(other,self,"DIA_Biff_KnowWhereEnemy_Yes_15_00"); //Won't you come along?
AI_Output(self,other,"DIA_Biff_KnowWhereEnemy_Yes_07_01"); //I don' t care about more opponents. I want ...
AI_Output(other,self,"DIA_Biff_KnowWhereEnemy_Yes_15_02"); //Where we're going, there will be more gold than you can carry.
AI_Output(self,other,"DIA_Biff_KnowWhereEnemy_Yes_07_03"); //If that's the case, I'm in. Where are we going?
AI_Output(other,self,"DIA_Biff_KnowWhereEnemy_Yes_15_04"); //But first we need to get you out of the Valley of Mines.
AI_Output(self,other,"DIA_Biff_KnowWhereEnemy_Yes_07_05"); //No problem. I'm on my way. Meet me at the pass.
Log_CreateTopic(Topic_Crew,LOG_MISSION);
Log_SetTopicStatus(Topic_Crew,LOG_Running);
B_LogEntry(Topic_Crew,"The prospect of rich pickings has persuaded Biff to accompany me. As long as he gets enough gold, I can count on him.");
B_GivePlayerXP(XP_Crewmember_Success);
self.flags = NPC_FLAG_IMMORTAL;
Biff_IsOnBoard = LOG_SUCCESS;
Crewmember_Count = Crewmember_Count + 1;
Biff_FollowsThroughPass = LOG_Running;
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"RunsToPass");
Info_ClearChoices(DIA_Biff_KnowWhereEnemy);
};
func void DIA_Biff_KnowWhereEnemy_No()
{
AI_Output(other,self,"DIA_Biff_KnowWhereEnemy_No_15_00"); //I just thought I'd mention it.
AI_Output(self,other,"DIA_Biff_KnowWhereEnemy_No_07_01"); //Well, well. Have fun, then.
Biff_IsOnBoard = LOG_OBSOLETE;
Info_ClearChoices(DIA_Biff_KnowWhereEnemy);
};
instance DIA_Biff_Pass(C_Info)
{
npc = DJG_713_Biff;
nr = 55;
condition = DIA_Biff_Pass_Condition;
information = DIA_Biff_Pass_Info;
permanent = TRUE;
description = "Will you make it across the pass?";
};
func int DIA_Biff_Pass_Condition()
{
if((Npc_GetDistToWP(self,"START") < 1000) && (Biff_IsOnBoard == LOG_SUCCESS))
{
return TRUE;
};
};
func void DIA_Biff_Pass_Info()
{
AI_Output(other,self,"DIA_Biff_Pass_15_00"); //Will you make it across the pass?
AI_Output(self,other,"DIA_Biff_Pass_07_01"); //Quit babbling. Go on. I want to finally get over the top.
AI_StopProcessInfos(self);
};
instance DIA_Biff_PICKPOCKET(C_Info)
{
npc = DJG_713_Biff;
nr = 900;
condition = DIA_Biff_PICKPOCKET_Condition;
information = DIA_Biff_PICKPOCKET_Info;
permanent = TRUE;
description = Pickpocket_100;
};
func int DIA_Biff_PICKPOCKET_Condition()
{
return C_Beklauen(92,320);
};
func void DIA_Biff_PICKPOCKET_Info()
{
Info_ClearChoices(DIA_Biff_PICKPOCKET);
Info_AddChoice(DIA_Biff_PICKPOCKET,Dialog_Back,DIA_Biff_PICKPOCKET_BACK);
Info_AddChoice(DIA_Biff_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Biff_PICKPOCKET_DoIt);
};
func void DIA_Biff_PICKPOCKET_DoIt()
{
B_Beklauen();
Info_ClearChoices(DIA_Biff_PICKPOCKET);
};
func void DIA_Biff_PICKPOCKET_BACK()
{
Info_ClearChoices(DIA_Biff_PICKPOCKET);
};
|
D
|
instance VLK_471_Edda(Npc_Default)
{
name[0] = "Edda";
guild = GIL_VLK;
id = 471;
voice = 17;
flags = 0;
npcType = npctype_main;
aivar[AIV_ToughGuy] = TRUE;
B_SetAttributesToChapter(self,1);
fight_tactic = FAI_HUMAN_COWARD;
B_CreateAmbientInv(self);
EquipItem(self,ItMw_1h_Vlk_Dagger);
B_SetNpcVisual(self,FEMALE,"Hum_Head_Babe.",FaceBabe_B_RedLocks,BodyTex_B,ITAR_VlkBabe_L);
Mdl_SetModelFatness(self,0);
Mdl_ApplyOverlayMds(self,"Humans_Tired.mds");
B_GiveNpcTalents(self);
B_SetFightSkills(self,30);
daily_routine = Rtn_Start_471;
};
func void Rtn_Start_471()
{
TA_Cook_Cauldron(8,0,22,0,"NW_CITY_HABOUR_POOR_AREA_CAULDRON");
TA_Cook_Cauldron(22,0,8,0,"NW_CITY_HABOUR_POOR_AREA_CAULDRON");
};
|
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.
*/
module flow.bpmn.model.AssociationModel;
import flow.bpmn.model.AssociationDirection;
import flow.bpmn.model.Process;
/**
* @author Tijs Rademakers
*/
class AssociationModel {
public string id;
public AssociationDirection associationDirection;
public string sourceRef;
public string targetRef;
public Process parentProcess;
}
|
D
|
instance DIA_SHRAT_EXIT(C_Info)
{
npc = sek_8047_shrat;
nr = 999;
condition = dia_shrat_exit_condition;
information = dia_shrat_exit_info;
permanent = TRUE;
description = Dialog_Ende;
};
func int dia_shrat_exit_condition()
{
return TRUE;
};
func void dia_shrat_exit_info()
{
AI_StopProcessInfos(self);
};
instance DIA_SHRAT_NOFOREVER(C_Info)
{
npc = sek_8047_shrat;
nr = 5;
condition = dia_shrat_noforever_condition;
information = dia_shrat_noforever_info;
permanent = FALSE;
description = "Co tady děláš?";
};
func int dia_shrat_noforever_condition()
{
return TRUE;
};
func void dia_shrat_noforever_info()
{
AI_Output(other,self,"DIA_Shrat_NoForever_01_00"); //Co tady děláš?
AI_Output(self,other,"DIA_Shrat_NoForever_01_01"); //Jako kdyby to nebylo zřejmé. My sbíráme drogu a naši bratři v táboře ji kouří.
AI_Output(self,other,"DIA_Shrat_NoForever_01_02"); //Víš jak moc se v Bratrstvu kouří?! (smích) MOC!
MeetLobartPsiCamp = TRUE;
if(MIS_Lobart_Psicamp == LOG_Running)
{
B_GivePlayerXP(50);
B_LogEntry(TOPIC_Lobart_Psicamp,"Zdá se že lidé, na které se ptá Lobart, jsou jen obyčejní výhulenci.");
};
};
instance DIA_SHRAT_PSIINFO(C_Info)
{
npc = sek_8047_shrat;
nr = 5;
condition = dia_shrat_psiinfo_condition;
information = dia_shrat_psiinfo_info;
permanent = FALSE;
description = "V Bratrstvu? V jakém Bratrstvu?";
};
func int dia_shrat_psiinfo_condition()
{
if(!Npc_KnowsInfo(hero,dia_tpl_8014_templer_first) && !Npc_KnowsInfo(hero,dia_hanis_psiinfo) && !Npc_KnowsInfo(hero,dia_balam_psiinfo) && Npc_KnowsInfo(hero,dia_shrat_noforever))
{
return TRUE;
};
};
func void dia_shrat_psiinfo_info()
{
AI_Output(other,self,"DIA_Shrat_PsiInfo_01_00"); //V Bratrstvu? V jakém Bratrstvu?
AI_Output(self,other,"DIA_Shrat_PsiInfo_01_01"); //V Bratrstvu Spáče, samozřejmě! I když teď ho stačí nazývat jen Bratrstvem.
AI_Output(other,self,"DIA_Shrat_PsiInfo_01_02"); //Ale já si myslel, že po pádu bariéry Bratrstvo Spáče přestalo existovat?!
AI_Output(self,other,"DIA_Shrat_PsiInfo_01_03"); //Tak to není! Většina z našich bratrů zemřela, nebo byli posednuti démony...
AI_Output(self,other,"DIA_Shrat_PsiInfo_01_04"); //Ale někteří z nás přežili. Tak jsme založili nový tábor.
AI_Output(other,self,"DIA_Shrat_PsiInfo_01_05"); //A kde je váš tábor?
AI_Output(self,other,"DIA_Shrat_PsiInfo_01_06"); //Jdi po cestě k Hornickému údolí. Poblíž vstupu najdeš malé jezero. Jdi po jeho břehu...
AI_Output(self,other,"DIA_Shrat_PsiInfo_01_07"); //Poblíž najdeš tábor Bratrstva.
};
instance DIA_SHRAT_HELLO(C_Info)
{
npc = sek_8047_shrat;
nr = 5;
condition = dia_shrat_hello_condition;
information = dia_shrat_hello_info;
permanent = FALSE;
description = "Počkej, já tě znám!";
};
func int dia_shrat_hello_condition()
{
if(Npc_KnowsInfo(hero,dia_shrat_noforever))
{
return TRUE;
};
};
func void dia_shrat_hello_info()
{
B_GivePlayerXP(50);
AI_Output(other,self,"DIA_Shrat_Hello_01_00"); //Počkej, já tě znám!
AI_Output(other,self,"DIA_Shrat_Hello_01_01"); //Ty jsi ten chlápek, který byl schovaný v chatrči hluboko v bažině.
AI_Output(self,other,"DIA_Shrat_Hello_01_02"); //Hmmm... Správně! Už jsme se potkali?!
AI_Output(self,other,"DIA_Shrat_Hello_01_03"); //Ale, počkej!... Možná? (podrobně si tě prohlíží)
AI_Output(self,other,"DIA_Shrat_Hello_01_04"); //Ach, ano! Teď už si vzpomínám. Ty jsi ten chlap, co nám donesl vejce královny důlních červů!
AI_Output(other,self,"DIA_Shrat_Hello_01_05"); //Ano, teď už si na vše vzpomínám!
AI_Output(self,other,"DIA_Shrat_Hello_01_06"); //Neber si to osobně, v poslední době se stalo tolik věcí a já si to prostě všechno nemůžu pamatovat.
AI_Output(self,other,"DIA_Shrat_Hello_01_07"); //Jsem rád, že tě vidím živého a zdravého!
};
instance DIA_SHRAT_HELLOTWO(C_Info)
{
npc = sek_8047_shrat;
nr = 5;
condition = dia_shrat_hellotwo_condition;
information = dia_shrat_hellotwo_info;
permanent = TRUE;
description = "Jak pokračuje sběr drogy?";
};
func int dia_shrat_hellotwo_condition()
{
if(Npc_KnowsInfo(hero,dia_shrat_noforever))
{
return TRUE;
};
};
func void dia_shrat_hellotwo_info()
{
AI_Output(other,self,"DIA_Shrat_HelloTwo_01_00"); //Jak pokračuje sběr drogy?
AI_Output(self,other,"DIA_Shrat_HelloTwo_01_01"); //Pokud nebudeš obtěžovat naše sběrače, půjde mnohem rychleji!
};
instance dia_shrat_PrioratStart(C_Info)
{
npc = sek_8047_shrat;
nr = 1;
condition = dia_shrat_PrioratStart_condition;
information = dia_shrat_PrioratStart_info;
permanent = FALSE;
description = "Poslal mě Baal Namib.";
};
func int dia_shrat_PrioratStart_condition()
{
if(MIS_PrioratStart == LOG_Running)
{
return TRUE;
};
};
func void dia_shrat_PrioratStart_info()
{
B_GivePlayerXP(100);
AI_Output(other,self,"dia_shrat_PrioratStart_01_00"); //Poslal mě Baal Namib.
AI_Output(self,other,"dia_shrat_PrioratStart_01_01"); //Jsem jedno ucho. Co ode mě Guru chce?
AI_Output(other,self,"dia_shrat_PrioratStart_01_02"); //Chce vědět, jaká je situace ve tvém táboře.
AI_Output(self,other,"dia_shrat_PrioratStart_01_03"); //Můžeš mu říct, že je vše v pořádku.
AI_Output(self,other,"dia_shrat_PrioratStart_01_04"); //Sběr drogy probíhá standartním tempem a novou zásliku doručíme včas.
AI_Output(other,self,"dia_shrat_PrioratStart_01_05"); //Dobře, vzkážu. Ještě ale jedna otázka.
AI_Output(self,other,"dia_shrat_PrioratStart_01_06"); //Ptej se.
AI_Output(other,self,"dia_shrat_PrioratStart_01_07"); //Slyšel jsi něco o zmizelých novicích?
AI_Output(self,other,"dia_shrat_PrioratStart_01_08"); //Cože? (zděšeně) Kolk našich noviců zmizelo?
AI_Output(other,self,"dia_shrat_PrioratStart_01_09"); //Ale to není nic vážného.
AI_Output(self,other,"dia_shrat_PrioratStart_01_10"); //... no jestli je to tak... (zmateně) Myslel jsem, že se stalo něco špatného.
AI_Output(self,other,"dia_shrat_PrioratStart_01_11"); //Nic o tom nevím.
PsiCamp_02_Ok = TRUE;
B_LogEntry(TOPIC_PrioratStart,"V táboře u města se nic neděje. O zmizelých novicích nikdo nic neví.");
};
instance DIA_SHRAT_GIVEPLANT(C_Info)
{
npc = sek_8047_shrat;
nr = 5;
condition = dia_shrat_giveplant_condition;
information = dia_shrat_giveplant_info;
permanent = TRUE;
description = "Přicházím od Baal Cadara.";
};
func int dia_shrat_giveplant_condition()
{
if((MIS_PLANTSFORBAALCADAR == LOG_Running) && (THIRDGROUPSEK == FALSE) && (other.guild == GIL_SEK) && Npc_KnowsInfo(hero,dia_shrat_noforever))
{
return TRUE;
};
};
func void dia_shrat_giveplant_info()
{
var C_Item itm;
itm = Npc_GetEquippedArmor(other);
AI_Output(other,self,"DIA_Shrat_GivePlant_01_00"); //Přicházím od Baal Cadara.
AI_Output(self,other,"DIA_Shrat_GivePlant_01_01"); //Baal Cadar tě posílá? Ale proč?
AI_Output(other,self,"DIA_Shrat_GivePlant_01_02"); //Mám vyzvednout drogu, kterou jste zatím nasbírali.
if((Hlp_IsItem(itm,itar_sekbed) == TRUE) || (Hlp_IsItem(itm,itar_sekbed_v1) == TRUE) || (Hlp_IsItem(itm,itar_slp_ul) == TRUE) || (Hlp_IsItem(itm,itar_slp_l) == TRUE))
{
AI_Output(self,other,"DIA_Shrat_GivePlant_01_03"); //Konečně! A já si už myslel, že na nás úplně zapomněli.
B_GiveInvItems(self,other,ItPl_SwampHerb,50);
AI_Output(self,other,"DIA_Shrat_GivePlant_01_04"); //Tady, vem si to všechno. A neztrať to.
THIRDGROUPSEK = TRUE;
}
else
{
AI_Output(self,other,"DIA_Shrat_GivePlant_01_05"); //Baal Cadar by nikdy neposlal nějakého cizince!
AI_Output(self,other,"DIA_Shrat_GivePlant_01_06"); //To byl špatný vtip, kamaráde.
};
};
|
D
|
void main() {
auto ip = readAs!(long[]), N = ip[0], M = ip[1], K = ip[2];
auto com = new COM(N+1, 998244353);
long res;
long col = M;
foreach_reverse(i; 0..N) {
long now = col;
now *= com.nCr(N-1, i);
if(i <= K) res += now;
col *= M-1;
col %= 998244353;
res %= 998244353;
}
res.writeln;
}
/*
* Only N <= 10^7 is acceptable.
* preparation: O(MAX)
* query: O(1)
*/
class COM {
long[] fact, finv, inv;
private ulong MAX;
private ulong MOD;
this(ulong MAX, ulong MOD) {
this.MAX = MAX;
this.MOD = MOD;
fact = new long[](MAX);
finv = new long[](MAX);
inv = new long[](MAX);
// initialize the arrays
fact[0] = fact[1] = 1;
finv[0] = finv[1] = 1;
inv[1] = 1;
foreach(i; 2..MAX) {
fact[i] = fact[i - 1] * i % MOD;
inv[i] = MOD - inv[MOD%i] * (MOD / i) % MOD;
finv[i] = finv[i - 1] * inv[i] % MOD;
}
}
ulong nCr(long n, long k) {
if(n < k) return 0;
if(n < 0 || k < 0) return 0;
assert(n < MAX && k < MAX);
return fact[n] * (finv[k] * finv[n - k] % MOD) % MOD;
}
ulong factorial(long n) {
return fact[n];
}
}
/*
* N <= 10^18, r <= 10^7 is acceptable.
* query: O(r)
*/
ulong mod_comb(long n, long r, long m) {
if(n < r || n < 0 || r < 0) return 0;
if(r*2 > n) r = n - r;
if(r == 0) return 1;
if(r == 1) return n;
auto inv = new ulong[](r+1);
auto finv = new ulong[](r+1);
inv[1] = 1;
finv[0] = finv[1] = 1;
foreach(i; 2..r+1) {
inv[i] = m - inv[m % i] * (m / i) % m;
finv[i] = finv[i - 1] * inv[i] % m;
}
ulong res = 1;
foreach(i; n-r+1..n+1) (res *= i) %= m;
(res *= finv[r]) %= m;
return res;
}
// ===================================
import std.stdio;
import std.string;
import std.functional;
import std.algorithm;
import std.range;
import std.traits;
import std.math;
import std.container;
import std.bigint;
import std.numeric;
import std.conv;
import std.typecons;
import std.uni;
import std.ascii;
import std.bitmanip;
import core.bitop;
T readAs(T)() if (isBasicType!T) {
return readln.chomp.to!T;
}
T readAs(T)() if (isArray!T) {
return readln.split.to!T;
}
T[][] readMatrix(T)(uint height, uint width) if (!isSomeChar!T) {
auto res = new T[][](height, width);
foreach(i; 0..height) {
res[i] = readAs!(T[]);
}
return res;
}
T[][] readMatrix(T)(uint height, uint width) if (isSomeChar!T) {
auto res = new T[][](height, width);
foreach(i; 0..height) {
auto s = rs;
foreach(j; 0..width) res[i][j] = s[j].to!T;
}
return res;
}
int ri() {
return readAs!int;
}
long rl() {
return readAs!long;
}
double rd() {
return readAs!double;
}
string rs() {
return readln.chomp;
}
|
D
|
module jamc.client.graphics;
import std.conv;
import std.exception;
import std.stdio;
import std.typetuple;
import jamc.api.eventTypes;
import jamc.api.game;
import jamc.api.graphics;
import jamc.util.vector;
import jamc.util.gpu.gl;
import derelict.sdl2.sdl;
import derelict.opengl3.gl;
class ClientGraphicsMgr : IGraphicsMgr
{
this( IGame game )
{
m_game = game;
DerelictSDL2.load();
DerelictGL.load();
m_screenSize = vec2i(800, 600);
SDL_Init(SDL_INIT_VIDEO);
_window = enforce(SDL_CreateWindow(
"JAMC window",
SDL_WINDOWPOS_UNDEFINED,
SDL_WINDOWPOS_UNDEFINED,
m_screenSize.x,
m_screenSize.y,
SDL_WINDOW_SHOWN|SDL_WINDOW_OPENGL),
"Couldn't create window");
_glctx = SDL_GL_CreateContext(_window);
DerelictGL.reload();
initGlExtensions();
}
~this()
{
SDL_GL_DeleteContext(_glctx);
SDL_DestroyWindow(_window);
}
override void beginFrame()
{
// zpracujeme udalosti
SDL_Event event;
while (SDL_PollEvent(&event))
{
if (event.type == SDL_MOUSEMOTION)
{
auto sfEvt = event.motion;
auto newPosition = vec2i( sfEvt.x, sfEvt.y );
auto delta = newPosition - m_mousePosition;
m_mousePosition = newPosition;
scope e = new MouseMoveEvent( m_mousePosition, delta );
m_game.events.raise( e );
}
if (event.type == SDL_MOUSEBUTTONUP)
{
scope e = new KeyPressEvent( vec2i( event.button.x, event.button.y ), cast(Key)( Key.MouseLeft + event.button.button ) );
m_game.events.raise( e );
}
if (event.type == SDL_MOUSEBUTTONUP)
{
scope e = new KeyReleaseEvent( vec2i( event.button.x, event.button.y ), cast(Key)( Key.MouseLeft + event.button.button ) );
m_game.events.raise( e );
}
if (event.type == SDL_KEYDOWN)
{
scope e = new KeyPressEvent( vec2i( 0, 0 ), cast(Key) event.key.keysym.sym );
m_game.events.raise( e );
}
if (event.type == SDL_KEYUP)
{
scope e = new KeyReleaseEvent( vec2i( 0, 0 ), cast(Key) event.key.keysym.sym );
m_game.events.raise( e );
}
if (event.type == SDL_QUIT
|| (event.type == SDL_WINDOWEVENT && event.window.event == SDL_WINDOWEVENT_CLOSE))
{
scope e = new UserQuitRequest();
m_game.events.raise( e );
}
}
glCall!glClear( GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT | GL_STENCIL_BUFFER_BIT );
}
override void finishFrame()
{
GLenum err;
while( ( err = glCall!glGetError() ) != GL_NO_ERROR )
{
writeln( "Chyba OpenGL: ", err);
}
SDL_GL_SwapWindow(_window);
}
override @property vec2i screenSize()
{
return m_screenSize;
}
private:
IGame m_game;
SDL_Window* _window;
SDL_GLContext _glctx;
vec2i m_screenSize;
uint[2] m_buffers;
vec2i m_mousePosition;
}
|
D
|
/**
* D header file for C99.
*
* Copyright: Public Domain
* License: Public Domain
* Authors: Sean Kelly
* Standards: ISO/IEC 9899:1999 (E)
*/
module core.stdc.string;
private import core.stdc.stddef; // for size_t
extern (C):
void* memchr(in void* s, int c, size_t n);
int memcmp(in void* s1, in void* s2, size_t n);
void* memcpy(void* s1, in void* s2, size_t n);
void* memmove(void* s1, in void* s2, size_t n);
void* memset(void* s, int c, size_t n);
char* strcpy(char* s1, in char* s2);
char* strncpy(char* s1, in char* s2, size_t n);
char* strcat(char* s1, in char* s2);
char* strncat(char* s1, in char* s2, size_t n);
int strcmp(in char* s1, in char* s2);
int strcoll(in char* s1, in char* s2);
int strncmp(in char* s1, in char* s2, size_t n);
size_t strxfrm(char* s1, in char* s2, size_t n);
char* strchr(in char* s, int c);
size_t strcspn(in char* s1, in char* s2);
char* strpbrk(in char* s1, in char* s2);
char* strrchr(in char* s, int c);
size_t strspn(in char* s1, in char* s2);
char* strstr(in char* s1, in char* s2);
char* strtok(char* s1, in char* s2);
char* strerror(int errnum);
size_t strlen(in char* s);
|
D
|
import std.stdio, std.string, std.array, std.algorithm, std.conv, std.typecons, std.numeric, std.math;
void main()
{
auto N = readln.chomp.to!int;
long[] HS, SS;
foreach (_; 0..N) {
auto hs = readln.split.to!(long[]);
HS ~= hs[0];
SS ~= hs[1];
}
long l, r = long.max/2;
while (l+1 < r) {
auto m = (l+r)/2;
long[] cs;
foreach (i; 0..N) {
if (m < HS[i]) {
cs ~= -1;
} else {
cs ~= (m - HS[i]) / SS[i];
}
}
sort(cs);
if (cs[0] < 0) {
l = m;
continue;
}
bool ok = true;
foreach (i, c; cs) if (i > c) {
ok = false;
break;
}
if (ok) {
r = m;
} else {
l = m;
}
}
writeln(r);
}
|
D
|
/home/sriharikapu/substrate-node-template/target/release/deps/tempfile-8b362b18f1aa50b2.rmeta: /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/lib.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/dir.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/error.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/mod.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/imp/mod.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/spooled.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/util.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/imp/unix.rs
/home/sriharikapu/substrate-node-template/target/release/deps/libtempfile-8b362b18f1aa50b2.rlib: /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/lib.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/dir.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/error.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/mod.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/imp/mod.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/spooled.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/util.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/imp/unix.rs
/home/sriharikapu/substrate-node-template/target/release/deps/tempfile-8b362b18f1aa50b2.d: /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/lib.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/dir.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/error.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/mod.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/imp/mod.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/spooled.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/util.rs /home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/imp/unix.rs
/home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/lib.rs:
/home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/dir.rs:
/home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/error.rs:
/home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/mod.rs:
/home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/imp/mod.rs:
/home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/spooled.rs:
/home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/util.rs:
/home/sriharikapu/.cargo/registry/src/github.com-1ecc6299db9ec823/tempfile-3.1.0/src/file/imp/unix.rs:
|
D
|
import structures;
extern (C):
int playerGetId(_Player*);
char* playerGetPlayerName(_Player*);
float playerGetTime(_Player*);
int playerGetScarabs(_Player*);
int playerGetRoundsWon(_Player*);
int playerGetSarcophagiCaptured(_Player*);
int mappableGetId(_Mappable*);
int mappableGetX(_Mappable*);
int mappableGetY(_Mappable*);
int tileGetId(_Tile*);
int tileGetX(_Tile*);
int tileGetY(_Tile*);
int tileGetType(_Tile*);
int trapGetId(_Trap*);
int trapGetX(_Trap*);
int trapGetY(_Trap*);
int trapGetOwner(_Trap*);
int trapGetTrapType(_Trap*);
int trapGetVisible(_Trap*);
int trapGetActive(_Trap*);
int trapGetBodyCount(_Trap*);
int trapGetActivationsRemaining(_Trap*);
int trapGetTurnsTillActive(_Trap*);
int thiefGetId(_Thief*);
int thiefGetX(_Thief*);
int thiefGetY(_Thief*);
int thiefGetOwner(_Thief*);
int thiefGetThiefType(_Thief*);
int thiefGetAlive(_Thief*);
int thiefGetSpecialsLeft(_Thief*);
int thiefGetMaxSpecials(_Thief*);
int thiefGetMovementLeft(_Thief*);
int thiefGetMaxMovement(_Thief*);
int thiefGetFrozenTurnsLeft(_Thief*);
int thiefTypeGetId(_ThiefType*);
char* thiefTypeGetName(_ThiefType*);
int thiefTypeGetType(_ThiefType*);
int thiefTypeGetCost(_ThiefType*);
int thiefTypeGetMaxMovement(_ThiefType*);
int thiefTypeGetMaxSpecials(_ThiefType*);
int thiefTypeGetMaxInstances(_ThiefType*);
int trapTypeGetId(_TrapType*);
char* trapTypeGetName(_TrapType*);
int trapTypeGetType(_TrapType*);
int trapTypeGetCost(_TrapType*);
int trapTypeGetMaxInstances(_TrapType*);
int trapTypeGetStartsVisible(_TrapType*);
int trapTypeGetHasAction(_TrapType*);
int trapTypeGetDeactivatable(_TrapType*);
int trapTypeGetMaxActivations(_TrapType*);
int trapTypeGetActivatesOnWalkedThrough(_TrapType*);
int trapTypeGetTurnsToActivateOnTile(_TrapType*);
int trapTypeGetCanPlaceOnWalls(_TrapType*);
int trapTypeGetCanPlaceOnOpenTiles(_TrapType*);
int trapTypeGetFreezesForTurns(_TrapType*);
int trapTypeGetKillsOnActivate(_TrapType*);
int trapTypeGetCooldown(_TrapType*);
int trapTypeGetExplosive(_TrapType*);
int trapTypeGetUnpassable(_TrapType*);
|
D
|
/****************************************************************************
**
** Copyright (C) 2014 Digia Plc and/or its subsidiary(-ies).
** Contact: http://www.qt-project.org/legal
**
** This file is part of the QtCore module of the Qt Toolkit.
**
** $QT_BEGIN_LICENSE:LGPL21$
** Commercial License Usage
** Licensees holding valid commercial Qt licenses may use this file in
** accordance with the commercial license agreement provided with the
** Software or, alternatively, in accordance with the terms contained in
** a written agreement between you and Digia. For licensing terms and
** conditions see http://qt.digia.com/licensing. For further information
** use the contact form at http://qt.digia.com/contact-us.
**
** GNU Lesser General Public License Usage
** Alternatively, this file may be used under the terms of the GNU Lesser
** General Public License version 2.1 or version 3 as published by the Free
** Software Foundation and appearing in the file LICENSE.LGPLv21 and
** LICENSE.LGPLv3 included in the packaging of this file. Please review the
** following information to ensure the GNU Lesser General Public License
** requirements will be met: https://www.gnu.org/licenses/lgpl.html and
** http://www.gnu.org/licenses/old-licenses/lgpl-2.1.html.
**
** In addition, as a special exception, Digia gives you certain additional
** rights. These rights are described in the Digia Qt LGPL Exception
** version 1.1, included in the file LGPL_EXCEPTION.txt in this package.
**
** $QT_END_LICENSE$
**
****************************************************************************/
public import QtCore.qatomic;
public import QtCore.qbytearray;
public import QtCore.qlist;
public import QtCore.qmetatype;
public import QtCore.qmap;
public import QtCore.qhash;
public import QtCore.qstring;
public import QtCore.qstringlist;
public import QtCore.qobject;
#ifndef QT_BOOTSTRAPPED
public import QtCore.qbytearraylist;
#endif
extern(C++) class QBitArray;
extern(C++) class QDataStream;
extern(C++) class QDate;
extern(C++) class QDateTime;
extern(C++) class QEasingCurve;
extern(C++) class QLine;
extern(C++) class QLineF;
extern(C++) class QLocale;
extern(C++) class QMatrix;
extern(C++) class QTransform;
extern(C++) class QStringList;
extern(C++) class QTime;
extern(C++) class QPoint;
extern(C++) class QPointF;
extern(C++) class QSize;
extern(C++) class QSizeF;
extern(C++) class QRect;
extern(C++) class QRectF;
#ifndef QT_NO_REGEXP
extern(C++) class QRegExp;
#endif // QT_NO_REGEXP
#ifndef QT_NO_REGULAREXPRESSION
extern(C++) class QRegularExpression;
#endif // QT_NO_REGULAREXPRESSION
extern(C++) class QTextFormat;
extern(C++) class QTextLength;
extern(C++) class QUrl;
extern(C++) class QVariant;
extern(C++) class QVariantComparisonHelper;
template <typename T>
/+inline+/ QVariant qVariantFromValue(ref const(T) );
template<typename T>
/+inline+/ T qvariant_cast(ref const(QVariant) );
namespace QtPrivate {
template <typename Derived, typename Argument, typename ReturnType>
struct ObjectInvoker
{
static ReturnType invoke(Argument a)
{
return Derived::object(a);
}
}
template <typename Derived, typename Argument, typename ReturnType>
struct MetaTypeInvoker
{
static ReturnType invoke(Argument a)
{
return Derived::metaType(a);
}
}
template <typename Derived, typename T, typename Argument, typename ReturnType, bool = IsPointerToTypeDerivedFromQObject<T>::Value>
struct TreatAsQObjectBeforeMetaType : ObjectInvoker<Derived, Argument, ReturnType>
{
}
template <typename Derived, typename T, typename Argument, typename ReturnType>
struct TreatAsQObjectBeforeMetaType<Derived, T, Argument, ReturnType, false> : MetaTypeInvoker<Derived, Argument, ReturnType>
{
}
template<typename T> struct QVariantValueHelper;
}
extern(C++) class export QVariant
{
public:
enum Type {
Invalid = QMetaType::UnknownType,
Bool = QMetaType::Bool,
Int = QMetaType::Int,
UInt = QMetaType::UInt,
LongLong = QMetaType::LongLong,
ULongLong = QMetaType::ULongLong,
Double = QMetaType::Double,
Char = QMetaType::QChar,
Map = QMetaType::QVariantMap,
List = QMetaType::QVariantList,
String = QMetaType::QString,
StringList = QMetaType::QStringList,
ByteArray = QMetaType::QByteArray,
BitArray = QMetaType::QBitArray,
Date = QMetaType::QDate,
Time = QMetaType::QTime,
DateTime = QMetaType::QDateTime,
Url = QMetaType::QUrl,
Locale = QMetaType::QLocale,
Rect = QMetaType::QRect,
RectF = QMetaType::QRectF,
Size = QMetaType::QSize,
SizeF = QMetaType::QSizeF,
Line = QMetaType::QLine,
LineF = QMetaType::QLineF,
Point = QMetaType::QPoint,
PointF = QMetaType::QPointF,
RegExp = QMetaType::QRegExp,
RegularExpression = QMetaType::QRegularExpression,
Hash = QMetaType::QVariantHash,
EasingCurve = QMetaType::QEasingCurve,
Uuid = QMetaType::QUuid,
ModelIndex = QMetaType::QModelIndex,
LastCoreType = QMetaType::LastCoreType,
Font = QMetaType::QFont,
Pixmap = QMetaType::QPixmap,
Brush = QMetaType::QBrush,
Color = QMetaType::QColor,
Palette = QMetaType::QPalette,
Image = QMetaType::QImage,
Polygon = QMetaType::QPolygon,
Region = QMetaType::QRegion,
Bitmap = QMetaType::QBitmap,
Cursor = QMetaType::QCursor,
KeySequence = QMetaType::QKeySequence,
Pen = QMetaType::QPen,
TextLength = QMetaType::QTextLength,
TextFormat = QMetaType::QTextFormat,
Matrix = QMetaType::QMatrix,
Transform = QMetaType::QTransform,
Matrix4x4 = QMetaType::QMatrix4x4,
Vector2D = QMetaType::QVector2D,
Vector3D = QMetaType::QVector3D,
Vector4D = QMetaType::QVector4D,
Quaternion = QMetaType::QQuaternion,
PolygonF = QMetaType::QPolygonF,
Icon = QMetaType::QIcon,
LastGuiType = QMetaType::LastGuiType,
SizePolicy = QMetaType::QSizePolicy,
UserType = QMetaType::User,
LastType = 0xffffffff // need this so that gcc >= 3.4 allocates 32 bits for Type
}
/+inline+/ QVariant();
~QVariant();
QVariant(Type type);
QVariant(int typeId, const(void)* copy);
QVariant(int typeId, const(void)* copy, uint flags);
QVariant(ref const(QVariant) other);
#ifndef QT_NO_DATASTREAM
QVariant(QDataStream &s);
#endif
QVariant(int i);
QVariant(uint ui);
QVariant(qlonglong ll);
QVariant(qulonglong ull);
QVariant(bool b);
QVariant(double d);
QVariant(float f);
#ifndef QT_NO_CAST_FROM_ASCII
QT_ASCII_CAST_WARN QVariant(const(char)* str);
#endif
QVariant(ref const(QByteArray) bytearray);
QVariant(ref const(QBitArray) bitarray);
QVariant(ref const(QString) string);
QVariant(QLatin1String string);
QVariant(ref const(QStringList) stringlist);
QVariant(QChar qchar);
QVariant(ref const(QDate) date);
QVariant(ref const(QTime) time);
QVariant(ref const(QDateTime) datetime);
QVariant(ref const(QList<QVariant>) list);
QVariant(ref const(QMap<QString,QVariant>) map);
QVariant(ref const(QHash<QString,QVariant>) hash);
#ifndef QT_NO_GEOM_VARIANT
QVariant(ref const(QSize) size);
QVariant(ref const(QSizeF) size);
QVariant(ref const(QPoint) pt);
QVariant(ref const(QPointF) pt);
QVariant(ref const(QLine) line);
QVariant(ref const(QLineF) line);
QVariant(ref const(QRect) rect);
QVariant(ref const(QRectF) rect);
#endif
QVariant(ref const(QLocale) locale);
#ifndef QT_NO_REGEXP
QVariant(ref const(QRegExp) regExp);
#endif // QT_NO_REGEXP
#ifndef QT_BOOTSTRAPPED
#ifndef QT_NO_REGULAREXPRESSION
QVariant(ref const(QRegularExpression) re);
#endif // QT_NO_REGULAREXPRESSION
QVariant(ref const(QUrl) url);
QVariant(ref const(QEasingCurve) easing);
QVariant(ref const(QUuid) uuid);
QVariant(ref const(QModelIndex) modelIndex);
QVariant(ref const(QJsonValue) jsonValue);
QVariant(ref const(QJsonObject) jsonObject);
QVariant(ref const(QJsonArray) jsonArray);
QVariant(ref const(QJsonDocument) jsonDocument);
#endif // QT_BOOTSTRAPPED
QVariant& operator=(ref const(QVariant) other);
#ifdef Q_COMPILER_RVALUE_REFS
/+inline+/ QVariant(QVariant &&other) : d(other.d)
{ other.d = Private(); }
/+inline+/ QVariant &operator=(QVariant &&other)
{ qSwap(d, other.d); return *this; }
#endif
/+inline+/ void swap(QVariant &other) { qSwap(d, other.d); }
Type type() const;
int userType() const;
const(char)* typeName() const;
bool canConvert(int targetTypeId) const;
bool convert(int targetTypeId);
/+inline+/ bool isValid() const;
bool isNull() const;
void clear();
void detach();
/+inline+/ bool isDetached() const;
int toInt(bool *ok = 0) const;
uint toUInt(bool *ok = 0) const;
qlonglong toLongLong(bool *ok = 0) const;
qulonglong toULongLong(bool *ok = 0) const;
bool toBool() const;
double toDouble(bool *ok = 0) const;
float toFloat(bool *ok = 0) const;
qreal toReal(bool *ok = 0) const;
QByteArray toByteArray() const;
QBitArray toBitArray() const;
QString toString() const;
QStringList toStringList() const;
QChar toChar() const;
QDate toDate() const;
QTime toTime() const;
QDateTime toDateTime() const;
QList<QVariant> toList() const;
QMap<QString, QVariant> toMap() const;
QHash<QString, QVariant> toHash() const;
#ifndef QT_NO_GEOM_VARIANT
QPoint toPoint() const;
QPointF toPointF() const;
QRect toRect() const;
QSize toSize() const;
QSizeF toSizeF() const;
QLine toLine() const;
QLineF toLineF() const;
QRectF toRectF() const;
#endif
QLocale toLocale() const;
#ifndef QT_NO_REGEXP
QRegExp toRegExp() const;
#endif // QT_NO_REGEXP
#ifndef QT_BOOTSTRAPPED
#ifndef QT_NO_REGULAREXPRESSION
QRegularExpression toRegularExpression() const;
#endif // QT_NO_REGULAREXPRESSION
QUrl toUrl() const;
QEasingCurve toEasingCurve() const;
QUuid toUuid() const;
QModelIndex toModelIndex() const;
QJsonValue toJsonValue() const;
QJsonObject toJsonObject() const;
QJsonArray toJsonArray() const;
QJsonDocument toJsonDocument() const;
#endif // QT_BOOTSTRAPPED
#ifndef QT_NO_DATASTREAM
void load(QDataStream &ds);
void save(QDataStream &ds) const;
#endif
static const(char)* typeToName(int typeId);
static Type nameToType(const(char)* name);
void *data();
const(void)* constData() const;
/+inline+/ const(void)* data() const { return constData(); }
template<typename T>
/+inline+/ void setValue(ref const(T) value);
template<typename T>
/+inline+/ T value() const
{ return qvariant_cast<T>(*this); }
template<typename T>
static /+inline+/ QVariant fromValue(ref const(T) value)
{ return qVariantFromValue(value); }
template<typename T>
bool canConvert() const
{ return canConvert(qMetaTypeId<T>()); }
public:
#ifndef Q_QDOC
struct PrivateShared
{
/+inline+/ PrivateShared(void *v) : ptr(v), ref(1) { }
void *ptr;
QAtomicInt ref;
}
struct Private
{
/+inline+/ Private(): type(Invalid), is_shared(false), is_null(true)
{ data.ptr = 0; }
// Internal constructor for initialized variants.
explicit /+inline+/ Private(uint variantType)
: type(variantType), is_shared(false), is_null(false)
{}
/+inline+/ Private(ref const(Private) other)
: data(other.data), type(other.type),
is_shared(other.is_shared), is_null(other.is_null)
{}
union Data
{
char c;
uchar uc;
short s;
signed char sc;
ushort us;
int i;
uint u;
long l;
ulong ul;
bool b;
double d;
float f;
qreal real;
qlonglong ll;
qulonglong ull;
QObject *o;
void *ptr;
PrivateShared *shared;
} data;
uint type : 30;
uint is_shared : 1;
uint is_null : 1;
}
public:
typedef void (*f_construct)(Private *, const(void)* );
typedef void (*f_clear)(Private *);
typedef bool (*f_null)(const(Private)* );
#ifndef QT_NO_DATASTREAM
typedef void (*f_load)(Private *, QDataStream &);
typedef void (*f_save)(const(Private)* , QDataStream &);
#endif
typedef bool (*f_compare)(const(Private)* , const(Private)* );
typedef bool (*f_convert)(const QVariant::Private *d, int t, void *, bool *);
typedef bool (*f_canConvert)(const QVariant::Private *d, int t);
typedef void (*f_debugStream)(QDebug, ref const(QVariant) );
struct Handler {
f_construct construct;
f_clear clear;
f_null isNull;
#ifndef QT_NO_DATASTREAM
f_load load;
f_save save;
#endif
f_compare compare;
f_convert convert;
f_canConvert canConvert;
f_debugStream debugStream;
}
#endif
/+inline+/ bool operator==(ref const(QVariant) v) const
{ return cmp(v); }
/+inline+/ bool operator!=(ref const(QVariant) v) const
{ return !cmp(v); }
/+inline+/ bool operator<(ref const(QVariant) v) const
{ return compare(v) < 0; }
/+inline+/ bool operator<=(ref const(QVariant) v) const
{ return compare(v) <= 0; }
/+inline+/ bool operator>(ref const(QVariant) v) const
{ return compare(v) > 0; }
/+inline+/ bool operator>=(ref const(QVariant) v) const
{ return compare(v) >= 0; }
protected:
friend /+inline+/ bool operator==(ref const(QVariant) , ref const(QVariantComparisonHelper) );
#ifndef QT_NO_DEBUG_STREAM
friend export QDebug operator<<(QDebug, ref const(QVariant) );
#endif
// ### Qt6: FIXME: Remove the special Q_CC_MSVC handling, it was introduced to maintain BC for QTBUG-41810 .
#if !defined(Q_NO_TEMPLATE_FRIENDS) && !defined(Q_CC_MSVC)
template<typename T>
friend /+inline+/ T qvariant_cast(ref const(QVariant) );
template<typename T> friend struct QtPrivate::QVariantValueHelper;
protected:
#else
public:
#endif
Private d;
void create(int type, const(void)* copy);
bool cmp(ref const(QVariant) other) const;
int compare(ref const(QVariant) other) const;
bool convert(const int t, void *ptr) const;
private:
// force compile error, prevent QVariant(bool) to be called
/+inline+/ QVariant(void *) Q_DECL_EQ_DELETE;
// QVariant::Type is marked as \obsolete, but we don't want to
// provide a constructor from its intended replacement,
// QMetaType::Type, instead, because the idea behind these
// constructors is flawed in the first place. But we also don't
// want QVariant(QMetaType::String) to compile and falsely be an
// int variant, so delete this constructor:
QVariant(QMetaType::Type) Q_DECL_EQ_DELETE;
// These constructors don't create QVariants of the type associcated
// with the enum, as expected, but they would create a QVariant of
// type int with the value of the enum value.
// Use QVariant v = QColor(Qt.red) instead of QVariant v = Qt.red for
// example.
QVariant(Qt.GlobalColor) Q_DECL_EQ_DELETE;
QVariant(Qt.BrushStyle) Q_DECL_EQ_DELETE;
QVariant(Qt.PenStyle) Q_DECL_EQ_DELETE;
QVariant(Qt.CursorShape) Q_DECL_EQ_DELETE;
#ifdef QT_NO_CAST_FROM_ASCII
// force compile error when implicit conversion is not wanted
/+inline+/ QVariant(const(char)* ) Q_DECL_EQ_DELETE;
#endif
public:
typedef Private DataPtr;
/+inline+/ DataPtr &data_ptr() { return d; }
/+inline+/ ref const(DataPtr) data_ptr() const { return d; }
}
template <typename T>
/+inline+/ QVariant qVariantFromValue(ref const(T) t)
{
return QVariant(qMetaTypeId<T>(), &t, QTypeInfo<T>::isPointer);
}
template <>
/+inline+/ QVariant qVariantFromValue(ref const(QVariant) t) { return t; }
template <typename T>
/+inline+/ void qVariantSetValue(QVariant &v, ref const(T) t)
{
//if possible we reuse the current QVariant private
const uint type = qMetaTypeId<T>();
QVariant::Private &d = v.data_ptr();
if (v.isDetached() && (type == d.type || (type <= uint(QVariant::Char) && d.type <= uint(QVariant::Char)))) {
d.type = type;
d.is_null = false;
T *old = reinterpret_cast<T*>(d.is_shared ? d.data.shared->ptr : &d.data.ptr);
if (QTypeInfo<T>::isComplex)
old->~T();
new (old) T(t); //call the copy constructor
} else {
v = QVariant(type, &t, QTypeInfo<T>::isPointer);
}
}
template <>
/+inline+/ void qVariantSetValue<QVariant>(QVariant &v, ref const(QVariant) t)
{
v = t;
}
/+inline+/ QVariant::QVariant() {}
/+inline+/ bool QVariant::isValid() const { return d.type != Invalid; }
template<typename T>
/+inline+/ void QVariant::setValue(ref const(T) avalue)
{ qVariantSetValue(*this, avalue); }
#ifndef QT_NO_DATASTREAM
export QDataStream& operator>> (QDataStream& s, QVariant& p);
export QDataStream& operator<< (QDataStream& s, ref const(QVariant) p);
export QDataStream& operator>> (QDataStream& s, QVariant::Type& p);
export QDataStream& operator<< (QDataStream& s, const QVariant::Type p);
#endif
/+inline+/ bool QVariant::isDetached() const
{ return !d.is_shared || d.data.shared->ref.load() == 1; }
#ifdef Q_QDOC
/+inline+/ bool operator==(ref const(QVariant) v1, ref const(QVariant) v2);
/+inline+/ bool operator!=(ref const(QVariant) v1, ref const(QVariant) v2);
#else
/* Helper extern(C++) class to add one more level of indirection to prevent
implicit casts.
*/
extern(C++) class QVariantComparisonHelper
{
public:
/+inline+/ QVariantComparisonHelper(ref const(QVariant) var)
: v(&var) {}
private:
friend /+inline+/ bool operator==(ref const(QVariant) , ref const(QVariantComparisonHelper) );
const(QVariant)* v;
}
/+inline+/ bool operator==(ref const(QVariant) v1, ref const(QVariantComparisonHelper) v2)
{
return v1.cmp(*v2.v);
}
/+inline+/ bool operator!=(ref const(QVariant) v1, ref const(QVariantComparisonHelper) v2)
{
return !operator==(v1, v2);
}
#endif
extern(C++) class export QSequentialIterable
{
QtMetaTypePrivate::QSequentialIterableImpl m_impl;
public:
struct export const_iterator
{
private:
QtMetaTypePrivate::QSequentialIterableImpl m_impl;
QAtomicInt *ref;
friend extern(C++) class QSequentialIterable;
explicit const_iterator(ref const(QSequentialIterable) iter, QAtomicInt *ref_);
explicit const_iterator(ref const(QtMetaTypePrivate::QSequentialIterableImpl) impl, QAtomicInt *ref_);
void begin();
void end();
public:
~const_iterator();
const_iterator(ref const(const_iterator) other);
const_iterator& operator=(ref const(const_iterator) other);
const QVariant operator*() const;
bool operator==(ref const(const_iterator) o) const;
bool operator!=(ref const(const_iterator) o) const;
const_iterator &operator++();
const_iterator operator++(int);
const_iterator &operator--();
const_iterator operator--(int);
const_iterator &operator+=(int j);
const_iterator &operator-=(int j);
const_iterator operator+(int j) const;
const_iterator operator-(int j) const;
}
friend struct const_iterator;
explicit QSequentialIterable(QtMetaTypePrivate::QSequentialIterableImpl impl);
const_iterator begin() const;
const_iterator end() const;
QVariant at(int idx) const;
int size() const;
bool canReverseIterate() const;
}
extern(C++) class export QAssociativeIterable
{
QtMetaTypePrivate::QAssociativeIterableImpl m_impl;
public:
struct export const_iterator
{
private:
QtMetaTypePrivate::QAssociativeIterableImpl m_impl;
QAtomicInt *ref;
friend extern(C++) class QAssociativeIterable;
explicit const_iterator(ref const(QAssociativeIterable) iter, QAtomicInt *ref_);
explicit const_iterator(ref const(QtMetaTypePrivate::QAssociativeIterableImpl) impl, QAtomicInt *ref_);
void begin();
void end();
// ### Qt 5.5: make find() (1st one) a member function
friend void find(const_iterator &it, ref const(QVariant) key);
friend const_iterator find(ref const(QAssociativeIterable) iterable, ref const(QVariant) key);
public:
~const_iterator();
const_iterator(ref const(const_iterator) other);
const_iterator& operator=(ref const(const_iterator) other);
const QVariant key() const;
const QVariant value() const;
const QVariant operator*() const;
bool operator==(ref const(const_iterator) o) const;
bool operator!=(ref const(const_iterator) o) const;
const_iterator &operator++();
const_iterator operator++(int);
const_iterator &operator--();
const_iterator operator--(int);
const_iterator &operator+=(int j);
const_iterator &operator-=(int j);
const_iterator operator+(int j) const;
const_iterator operator-(int j) const;
}
friend struct const_iterator;
explicit QAssociativeIterable(QtMetaTypePrivate::QAssociativeIterableImpl impl);
const_iterator begin() const;
const_iterator end() const;
private: // ### Qt 5.5: make it a public find() member function:
friend const_iterator find(ref const(QAssociativeIterable) iterable, ref const(QVariant) key);
public:
QVariant value(ref const(QVariant) key) const;
int size() const;
}
#ifndef QT_MOC
namespace QtPrivate {
template<typename T>
struct QVariantValueHelper : TreatAsQObjectBeforeMetaType<QVariantValueHelper<T>, T, ref const(QVariant) , T>
{
static T metaType(ref const(QVariant) v)
{
const int vid = qMetaTypeId<T>();
if (vid == v.userType())
return *reinterpret_cast<const(T)* >(v.constData());
T t;
if (v.convert(vid, &t))
return t;
return T();
}
#ifndef QT_NO_QOBJECT
static T object(ref const(QVariant) v)
{
return qobject_cast<T>(QMetaType::typeFlags(v.userType()) & QMetaType::PointerToQObject
? v.d.data.o
: QVariantValueHelper::metaType(v));
}
#endif
}
template<typename T>
struct QVariantValueHelperInterface : QVariantValueHelper<T>
{
}
template<>
struct QVariantValueHelperInterface<QSequentialIterable>
{
static QSequentialIterable invoke(ref const(QVariant) v)
{
const int typeId = v.userType();
if (typeId == qMetaTypeId<QVariantList>()) {
return QSequentialIterable(QtMetaTypePrivate::QSequentialIterableImpl(reinterpret_cast<const QVariantList*>(v.constData())));
}
if (typeId == qMetaTypeId<QStringList>()) {
return QSequentialIterable(QtMetaTypePrivate::QSequentialIterableImpl(reinterpret_cast<const QStringList*>(v.constData())));
}
#ifndef QT_BOOTSTRAPPED
if (typeId == qMetaTypeId<QByteArrayList>()) {
return QSequentialIterable(QtMetaTypePrivate::QSequentialIterableImpl(reinterpret_cast<const QByteArrayList*>(v.constData())));
}
#endif
return QSequentialIterable(v.value<QtMetaTypePrivate::QSequentialIterableImpl>());
}
}
template<>
struct QVariantValueHelperInterface<QAssociativeIterable>
{
static QAssociativeIterable invoke(ref const(QVariant) v)
{
const int typeId = v.userType();
if (typeId == qMetaTypeId<QVariantMap>()) {
return QAssociativeIterable(QtMetaTypePrivate::QAssociativeIterableImpl(reinterpret_cast<const QVariantMap*>(v.constData())));
}
if (typeId == qMetaTypeId<QVariantHash>()) {
return QAssociativeIterable(QtMetaTypePrivate::QAssociativeIterableImpl(reinterpret_cast<const QVariantHash*>(v.constData())));
}
return QAssociativeIterable(v.value<QtMetaTypePrivate::QAssociativeIterableImpl>());
}
}
template<>
struct QVariantValueHelperInterface<QVariantList>
{
static QVariantList invoke(ref const(QVariant) v)
{
const int typeId = v.userType();
if (QtMetaTypePrivate::isBuiltinSequentialType(typeId) || QMetaType::hasRegisteredConverterFunction(typeId, qMetaTypeId<QtMetaTypePrivate::QSequentialIterableImpl>())) {
QSequentialIterable iter = QVariantValueHelperInterface<QSequentialIterable>::invoke(v);
QVariantList l;
l.reserve(iter.size());
for (QSequentialIterable::const_iterator it = iter.begin(), end = iter.end(); it != end; ++it)
l << *it;
return l;
}
return QVariantValueHelper<QVariantList>::invoke(v);
}
}
template<>
struct QVariantValueHelperInterface<QVariantHash>
{
static QVariantHash invoke(ref const(QVariant) v)
{
const int typeId = v.userType();
if (QtMetaTypePrivate::isBuiltinAssociativeType(typeId) || QMetaType::hasRegisteredConverterFunction(typeId, qMetaTypeId<QtMetaTypePrivate::QAssociativeIterableImpl>())) {
QAssociativeIterable iter = QVariantValueHelperInterface<QAssociativeIterable>::invoke(v);
QVariantHash l;
l.reserve(iter.size());
for (QAssociativeIterable::const_iterator it = iter.begin(), end = iter.end(); it != end; ++it)
l.insert(it.key().toString(), it.value());
return l;
}
return QVariantValueHelper<QVariantHash>::invoke(v);
}
}
template<>
struct QVariantValueHelperInterface<QVariantMap>
{
static QVariantMap invoke(ref const(QVariant) v)
{
const int typeId = v.userType();
if (QtMetaTypePrivate::isBuiltinAssociativeType(typeId) || QMetaType::hasRegisteredConverterFunction(typeId, qMetaTypeId<QtMetaTypePrivate::QAssociativeIterableImpl>())) {
QAssociativeIterable iter = QVariantValueHelperInterface<QAssociativeIterable>::invoke(v);
QVariantMap l;
for (QAssociativeIterable::const_iterator it = iter.begin(), end = iter.end(); it != end; ++it)
l.insert(it.key().toString(), it.value());
return l;
}
return QVariantValueHelper<QVariantMap>::invoke(v);
}
}
template<>
struct QVariantValueHelperInterface<QPair<QVariant, QVariant> >
{
static QPair<QVariant, QVariant> invoke(ref const(QVariant) v)
{
const int typeId = v.userType();
if (typeId == qMetaTypeId<QPair<QVariant, QVariant> >())
return QVariantValueHelper<QPair<QVariant, QVariant> >::invoke(v);
if (QMetaType::hasRegisteredConverterFunction(typeId, qMetaTypeId<QtMetaTypePrivate::QPairVariantInterfaceImpl>())) {
QtMetaTypePrivate::QPairVariantInterfaceImpl pi = v.value<QtMetaTypePrivate::QPairVariantInterfaceImpl>();
const QtMetaTypePrivate::VariantData d1 = pi.first();
QVariant v1(d1.metaTypeId, d1.data, d1.flags);
if (d1.metaTypeId == qMetaTypeId<QVariant>())
v1 = *reinterpret_cast<const QVariant*>(d1.data);
const QtMetaTypePrivate::VariantData d2 = pi.second();
QVariant v2(d2.metaTypeId, d2.data, d2.flags);
if (d2.metaTypeId == qMetaTypeId<QVariant>())
v2 = *reinterpret_cast<const QVariant*>(d2.data);
return QPair<QVariant, QVariant>(v1, v2);
}
return QVariantValueHelper<QPair<QVariant, QVariant> >::invoke(v);
}
}
}
template<typename T> /+inline+/ T qvariant_cast(ref const(QVariant) v)
{
return QtPrivate::QVariantValueHelperInterface<T>::invoke(v);
}
template<> /+inline+/ QVariant qvariant_cast<QVariant>(ref const(QVariant) v)
{
if (v.userType() == QMetaType::QVariant)
return *reinterpret_cast<const(QVariant)* >(v.constData());
return v;
}
#if QT_DEPRECATED_SINCE(5, 0)
template<typename T>
/+inline+/ QT_DEPRECATED T qVariantValue(ref const(QVariant) variant)
{ return qvariant_cast<T>(variant); }
template<typename T>
/+inline+/ QT_DEPRECATED bool qVariantCanConvert(ref const(QVariant) variant)
{ return variant.template canConvert<T>(); }
#endif
#endif
Q_DECLARE_SHARED(QVariant)
#ifndef QT_NO_DEBUG_STREAM
export QDebug operator<<(QDebug, ref const(QVariant) );
export QDebug operator<<(QDebug, const QVariant::Type);
#endif
#endif // QVARIANT_H
|
D
|
/Users/admin/Desktop/Day06/DemoClass/DerivedData/DemoClass/Build/Intermediates/DemoClass.build/Debug-iphonesimulator/DemoClassTests.build/Objects-normal/x86_64/DemoClassTests.o : /Users/admin/Desktop/Day06/DemoClass/DemoClassTests/DemoClassTests.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/XCTest.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestSuiteRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestProbe.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestLog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestCaseRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTextCase+AsynchronousTesting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestCase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestAssertionsImpl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestAssertions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCAbstractTest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/module.map
/Users/admin/Desktop/Day06/DemoClass/DerivedData/DemoClass/Build/Intermediates/DemoClass.build/Debug-iphonesimulator/DemoClassTests.build/Objects-normal/x86_64/DemoClassTests~partial.swiftmodule : /Users/admin/Desktop/Day06/DemoClass/DemoClassTests/DemoClassTests.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/XCTest.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestSuiteRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestProbe.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestLog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestCaseRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTextCase+AsynchronousTesting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestCase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestAssertionsImpl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestAssertions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCAbstractTest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/module.map
/Users/admin/Desktop/Day06/DemoClass/DerivedData/DemoClass/Build/Intermediates/DemoClass.build/Debug-iphonesimulator/DemoClassTests.build/Objects-normal/x86_64/DemoClassTests~partial.swiftdoc : /Users/admin/Desktop/Day06/DemoClass/DemoClassTests/DemoClassTests.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/XCTest.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestSuiteRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestProbe.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestLog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestCaseRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTextCase+AsynchronousTesting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestCase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestAssertionsImpl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTestAssertions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCAbstractTest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/Headers/XCTest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks/XCTest.framework/module.map
|
D
|
// Copyright © 2012, Bernard Helyer. All rights reserved.
// See copyright notice in src/volt/license.d (BOOST ver. 1.0).
module volt.parser.intir;
import volt.ir.base;
import volt.ir.type;
import volt.ir.declaration;
import volt.ir.expression;
/*
* This file contains an internal pre IR (AST) representation of IR nodes
* to aid in parsing.
*/
class IntExp
{
public:
Location location;
}
class AssignExp : IntExp
{
BinOp.Op op;
TernaryExp left;
AssignExp right; // Optional.
bool taggedRef;
bool taggedOut;
}
class TernaryExp : IntExp
{
public:
bool isTernary; // Otherwise, it's just a pass-through to a BinExp.
BinExp condition;
TernaryExp ifTrue; // Optional.
TernaryExp ifFalse; // Optional.
}
class BinExp : IntExp
{
public:
BinOp.Op op;
UnaryExp left;
BinExp right; // Optional.
}
bool isLeftAssociative(BinOp.Op operator)
{
return operator != BinOp.Op.Assign;
}
int getPrecedence(BinOp.Op operator)
{
switch (operator) with (BinOp.Op) {
case Pow:
return 11;
case Mul, Div, Mod:
return 10;
case Add, Sub, Cat:
return 9;
case LS, SRS, RS:
return 8;
case Less, LessEqual, GreaterEqual, Greater, In, NotIn:
return 7;
case Equal, NotEqual, Is, NotIs:
return 6;
case And:
return 5;
case Xor:
return 4;
case Or:
return 3;
case AndAnd:
return 2;
case OrOr:
return 1;
case Assign, AddAssign, SubAssign, MulAssign,
DivAssign, ModAssign, AndAssign, OrAssign,
XorAssign, CatAssign, LSAssign, SRSAssign,
RSAssign, PowAssign:
return 0;
default:
assert(false);
}
}
class UnaryExp : IntExp
{
public:
/*
* I guess this may warrant some explanation.
* If the op is not UnaryExp.Type.None, then any data needed
* for that op is contained in this node, then another UnaryExp is
* parsed into unaryExp. This is because you can chain them,
* +*a; // For example.
*/
Unary.Op op;
UnaryExp unaryExp; // Optional.
PostfixExp postExp; // Optional.
NewExp newExp; // Optional.
CastExp castExp; // Optional.
DupExp dupExp; // Optional.
RunExp runExp; // Optional. If this is non-null, everything else is ignored.
}
class NewExp : IntExp
{
public:
Type type;
bool isArray;
TernaryExp exp; // new int[binExp]
bool hasArgumentList;
AssignExp[] argumentList; // new int(argumentList)
}
// new foo[3 .. 6]; // duplicate array foo.
class DupExp : IntExp
{
public:
PostfixExp name; // new FOO[beginning .. end]
AssignExp beginning; // new foo[BEGINNING .. end]
AssignExp end; // new foo[beginning .. END]
bool shorthand;
}
class CastExp : IntExp
{
public:
Type type;
UnaryExp unaryExp;
}
class PostfixExp : IntExp
{
public:
Postfix.Op op;
PrimaryExp primary; // Only in parent postfixes.
PostfixExp postfix; // Optional.
AssignExp[] arguments; // Optional.
string[] labels; // Optional, only in calls (func(a:1, b:3)).
Identifier identifier; // Optional.
Exp templateInstance;
}
class PrimaryExp : IntExp
{
public:
enum Type
{
Identifier, // _string
DotIdentifier, // _string
This,
Super,
Null,
True,
False,
Dollar,
IntegerLiteral, // _string
FloatLiteral, // _string
CharLiteral, // _string
StringLiteral, // _string
ArrayLiteral, // arguments
AssocArrayLiteral, // keys & arguments, keys.length == arguments.length
FunctionLiteral,
Assert, // arguments (length == 1 or 2)
Import,
Type,
Typeof,
Typeid, // If exp !is null, exp. Otherwise type.
Is,
ParenExp, // tlargs
Traits,
StructLiteral,
TemplateInstance,
FunctionName,
PrettyFunctionName,
File,
Line,
Location,
VaArg,
}
public:
Type op;
.Type type;
Exp exp;
string _string; // Optional.
AssignExp[] keys;
AssignExp[] arguments; // Optional.
AssignExp[] tlargs; // Optional.
IsExp isExp; // Optional.
FunctionLiteral functionLiteral; // Optional.
TraitsExp trait; // If op == Traits.
TemplateInstanceExp _template; // If op == TemplateInstance.
VaArgExp vaexp; // If op == VaArg.
}
|
D
|
module kernel.core.util;
/**
This method checks to see if the value stored in the bit number declared
by the input variable "bit" in the flag declared by the input
variable "flags" is set. Returns a 1 if it is set, returns a 0 if it is not set.
Params:
flags = The flags from the multiboot header the kernel wishes to check.
bit = The number of the bit the kernel would like to check for data.
Returns: Whether the bit "bit" in "flags" has a value (1 if it is set, 0 if it is not)
*/
uint CHECK_FLAG(uint flags, uint bit)
{
return ((flags) & (1 << (bit)));
}
/**
Given a struct type, gives a tuple of strings of the names of fields in the struct.
*/
public template FieldNames(S, int idx = 0)
{
static if(idx >= S.tupleof.length)
alias Tuple!() FieldNames;
else
alias Tuple!(GetLastName!(S.tupleof[idx].stringof), FieldNames!(S, idx + 1)) FieldNames;
}
private template GetLastName(char[] fullName, int idx = fullName.length - 1)
{
static if(idx < 0)
const char[] GetLastName = fullName;
else static if(fullName[idx] == '.')
const char[] GetLastName = fullName[idx + 1 .. $];
else
const char[] GetLastName = GetLastName!(fullName, idx - 1);
}
template Tuple(T...)
{
alias T Tuple;
}
template Bitfield(alias data, Args...)
{
static assert(!(Args.length & 1), "Bitfield arguments must be an even number");
const char[] Bitfield = BitfieldShim!((typeof(data)).stringof, data, Args).Ret;
}
// Odd bug in D templates -- putting "data.stringof" as a template argument gives it the
// string of the type, rather than the string of the symbol. This shim works around that.
template BitfieldShim(char[] typeStr, alias data, Args...)
{
const char[] Name = data.stringof;
const char[] Ret = BitfieldImpl!(typeStr, Name, 0, Args).Ret;
}
template BitfieldImpl(char[] typeStr, char[] nameStr, int offset, Args...)
{
static if(Args.length == 0)
const char[] Ret = "";
else
{
const Name = Args[0];
const Size = Args[1];
const Mask = Bitmask!(Size);
const char[] Getter = "public " ~ typeStr ~ " " ~ Name ~ "() { return ( " ~
nameStr ~ " >> " ~ Itoh!(offset) ~ " ) & " ~ Itoh!(Mask) ~ "; }";
const char[] Setter = "public void " ~ Name ~ "(" ~ typeStr ~ " val) { " ~
nameStr ~ " = (" ~ nameStr ~ " & " ~ Itoh!(~(Mask << offset)) ~ ") | ((val & " ~
Itoh!(Mask) ~ ") << " ~ Itoh!(offset) ~ "); }";
const char[] Ret = Getter ~ Setter ~ BitfieldImpl!(typeStr, nameStr, offset + Size, Args[2 .. $]).Ret;
}
}
template Itoa(long i)
{
static if(i < 0)
const char[] Itoa = "-" ~ IntToStr!(-i, 10);
else
const char[] Itoa = IntToStr!(i, 10);
}
template Itoh(long i)
{
const char[] Itoh = "0x" ~ IntToStr!(i, 16);
}
template Digits(long i)
{
const char[] Digits = "0123456789abcdefghijklmnopqrstuvwxyz"[0 .. i];
}
template IntToStr(ulong i, int base)
{
static if(i >= base)
const char[] IntToStr = IntToStr!(i / base, base) ~ Digits!(base)[i % base];
else
const char[] IntToStr = "" ~ Digits!(base)[i % base];
}
template Bitmask(long size)
{
const long Bitmask = (1L << size) - 1;
}
template isStringType(T)
{
const bool isStringType = is(T : char[]) || is(T : wchar[]) || is(T : dchar[]);
}
/**
Sees if a type is char, wchar, or dchar.
*/
template isCharType(T)
{
const bool isCharType = is(T == char) || is(T == wchar) || is(T == dchar);
}
/**
Sees if a type is a signed or unsigned byte, short, int, or long.
*/
template isIntType(T)
{
const bool isIntType = is(T == int) || is(T == uint) || is(T == long) || is(T == ulong) ||
is(T == short) || is(T == ushort) || is(T == byte) || is(T == ubyte) /* || is(T == cent) || is(T == ucent) */;
}
/**
Sees if a type is a signed or unsigned byte, short, int, or long.
*/
template isUnsignedIntType(T)
{
const bool isUnsignedIntType = is(T == uint) || is(T == ulong) ||
is(T == ushort) || is(T == ubyte) /* || is(T == ucent) */;
}
/**
Sees if a type is a signed or unsigned byte, short, int, or long.
*/
template isSignedIntType(T)
{
const bool isSignedIntType = is(T == int) || is(T == long) ||
is(T == short) || is(T == byte) /* || is(T == cent) */;
}
/**
Sees if a type is float, double, or real.
*/
template isFloatType(T)
{
const bool isFloatType = is(T == float) || is(T == double) || is(T == real);
}
/**
Sees if a type is an array.
*/
template isArrayType(T)
{
const bool isArrayType = false;
}
template isArrayType(T : T[])
{
const bool isArrayType = true;
}
/**
Sees if a type is an associative array.
*/
template isAAType(T)
{
const bool isAAType = is(typeof(T.init.values[0])[typeof(T.init.keys[0])] == T);
}
/**
Sees if a type is a pointer.
*/
template isPointerType(T)
{
const bool isPointerType = false;
}
template isPointerType(T : T*)
{
const bool isPointerType = true;
}
/**
Get to the bottom of any chain of typedefs! Returns the first non-typedef'ed type.
*/
template realType(T)
{
static if(is(T Base == typedef) || is(T Base == enum))
alias realType!(Base) realType;
else
alias T realType;
}
/**
See if a character is a lowercase character.
*/
template IsLower(char c)
{
const bool IsLower = c >= 'a' && c <= 'z';
}
/**
See if a character is an uppercase character.
*/
template IsUpper(char c)
{
const bool IsUpper = c >= 'A' && c <= 'Z';
}
/**
Convert a character or string to lowercase.
*/
template ToLower(char c)
{
const char ToLower = IsUpper!(c) ? c + ('a' - 'A') : c;
}
/// ditto
template ToLower(char[] s)
{
static if(s.length == 0)
const ToLower = ""c;
else
const ToLower = ToLower!(s[0]) ~ s[1 .. $];
}
/**
Convert a character or string to uppercase.
*/
template ToUpper(char c)
{
const char ToUpper = IsLower!(c) ? c - ('a' - 'A') : c;
}
/// ditto
template ToUpper(char[] s)
{
static if(s.length == 0)
const ToUpper = ""c;
else
const ToUpper = ToUpper!(s[0]) ~ s[1 .. $];
}
/**
Capitalize a word so that the first letter is capital.
*/
template Capitalize(char[] s)
{
static if(s.length == 0)
const char[] Capitalize = ""c;
else
const char[] Capitalize = ToUpper!(s[0]) ~ ToLower!(s[1 .. $]);
}
/**
Compile-time map. Takes a template "function" which should take a single argument
of the type of the elements of the list of values that follows. Resolves to a tuple.
*/
template Map(alias Templ, List...)
{
static if(List.length == 0)
alias Tuple!() Map;
else
alias Tuple!(Templ!(List[0]), Map!(Templ, List[1 .. $])) Map;
}
/**
Compile-time reduce. Takes a template "function" that should take two arguments of the type
of the elements of the list of values that follows. The list must be at least one element
long. Resolves to a single value of the type that the template function returns.
*/
template Reduce(alias Templ, List...)
{
static assert(List.length > 0, "Reduce must be called on a list of at least one element");
static if(is(List[0]))
{
static if(List.length == 1)
alias List[0] Reduce;
else
alias Reduce!(Templ, Tuple!(Templ!(List[0], List[1]), List[2 .. $])) Reduce;
}
else
{
static if(List.length == 1)
const Reduce = List[0];
else
const Reduce = Reduce!(Templ, Tuple!(Templ!(List[0], List[1]), List[2 .. $]));
}
}
/**
Compile-time range. Given lower and upper bound, yields a tuple of integers in the
range [min, max).
*/
template Range(uint min, uint max)
{
static if(min >= max)
alias Tuple!() Range;
else
alias Tuple!(min, Range!(min + 1, max)) Range;
}
/// ditto
template Range(uint max)
{
alias Range!(0, max) Range;
}
/**
Compile time metafunction meant to be used with Reduce. Concatenates its first two
arguments and resolves to the result of that concatentation.
*/
template Cat(T...)
{
const Cat = T[0] ~ T[1];
}
// standard functions
/**
This function converts an integer to a string, depending on the base passed in.
Params:
buf = The function will save the translated string into this character array.
base = The base of the integer value. If "d," it will be assumed to be decimal. If "x," the integer
will be hexadecimal.
d = The integer to translate.
Returns: The translated string in a character array.
*/
char[] itoa(char[] buf, char base, long d)
{
size_t p = buf.length - 1;
size_t startIdx = 0;
ulong ud = d;
bool negative = false;
int divisor = 10;
// If %d is specified and D is minus, put `-' in the head.
if(base == 'd' && d < 0)
{
negative = true;
ud = 0 - d;
}
else if(base == 'x')
divisor = 16;
// Divide UD by DIVISOR until UD == 0.
do
{
int remainder = ud % divisor;
buf[p--] = (remainder < 10) ? remainder + '0' : remainder + 'a' - 10;
}
while (ud /= divisor)
if(negative)
buf[p--] = '-';
return buf[p + 1 .. $];
}
|
D
|
struct AGH{
void foo(){
bool[][] delegate(bool[][] delegate(int) dg)immutable nothrow pure @safe a;
bool[][] delegate(bool[][] delegate(int)) b=a;
}
auto fooa = [(int x)=>x,x=>x]; // ok
auto foob = [x=>x,(int x)=>x]; // ok
auto fooc = [x=>x]; // error
void food(T)(T arg){} // ok
void main(){
food(x=>x); // error
}
}
class MemberFuncLitAlias{
int x=2;
alias a=ID!(()=>x);
alias ID(alias a)=a;
this(int x){ this.x=x; }
int bar(){ return x; }
alias e = &bar;
enum foo = { return new MemberFuncLitAlias(5).a; }();
static assert(new MemberFuncLitAlias(3).a()==3);
enum eID(int function() dg)=dg;
alias b=ID!(function()=>x); // error
alias c=function()=>x; // error
alias d=eID!(function()=>x); // error
static int bb(){
return b()+
c();
}
}
class MemberFuncLitDeduction{
int x=2;
this(int x){ this.x=x; }
auto b(){ return x; }
enum foo = { return &(new MemberFuncLitDeduction(5).b); }();
static assert(foo()==5);
static assert(is(typeof({ return new MemberFuncLitDeduction(0).b();}):int function()));
}
void inferfailimplicitconv(){
string delegate(string, double) dg = (n, int x){return "";}; // error
dg("2",2);
}
static assert(is(int delegate()auto==int delegate()));
void delegateArrayInference() {
void writeln(string x);
auto tbl1 = [
(string x) { writeln(x); },
(string x) { x ~= 'a'; },
];
auto tbl2 = [
(string x) { x ~= 'a'; },
(string x) { writeln(x); },
];
}
struct testLookupConversionError{
struct S{
int delegate() dg;
}
static int test(){
S s;
int x;
s.dg = ()=>x=2;
const(S) t=s;
pragma(msg, typeof(t.dg)); // error
}
}
class A{}
class B:A{}
auto f(A function() dg){return dg();}
//pragma(msg, f(()=>cast(B)null));
auto testcontextded(){
auto a = [x=>x+1, y=>2*y, (long z)=>z/2];
static assert(is(typeof(a[0]): long function(long)));
auto b = [[(long x)=>x+1],[y=>2*y], [z=>z/2]];
static assert(is(typeof(b[0][0]): long function(long)));
auto c = [[x=>x+1],[y=>2*y], [(long z)=>z/2]];
static assert(is(typeof(c[0][0]): long function(long)));
auto d = [[[x=>x+1]],[[x=>x]],[[(long x)=>x+1]]];
auto e = [[[x=>x+1, x=>x, (long x)=>x+1]]];
return d[0][0][0](1)+d[1][0][0](2)
+ e[0][0][0](1)+e[0][0][1](2);
}
static assert(testcontextded()==8);
void testinex(){
void foo(int delegate(int) dg){}
foo(x=>y); // error: 'y' is undefined
}
pragma(msg, (int x, int y){}()); // error: wrong number of parameters
auto testdederr()=>(x,y,z,w)=>{return y;}(2,"hello",4,5)(); // error: deduction failure
typeof(x=>x) testdederr2; // error: deduction failure
auto testdederr3(){
auto a=(x=>x(2))(x=>x); // error: deduction failure (no inference)
auto b=(cast(int function(int function(int)))x=>x(2))(x=>x); // ok
static assert(is(typeof(b)==int));
}
auto testdedinit(bool b){
string delegate(int, double, string)[] dgs =
[(x,y,z)=>toString(x),(x,y,z)=>toString(cast(int)y),(x,y,z)=>z];
template Seq(T...){ alias T Seq;}
alias Seq!(int, double, string) P;
double delegate(P)[] dg2 = b?[(x,y,z)=>x]:[(x,y,z)=>y];
alias Seq!(1,2,"3") args;
return dgs[0](args)~dgs[1](args)~dgs[2](args)~(dg2[0](1,2,"3")==2?"2":"?");
}
pragma(msg, "testdedinit 1: ",testdedinit(false));
pragma(msg, "testdedinit 2: ",testdedinit(true));
static assert(testdedinit(false)=="1232" && testdedinit(true)=="123?");
auto deduceparamfromdollar(){
int[] x=[-1,1,1337,3,0,0,0];
return x[][][0..$-1][][][1..$-1][][][0..$-1][][]
[
((x,y,z,w)=>{
assert(x==z && y[0]=='$' && z+1==w && w==3 && $==3);
return x-1;
})($-1,"$-1",$-1,$)()
];
}
static assert(deduceparamfromdollar()==1337);
pragma(msg, "deduceparamfromdollar: ",deduceparamfromdollar());
shared(typeof(delegate()const{})) x;
pragma(msg,shared(typeof(cast()x)));
//const(const(int)*****) y;
//pragma(msg, typeof(y));
struct AccessibleImmutable{
immutable int xx=2;
void foo(){
static assert(is(typeof(()=>xx):immutable(int) delegate()));
}
}
auto testdeduction(){
auto x=(x=>x)(2);
int function(int) foo0=x=>x;
auto foo1 = cast(int delegate(int))x=>x;
int delegate(int) foo2 = cast(int delegate(int))(int x)=>x;
float higho(double delegate(int, double, float) dg){
return dg(1,2,3);
}
return foo0(1)+foo1(2)+foo2(3)+x+higho((x,y,z)=>(x+y+z)/3);
}
static assert(testdeduction()==10.0f);
pragma(msg, "testdeduction: ",testdeduction());
void validconversions(){
void delegate()const[] x;
const(void delegate())[] y = x;
}
struct S{
int a;
int foo(){return 2;}
pragma(msg, (()=>foo())()); // error: 'this' is missing
mixin({
auto s="enum a0=0;";
for(int i=1;i<100;i++)
s~="enum int a"~toString(i)~"=a"~toString(i-1)~"+"~toString(i*2-1)~";";
return s;
}());
pragma(msg, "a5: ", a5); static assert(a5==25);
}
void testfunctiondeduction(){
immutable int x = 0;
static assert(is(typeof((){enum e=x;return e;}):immutable(int)function()));
}
void main(){
int sjisjis;
static pure void main()@safe nothrow pure{sjisjis=2;} // error: context not accessible
auto x = &main;
static assert(is(typeof(&main)==void function()pure nothrow @safe));
static assert(!is(typeof(&x): void function()*));
auto y = &x;
static assert(!is(typeof(&y): void function()**));
//auto _ = main;
auto a = (){(){}();};
pragma(msg, typeof(a));
//auto a = (){};
//pragma(msg, typeof(a));
//void function() a;
//a=&main;
auto b = (){(){a();}();};
auto c = delegate(){(){}();};
static assert(is(typeof(a): void function()));
static assert(is(typeof(b): void delegate()));
static assert(!is(typeof(c): void function()));
static assert(is(void delegate()@safe: void delegate()));
static assert(is(void delegate()@safe: void delegate()@trusted));
static assert(is(void delegate()@trusted: void delegate()@safe));
static assert(is(void function() pure nothrow @safe : void function()));
static assert(!is(void function() : void function()pure nothrow @safe));
}
// +/
// +/
auto toString(int i){
immutable(char)[] s;
do s=(i%10+'0')~s, i/=10; while(i);
return s;
}
alias immutable(char)[] string;
|
D
|
jQuery(document).ready(function(e){function t(e,t,n){var i=d(e.eventsWrapper),r=Number(e.timelineWrapper.css("width").replace("px",""));"next"==n?a(e,i-r+x,r-t):a(e,i+r-x)}function n(e,t,n){var i=e.eventsContent.find(".selected");if(("next"==n?i.next():i.prev()).length>0){var a=e.eventsWrapper.find(".selected"),s="next"==n?a.parent("li").next("li").children("a"):a.parent("li").prev("li").children("a");l(s,e.fillingLine,t),p(s,e.eventsContent),s.addClass("selected"),a.removeClass("selected"),f(s),r(n,s,e)}}function r(e,t,n){var i=window.getComputedStyle(t.get(0),null),r=Number(i.getPropertyValue("left").replace("px","")),l=Number(n.timelineWrapper.css("width").replace("px","")),s=Number(n.eventsWrapper.css("width").replace("px","")),o=d(n.eventsWrapper);("next"==e&&r>l-o||"prev"==e&&r<-o)&&a(n,l/2-r,l-s)}function a(e,t,n){var i=e.eventsWrapper.get(0);t=t>0?0:t,t=void 0!==n&&t<n?n:t,v(i,"translateX",t+"px"),0==t?e.timelineNavigation.find(".prev").addClass("inactive"):e.timelineNavigation.find(".prev").removeClass("inactive"),t==n?e.timelineNavigation.find(".next").addClass("inactive"):e.timelineNavigation.find(".next").removeClass("inactive")}function l(e,t,n){var i=window.getComputedStyle(e.get(0),null),r=i.getPropertyValue("left"),a=i.getPropertyValue("width");r=Number(r.replace("px",""))+Number(a.replace("px",""))/2;var l=r/n;v(t.get(0),"scaleX",l)}function s(e,t){for(i=0;i<e.timelineDates.length;i++){var n=u(e.timelineDates[0],e.timelineDates[i]),r=Math.round(n/e.eventsMinLapse)+2;e.timelineEvents.eq(i).css("left",r*t+"px")}}function o(e,t){var n=u(e.timelineDates[0],e.timelineDates[e.timelineDates.length-1]),i=n/e.eventsMinLapse,i=Math.round(i)+4,a=i*t;return e.eventsWrapper.css("width",a+"px"),l(e.eventsWrapper.find("a.selected"),e.fillingLine,a),r("next",e.eventsWrapper.find("a.selected"),e),a}function p(e,t){var n=e.data("date"),i=t.find(".selected"),r=t.find('[data-date="'+n+'"]'),a=r.height();if(r.index()>i.index())var l="selected enter-right",s="leave-left";else var l="selected enter-left",s="leave-right";r.attr("class",l),i.attr("class",s).one("webkitAnimationEnd oanimationend msAnimationEnd animationend",function(){i.removeClass("leave-right leave-left"),r.removeClass("enter-left enter-right")}),t.css("height",a+"px")}function f(e){e.parent("li").prevAll("li").children("a").addClass("older-event").end().end().nextAll("li").children("a").removeClass("older-event")}function d(e){var t=window.getComputedStyle(e.get(0),null),n=t.getPropertyValue("-webkit-transform")||t.getPropertyValue("-moz-transform")||t.getPropertyValue("-ms-transform")||t.getPropertyValue("-o-transform")||t.getPropertyValue("transform");if(n.indexOf("(")>=0){var n=n.split("(")[1];n=n.split(")")[0],n=n.split(",");var i=n[4]}else var i=0;return Number(i)}function v(e,t,n){e.style["-webkit-transform"]=t+"("+n+")",e.style["-moz-transform"]=t+"("+n+")",e.style["-ms-transform"]=t+"("+n+")",e.style["-o-transform"]=t+"("+n+")",e.style.transform=t+"("+n+")"}function c(t){var n=[];return t.each(function(){var t=e(this),i=t.data("date").split("T");if(i.length>1)var r=i[0].split("/"),a=i[1].split(":");else if(i[0].indexOf(":")>=0)var r=["2000","0","0"],a=i[0].split(":");else var r=i[0].split("/"),a=["0","0"];var l=new Date(r[2],r[1]-1,r[0],a[0],a[1]);n.push(l)}),n}function u(e,t){return Math.round(t-e)}function m(e){var t=[];for(i=1;i<e.length;i++){var n=u(e[i-1],e[i]);t.push(n)}return Math.min.apply(null,t)}function g(e){for(var t=e.offsetTop,n=e.offsetLeft,i=e.offsetWidth,r=e.offsetHeight;e.offsetParent;)e=e.offsetParent,t+=e.offsetTop,n+=e.offsetLeft;return t<window.pageYOffset+window.innerHeight&&n<window.pageXOffset+window.innerWidth&&t+r>window.pageYOffset&&n+i>window.pageXOffset}function h(){return window.getComputedStyle(document.querySelector(".cd-horizontal-timeline"),"::before").getPropertyValue("content").replace(/'/g,"").replace(/"/g,"")}var w=e(".cd-horizontal-timeline"),x=60;w.length>0&&function(i){i.each(function(){var i=e(this),r={};r.timelineWrapper=i.find(".events-wrapper"),r.eventsWrapper=r.timelineWrapper.children(".events"),r.fillingLine=r.eventsWrapper.children(".filling-line"),r.timelineEvents=r.eventsWrapper.find("a"),r.timelineDates=c(r.timelineEvents),r.eventsMinLapse=m(r.timelineDates),r.timelineNavigation=i.find(".cd-timeline-navigation"),r.eventsContent=i.children(".events-content"),s(r,x);var a=o(r,x);i.addClass("loaded"),r.timelineNavigation.on("click",".next",function(e){e.preventDefault(),t(r,a,"next")}),r.timelineNavigation.on("click",".prev",function(e){e.preventDefault(),t(r,a,"prev")}),r.eventsWrapper.on("click","a",function(t){t.preventDefault(),r.timelineEvents.removeClass("selected"),e(this).addClass("selected"),f(e(this)),l(e(this),r.fillingLine,a),p(e(this),r.eventsContent)}),r.eventsContent.on("swipeleft",function(){"mobile"==h()&&n(r,a,"next")}),r.eventsContent.on("swiperight",function(){"mobile"==h()&&n(r,a,"prev")}),e(document).keyup(function(e){"37"==e.which&&g(i.get(0))?n(r,a,"prev"):"39"==e.which&&g(i.get(0))&&n(r,a,"next")})})}(w)});
|
D
|
module examples.ex_multiple_qtl_plots;
import std.stdio, std.string, std.conv, std.math, std.file;
import gnuplot.gnuaux, gnuplot.data, gnuplot.output, gnuplot.plot;
void ex_multiple_qtl_plots(){
float[][] datamatrix = parseCSV!float("data/example/qtls.txt");
auto gnudata = new GNUdata!float(datamatrix);
// Select output
GNUout plotwindow = TERMINAL.PNG;
string[] stubnames;
for(size_t x = 1; x <= gnudata.rows(); x++){
stubnames ~= ("Trait " ~ to!string(x));
}
// Setup the gnuoutput on the output
auto gnuoutput = GNUoutput(plotwindow,"<Plot Title>",["Marker","LOD","Trait"]);
// Setup a plot using the gnudata
auto gnuplot = GNUplot(gnudata,stubnames);
// Send to plot to the GNUoutput device
gnuoutput.title = "QTL line plot";
gnuoutput.legend = true;
gnuoutput.plot(gnuplot,[1,6]); // Plot only the first 5
gnuoutput.labels = ["Marker", "Trait", "LOD"];
gnuoutput.title = "3D perspective plot";
gnuoutput.legend = false;
gnuoutput.splot(gnuplot);
gnuoutput.title = "Filled 3D perspective plot";
gnuoutput.splot(gnuplot, true);
gnuplot.p_rgb = [23,28,3];
gnuoutput.title = "QTL heatmap";
gnuoutput.image(gnuplot);
gnudata.cleanup();
}
|
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 dwt.custom.LineBackgroundListener;
import dwt.internal.SWTEventListener;
import dwt.custom.LineBackgroundEvent;
/**
* Classes which implement this interface provide a method
* that can provide the background color for a line that
* is to be drawn.
*
* @see LineBackgroundEvent
* @see <a href="http://www.eclipse.org/swt/">Sample code and further information</a>
*/
public interface LineBackgroundListener : SWTEventListener {
/**
* This method is called when a line is about to be drawn in order to get its
* background color.
* <p>
* The following event fields are used:<ul>
* <li>event.lineOffset line start offset (input)</li>
* <li>event.lineText line text (input)</li>
* <li>event.lineBackground line background color (output)</li>
* </ul>
*
* @param event the given event
* @see LineBackgroundEvent
*/
public void lineGetBackground(LineBackgroundEvent event);
}
|
D
|
module godot.splitcontainer.all;
public import
godot.splitcontainer,
godot.hsplitcontainer,
godot.vsplitcontainer;
|
D
|
/Users/zyang/SNGithub/Cosmos/Build/Intermediates/Cosmos.build/Debug-iphonesimulator/Cosmos.build/Objects-normal/x86_64/View+Shadow.o : /Users/zyang/SNGithub/Cosmos/Cosmos/Curve.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Shape+Creation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Wedge.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Checkerboard.swift /Users/zyang/SNGithub/Cosmos/Cosmos/RegularPolygon.swift /Users/zyang/SNGithub/Cosmos/Cosmos/EventSource.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIImage+AddRemove.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Bloom.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Rectangle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AstrologicalSignProvider.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ScreenRecorder.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ImageLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/HueAdjust.swift /Users/zyang/SNGithub/Cosmos/Cosmos/QuadCurve.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Vector.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AppDelegate.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Filter.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Stars.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsBig.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Shadow.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsBackground.swift /Users/zyang/SNGithub/Cosmos/Cosmos/PlayerLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Sepia.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsSmall.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Transform.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Pixel.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Shape.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Line.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Animation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Arc.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIGestureRecognizer+Closure.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuShadow.swift /Users/zyang/SNGithub/Cosmos/Cosmos/GradientLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StoredAnimation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuIcons.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Ellipse.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Foundation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Border.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Rect.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIViewController+C4View.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Size.swift /Users/zyang/SNGithub/Cosmos/Cosmos/TextShape.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Crop.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Color.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Star.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Circle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/LinearGradient.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Font.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Movie.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Point.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Sharpen.swift /Users/zyang/SNGithub/Cosmos/Cosmos/DotScreen.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Filter.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Timer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Path.swift /Users/zyang/SNGithub/Cosmos/Cosmos/InfiniteScrollView.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIView+AddRemove.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuSelector.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ViewAnimation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/CanvasController.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Animation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Generator.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+KeyValues.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Render.swift /Users/zyang/SNGithub/Cosmos/Cosmos/InfoPanel.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ColorBurn.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Gradient.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Triangle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Twirl.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Menu.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Math.swift /Users/zyang/SNGithub/Cosmos/Cosmos/SignLines.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Polygon.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Layer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ShapeLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Generator.swift /Users/zyang/SNGithub/Cosmos/Cosmos/GaussianBlur.swift /Users/zyang/SNGithub/Cosmos/Cosmos/WorkSpace.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIImage+Color.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AudioPlayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuRings.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule
/Users/zyang/SNGithub/Cosmos/Build/Intermediates/Cosmos.build/Debug-iphonesimulator/Cosmos.build/Objects-normal/x86_64/View+Shadow~partial.swiftmodule : /Users/zyang/SNGithub/Cosmos/Cosmos/Curve.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Shape+Creation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Wedge.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Checkerboard.swift /Users/zyang/SNGithub/Cosmos/Cosmos/RegularPolygon.swift /Users/zyang/SNGithub/Cosmos/Cosmos/EventSource.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIImage+AddRemove.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Bloom.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Rectangle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AstrologicalSignProvider.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ScreenRecorder.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ImageLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/HueAdjust.swift /Users/zyang/SNGithub/Cosmos/Cosmos/QuadCurve.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Vector.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AppDelegate.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Filter.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Stars.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsBig.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Shadow.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsBackground.swift /Users/zyang/SNGithub/Cosmos/Cosmos/PlayerLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Sepia.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsSmall.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Transform.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Pixel.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Shape.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Line.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Animation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Arc.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIGestureRecognizer+Closure.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuShadow.swift /Users/zyang/SNGithub/Cosmos/Cosmos/GradientLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StoredAnimation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuIcons.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Ellipse.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Foundation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Border.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Rect.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIViewController+C4View.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Size.swift /Users/zyang/SNGithub/Cosmos/Cosmos/TextShape.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Crop.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Color.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Star.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Circle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/LinearGradient.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Font.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Movie.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Point.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Sharpen.swift /Users/zyang/SNGithub/Cosmos/Cosmos/DotScreen.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Filter.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Timer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Path.swift /Users/zyang/SNGithub/Cosmos/Cosmos/InfiniteScrollView.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIView+AddRemove.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuSelector.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ViewAnimation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/CanvasController.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Animation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Generator.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+KeyValues.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Render.swift /Users/zyang/SNGithub/Cosmos/Cosmos/InfoPanel.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ColorBurn.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Gradient.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Triangle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Twirl.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Menu.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Math.swift /Users/zyang/SNGithub/Cosmos/Cosmos/SignLines.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Polygon.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Layer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ShapeLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Generator.swift /Users/zyang/SNGithub/Cosmos/Cosmos/GaussianBlur.swift /Users/zyang/SNGithub/Cosmos/Cosmos/WorkSpace.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIImage+Color.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AudioPlayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuRings.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule
/Users/zyang/SNGithub/Cosmos/Build/Intermediates/Cosmos.build/Debug-iphonesimulator/Cosmos.build/Objects-normal/x86_64/View+Shadow~partial.swiftdoc : /Users/zyang/SNGithub/Cosmos/Cosmos/Curve.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Shape+Creation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Wedge.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Checkerboard.swift /Users/zyang/SNGithub/Cosmos/Cosmos/RegularPolygon.swift /Users/zyang/SNGithub/Cosmos/Cosmos/EventSource.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIImage+AddRemove.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Bloom.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Rectangle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AstrologicalSignProvider.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ScreenRecorder.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ImageLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/HueAdjust.swift /Users/zyang/SNGithub/Cosmos/Cosmos/QuadCurve.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Vector.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AppDelegate.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Filter.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Stars.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsBig.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Shadow.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsBackground.swift /Users/zyang/SNGithub/Cosmos/Cosmos/PlayerLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Sepia.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StarsSmall.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Transform.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Pixel.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Shape.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Line.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Animation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Arc.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIGestureRecognizer+Closure.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuShadow.swift /Users/zyang/SNGithub/Cosmos/Cosmos/GradientLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/StoredAnimation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuIcons.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Ellipse.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Foundation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Border.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Rect.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIViewController+C4View.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Size.swift /Users/zyang/SNGithub/Cosmos/Cosmos/TextShape.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Crop.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Color.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Star.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Circle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/LinearGradient.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Font.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Movie.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Point.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Sharpen.swift /Users/zyang/SNGithub/Cosmos/Cosmos/DotScreen.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Filter.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Timer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Path.swift /Users/zyang/SNGithub/Cosmos/Cosmos/InfiniteScrollView.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIView+AddRemove.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuSelector.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ViewAnimation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/CanvasController.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Animation.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Generator.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+KeyValues.swift /Users/zyang/SNGithub/Cosmos/Cosmos/View+Render.swift /Users/zyang/SNGithub/Cosmos/Cosmos/InfoPanel.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ColorBurn.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Gradient.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Triangle.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Twirl.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Menu.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Math.swift /Users/zyang/SNGithub/Cosmos/Cosmos/SignLines.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Polygon.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Layer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/ShapeLayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/Image+Generator.swift /Users/zyang/SNGithub/Cosmos/Cosmos/GaussianBlur.swift /Users/zyang/SNGithub/Cosmos/Cosmos/WorkSpace.swift /Users/zyang/SNGithub/Cosmos/Cosmos/UIImage+Color.swift /Users/zyang/SNGithub/Cosmos/Cosmos/AudioPlayer.swift /Users/zyang/SNGithub/Cosmos/Cosmos/MenuRings.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule
|
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_invoke_static_16.java
.class public dot.junit.opcodes.invoke_static.d.T_invoke_static_16
.super java/lang/Object
.method public <init>()V
.limit regs 2
invoke-direct {v1}, java/lang/Object/<init>()V
return-void
.end method
.method public run()I
.limit regs 3
invoke-static {v3}, java/lang/Math/abs(I)I
move-result v0
return v0
.end method
|
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.socket;
import core.thread : Thread;
import core.time : dur, Duration;
import std.array : empty;
import std.conv : text, to;
import std.exception : enforce;
import std.socket;
import thrift.base;
import thrift.transport.base;
import thrift.internal.socket;
/**
* Common parts of a socket TTransport implementation, regardless of how the
* actual I/O is performed (sync/async).
*/
abstract class TSocketBase : TBaseTransport {
/**
* Constructor that takes an already created, connected (!) socket.
*
* Params:
* socket = Already created, connected socket object.
*/
this(Socket socket) {
socket_ = socket;
setSocketOpts();
}
/**
* Creates a new unconnected socket that will connect to the given host
* on the given port.
*
* Params:
* host = Remote host.
* port = Remote port.
*/
this(string host, ushort port) {
host_ = host;
port_ = port;
}
/**
* Checks whether the socket is connected.
*/
override bool isOpen() @property {
return socket_ !is null;
}
/**
* Writes as much data to the socket as there can be in a single OS call.
*
* Params:
* buf = Data to write.
*
* Returns: The actual number of bytes written. Never more than buf.length.
*/
abstract size_t writeSome(in ubyte[] buf) out (written) {
// DMD @@BUG@@: Enabling this e.g. fails the contract in the
// async_test_server, because buf.length evaluates to 0 here, even though
// in the method body it correctly is 27 (equal to the return value).
version (none) assert(written <= buf.length, text("Implementation wrote " ~
"more data than requested to?! (", written, " vs. ", buf.length, ")"));
} body {
assert(0, "DMD bug? – Why would contracts work for interfaces, but not "
"for abstract methods? "
"(Error: function […] in and out contracts require function body");
}
/**
* Returns the actual address of the peer the socket is connected to.
*
* In contrast, the host and port properties contain the address used to
* establish the connection, and are not updated after the connection.
*
* The socket must be open when calling this.
*/
Address getPeerAddress() {
enforce(isOpen, new TTransportException("Cannot get peer host for " ~
"closed socket.", TTransportException.Type.NOT_OPEN));
if (!peerAddress_) {
peerAddress_ = socket_.remoteAddress();
assert(peerAddress_);
}
return peerAddress_;
}
/**
* The host the socket is connected to or will connect to. Null if an
* already connected socket was used to construct the object.
*/
string host() const @property {
return host_;
}
/**
* The port the socket is connected to or will connect to. Zero if an
* already connected socket was used to construct the object.
*/
ushort port() const @property {
return port_;
}
/// The socket send timeout.
Duration sendTimeout() const @property {
return sendTimeout_;
}
/// Ditto
void sendTimeout(Duration value) @property {
sendTimeout_ = value;
}
/// The socket receiving timeout. Values smaller than 500 ms are not
/// supported on Windows.
Duration recvTimeout() const @property {
return recvTimeout_;
}
/// Ditto
void recvTimeout(Duration value) @property {
recvTimeout_ = value;
}
/**
* Returns the OS handle of the underlying socket.
*
* Should not usually be used directly, but access to it can be necessary
* to interface with C libraries.
*/
typeof(socket_.handle()) socketHandle() @property {
return socket_.handle();
}
protected:
/**
* Sets the needed socket options.
*/
void setSocketOpts() {
try {
alias SocketOptionLevel.SOCKET lvlSock;
linger l;
l.on = 0;
l.time = 0;
socket_.setOption(lvlSock, SocketOption.LINGER, l);
} catch (SocketException e) {
logError("Could not set socket option: %s", e);
}
// Just try to disable Nagle's algorithm – this will fail if we are passed
// in a non-TCP socket via the Socket-accepting constructor.
try {
socket_.setOption(SocketOptionLevel.TCP, SocketOption.TCP_NODELAY, true);
} catch (SocketException e) {}
}
/// Remote host.
string host_;
/// Remote port.
ushort port_;
/// Timeout for sending.
Duration sendTimeout_;
/// Timeout for receiving.
Duration recvTimeout_;
/// Cached peer address.
Address peerAddress_;
/// Cached peer host name.
string peerHost_;
/// Cached peer port.
ushort peerPort_;
/// Wrapped socket object.
Socket socket_;
}
/**
* Socket implementation of the TTransport interface.
*
* Due to the limitations of std.socket, currently only TCP/IP sockets are
* supported (i.e. Unix domain sockets are not).
*/
class TSocket : TSocketBase {
///
this(Socket socket) {
super(socket);
}
///
this(string host, ushort port) {
super(host, port);
}
/**
* Connects the socket.
*/
override void open() {
if (isOpen) return;
enforce(!host_.empty, new TTransportException(
"Cannot open socket to null host.", TTransportException.Type.NOT_OPEN));
enforce(port_ != 0, new TTransportException(
"Cannot open socket to port zero.", TTransportException.Type.NOT_OPEN));
Address[] addrs;
try {
addrs = getAddress(host_, port_);
} catch (SocketException e) {
throw new TTransportException("Could not resolve given host string.",
TTransportException.Type.NOT_OPEN, __FILE__, __LINE__, e);
}
Exception[] errors;
foreach (addr; addrs) {
try {
socket_ = new TcpSocket(addr.addressFamily);
setSocketOpts();
socket_.connect(addr);
break;
} catch (SocketException e) {
errors ~= e;
}
}
if (errors.length == addrs.length) {
socket_ = null;
// Need to throw a TTransportException to abide the TTransport API.
import std.algorithm, std.range;
throw new TTransportException(
text("Failed to connect to ", host_, ":", port_, "."),
TTransportException.Type.NOT_OPEN,
__FILE__, __LINE__,
new TCompoundOperationException(
text(
"All addresses tried failed (",
joiner(map!q{text(a._0, `: "`, a._1.msg, `"`)}(zip(addrs, errors)), ", "),
")."
),
errors
)
);
}
}
/**
* Closes the socket.
*/
override void close() {
if (!isOpen) return;
socket_.close();
socket_ = null;
}
override bool peek() {
if (!isOpen) return false;
ubyte buf;
auto r = socket_.receive((&buf)[0 .. 1], SocketFlags.PEEK);
if (r == -1) {
auto lastErrno = getSocketErrno();
static if (connresetOnPeerShutdown) {
if (lastErrno == ECONNRESET) {
close();
return false;
}
}
throw new TTransportException("Peeking into socket failed: " ~
socketErrnoString(lastErrno), TTransportException.Type.UNKNOWN);
}
return (r > 0);
}
override size_t read(ubyte[] buf) {
enforce(isOpen, new TTransportException(
"Cannot read if socket is not open.", TTransportException.Type.NOT_OPEN));
typeof(getSocketErrno()) lastErrno;
ushort tries;
while (tries++ <= maxRecvRetries_) {
auto r = socket_.receive(cast(void[])buf);
// If recv went fine, immediately return.
if (r >= 0) return r;
// Something went wrong, find out how to handle it.
lastErrno = getSocketErrno();
if (lastErrno == INTERRUPTED_ERRNO) {
// If the syscall was interrupted, just try again.
continue;
}
static if (connresetOnPeerShutdown) {
// See top comment.
if (lastErrno == ECONNRESET) {
return 0;
}
}
// Not an error which is handled in a special way, just leave the loop.
break;
}
if (isSocketCloseErrno(lastErrno)) {
close();
throw new TTransportException("Receiving failed, closing socket: " ~
socketErrnoString(lastErrno), TTransportException.Type.NOT_OPEN);
} else if (lastErrno == TIMEOUT_ERRNO) {
throw new TTransportException(TTransportException.Type.TIMED_OUT);
} else {
throw new TTransportException("Receiving from socket failed: " ~
socketErrnoString(lastErrno), TTransportException.Type.UNKNOWN);
}
}
override void write(in ubyte[] buf) {
size_t sent;
while (sent < buf.length) {
auto b = writeSome(buf[sent .. $]);
if (b == 0) {
// This should only happen if the timeout set with SO_SNDTIMEO expired.
throw new TTransportException("send() timeout expired.",
TTransportException.Type.TIMED_OUT);
}
sent += b;
}
assert(sent == buf.length);
}
override size_t writeSome(in ubyte[] buf) {
enforce(isOpen, new TTransportException(
"Cannot write if file is not open.", TTransportException.Type.NOT_OPEN));
auto r = socket_.send(buf);
// Everything went well, just return the number of bytes written.
if (r > 0) return r;
// Handle error conditions.
if (r < 0) {
auto lastErrno = getSocketErrno();
if (lastErrno == WOULD_BLOCK_ERRNO) {
// Not an exceptional error per se – even with blocking sockets,
// EAGAIN apparently is returned sometimes on out-of-resource
// conditions (see the C++ implementation for details). Also, this
// allows using TSocket with non-blocking sockets e.g. in
// TNonblockingServer.
return 0;
}
auto type = TTransportException.Type.UNKNOWN;
if (isSocketCloseErrno(lastErrno)) {
type = TTransportException.Type.NOT_OPEN;
close();
}
throw new TTransportException("Sending to socket failed: " ~
socketErrnoString(lastErrno), type);
}
// send() should never return 0.
throw new TTransportException("Sending to socket failed (0 bytes written).",
TTransportException.Type.UNKNOWN);
}
override void sendTimeout(Duration value) @property {
super.sendTimeout(value);
setTimeout(SocketOption.SNDTIMEO, value);
}
override void recvTimeout(Duration value) @property {
super.recvTimeout(value);
setTimeout(SocketOption.RCVTIMEO, value);
}
/**
* Maximum number of retries for receiving from socket on read() in case of
* EAGAIN/EINTR.
*/
ushort maxRecvRetries() @property const {
return maxRecvRetries_;
}
/// Ditto
void maxRecvRetries(ushort value) @property {
maxRecvRetries_ = value;
}
/// Ditto
enum DEFAULT_MAX_RECV_RETRIES = 5;
protected:
override void setSocketOpts() {
super.setSocketOpts();
setTimeout(SocketOption.SNDTIMEO, sendTimeout_);
setTimeout(SocketOption.RCVTIMEO, recvTimeout_);
}
void setTimeout(SocketOption type, Duration value) {
assert(type == SocketOption.SNDTIMEO || type == SocketOption.RCVTIMEO);
version (Win32) {
if (value > dur!"hnsecs"(0) && value < dur!"msecs"(500)) {
logError(
"Socket %s timeout of %s ms might be raised to 500 ms on Windows.",
(type == SocketOption.SNDTIMEO) ? "send" : "receive",
value.total!"msecs"
);
}
}
if (socket_) {
try {
socket_.setOption(SocketOptionLevel.SOCKET, type, value);
} catch (SocketException e) {
throw new TTransportException(
"Could not set send timeout: " ~ socketErrnoString(e.errorCode),
TTransportException.Type.UNKNOWN,
__FILE__,
__LINE__,
e
);
}
}
}
/// Maximum number of recv() retries.
ushort maxRecvRetries_ = DEFAULT_MAX_RECV_RETRIES;
}
|
D
|
/*
* gdipluscachedbitmap.d
*
* This module implements GdiPlusCachedBitmap.h for D. The original
* copyright info is given below.
*
* Author: Dave Wilkinson
* Originated: November 25th, 2009
*
*/
module binding.win32.gdipluscachedbitmap;
import binding.win32.windef;
import binding.win32.winbase;
import binding.win32.winnt;
import binding.win32.wingdi;
import binding.win32.guiddef;
import binding.win32.gdiplusbase;
import binding.win32.gdiplustypes;
import binding.win32.gdiplusenums;
import binding.win32.gdipluspixelformats;
import binding.win32.gdiplusgpstubs;
import binding.win32.gdiplusmetaheader;
import binding.win32.gdipluspixelformats;
import binding.win32.gdipluscolor;
import binding.win32.gdipluscolormatrix;
import binding.win32.gdiplusflat;
import binding.win32.gdiplusimaging;
import binding.win32.gdiplusbitmap;
import binding.win32.gdiplusimageattributes;
import binding.win32.gdiplusmatrix;
import binding.win32.gdiplusgraphics;
/**************************************************************************
*
* Copyright (c) 2000 Microsoft Corporation
*
* Module Name:
*
* CachedBitmap class definition
*
* Abstract:
*
* GDI+ CachedBitmap is a representation of an accelerated drawing
* that has restrictions on what operations are allowed in order
* to accelerate the drawing to the destination.
*
* Look for class definition in GdiplusHeaders.h
*
**************************************************************************/
class CachedBitmap : GdiplusBase {
this(in Bitmap bitmap, in Graphics graphics) {
nativeCachedBitmap = null;
lastResult = GdipCreateCachedBitmap(
bitmap.nativeImage,
graphics.nativeGraphics,
&nativeCachedBitmap
);
}
~this() {
GdipDeleteCachedBitmap(nativeCachedBitmap);
}
Status GetLastStatus() {
Status lastStatus = lastResult;
lastResult = Status.Ok;
return (lastStatus);
}
protected:
package GpCachedBitmap *nativeCachedBitmap;
package Status lastResult;
}
|
D
|
/Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Console.build/Objects-normal/x86_64/ActivityIndicatorRenderer.o : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Terminal/ANSI.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Deprecated.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Console.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleStyle.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Choose.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicatorState.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Ask.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Terminal/Terminal.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/Console+Ephemeral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Confirm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/LoadingBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ProgressBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/Console+Clear.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/ConsoleClear.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/ConsoleLogger.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Center.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleColor.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/ConsoleError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Wait.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleTextFragment.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Input.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Output.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleText.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Console.build/Objects-normal/x86_64/ActivityIndicatorRenderer~partial.swiftmodule : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Terminal/ANSI.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Deprecated.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Console.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleStyle.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Choose.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicatorState.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Ask.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Terminal/Terminal.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/Console+Ephemeral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Confirm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/LoadingBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ProgressBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/Console+Clear.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/ConsoleClear.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/ConsoleLogger.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Center.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleColor.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/ConsoleError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Wait.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleTextFragment.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Input.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Output.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleText.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Console.build/Objects-normal/x86_64/ActivityIndicatorRenderer~partial.swiftdoc : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Terminal/ANSI.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Deprecated.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Console.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleStyle.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Choose.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicatorState.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Ask.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Terminal/Terminal.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/Console+Ephemeral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Confirm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/LoadingBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ProgressBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityBar.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/Console+Clear.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Clear/ConsoleClear.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/ConsoleLogger.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Center.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleColor.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/ConsoleError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/ActivityIndicator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Utilities/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Wait.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleTextFragment.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Input/Console+Input.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/Console+Output.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Output/ConsoleText.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/console.git--2038011266701773803/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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
|
module and.util;
alias void delegate ( uint currentEpoch, real currentError, real deltaError, real largestError, real deltaLargestError ) trainingProgressCallback;
int nodeWinner( real [] ins )
{
int n = 0;
real temp = real.infinity * -1;
for ( int i = 0 ; i < ins.length; i++ )
{
if ( ins[i] > temp )
{
n = i;
temp = ins[i];
}
}
return n;
}
|
D
|
/*******************************************************************************
* Copyright (c) 2007, 2009 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.dnd.TreeDragSourceEffect;
import dwt.dwthelper.utils;
import dwt.DWT;
import dwt.dnd.DragSourceEffect;
import dwt.dnd.DragSourceEvent;
import dwt.graphics.Image;
import dwt.internal.cocoa.NSApplication;
import dwt.internal.cocoa.NSEvent;
import dwt.internal.cocoa.NSImage;
import dwt.internal.cocoa.NSPoint;
import dwt.internal.cocoa.NSTableView;
import dwt.internal.cocoa.OS;
import dwt.widgets.Tree;
/**
* This class provides default implementations to display a source image
* when a drag is initiated from a <code>Tree</code>.
*
* <p>Classes that wish to provide their own source image for a <code>Tree</code> can
* extend <code>TreeDragSourceEffect</code> class and override the <code>TreeDragSourceEffect.dragStart</code>
* method and set the field <code>DragSourceEvent.image</code> with their own image.</p>
*
* Subclasses that override any methods of this class must call the corresponding
* <code>super</code> method to get the default drag under effect implementation.
*
* @see DragSourceEffect
* @see DragSourceEvent
* @see <a href="http://www.eclipse.org/swt/">Sample code and further information</a>
*
* @since 3.3
*/
public class TreeDragSourceEffect : DragSourceEffect {
Image dragSourceImage = null;
/**
* Creates a new <code>TreeDragSourceEffect</code> to handle drag effect
* from the specified <code>Tree</code>.
*
* @param tree the <code>Tree</code> that the user clicks on to initiate the drag
*/
public this(Tree tree) {
super(tree);
}
/**
* This implementation of <code>dragFinished</code> disposes the image
* that was created in <code>TreeDragSourceEffect.dragStart</code>.
*
* Subclasses that override this method should call <code>super.dragFinished(event)</code>
* to dispose the image in the default implementation.
*
* @param event the information associated with the drag finished event
*/
public void dragFinished(DragSourceEvent event) {
if (dragSourceImage !is null) dragSourceImage.dispose();
dragSourceImage = null;
}
/**
* This implementation of <code>dragStart</code> will create a default
* image that will be used during the drag. The image should be disposed
* when the drag is completed in the <code>TreeDragSourceEffect.dragFinished</code>
* method.
*
* Subclasses that override this method should call <code>super.dragStart(event)</code>
* to use the image from the default implementation.
*
* @param event the information associated with the drag start event
*/
public void dragStart(DragSourceEvent event) {
event.image = getDragSourceImage(event);
}
Image getDragSourceImage(DragSourceEvent event) {
if (dragSourceImage !is null) dragSourceImage.dispose();
dragSourceImage = null;
NSPoint point = NSPoint();
NSEvent nsEvent = NSApplication.sharedApplication().currentEvent();
NSTableView widget = cast(NSTableView)control.view;
NSImage nsImage = widget.dragImageForRowsWithIndexes(widget.selectedRowIndexes(), widget.tableColumns(), nsEvent, &point);
//TODO: Image representation wrong???
Image image = Image.cocoa_new(control.getDisplay(), DWT.BITMAP, nsImage);
dragSourceImage = image;
nsImage.retain();
event.offsetX = cast(int)point.x;
event.offsetY = cast(int)point.y;
return image;
}
}
|
D
|
/Users/abdulbasitajeigbe/cs181g/tictactoe/target/debug/build/ryu-2f42ed81466b0fa0/build_script_build-2f42ed81466b0fa0: /Users/abdulbasitajeigbe/.cargo/registry/src/github.com-1ecc6299db9ec823/ryu-1.0.5/build.rs
/Users/abdulbasitajeigbe/cs181g/tictactoe/target/debug/build/ryu-2f42ed81466b0fa0/build_script_build-2f42ed81466b0fa0.d: /Users/abdulbasitajeigbe/.cargo/registry/src/github.com-1ecc6299db9ec823/ryu-1.0.5/build.rs
/Users/abdulbasitajeigbe/.cargo/registry/src/github.com-1ecc6299db9ec823/ryu-1.0.5/build.rs:
|
D
|
// dear imgui, v1.83
// (tables and columns code)
module d_imgui.imgui_tables;
/*
Index of this file:
// [SECTION] Commentary
// [SECTION] Header mess
// [SECTION] Tables: Main code
// [SECTION] Tables: Simple accessors
// [SECTION] Tables: Row changes
// [SECTION] Tables: Columns changes
// [SECTION] Tables: Columns width management
// [SECTION] Tables: Drawing
// [SECTION] Tables: Sorting
// [SECTION] Tables: Headers
// [SECTION] Tables: Context Menu
// [SECTION] Tables: Settings (.ini data)
// [SECTION] Tables: Garbage Collection
// [SECTION] Tables: Debugging
// [SECTION] Columns, BeginColumns, EndColumns, etc.
*/
// Navigating this file:
// - In Visual Studio IDE: CTRL+comma ("Edit.NavigateTo") can follow symbols in comments, whereas CTRL+F12 ("Edit.GoToImplementation") cannot.
// - With Visual Assist installed: ALT+G ("VAssistX.GoToImplementation") can also follow symbols in comments.
//-----------------------------------------------------------------------------
// [SECTION] Commentary
//-----------------------------------------------------------------------------
//-----------------------------------------------------------------------------
// Typical tables call flow: (root level is generally public API):
//-----------------------------------------------------------------------------
// - BeginTable() user begin into a table
// | BeginChild() - (if ScrollX/ScrollY is set)
// | TableBeginInitMemory() - first time table is used
// | TableResetSettings() - on settings reset
// | TableLoadSettings() - on settings load
// | TableBeginApplyRequests() - apply queued resizing/reordering/hiding requests
// | - TableSetColumnWidth() - apply resizing width (for mouse resize, often requested by previous frame)
// | - TableUpdateColumnsWeightFromWidth()- recompute columns weights (of stretch columns) from their respective width
// - TableSetupColumn() user submit columns details (optional)
// - TableSetupScrollFreeze() user submit scroll freeze information (optional)
//-----------------------------------------------------------------------------
// - TableUpdateLayout() [Internal] followup to BeginTable(): setup everything: widths, columns positions, clipping rectangles. Automatically called by the FIRST call to TableNextRow() or TableHeadersRow().
// | TableSetupDrawChannels() - setup ImDrawList channels
// | TableUpdateBorders() - detect hovering columns for resize, ahead of contents submission
// | TableDrawContextMenu() - draw right-click context menu
//-----------------------------------------------------------------------------
// - TableHeadersRow() or TableHeader() user submit a headers row (optional)
// | TableSortSpecsClickColumn() - when left-clicked: alter sort order and sort direction
// | TableOpenContextMenu() - when right-clicked: trigger opening of the default context menu
// - TableGetSortSpecs() user queries updated sort specs (optional, generally after submitting headers)
// - TableNextRow() user begin into a new row (also automatically called by TableHeadersRow())
// | TableEndRow() - finish existing row
// | TableBeginRow() - add a new row
// - TableSetColumnIndex() / TableNextColumn() user begin into a cell
// | TableEndCell() - close existing column/cell
// | TableBeginCell() - enter into current column/cell
// - [...] user emit contents
//-----------------------------------------------------------------------------
// - EndTable() user ends the table
// | TableDrawBorders() - draw outer borders, inner vertical borders
// | TableMergeDrawChannels() - merge draw channels if clipping isn't required
// | EndChild() - (if ScrollX/ScrollY is set)
//-----------------------------------------------------------------------------
//-----------------------------------------------------------------------------
// TABLE SIZING
//-----------------------------------------------------------------------------
// (Read carefully because this is subtle but it does make sense!)
//-----------------------------------------------------------------------------
// About 'outer_size':
// Its meaning needs to differ slightly depending on if we are using ScrollX/ScrollY flags.
// Default value is ImVec2(0.0f, 0.0f).
// X
// - outer_size.x <= 0.0f -> Right-align from window/work-rect right-most edge. With -FLT_MIN or 0.0f will align exactly on right-most edge.
// - outer_size.x > 0.0f -> Set Fixed width.
// Y with ScrollX/ScrollY disabled: we output table directly in current window
// - outer_size.y < 0.0f -> Bottom-align (but will auto extend, unless _NoHostExtendY is set). Not meaningful is parent window can vertically scroll.
// - outer_size.y = 0.0f -> No minimum height (but will auto extend, unless _NoHostExtendY is set)
// - outer_size.y > 0.0f -> Set Minimum height (but will auto extend, unless _NoHostExtenY is set)
// Y with ScrollX/ScrollY enabled: using a child window for scrolling
// - outer_size.y < 0.0f -> Bottom-align. Not meaningful is parent window can vertically scroll.
// - outer_size.y = 0.0f -> Bottom-align, consistent with BeginChild(). Not recommended unless table is last item in parent window.
// - outer_size.y > 0.0f -> Set Exact height. Recommended when using Scrolling on any axis.
//-----------------------------------------------------------------------------
// Outer size is also affected by the NoHostExtendX/NoHostExtendY flags.
// Important to that note how the two flags have slightly different behaviors!
// - ImGuiTableFlags_NoHostExtendX -> Make outer width auto-fit to columns (overriding outer_size.x value). Only available when ScrollX/ScrollY are disabled and Stretch columns are not used.
// - ImGuiTableFlags_NoHostExtendY -> Make outer height stop exactly at outer_size.y (prevent auto-extending table past the limit). Only available when ScrollX/ScrollY is disabled. Data below the limit will be clipped and not visible.
// In theory ImGuiTableFlags_NoHostExtendY could be the default and any non-scrolling tables with outer_size.y != 0.0f would use exact height.
// This would be consistent but perhaps less useful and more confusing (as vertically clipped items are not easily noticeable)
//-----------------------------------------------------------------------------
// About 'inner_width':
// With ScrollX disabled:
// - inner_width -> *ignored*
// With ScrollX enabled:
// - inner_width < 0.0f -> *illegal* fit in known width (right align from outer_size.x) <-- weird
// - inner_width = 0.0f -> fit in outer_width: Fixed size columns will take space they need (if avail, otherwise shrink down), Stretch columns becomes Fixed columns.
// - inner_width > 0.0f -> override scrolling width, generally to be larger than outer_size.x. Fixed column take space they need (if avail, otherwise shrink down), Stretch columns share remaining space!
//-----------------------------------------------------------------------------
// Details:
// - If you want to use Stretch columns with ScrollX, you generally need to specify 'inner_width' otherwise the concept
// of "available space" doesn't make sense.
// - Even if not really useful, we allow 'inner_width < outer_size.x' for consistency and to facilitate understanding
// of what the value does.
//-----------------------------------------------------------------------------
//-----------------------------------------------------------------------------
// COLUMNS SIZING POLICIES
//-----------------------------------------------------------------------------
// About overriding column sizing policy and width/weight with TableSetupColumn():
// We use a default parameter of 'init_width_or_weight == -1'.
// - with ImGuiTableColumnFlags_WidthFixed, init_width <= 0 (default) --> width is automatic
// - with ImGuiTableColumnFlags_WidthFixed, init_width > 0 (explicit) --> width is custom
// - with ImGuiTableColumnFlags_WidthStretch, init_weight <= 0 (default) --> weight is 1.0f
// - with ImGuiTableColumnFlags_WidthStretch, init_weight > 0 (explicit) --> weight is custom
// Widths are specified _without_ CellPadding. If you specify a width of 100.0f, the column will be cover (100.0f + Padding * 2.0f)
// and you can fit a 100.0f wide item in it without clipping and with full padding.
//-----------------------------------------------------------------------------
// About default sizing policy (if you don't specify a ImGuiTableColumnFlags_WidthXXXX flag)
// - with Table policy ImGuiTableFlags_SizingFixedFit --> default Column policy is ImGuiTableColumnFlags_WidthFixed, default Width is equal to contents width
// - with Table policy ImGuiTableFlags_SizingFixedSame --> default Column policy is ImGuiTableColumnFlags_WidthFixed, default Width is max of all contents width
// - with Table policy ImGuiTableFlags_SizingStretchSame --> default Column policy is ImGuiTableColumnFlags_WidthStretch, default Weight is 1.0f
// - with Table policy ImGuiTableFlags_SizingStretchWeight --> default Column policy is ImGuiTableColumnFlags_WidthStretch, default Weight is proportional to contents
// Default Width and default Weight can be overridden when calling TableSetupColumn().
//-----------------------------------------------------------------------------
// About mixing Fixed/Auto and Stretch columns together:
// - the typical use of mixing sizing policies is: any number of LEADING Fixed columns, followed by one or two TRAILING Stretch columns.
// - using mixed policies with ScrollX does not make much sense, as using Stretch columns with ScrollX does not make much sense in the first place!
// that is, unless 'inner_width' is passed to BeginTable() to explicitly provide a total width to layout columns in.
// - when using ImGuiTableFlags_SizingFixedSame with mixed columns, only the Fixed/Auto columns will match their widths to the width of the maximum contents.
// - when using ImGuiTableFlags_SizingStretchSame with mixed columns, only the Stretch columns will match their weight/widths.
//-----------------------------------------------------------------------------
// About using column width:
// If a column is manual resizable or has a width specified with TableSetupColumn():
// - you may use GetContentRegionAvail().x to query the width available in a given column.
// - right-side alignment features such as SetNextItemWidth(-x) or PushItemWidth(-x) will rely on this width.
// If the column is not resizable and has no width specified with TableSetupColumn():
// - its width will be automatic and be set to the max of items submitted.
// - therefore you generally cannot have ALL items of the columns use e.g. SetNextItemWidth(-FLT_MIN).
// - but if the column has one or more items of known/fixed size, this will become the reference width used by SetNextItemWidth(-FLT_MIN).
//-----------------------------------------------------------------------------
//-----------------------------------------------------------------------------
// TABLES CLIPPING/CULLING
//-----------------------------------------------------------------------------
// About clipping/culling of Rows in Tables:
// - For large numbers of rows, it is recommended you use ImGuiListClipper to only submit visible rows.
// ImGuiListClipper is reliant on the fact that rows are of equal height.
// See 'Demo->Tables->Vertical Scrolling' or 'Demo->Tables->Advanced' for a demo of using the clipper.
// - Note that auto-resizing columns don't play well with using the clipper.
// By default a table with _ScrollX but without _Resizable will have column auto-resize.
// So, if you want to use the clipper, make sure to either enable _Resizable, either setup columns width explicitly with _WidthFixed.
//-----------------------------------------------------------------------------
// About clipping/culling of Columns in Tables:
// - Both TableSetColumnIndex() and TableNextColumn() return true when the column is visible or performing
// width measurements. Otherwise, you may skip submitting the contents of a cell/column, BUT ONLY if you know
// it is not going to contribute to row height.
// In many situations, you may skip submitting contents for every column but one (e.g. the first one).
// - Case A: column is not hidden by user, and at least partially in sight (most common case).
// - Case B: column is clipped / out of sight (because of scrolling or parent ClipRect): TableNextColumn() return false as a hint but we still allow layout output.
// - Case C: column is hidden explicitly by the user (e.g. via the context menu, or _DefaultHide column flag, etc.).
//
// [A] [B] [C]
// TableNextColumn(): true false false -> [userland] when TableNextColumn() / TableSetColumnIndex() return false, user can skip submitting items but only if the column doesn't contribute to row height.
// SkipItems: false false true -> [internal] when SkipItems is true, most widgets will early out if submitted, resulting is no layout output.
// ClipRect: normal zero-width zero-width -> [internal] when ClipRect is zero, ItemAdd() will return false and most widgets will early out mid-way.
// ImDrawList output: normal dummy dummy -> [internal] when using the dummy channel, ImDrawList submissions (if any) will be wasted (because cliprect is zero-width anyway).
//
// - We need to distinguish those cases because non-hidden columns that are clipped outside of scrolling bounds should still contribute their height to the row.
// However, in the majority of cases, the contribution to row height is the same for all columns, or the tallest cells are known by the programmer.
//-----------------------------------------------------------------------------
// About clipping/culling of whole Tables:
// - Scrolling tables with a known outer size can be clipped earlier as BeginTable() will return false.
//-----------------------------------------------------------------------------
//-----------------------------------------------------------------------------
// [SECTION] Header mess
//-----------------------------------------------------------------------------
/+
#if defined(_MSC_VER) && !defined(_CRT_SECURE_NO_WARNINGS)
#define _CRT_SECURE_NO_WARNINGS
#endif
+/
import d_imgui.imgui_h;
// #ifndef IMGUI_DISABLE
//#ifndef IMGUI_DEFINE_MATH_OPERATORS
//#define IMGUI_DEFINE_MATH_OPERATORS
//#endif
import d_imgui.imgui;
import d_imgui.imgui_widgets;
import d_imgui.imgui_draw;
import d_imgui.imgui_internal;
import d_imgui.imconfig;
nothrow:
@nogc:
// System includes
/+
#if defined(_MSC_VER) && _MSC_VER <= 1500 // MSVC 2008 or earlier
#include <stddef.h> // intptr_t
#else
#include <stdint.h> // intptr_t
#endif
+/
// Visual Studio warnings
/+
#ifdef _MSC_VER
#pragma warning (disable: 4127) // condition expression is constant
#pragma warning (disable: 4996) // 'This function or variable may be unsafe': strcpy, strdup, sprintf, vsnprintf, sscanf, fopen
#if defined(_MSC_VER) && _MSC_VER >= 1922 // MSVC 2019 16.2 or later
#pragma warning (disable: 5054) // operator '|': deprecated between enumerations of different types
#endif
#pragma warning (disable: 26451) // [Static Analyzer] Arithmetic overflow : Using operator 'xxx' on a 4 byte value and then casting the result to a 8 byte value. Cast the value to the wider type before calling operator 'xxx' to avoid overflow(io.2).
#pragma warning (disable: 26812) // [Static Analyzer] The enum type 'xxx' is unscoped. Prefer 'enum class' over 'enum' (Enum.3).
#endif
+/
// Clang/GCC warnings with -Weverything
/+
#if defined(__clang__)
#if __has_warning("-Wunknown-warning-option")
#pragma clang diagnostic ignored "-Wunknown-warning-option" // warning: unknown warning group 'xxx' // not all warnings are known by all Clang versions and they tend to be rename-happy.. so ignoring warnings triggers new warnings on some configuration. Great!
#endif
#pragma clang diagnostic ignored "-Wunknown-pragmas" // warning: unknown warning group 'xxx'
#pragma clang diagnostic ignored "-Wold-style-cast" // warning: use of old-style cast // yes, they are more terse.
#pragma clang diagnostic ignored "-Wfloat-equal" // warning: comparing floating point with == or != is unsafe // storing and comparing against same constants (typically 0.0f) is ok.
#pragma clang diagnostic ignored "-Wformat-nonliteral" // warning: format string is not a string literal // passing non-literal to vsnformat(). yes, user passing incorrect format strings can crash the code.
#pragma clang diagnostic ignored "-Wsign-conversion" // warning: implicit conversion changes signedness
#pragma clang diagnostic ignored "-Wzero-as-null-pointer-constant" // warning: zero as null pointer constant // some standard header variations use #define NULL 0
#pragma clang diagnostic ignored "-Wdouble-promotion" // warning: implicit conversion from 'float' to 'double' when passing argument to function // using printf() is a misery with this as C++ va_arg ellipsis changes float to double.
#pragma clang diagnostic ignored "-Wenum-enum-conversion" // warning: bitwise operation between different enumeration types ('XXXFlags_' and 'XXXFlagsPrivate_')
#pragma clang diagnostic ignored "-Wdeprecated-enum-enum-conversion"// warning: bitwise operation between different enumeration types ('XXXFlags_' and 'XXXFlagsPrivate_') is deprecated
#pragma clang diagnostic ignored "-Wimplicit-int-float-conversion" // warning: implicit conversion from 'xxx' to 'float' may lose precision
#elif defined(__GNUC__)
#pragma GCC diagnostic ignored "-Wpragmas" // warning: unknown option after '#pragma GCC diagnostic' kind
#pragma GCC diagnostic ignored "-Wformat-nonliteral" // warning: format not a string literal, format string not checked
#pragma GCC diagnostic ignored "-Wclass-memaccess" // [__GNUC__ >= 8] warning: 'memset/memcpy' clearing/writing an object of type 'xxxx' with no trivial copy-assignment; use assignment or value-initialization instead
#endif
+/
//-----------------------------------------------------------------------------
// [SECTION] Tables: Main code
//-----------------------------------------------------------------------------
// - TableFixFlags() [Internal]
// - TableFindByID() [Internal]
// - BeginTable()
// - BeginTableEx() [Internal]
// - TableBeginInitMemory() [Internal]
// - TableBeginApplyRequests() [Internal]
// - TableSetupColumnFlags() [Internal]
// - TableUpdateLayout() [Internal]
// - TableUpdateBorders() [Internal]
// - EndTable()
// - TableSetupColumn()
// - TableSetupScrollFreeze()
//-----------------------------------------------------------------------------
// Configuration
static const int TABLE_DRAW_CHANNEL_BG0 = 0;
static const int TABLE_DRAW_CHANNEL_BG2_FROZEN = 1;
static const int TABLE_DRAW_CHANNEL_NOCLIP = 2; // When using ImGuiTableFlags_NoClip (this becomes the last visible channel)
static const float TABLE_BORDER_SIZE = 1.0f; // FIXME-TABLE: Currently hard-coded because of clipping assumptions with outer borders rendering.
static const float TABLE_RESIZE_SEPARATOR_HALF_THICKNESS = 4.0f; // Extend outside inner borders.
static const float TABLE_RESIZE_SEPARATOR_FEEDBACK_TIMER = 0.06f; // Delay/timer before making the hover feedback (color+cursor) visible because tables/columns tends to be more cramped.
// Helper
pragma(inline, true) ImGuiTableFlags TableFixFlags(ImGuiTableFlags flags, ImGuiWindow* outer_window)
{
// Adjust flags: set default sizing policy
if ((flags & ImGuiTableFlags.SizingMask_) == 0)
flags |= ((flags & ImGuiTableFlags.ScrollX) || (outer_window.Flags & ImGuiWindowFlags.AlwaysAutoResize)) ? ImGuiTableFlags.SizingFixedFit : ImGuiTableFlags.SizingStretchSame;
// Adjust flags: enable NoKeepColumnsVisible when using ImGuiTableFlags_SizingFixedSame
if ((flags & ImGuiTableFlags.SizingMask_) == ImGuiTableFlags.SizingFixedSame)
flags |= ImGuiTableFlags.NoKeepColumnsVisible;
// Adjust flags: enforce borders when resizable
if (flags & ImGuiTableFlags.Resizable)
flags |= ImGuiTableFlags.BordersInnerV;
// Adjust flags: disable NoHostExtendX/NoHostExtendY if we have any scrolling going on
if (flags & (ImGuiTableFlags.ScrollX | ImGuiTableFlags.ScrollY))
flags &= ~(ImGuiTableFlags.NoHostExtendX | ImGuiTableFlags.NoHostExtendY);
// Adjust flags: NoBordersInBodyUntilResize takes priority over NoBordersInBody
if (flags & ImGuiTableFlags.NoBordersInBodyUntilResize)
flags &= ~ImGuiTableFlags.NoBordersInBody;
// Adjust flags: disable saved settings if there's nothing to save
if ((flags & (ImGuiTableFlags.Resizable | ImGuiTableFlags.Hideable | ImGuiTableFlags.Reorderable | ImGuiTableFlags.Sortable)) == 0)
flags |= ImGuiTableFlags.NoSavedSettings;
// Inherit _NoSavedSettings from top-level window (child windows always have _NoSavedSettings set)
version (IMGUI_HAS_DOCK) {
ImGuiWindow* window_for_settings = outer_window.RootWindowDockStop;
} else {
ImGuiWindow* window_for_settings = outer_window.RootWindow;
}
if (window_for_settings.Flags & ImGuiWindowFlags.NoSavedSettings)
flags |= ImGuiTableFlags.NoSavedSettings;
return flags;
}
ImGuiTable* TableFindByID(ImGuiID id)
{
ImGuiContext* g = GImGui;
return g.Tables.GetByKey(id);
}
// Read about "TABLE SIZING" at the top of this file.
bool BeginTable(string str_id, int columns_count, ImGuiTableFlags flags = ImGuiTableFlags.None, const ImVec2/*&*/ outer_size = ImVec2(0.0f, 0.0f), float inner_width = 0.0f)
{
ImGuiID id = GetID(str_id);
return BeginTableEx(str_id, id, columns_count, flags, outer_size, inner_width);
}
bool BeginTableEx(string name, ImGuiID id, int columns_count, ImGuiTableFlags flags, const ImVec2/*&*/ outer_size, float inner_width)
{
ImGuiContext* g = GImGui;
ImGuiWindow* outer_window = GetCurrentWindow();
if (outer_window.SkipItems) // Consistent with other tables + beneficial side effect that assert on miscalling EndTable() will be more visible.
return false;
// Sanity checks
IM_ASSERT(columns_count > 0 && columns_count <= IMGUI_TABLE_MAX_COLUMNS, "Only 1..64 columns allowed!");
if (flags & ImGuiTableFlags.ScrollX)
IM_ASSERT(inner_width >= 0.0f);
// If an outer size is specified ahead we will be able to early out when not visible. Exact clipping rules may evolve.
const bool use_child_window = (flags & (ImGuiTableFlags.ScrollX | ImGuiTableFlags.ScrollY)) != 0;
const ImVec2 avail_size = GetContentRegionAvail();
ImVec2 actual_outer_size = CalcItemSize(outer_size, ImMax(avail_size.x, 1.0f), use_child_window ? ImMax(avail_size.y, 1.0f) : 0.0f);
ImRect outer_rect = ImRect(outer_window.DC.CursorPos, outer_window.DC.CursorPos + actual_outer_size);
if (use_child_window && IsClippedEx(outer_rect, 0, false))
{
ItemSize(outer_rect);
return false;
}
// Acquire storage for the table
ImGuiTable* table = g.Tables.GetOrAddByKey(id);
const int instance_no = (table.LastFrameActive != g.FrameCount) ? 0 : table.InstanceCurrent + 1;
const ImGuiID instance_id = id + instance_no;
const ImGuiTableFlags table_last_flags = table.Flags;
if (instance_no > 0)
IM_ASSERT(table.ColumnsCount == columns_count, "BeginTable(): Cannot change columns count mid-frame while preserving same ID");
// Acquire temporary buffers
const int table_idx = g.Tables.GetIndex(table);
g.CurrentTableStackIdx++;
if (g.CurrentTableStackIdx + 1 > g.TablesTempDataStack.Size)
g.TablesTempDataStack.resize(g.CurrentTableStackIdx + 1, ImGuiTableTempData(false));
ImGuiTableTempData* temp_data = table.TempData = &g.TablesTempDataStack[g.CurrentTableStackIdx];
temp_data.TableIndex = table_idx;
table.DrawSplitter = &table.TempData.DrawSplitter;
table.DrawSplitter.Clear();
// Fix flags
table.IsDefaultSizingPolicy = (flags & ImGuiTableFlags.SizingMask_) == 0;
flags = TableFixFlags(flags, outer_window);
// Initialize
table.ID = id;
table.Flags = flags;
table.InstanceCurrent = cast(ImS16)instance_no;
table.LastFrameActive = g.FrameCount;
table.OuterWindow = table.InnerWindow = outer_window;
table.ColumnsCount = columns_count;
table.IsLayoutLocked = false;
table.InnerWidth = inner_width;
temp_data.UserOuterSize = outer_size;
// When not using a child window, WorkRect.Max will grow as we append contents.
if (use_child_window)
{
// Ensure no vertical scrollbar appears if we only want horizontal one, to make flag consistent
// (we have no other way to disable vertical scrollbar of a window while keeping the horizontal one showing)
ImVec2 override_content_size = ImVec2(FLT_MAX, FLT_MAX);
if ((flags & ImGuiTableFlags.ScrollX) && !(flags & ImGuiTableFlags.ScrollY))
override_content_size.y = FLT_MIN;
// Ensure specified width (when not specified, Stretched columns will act as if the width == OuterWidth and
// never lead to any scrolling). We don't handle inner_width < 0.0f, we could potentially use it to right-align
// based on the right side of the child window work rect, which would require knowing ahead if we are going to
// have decoration taking horizontal spaces (typically a vertical scrollbar).
if ((flags & ImGuiTableFlags.ScrollX) && inner_width > 0.0f)
override_content_size.x = inner_width;
if (override_content_size.x != FLT_MAX || override_content_size.y != FLT_MAX)
SetNextWindowContentSize(ImVec2(override_content_size.x != FLT_MAX ? override_content_size.x : 0.0f, override_content_size.y != FLT_MAX ? override_content_size.y : 0.0f));
// Reset scroll if we are reactivating it
if ((table_last_flags & (ImGuiTableFlags.ScrollX | ImGuiTableFlags.ScrollY)) == 0)
SetNextWindowScroll(ImVec2(0.0f, 0.0f));
// Create scrolling region (without border and zero window padding)
ImGuiWindowFlags child_flags = (flags & ImGuiTableFlags.ScrollX) ? ImGuiWindowFlags.HorizontalScrollbar : ImGuiWindowFlags.None;
BeginChildEx(name, instance_id, outer_rect.GetSize(), false, child_flags);
table.InnerWindow = g.CurrentWindow;
table.WorkRect = table.InnerWindow.WorkRect;
table.OuterRect = table.InnerWindow.Rect();
table.InnerRect = table.InnerWindow.InnerRect;
IM_ASSERT(table.InnerWindow.WindowPadding.x == 0.0f && table.InnerWindow.WindowPadding.y == 0.0f && table.InnerWindow.WindowBorderSize == 0.0f);
}
else
{
// For non-scrolling tables, WorkRect == OuterRect == InnerRect.
// But at this point we do NOT have a correct value for .Max.y (unless a height has been explicitly passed in). It will only be updated in EndTable().
table.WorkRect = table.OuterRect = table.InnerRect = outer_rect;
}
// Push a standardized ID for both child-using and not-child-using tables
PushOverrideID(instance_id);
// Backup a copy of host window members we will modify
ImGuiWindow* inner_window = table.InnerWindow;
table.HostIndentX = inner_window.DC.Indent.x;
table.HostClipRect = inner_window.ClipRect;
table.HostSkipItems = inner_window.SkipItems;
temp_data.HostBackupWorkRect = inner_window.WorkRect;
temp_data.HostBackupParentWorkRect = inner_window.ParentWorkRect;
temp_data.HostBackupColumnsOffset = outer_window.DC.ColumnsOffset;
temp_data.HostBackupPrevLineSize = inner_window.DC.PrevLineSize;
temp_data.HostBackupCurrLineSize = inner_window.DC.CurrLineSize;
temp_data.HostBackupCursorMaxPos = inner_window.DC.CursorMaxPos;
temp_data.HostBackupItemWidth = outer_window.DC.ItemWidth;
temp_data.HostBackupItemWidthStackSize = outer_window.DC.ItemWidthStack.Size;
inner_window.DC.PrevLineSize = inner_window.DC.CurrLineSize = ImVec2(0.0f, 0.0f);
// Padding and Spacing
// - None ........Content..... Pad .....Content........
// - PadOuter | Pad ..Content..... Pad .....Content.. Pad |
// - PadInner ........Content.. Pad | Pad ..Content........
// - PadOuter+PadInner | Pad ..Content.. Pad | Pad ..Content.. Pad |
const bool pad_outer_x = (flags & ImGuiTableFlags.NoPadOuterX) ? false : (flags & ImGuiTableFlags.PadOuterX) ? true : (flags & ImGuiTableFlags.BordersOuterV) != 0;
const bool pad_inner_x = (flags & ImGuiTableFlags.NoPadInnerX) ? false : true;
const float inner_spacing_for_border = (flags & ImGuiTableFlags.BordersInnerV) ? TABLE_BORDER_SIZE : 0.0f;
const float inner_spacing_explicit = (pad_inner_x && (flags & ImGuiTableFlags.BordersInnerV) == 0) ? g.Style.CellPadding.x : 0.0f;
const float inner_padding_explicit = (pad_inner_x && (flags & ImGuiTableFlags.BordersInnerV) != 0) ? g.Style.CellPadding.x : 0.0f;
table.CellSpacingX1 = inner_spacing_explicit + inner_spacing_for_border;
table.CellSpacingX2 = inner_spacing_explicit;
table.CellPaddingX = inner_padding_explicit;
table.CellPaddingY = g.Style.CellPadding.y;
const float outer_padding_for_border = (flags & ImGuiTableFlags.BordersOuterV) ? TABLE_BORDER_SIZE : 0.0f;
const float outer_padding_explicit = pad_outer_x ? g.Style.CellPadding.x : 0.0f;
table.OuterPaddingX = (outer_padding_for_border + outer_padding_explicit) - table.CellPaddingX;
table.CurrentColumn = -1;
table.CurrentRow = -1;
table.RowBgColorCounter = 0;
table.LastRowFlags = ImGuiTableRowFlags.None;
table.InnerClipRect = (inner_window == outer_window) ? table.WorkRect : inner_window.ClipRect;
table.InnerClipRect.ClipWith(table.WorkRect); // We need this to honor inner_width
table.InnerClipRect.ClipWithFull(table.HostClipRect);
table.InnerClipRect.Max.y = (flags & ImGuiTableFlags.NoHostExtendY) ? ImMin(table.InnerClipRect.Max.y, inner_window.WorkRect.Max.y) : inner_window.ClipRect.Max.y;
table.RowPosY1 = table.RowPosY2 = table.WorkRect.Min.y; // This is needed somehow
table.RowTextBaseline = 0.0f; // This will be cleared again by TableBeginRow()
table.FreezeRowsRequest = table.FreezeRowsCount = 0; // This will be setup by TableSetupScrollFreeze(), if any
table.FreezeColumnsRequest = table.FreezeColumnsCount = 0;
table.IsUnfrozenRows = true;
table.DeclColumnsCount = 0;
// Using opaque colors facilitate overlapping elements of the grid
table.BorderColorStrong = GetColorU32(ImGuiCol.TableBorderStrong);
table.BorderColorLight = GetColorU32(ImGuiCol.TableBorderLight);
// Make table current
g.CurrentTable = table;
outer_window.DC.CurrentTableIdx = table_idx;
if (inner_window != outer_window) // So EndChild() within the inner window can restore the table properly.
inner_window.DC.CurrentTableIdx = table_idx;
if ((table_last_flags & ImGuiTableFlags.Reorderable) && (flags & ImGuiTableFlags.Reorderable) == 0)
table.IsResetDisplayOrderRequest = true;
// Mark as used
if (table_idx >= g.TablesLastTimeActive.Size)
g.TablesLastTimeActive.resize(table_idx + 1, -1.0f);
g.TablesLastTimeActive[table_idx] = cast(float)g.Time;
temp_data.LastTimeActive = cast(float)g.Time;
table.MemoryCompacted = false;
// Setup memory buffer (clear data if columns count changed)
ImGuiTableColumn* old_columns_to_preserve = NULL;
void* old_columns_raw_data = NULL;
const int old_columns_count = table.Columns.size();
if (old_columns_count != 0 && old_columns_count != columns_count)
{
// Attempt to preserve width on column count change (#4046)
old_columns_to_preserve = table.Columns.Data;
old_columns_raw_data = table.RawData;
table.RawData = NULL;
}
if (table.RawData == NULL)
{
TableBeginInitMemory(table, columns_count);
table.IsInitializing = table.IsSettingsRequestLoad = true;
}
if (table.IsResetAllRequest)
TableResetSettings(table);
if (table.IsInitializing)
{
// Initialize
table.SettingsOffset = -1;
table.IsSortSpecsDirty = true;
table.InstanceInteracted = -1;
table.ContextPopupColumn = -1;
table.ReorderColumn = table.ResizedColumn = table.LastResizedColumn = -1;
table.AutoFitSingleColumn = -1;
table.HoveredColumnBody = table.HoveredColumnBorder = -1;
for (int n = 0; n < columns_count; n++)
{
ImGuiTableColumn* column = &table.Columns[n];
if (old_columns_to_preserve && n < old_columns_count)
{
// FIXME: We don't attempt to preserve column order in this path.
*column = old_columns_to_preserve[n];
}
else
{
float width_auto = column.WidthAuto;
*column = ImGuiTableColumn(false);
column.WidthAuto = width_auto;
column.IsPreserveWidthAuto = true; // Preserve WidthAuto when reinitializing a live table: not technically necessary but remove a visible flicker
column.IsEnabled = column.IsEnabledNextFrame = true;
}
column.DisplayOrder = table.DisplayOrderToIndex[n] = cast(ImGuiTableColumnIdx)n;
}
}
if (old_columns_raw_data)
IM_FREE(old_columns_raw_data);
// Load settings
if (table.IsSettingsRequestLoad)
TableLoadSettings(table);
// Handle DPI/font resize
// This is designed to facilitate DPI changes with the assumption that e.g. style.CellPadding has been scaled as well.
// It will also react to changing fonts with mixed results. It doesn't need to be perfect but merely provide a decent transition.
// FIXME-DPI: Provide consistent standards for reference size. Perhaps using g.CurrentDpiScale would be more self explanatory.
// This is will lead us to non-rounded WidthRequest in columns, which should work but is a poorly tested path.
const float new_ref_scale_unit = g.FontSize; // g.Font->GetCharAdvance('A') ?
if (table.RefScale != 0.0f && table.RefScale != new_ref_scale_unit)
{
const float scale_factor = new_ref_scale_unit / table.RefScale;
//IMGUI_DEBUG_LOG("[table] %08X RefScaleUnit %.3f -> %.3f, scaling width by %.3f\n", table->ID, table->RefScaleUnit, new_ref_scale_unit, scale_factor);
for (int n = 0; n < columns_count; n++)
table.Columns[n].WidthRequest = table.Columns[n].WidthRequest * scale_factor;
}
table.RefScale = new_ref_scale_unit;
// Disable output until user calls TableNextRow() or TableNextColumn() leading to the TableUpdateLayout() call..
// This is not strictly necessary but will reduce cases were "out of table" output will be misleading to the user.
// Because we cannot safely assert in EndTable() when no rows have been created, this seems like our best option.
inner_window.SkipItems = true;
// Clear names
// At this point the ->NameOffset field of each column will be invalid until TableUpdateLayout() or the first call to TableSetupColumn()
if (table.ColumnsNames.Buf.Size > 0)
table.ColumnsNames.Buf.resize(0);
// Apply queued resizing/reordering/hiding requests
TableBeginApplyRequests(table);
return true;
}
// For reference, the average total _allocation count_ for a table is:
// + 0 (for ImGuiTable instance, we are pooling allocations in g.Tables)
// + 1 (for table->RawData allocated below)
// + 1 (for table->ColumnsNames, if names are used)
// + 1 (for table->Splitter._Channels)
// + 2 * active_channels_count (for ImDrawCmd and ImDrawIdx buffers inside channels)
// Where active_channels_count is variable but often == columns_count or columns_count + 1, see TableSetupDrawChannels() for details.
// Unused channels don't perform their +2 allocations.
void TableBeginInitMemory(ImGuiTable* table, int columns_count)
{
// Allocate single buffer for our arrays
ImSpanAllocator!3 span_allocator;
span_allocator.Reserve(0, columns_count * sizeof!(ImGuiTableColumn));
span_allocator.Reserve(1, columns_count * sizeof!(ImGuiTableColumnIdx));
span_allocator.Reserve(2, columns_count * sizeof!(ImGuiTableCellData), 4);
table.RawData = IM_ALLOC!ubyte(span_allocator.GetArenaSizeInBytes()).ptr;
memset(table.RawData, 0, span_allocator.GetArenaSizeInBytes());
span_allocator.SetArenaBasePtr(table.RawData);
span_allocator.GetSpan(0, &table.Columns);
span_allocator.GetSpan(1, &table.DisplayOrderToIndex);
span_allocator.GetSpan(2, &table.RowCellData);
}
// Apply queued resizing/reordering/hiding requests
void TableBeginApplyRequests(ImGuiTable* table)
{
// Handle resizing request
// (We process this at the first TableBegin of the frame)
// FIXME-TABLE: Contains columns if our work area doesn't allow for scrolling?
if (table.InstanceCurrent == 0)
{
if (table.ResizedColumn != -1 && table.ResizedColumnNextWidth != FLT_MAX)
TableSetColumnWidth(table.ResizedColumn, table.ResizedColumnNextWidth);
table.LastResizedColumn = table.ResizedColumn;
table.ResizedColumnNextWidth = FLT_MAX;
table.ResizedColumn = -1;
// Process auto-fit for single column, which is a special case for stretch columns and fixed columns with FixedSame policy.
// FIXME-TABLE: Would be nice to redistribute available stretch space accordingly to other weights, instead of giving it all to siblings.
if (table.AutoFitSingleColumn != -1)
{
TableSetColumnWidth(table.AutoFitSingleColumn, table.Columns[table.AutoFitSingleColumn].WidthAuto);
table.AutoFitSingleColumn = -1;
}
}
// Handle reordering request
// Note: we don't clear ReorderColumn after handling the request.
if (table.InstanceCurrent == 0)
{
if (table.HeldHeaderColumn == -1 && table.ReorderColumn != -1)
table.ReorderColumn = -1;
table.HeldHeaderColumn = -1;
if (table.ReorderColumn != -1 && table.ReorderColumnDir != 0)
{
// We need to handle reordering across hidden columns.
// In the configuration below, moving C to the right of E will lead to:
// ... C [D] E ---> ... [D] E C (Column name/index)
// ... 2 3 4 ... 2 3 4 (Display order)
const int reorder_dir = table.ReorderColumnDir;
IM_ASSERT(reorder_dir == -1 || reorder_dir == +1);
IM_ASSERT(table.Flags & ImGuiTableFlags.Reorderable);
ImGuiTableColumn* src_column = &table.Columns[table.ReorderColumn];
ImGuiTableColumn* dst_column = &table.Columns[(reorder_dir == -1) ? src_column.PrevEnabledColumn : src_column.NextEnabledColumn];
IM_UNUSED(dst_column);
const int src_order = src_column.DisplayOrder;
const int dst_order = dst_column.DisplayOrder;
src_column.DisplayOrder = cast(ImGuiTableColumnIdx)dst_order;
for (int order_n = src_order + reorder_dir; order_n != dst_order + reorder_dir; order_n += reorder_dir)
table.Columns[table.DisplayOrderToIndex[order_n]].DisplayOrder -= cast(ImGuiTableColumnIdx)reorder_dir;
IM_ASSERT(dst_column.DisplayOrder == dst_order - reorder_dir);
// Display order is stored in both columns->IndexDisplayOrder and table->DisplayOrder[],
// rebuild the later from the former.
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
table.DisplayOrderToIndex[table.Columns[column_n].DisplayOrder] = cast(ImGuiTableColumnIdx)column_n;
table.ReorderColumnDir = 0;
table.IsSettingsDirty = true;
}
}
// Handle display order reset request
if (table.IsResetDisplayOrderRequest)
{
for (int n = 0; n < table.ColumnsCount; n++)
table.DisplayOrderToIndex[n] = table.Columns[n].DisplayOrder = cast(ImGuiTableColumnIdx)n;
table.IsResetDisplayOrderRequest = false;
table.IsSettingsDirty = true;
}
}
// Adjust flags: default width mode + stretch columns are not allowed when auto extending
static void TableSetupColumnFlags(ImGuiTable* table, ImGuiTableColumn* column, ImGuiTableColumnFlags flags_in)
{
ImGuiTableColumnFlags flags = flags_in;
// Sizing Policy
if ((flags & ImGuiTableColumnFlags.WidthMask_) == 0)
{
const ImGuiTableFlags table_sizing_policy = (table.Flags & ImGuiTableFlags.SizingMask_);
if (table_sizing_policy == ImGuiTableFlags.SizingFixedFit || table_sizing_policy == ImGuiTableFlags.SizingFixedSame)
flags |= ImGuiTableColumnFlags.WidthFixed;
else
flags |= ImGuiTableColumnFlags.WidthStretch;
}
else
{
IM_ASSERT(ImIsPowerOfTwo(flags & ImGuiTableColumnFlags.WidthMask_)); // Check that only 1 of each set is used.
}
// Resize
if ((table.Flags & ImGuiTableFlags.Resizable) == 0)
flags |= ImGuiTableColumnFlags.NoResize;
// Sorting
if ((flags & ImGuiTableColumnFlags.NoSortAscending) && (flags & ImGuiTableColumnFlags.NoSortDescending))
flags |= ImGuiTableColumnFlags.NoSort;
// Indentation
if ((flags & ImGuiTableColumnFlags.IndentMask_) == 0)
flags |= (table.Columns.index_from_ptr(column) == 0) ? ImGuiTableColumnFlags.IndentEnable : ImGuiTableColumnFlags.IndentDisable;
// Alignment
//if ((flags & ImGuiTableColumnFlags_AlignMask_) == 0)
// flags |= ImGuiTableColumnFlags_AlignCenter;
//IM_ASSERT(ImIsPowerOfTwo(flags & ImGuiTableColumnFlags_AlignMask_)); // Check that only 1 of each set is used.
// Preserve status flags
column.Flags = flags | (column.Flags & ImGuiTableColumnFlags.StatusMask_);
// Build an ordered list of available sort directions
column.SortDirectionsAvailCount = column.SortDirectionsAvailMask = column.SortDirectionsAvailList = 0;
if (table.Flags & ImGuiTableFlags.Sortable)
{
int count = 0, mask = 0, list = 0;
if ((flags & ImGuiTableColumnFlags.PreferSortAscending) != 0 && (flags & ImGuiTableColumnFlags.NoSortAscending) == 0) { mask |= 1 << ImGuiSortDirection.Ascending; list |= ImGuiSortDirection.Ascending << (count << 1); count++; }
if ((flags & ImGuiTableColumnFlags.PreferSortDescending) != 0 && (flags & ImGuiTableColumnFlags.NoSortDescending) == 0) { mask |= 1 << ImGuiSortDirection.Descending; list |= ImGuiSortDirection.Descending << (count << 1); count++; }
if ((flags & ImGuiTableColumnFlags.PreferSortAscending) == 0 && (flags & ImGuiTableColumnFlags.NoSortAscending) == 0) { mask |= 1 << ImGuiSortDirection.Ascending; list |= ImGuiSortDirection.Ascending << (count << 1); count++; }
if ((flags & ImGuiTableColumnFlags.PreferSortDescending) == 0 && (flags & ImGuiTableColumnFlags.NoSortDescending) == 0) { mask |= 1 << ImGuiSortDirection.Descending; list |= ImGuiSortDirection.Descending << (count << 1); count++; }
if ((table.Flags & ImGuiTableFlags.SortTristate) || count == 0) { mask |= 1 << ImGuiSortDirection.None; count++; }
column.SortDirectionsAvailList = cast(ImU8)list;
column.SortDirectionsAvailMask = cast(ImU8)mask;
column.SortDirectionsAvailCount = cast(ImU8)count;
TableFixColumnSortDirection(table, column);
}
}
// Layout columns for the frame. This is in essence the followup to BeginTable().
// Runs on the first call to TableNextRow(), to give a chance for TableSetupColumn() to be called first.
// FIXME-TABLE: Our width (and therefore our WorkRect) will be minimal in the first frame for _WidthAuto columns.
// Increase feedback side-effect with widgets relying on WorkRect.Max.x... Maybe provide a default distribution for _WidthAuto columns?
void TableUpdateLayout(ImGuiTable* table)
{
ImGuiContext* g = GImGui;
IM_ASSERT(table.IsLayoutLocked == false);
const ImGuiTableFlags table_sizing_policy = (table.Flags & ImGuiTableFlags.SizingMask_);
table.IsDefaultDisplayOrder = true;
table.ColumnsEnabledCount = 0;
table.EnabledMaskByIndex = 0x00;
table.EnabledMaskByDisplayOrder = 0x00;
table.LeftMostEnabledColumn = -1;
table.MinColumnWidth = ImMax(1.0f, g.Style.FramePadding.x * 1.0f); // g.Style.ColumnsMinSpacing; // FIXME-TABLE
// [Part 1] Apply/lock Enabled and Order states. Calculate auto/ideal width for columns. Count fixed/stretch columns.
// Process columns in their visible orders as we are building the Prev/Next indices.
int count_fixed = 0; // Number of columns that have fixed sizing policies
int count_stretch = 0; // Number of columns that have stretch sizing policies
int prev_visible_column_idx = -1;
bool has_auto_fit_request = false;
bool has_resizable = false;
float stretch_sum_width_auto = 0.0f;
float fixed_max_width_auto = 0.0f;
for (int order_n = 0; order_n < table.ColumnsCount; order_n++)
{
const int column_n = table.DisplayOrderToIndex[order_n];
if (column_n != order_n)
table.IsDefaultDisplayOrder = false;
ImGuiTableColumn* column = &table.Columns[column_n];
// Clear column setup if not submitted by user. Currently we make it mandatory to call TableSetupColumn() every frame.
// It would easily work without but we're not ready to guarantee it since e.g. names need resubmission anyway.
// We take a slight shortcut but in theory we could be calling TableSetupColumn() here with dummy values, it should yield the same effect.
if (table.DeclColumnsCount <= column_n)
{
TableSetupColumnFlags(table, column, ImGuiTableColumnFlags.None);
column.NameOffset = -1;
column.UserID = 0;
column.InitStretchWeightOrWidth = -1.0f;
}
// Update Enabled state, mark settings/sortspecs dirty
if (!(table.Flags & ImGuiTableFlags.Hideable) || (column.Flags & ImGuiTableColumnFlags.NoHide))
column.IsEnabledNextFrame = true;
if (column.IsEnabled != column.IsEnabledNextFrame)
{
column.IsEnabled = column.IsEnabledNextFrame;
table.IsSettingsDirty = true;
if (!column.IsEnabled && column.SortOrder != -1)
table.IsSortSpecsDirty = true;
}
if (column.SortOrder > 0 && !(table.Flags & ImGuiTableFlags.SortMulti))
table.IsSortSpecsDirty = true;
// Auto-fit unsized columns
const bool start_auto_fit = (column.Flags & ImGuiTableColumnFlags.WidthFixed) ? (column.WidthRequest < 0.0f) : (column.StretchWeight < 0.0f);
if (start_auto_fit)
column.AutoFitQueue = column.CannotSkipItemsQueue = (1 << 3) - 1; // Fit for three frames
if (!column.IsEnabled)
{
column.IndexWithinEnabledSet = -1;
continue;
}
// Mark as enabled and link to previous/next enabled column
column.PrevEnabledColumn = cast(ImGuiTableColumnIdx)prev_visible_column_idx;
column.NextEnabledColumn = -1;
if (prev_visible_column_idx != -1)
table.Columns[prev_visible_column_idx].NextEnabledColumn = cast(ImGuiTableColumnIdx)column_n;
else
table.LeftMostEnabledColumn = cast(ImGuiTableColumnIdx)column_n;
column.IndexWithinEnabledSet = table.ColumnsEnabledCount++;
table.EnabledMaskByIndex |= cast(ImU64)1 << column_n;
table.EnabledMaskByDisplayOrder |= cast(ImU64)1 << column.DisplayOrder;
prev_visible_column_idx = column_n;
IM_ASSERT(column.IndexWithinEnabledSet <= column.DisplayOrder);
// Calculate ideal/auto column width (that's the width required for all contents to be visible without clipping)
// Combine width from regular rows + width from headers unless requested not to.
if (!column.IsPreserveWidthAuto)
column.WidthAuto = TableGetColumnWidthAuto(table, column);
// Non-resizable columns keep their requested width (apply user value regardless of IsPreserveWidthAuto)
const bool column_is_resizable = (column.Flags & ImGuiTableColumnFlags.NoResize) == 0;
if (column_is_resizable)
has_resizable = true;
if ((column.Flags & ImGuiTableColumnFlags.WidthFixed) && column.InitStretchWeightOrWidth > 0.0f && !column_is_resizable)
column.WidthAuto = column.InitStretchWeightOrWidth;
if (column.AutoFitQueue != 0x00)
has_auto_fit_request = true;
if (column.Flags & ImGuiTableColumnFlags.WidthStretch)
{
stretch_sum_width_auto += column.WidthAuto;
count_stretch++;
}
else
{
fixed_max_width_auto = ImMax(fixed_max_width_auto, column.WidthAuto);
count_fixed++;
}
}
if ((table.Flags & ImGuiTableFlags.Sortable) && table.SortSpecsCount == 0 && !(table.Flags & ImGuiTableFlags.SortTristate))
table.IsSortSpecsDirty = true;
table.RightMostEnabledColumn = cast(ImGuiTableColumnIdx)prev_visible_column_idx;
IM_ASSERT(table.LeftMostEnabledColumn >= 0 && table.RightMostEnabledColumn >= 0);
// [Part 2] Disable child window clipping while fitting columns. This is not strictly necessary but makes it possible
// to avoid the column fitting having to wait until the first visible frame of the child container (may or not be a good thing).
// FIXME-TABLE: for always auto-resizing columns may not want to do that all the time.
if (has_auto_fit_request && table.OuterWindow != table.InnerWindow)
table.InnerWindow.SkipItems = false;
if (has_auto_fit_request)
table.IsSettingsDirty = true;
// [Part 3] Fix column flags and record a few extra information.
float sum_width_requests = 0.0f; // Sum of all width for fixed and auto-resize columns, excluding width contributed by Stretch columns but including spacing/padding.
float stretch_sum_weights = 0.0f; // Sum of all weights for stretch columns.
table.LeftMostStretchedColumn = table.RightMostStretchedColumn = -1;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
if (!(table.EnabledMaskByIndex & (cast(ImU64)1 << column_n)))
continue;
ImGuiTableColumn* column = &table.Columns[column_n];
const bool column_is_resizable = (column.Flags & ImGuiTableColumnFlags.NoResize) == 0;
if (column.Flags & ImGuiTableColumnFlags.WidthFixed)
{
// Apply same widths policy
float width_auto = column.WidthAuto;
if (table_sizing_policy == ImGuiTableFlags.SizingFixedSame && (column.AutoFitQueue != 0x00 || !column_is_resizable))
width_auto = fixed_max_width_auto;
// Apply automatic width
// Latch initial size for fixed columns and update it constantly for auto-resizing column (unless clipped!)
if (column.AutoFitQueue != 0x00)
column.WidthRequest = width_auto;
else if ((column.Flags & ImGuiTableColumnFlags.WidthFixed) && !column_is_resizable && (table.RequestOutputMaskByIndex & (cast(ImU64)1 << column_n)))
column.WidthRequest = width_auto;
// FIXME-TABLE: Increase minimum size during init frame to avoid biasing auto-fitting widgets
// (e.g. TextWrapped) too much. Otherwise what tends to happen is that TextWrapped would output a very
// large height (= first frame scrollbar display very off + clipper would skip lots of items).
// This is merely making the side-effect less extreme, but doesn't properly fixes it.
// FIXME: Move this to ->WidthGiven to avoid temporary lossyless?
// FIXME: This break IsPreserveWidthAuto from not flickering if the stored WidthAuto was smaller.
if (column.AutoFitQueue > 0x01 && table.IsInitializing && !column.IsPreserveWidthAuto)
column.WidthRequest = ImMax(column.WidthRequest, table.MinColumnWidth * 4.0f); // FIXME-TABLE: Another constant/scale?
sum_width_requests += column.WidthRequest;
}
else
{
// Initialize stretch weight
if (column.AutoFitQueue != 0x00 || column.StretchWeight < 0.0f || !column_is_resizable)
{
if (column.InitStretchWeightOrWidth > 0.0f)
column.StretchWeight = column.InitStretchWeightOrWidth;
else if (table_sizing_policy == ImGuiTableFlags.SizingStretchProp)
column.StretchWeight = (column.WidthAuto / stretch_sum_width_auto) * count_stretch;
else
column.StretchWeight = 1.0f;
}
stretch_sum_weights += column.StretchWeight;
if (table.LeftMostStretchedColumn == -1 || table.Columns[table.LeftMostStretchedColumn].DisplayOrder > column.DisplayOrder)
table.LeftMostStretchedColumn = cast(ImGuiTableColumnIdx)column_n;
if (table.RightMostStretchedColumn == -1 || table.Columns[table.RightMostStretchedColumn].DisplayOrder < column.DisplayOrder)
table.RightMostStretchedColumn = cast(ImGuiTableColumnIdx)column_n;
}
column.IsPreserveWidthAuto = false;
sum_width_requests += table.CellPaddingX * 2.0f;
}
table.ColumnsEnabledFixedCount = cast(ImGuiTableColumnIdx)count_fixed;
// [Part 4] Apply final widths based on requested widths
const ImRect work_rect = table.WorkRect;
const float width_spacings = (table.OuterPaddingX * 2.0f) + (table.CellSpacingX1 + table.CellSpacingX2) * (table.ColumnsEnabledCount - 1);
const float width_avail = ((table.Flags & ImGuiTableFlags.ScrollX) && table.InnerWidth == 0.0f) ? table.InnerClipRect.GetWidth() : work_rect.GetWidth();
const float width_avail_for_stretched_columns = width_avail - width_spacings - sum_width_requests;
float width_remaining_for_stretched_columns = width_avail_for_stretched_columns;
table.ColumnsGivenWidth = width_spacings + (table.CellPaddingX * 2.0f) * table.ColumnsEnabledCount;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
if (!(table.EnabledMaskByIndex & (cast(ImU64)1 << column_n)))
continue;
ImGuiTableColumn* column = &table.Columns[column_n];
// Allocate width for stretched/weighted columns (StretchWeight gets converted into WidthRequest)
if (column.Flags & ImGuiTableColumnFlags.WidthStretch)
{
float weight_ratio = column.StretchWeight / stretch_sum_weights;
column.WidthRequest = IM_FLOOR(ImMax(width_avail_for_stretched_columns * weight_ratio, table.MinColumnWidth) + 0.01f);
width_remaining_for_stretched_columns -= column.WidthRequest;
}
// [Resize Rule 1] The right-most Visible column is not resizable if there is at least one Stretch column
// See additional comments in TableSetColumnWidth().
if (column.NextEnabledColumn == -1 && table.LeftMostStretchedColumn != -1)
column.Flags |= ImGuiTableColumnFlags.NoDirectResize_;
// Assign final width, record width in case we will need to shrink
column.WidthGiven = ImFloor(ImMax(column.WidthRequest, table.MinColumnWidth));
table.ColumnsGivenWidth += column.WidthGiven;
}
// [Part 5] Redistribute stretch remainder width due to rounding (remainder width is < 1.0f * number of Stretch column).
// Using right-to-left distribution (more likely to match resizing cursor).
if (width_remaining_for_stretched_columns >= 1.0f && !(table.Flags & ImGuiTableFlags.PreciseWidths))
for (int order_n = table.ColumnsCount - 1; stretch_sum_weights > 0.0f && width_remaining_for_stretched_columns >= 1.0f && order_n >= 0; order_n--)
{
if (!(table.EnabledMaskByDisplayOrder & (cast(ImU64)1 << order_n)))
continue;
ImGuiTableColumn* column = &table.Columns[table.DisplayOrderToIndex[order_n]];
if (!(column.Flags & ImGuiTableColumnFlags.WidthStretch))
continue;
column.WidthRequest += 1.0f;
column.WidthGiven += 1.0f;
width_remaining_for_stretched_columns -= 1.0f;
}
table.HoveredColumnBody = -1;
table.HoveredColumnBorder = -1;
const ImRect mouse_hit_rect = ImRect(table.OuterRect.Min.x, table.OuterRect.Min.y, table.OuterRect.Max.x, ImMax(table.OuterRect.Max.y, table.OuterRect.Min.y + table.LastOuterHeight));
const bool is_hovering_table = ItemHoverable(mouse_hit_rect, 0);
// [Part 6] Setup final position, offset, skip/clip states and clipping rectangles, detect hovered column
// Process columns in their visible orders as we are comparing the visible order and adjusting host_clip_rect while looping.
int visible_n = 0;
bool offset_x_frozen = (table.FreezeColumnsCount > 0);
float offset_x = ((table.FreezeColumnsCount > 0) ? table.OuterRect.Min.x : work_rect.Min.x) + table.OuterPaddingX - table.CellSpacingX1;
ImRect host_clip_rect = table.InnerClipRect;
//host_clip_rect.Max.x += table->CellPaddingX + table->CellSpacingX2;
table.VisibleMaskByIndex = 0x00;
table.RequestOutputMaskByIndex = 0x00;
for (int order_n = 0; order_n < table.ColumnsCount; order_n++)
{
const int column_n = table.DisplayOrderToIndex[order_n];
ImGuiTableColumn* column = &table.Columns[column_n];
column.NavLayerCurrent = cast(ImS8)((table.FreezeRowsCount > 0 || column_n < table.FreezeColumnsCount) ? ImGuiNavLayer.Menu : ImGuiNavLayer.Main);
if (offset_x_frozen && table.FreezeColumnsCount == visible_n)
{
offset_x += work_rect.Min.x - table.OuterRect.Min.x;
offset_x_frozen = false;
}
// Clear status flags
column.Flags &= ~ImGuiTableColumnFlags.StatusMask_;
if ((table.EnabledMaskByDisplayOrder & (cast(ImU64)1 << order_n)) == 0)
{
// Hidden column: clear a few fields and we are done with it for the remainder of the function.
// We set a zero-width clip rect but set Min.y/Max.y properly to not interfere with the clipper.
column.MinX = column.MaxX = column.WorkMinX = column.ClipRect.Min.x = column.ClipRect.Max.x = offset_x;
column.WidthGiven = 0.0f;
column.ClipRect.Min.y = work_rect.Min.y;
column.ClipRect.Max.y = FLT_MAX;
column.ClipRect.ClipWithFull(host_clip_rect);
column.IsVisibleX = column.IsVisibleY = column.IsRequestOutput = false;
column.IsSkipItems = true;
column.ItemWidth = 1.0f;
continue;
}
// Detect hovered column
if (is_hovering_table && g.IO.MousePos.x >= column.ClipRect.Min.x && g.IO.MousePos.x < column.ClipRect.Max.x)
table.HoveredColumnBody = cast(ImGuiTableColumnIdx)column_n;
// Lock start position
column.MinX = offset_x;
// Lock width based on start position and minimum/maximum width for this position
float max_width = TableGetMaxColumnWidth(table, column_n);
column.WidthGiven = ImMin(column.WidthGiven, max_width);
column.WidthGiven = ImMax(column.WidthGiven, ImMin(column.WidthRequest, table.MinColumnWidth));
column.MaxX = offset_x + column.WidthGiven + table.CellSpacingX1 + table.CellSpacingX2 + table.CellPaddingX * 2.0f;
// Lock other positions
// - ClipRect.Min.x: Because merging draw commands doesn't compare min boundaries, we make ClipRect.Min.x match left bounds to be consistent regardless of merging.
// - ClipRect.Max.x: using WorkMaxX instead of MaxX (aka including padding) makes things more consistent when resizing down, tho slightly detrimental to visibility in very-small column.
// - ClipRect.Max.x: using MaxX makes it easier for header to receive hover highlight with no discontinuity and display sorting arrow.
// - FIXME-TABLE: We want equal width columns to have equal (ClipRect.Max.x - WorkMinX) width, which means ClipRect.max.x cannot stray off host_clip_rect.Max.x else right-most column may appear shorter.
column.WorkMinX = column.MinX + table.CellPaddingX + table.CellSpacingX1;
column.WorkMaxX = column.MaxX - table.CellPaddingX - table.CellSpacingX2; // Expected max
column.ItemWidth = ImFloor(column.WidthGiven * 0.65f);
column.ClipRect.Min.x = column.MinX;
column.ClipRect.Min.y = work_rect.Min.y;
column.ClipRect.Max.x = column.MaxX; //column->WorkMaxX;
column.ClipRect.Max.y = FLT_MAX;
column.ClipRect.ClipWithFull(host_clip_rect);
// Mark column as Clipped (not in sight)
// Note that scrolling tables (where inner_window != outer_window) handle Y clipped earlier in BeginTable() so IsVisibleY really only applies to non-scrolling tables.
// FIXME-TABLE: Because InnerClipRect.Max.y is conservatively ==outer_window->ClipRect.Max.y, we never can mark columns _Above_ the scroll line as not IsVisibleY.
// Taking advantage of LastOuterHeight would yield good results there...
// FIXME-TABLE: Y clipping is disabled because it effectively means not submitting will reduce contents width which is fed to outer_window->DC.CursorMaxPos.x,
// and this may be used (e.g. typically by outer_window using AlwaysAutoResize or outer_window's horizontal scrollbar, but could be something else).
// Possible solution to preserve last known content width for clipped column. Test 'table_reported_size' fails when enabling Y clipping and window is resized small.
column.IsVisibleX = (column.ClipRect.Max.x > column.ClipRect.Min.x);
column.IsVisibleY = true; // (column->ClipRect.Max.y > column->ClipRect.Min.y);
const bool is_visible = column.IsVisibleX; //&& column->IsVisibleY;
if (is_visible)
table.VisibleMaskByIndex |= (cast(ImU64)1 << column_n);
// Mark column as requesting output from user. Note that fixed + non-resizable sets are auto-fitting at all times and therefore always request output.
column.IsRequestOutput = is_visible || column.AutoFitQueue != 0 || column.CannotSkipItemsQueue != 0;
if (column.IsRequestOutput)
table.RequestOutputMaskByIndex |= (cast(ImU64)1 << column_n);
// Mark column as SkipItems (ignoring all items/layout)
column.IsSkipItems = !column.IsEnabled || table.HostSkipItems;
if (column.IsSkipItems)
IM_ASSERT(!is_visible);
// Update status flags
column.Flags |= ImGuiTableColumnFlags.IsEnabled;
if (is_visible)
column.Flags |= ImGuiTableColumnFlags.IsVisible;
if (column.SortOrder != -1)
column.Flags |= ImGuiTableColumnFlags.IsSorted;
if (table.HoveredColumnBody == column_n)
column.Flags |= ImGuiTableColumnFlags.IsHovered;
// Alignment
// FIXME-TABLE: This align based on the whole column width, not per-cell, and therefore isn't useful in
// many cases (to be able to honor this we might be able to store a log of cells width, per row, for
// visible rows, but nav/programmatic scroll would have visible artifacts.)
//if (column->Flags & ImGuiTableColumnFlags_AlignRight)
// column->WorkMinX = ImMax(column->WorkMinX, column->MaxX - column->ContentWidthRowsUnfrozen);
//else if (column->Flags & ImGuiTableColumnFlags_AlignCenter)
// column->WorkMinX = ImLerp(column->WorkMinX, ImMax(column->StartX, column->MaxX - column->ContentWidthRowsUnfrozen), 0.5f);
// Reset content width variables
column.ContentMaxXFrozen = column.ContentMaxXUnfrozen = column.WorkMinX;
column.ContentMaxXHeadersUsed = column.ContentMaxXHeadersIdeal = column.WorkMinX;
// Don't decrement auto-fit counters until container window got a chance to submit its items
if (table.HostSkipItems == false)
{
column.AutoFitQueue >>= 1;
column.CannotSkipItemsQueue >>= 1;
}
if (visible_n < table.FreezeColumnsCount)
host_clip_rect.Min.x = ImClamp(column.MaxX + TABLE_BORDER_SIZE, host_clip_rect.Min.x, host_clip_rect.Max.x);
offset_x += column.WidthGiven + table.CellSpacingX1 + table.CellSpacingX2 + table.CellPaddingX * 2.0f;
visible_n++;
}
// [Part 7] Detect/store when we are hovering the unused space after the right-most column (so e.g. context menus can react on it)
// Clear Resizable flag if none of our column are actually resizable (either via an explicit _NoResize flag, either
// because of using _WidthAuto/_WidthStretch). This will hide the resizing option from the context menu.
const float unused_x1 = ImMax(table.WorkRect.Min.x, table.Columns[table.RightMostEnabledColumn].ClipRect.Max.x);
if (is_hovering_table && table.HoveredColumnBody == -1)
{
if (g.IO.MousePos.x >= unused_x1)
table.HoveredColumnBody = cast(ImGuiTableColumnIdx)table.ColumnsCount;
}
if (has_resizable == false && (table.Flags & ImGuiTableFlags.Resizable))
table.Flags &= ~ImGuiTableFlags.Resizable;
// [Part 8] Lock actual OuterRect/WorkRect right-most position.
// This is done late to handle the case of fixed-columns tables not claiming more widths that they need.
// Because of this we are careful with uses of WorkRect and InnerClipRect before this point.
if (table.RightMostStretchedColumn != -1)
table.Flags &= ~ImGuiTableFlags.NoHostExtendX;
if (table.Flags & ImGuiTableFlags.NoHostExtendX)
{
table.OuterRect.Max.x = table.WorkRect.Max.x = unused_x1;
table.InnerClipRect.Max.x = ImMin(table.InnerClipRect.Max.x, unused_x1);
}
table.InnerWindow.ParentWorkRect = table.WorkRect;
table.BorderX1 = table.InnerClipRect.Min.x;// +((table->Flags & ImGuiTableFlags_BordersOuter) ? 0.0f : -1.0f);
table.BorderX2 = table.InnerClipRect.Max.x;// +((table->Flags & ImGuiTableFlags_BordersOuter) ? 0.0f : +1.0f);
// [Part 9] Allocate draw channels and setup background cliprect
TableSetupDrawChannels(table);
// [Part 10] Hit testing on borders
if (table.Flags & ImGuiTableFlags.Resizable)
TableUpdateBorders(table);
table.LastFirstRowHeight = 0.0f;
table.IsLayoutLocked = true;
table.IsUsingHeaders = false;
// [Part 11] Context menu
if (table.IsContextPopupOpen && table.InstanceCurrent == table.InstanceInteracted)
{
const ImGuiID context_menu_id = ImHashStr("##ContextMenu", table.ID);
if (BeginPopupEx(context_menu_id, ImGuiWindowFlags.AlwaysAutoResize | ImGuiWindowFlags.NoTitleBar | ImGuiWindowFlags.NoSavedSettings))
{
TableDrawContextMenu(table);
EndPopup();
}
else
{
table.IsContextPopupOpen = false;
}
}
// [Part 13] Sanitize and build sort specs before we have a change to use them for display.
// This path will only be exercised when sort specs are modified before header rows (e.g. init or visibility change)
if (table.IsSortSpecsDirty && (table.Flags & ImGuiTableFlags.Sortable))
TableSortSpecsBuild(table);
// Initial state
ImGuiWindow* inner_window = table.InnerWindow;
if (table.Flags & ImGuiTableFlags.NoClip)
table.DrawSplitter.SetCurrentChannel(inner_window.DrawList, TABLE_DRAW_CHANNEL_NOCLIP);
else
inner_window.DrawList.PushClipRect(inner_window.ClipRect.Min, inner_window.ClipRect.Max, false);
}
// Process hit-testing on resizing borders. Actual size change will be applied in EndTable()
// - Set table->HoveredColumnBorder with a short delay/timer to reduce feedback noise
// - Submit ahead of table contents and header, use ImGuiButtonFlags_AllowItemOverlap to prioritize widgets
// overlapping the same area.
void TableUpdateBorders(ImGuiTable* table)
{
ImGuiContext* g = GImGui;
IM_ASSERT(table.Flags & ImGuiTableFlags.Resizable);
// At this point OuterRect height may be zero or under actual final height, so we rely on temporal coherency and
// use the final height from last frame. Because this is only affecting _interaction_ with columns, it is not
// really problematic (whereas the actual visual will be displayed in EndTable() and using the current frame height).
// Actual columns highlight/render will be performed in EndTable() and not be affected.
const float hit_half_width = TABLE_RESIZE_SEPARATOR_HALF_THICKNESS;
const float hit_y1 = table.OuterRect.Min.y;
const float hit_y2_body = ImMax(table.OuterRect.Max.y, hit_y1 + table.LastOuterHeight);
const float hit_y2_head = hit_y1 + table.LastFirstRowHeight;
for (int order_n = 0; order_n < table.ColumnsCount; order_n++)
{
if (!(table.EnabledMaskByDisplayOrder & (cast(ImU64)1 << order_n)))
continue;
const int column_n = table.DisplayOrderToIndex[order_n];
ImGuiTableColumn* column = &table.Columns[column_n];
if (column.Flags & (ImGuiTableColumnFlags.NoResize | ImGuiTableColumnFlags.NoDirectResize_))
continue;
// ImGuiTableFlags_NoBordersInBodyUntilResize will be honored in TableDrawBorders()
const float border_y2_hit = (table.Flags & ImGuiTableFlags.NoBordersInBody) ? hit_y2_head : hit_y2_body;
if ((table.Flags & ImGuiTableFlags.NoBordersInBody) && table.IsUsingHeaders == false)
continue;
if (table.FreezeColumnsCount > 0)
if (column.MaxX < table.Columns[table.DisplayOrderToIndex[table.FreezeColumnsCount - 1]].MaxX)
continue;
ImGuiID column_id = TableGetColumnResizeID(table, column_n, table.InstanceCurrent);
ImRect hit_rect = ImRect(column.MaxX - hit_half_width, hit_y1, column.MaxX + hit_half_width, border_y2_hit);
//GetForegroundDrawList()->AddRect(hit_rect.Min, hit_rect.Max, IM_COL32(255, 0, 0, 100));
KeepAliveID(column_id);
bool hovered = false, held = false;
bool pressed = ButtonBehavior(hit_rect, column_id, &hovered, &held, ImGuiButtonFlags.FlattenChildren | ImGuiButtonFlags.AllowItemOverlap | ImGuiButtonFlags.PressedOnClick | ImGuiButtonFlags.PressedOnDoubleClick);
if (pressed && IsMouseDoubleClicked(ImGuiMouseButton.Left))
{
TableSetColumnWidthAutoSingle(table, column_n);
ClearActiveID();
held = hovered = false;
}
if (held)
{
if (table.LastResizedColumn == -1)
table.ResizeLockMinContentsX2 = table.RightMostEnabledColumn != -1 ? table.Columns[table.RightMostEnabledColumn].MaxX : -FLT_MAX;
table.ResizedColumn = cast(ImGuiTableColumnIdx)column_n;
table.InstanceInteracted = table.InstanceCurrent;
}
if ((hovered && g.HoveredIdTimer > TABLE_RESIZE_SEPARATOR_FEEDBACK_TIMER) || held)
{
table.HoveredColumnBorder = cast(ImGuiTableColumnIdx)column_n;
SetMouseCursor(ImGuiMouseCursor.ResizeEW);
}
}
}
void EndTable()
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(table != NULL, "Only call EndTable() if BeginTable() returns true!");
// This assert would be very useful to catch a common error... unfortunately it would probably trigger in some
// cases, and for consistency user may sometimes output empty tables (and still benefit from e.g. outer border)
//IM_ASSERT(table->IsLayoutLocked && "Table unused: never called TableNextRow(), is that the intent?");
// If the user never got to call TableNextRow() or TableNextColumn(), we call layout ourselves to ensure all our
// code paths are consistent (instead of just hoping that TableBegin/TableEnd will work), get borders drawn, etc.
if (!table.IsLayoutLocked)
TableUpdateLayout(table);
const ImGuiTableFlags flags = table.Flags;
ImGuiWindow* inner_window = table.InnerWindow;
ImGuiWindow* outer_window = table.OuterWindow;
ImGuiTableTempData* temp_data = table.TempData;
IM_ASSERT(inner_window == g.CurrentWindow);
IM_ASSERT(outer_window == inner_window || outer_window == inner_window.ParentWindow);
if (table.IsInsideRow)
TableEndRow(table);
// Context menu in columns body
if (flags & ImGuiTableFlags.ContextMenuInBody)
if (table.HoveredColumnBody != -1 && !IsAnyItemHovered() && IsMouseReleased(ImGuiMouseButton.Right))
TableOpenContextMenu(cast(int)table.HoveredColumnBody);
// Finalize table height
inner_window.DC.PrevLineSize = temp_data.HostBackupPrevLineSize;
inner_window.DC.CurrLineSize = temp_data.HostBackupCurrLineSize;
inner_window.DC.CursorMaxPos = temp_data.HostBackupCursorMaxPos;
const float inner_content_max_y = table.RowPosY2;
IM_ASSERT(table.RowPosY2 == inner_window.DC.CursorPos.y);
if (inner_window != outer_window)
inner_window.DC.CursorMaxPos.y = inner_content_max_y;
else if (!(flags & ImGuiTableFlags.NoHostExtendY))
table.OuterRect.Max.y = table.InnerRect.Max.y = ImMax(table.OuterRect.Max.y, inner_content_max_y); // Patch OuterRect/InnerRect height
table.WorkRect.Max.y = ImMax(table.WorkRect.Max.y, table.OuterRect.Max.y);
table.LastOuterHeight = table.OuterRect.GetHeight();
// Setup inner scrolling range
// FIXME: This ideally should be done earlier, in BeginTable() SetNextWindowContentSize call, just like writing to inner_window->DC.CursorMaxPos.y,
// but since the later is likely to be impossible to do we'd rather update both axises together.
if (table.Flags & ImGuiTableFlags.ScrollX)
{
const float outer_padding_for_border = (table.Flags & ImGuiTableFlags.BordersOuterV) ? TABLE_BORDER_SIZE : 0.0f;
float max_pos_x = table.InnerWindow.DC.CursorMaxPos.x;
if (table.RightMostEnabledColumn != -1)
max_pos_x = ImMax(max_pos_x, table.Columns[table.RightMostEnabledColumn].WorkMaxX + table.CellPaddingX + table.OuterPaddingX - outer_padding_for_border);
if (table.ResizedColumn != -1)
max_pos_x = ImMax(max_pos_x, table.ResizeLockMinContentsX2);
table.InnerWindow.DC.CursorMaxPos.x = max_pos_x;
}
// Pop clipping rect
if (!(flags & ImGuiTableFlags.NoClip))
inner_window.DrawList.PopClipRect();
inner_window.ClipRect = ImRect(inner_window.DrawList._ClipRectStack.back());
// Draw borders
if ((flags & ImGuiTableFlags.Borders) != 0)
TableDrawBorders(table);
static if (false) {
// Strip out dummy channel draw calls
// We have no way to prevent user submitting direct ImDrawList calls into a hidden column (but ImGui:: calls will be clipped out)
// Pros: remove draw calls which will have no effect. since they'll have zero-size cliprect they may be early out anyway.
// Cons: making it harder for users watching metrics/debugger to spot the wasted vertices.
if (table.DummyDrawChannel != cast(ImGuiTableColumnIdx)-1)
{
ImDrawChannel* dummy_channel = &table.DrawSplitter._Channels[table.DummyDrawChannel];
dummy_channel._CmdBuffer.resize(0);
dummy_channel._IdxBuffer.resize(0);
}
}
// Flatten channels and merge draw calls
ImDrawListSplitter* splitter = table.DrawSplitter;
splitter.SetCurrentChannel(inner_window.DrawList, 0);
if ((table.Flags & ImGuiTableFlags.NoClip) == 0)
TableMergeDrawChannels(table);
splitter.Merge(inner_window.DrawList);
// Update ColumnsAutoFitWidth to get us ahead for host using our size to auto-resize without waiting for next BeginTable()
const float width_spacings = (table.OuterPaddingX * 2.0f) + (table.CellSpacingX1 + table.CellSpacingX2) * (table.ColumnsEnabledCount - 1);
table.ColumnsAutoFitWidth = width_spacings + (table.CellPaddingX * 2.0f) * table.ColumnsEnabledCount;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
if (table.EnabledMaskByIndex & (cast(ImU64)1 << column_n))
{
ImGuiTableColumn* column = &table.Columns[column_n];
if ((column.Flags & ImGuiTableColumnFlags.WidthFixed) && !(column.Flags & ImGuiTableColumnFlags.NoResize))
table.ColumnsAutoFitWidth += column.WidthRequest;
else
table.ColumnsAutoFitWidth += TableGetColumnWidthAuto(table, column);
}
// Update scroll
if ((table.Flags & ImGuiTableFlags.ScrollX) == 0 && inner_window != outer_window)
{
inner_window.Scroll.x = 0.0f;
}
else if (table.LastResizedColumn != -1 && table.ResizedColumn == -1 && inner_window.ScrollbarX && table.InstanceInteracted == table.InstanceCurrent)
{
// When releasing a column being resized, scroll to keep the resulting column in sight
const float neighbor_width_to_keep_visible = table.MinColumnWidth + table.CellPaddingX * 2.0f;
ImGuiTableColumn* column = &table.Columns[table.LastResizedColumn];
if (column.MaxX < table.InnerClipRect.Min.x)
SetScrollFromPosX(inner_window, column.MaxX - inner_window.Pos.x - neighbor_width_to_keep_visible, 1.0f);
else if (column.MaxX > table.InnerClipRect.Max.x)
SetScrollFromPosX(inner_window, column.MaxX - inner_window.Pos.x + neighbor_width_to_keep_visible, 1.0f);
}
// Apply resizing/dragging at the end of the frame
if (table.ResizedColumn != -1 && table.InstanceCurrent == table.InstanceInteracted)
{
ImGuiTableColumn* column = &table.Columns[table.ResizedColumn];
const float new_x2 = (g.IO.MousePos.x - g.ActiveIdClickOffset.x + TABLE_RESIZE_SEPARATOR_HALF_THICKNESS);
const float new_width = ImFloor(new_x2 - column.MinX - table.CellSpacingX1 - table.CellPaddingX * 2.0f);
table.ResizedColumnNextWidth = new_width;
}
// Pop from id stack
IM_ASSERT_USER_ERROR(inner_window.IDStack.back() == table.ID + table.InstanceCurrent, "Mismatching PushID/PopID!");
IM_ASSERT_USER_ERROR(outer_window.DC.ItemWidthStack.Size >= temp_data.HostBackupItemWidthStackSize, "Too many PopItemWidth!");
PopID();
// Restore window data that we modified
const ImVec2 backup_outer_max_pos = outer_window.DC.CursorMaxPos;
inner_window.WorkRect = temp_data.HostBackupWorkRect;
inner_window.ParentWorkRect = temp_data.HostBackupParentWorkRect;
inner_window.SkipItems = table.HostSkipItems;
outer_window.DC.CursorPos = table.OuterRect.Min;
outer_window.DC.ItemWidth = temp_data.HostBackupItemWidth;
outer_window.DC.ItemWidthStack.Size = temp_data.HostBackupItemWidthStackSize;
outer_window.DC.ColumnsOffset = temp_data.HostBackupColumnsOffset;
// Layout in outer window
// (FIXME: To allow auto-fit and allow desirable effect of SameLine() we dissociate 'used' vs 'ideal' size by overriding
// CursorPosPrevLine and CursorMaxPos manually. That should be a more general layout feature, see same problem e.g. #3414)
if (inner_window != outer_window)
{
EndChild();
}
else
{
ItemSize(table.OuterRect.GetSize());
ItemAdd(table.OuterRect, 0);
}
// Override declared contents width/height to enable auto-resize while not needlessly adding a scrollbar
if (table.Flags & ImGuiTableFlags.NoHostExtendX)
{
// FIXME-TABLE: Could we remove this section?
// ColumnsAutoFitWidth may be one frame ahead here since for Fixed+NoResize is calculated from latest contents
IM_ASSERT((table.Flags & ImGuiTableFlags.ScrollX) == 0);
outer_window.DC.CursorMaxPos.x = ImMax(backup_outer_max_pos.x, table.OuterRect.Min.x + table.ColumnsAutoFitWidth);
}
else if (temp_data.UserOuterSize.x <= 0.0f)
{
const float decoration_size = (table.Flags & ImGuiTableFlags.ScrollX) ? inner_window.ScrollbarSizes.x : 0.0f;
outer_window.DC.IdealMaxPos.x = ImMax(outer_window.DC.IdealMaxPos.x, table.OuterRect.Min.x + table.ColumnsAutoFitWidth + decoration_size - temp_data.UserOuterSize.x);
outer_window.DC.CursorMaxPos.x = ImMax(backup_outer_max_pos.x, ImMin(table.OuterRect.Max.x, table.OuterRect.Min.x + table.ColumnsAutoFitWidth));
}
else
{
outer_window.DC.CursorMaxPos.x = ImMax(backup_outer_max_pos.x, table.OuterRect.Max.x);
}
if (temp_data.UserOuterSize.y <= 0.0f)
{
const float decoration_size = (table.Flags & ImGuiTableFlags.ScrollY) ? inner_window.ScrollbarSizes.y : 0.0f;
outer_window.DC.IdealMaxPos.y = ImMax(outer_window.DC.IdealMaxPos.y, inner_content_max_y + decoration_size - temp_data.UserOuterSize.y);
outer_window.DC.CursorMaxPos.y = ImMax(backup_outer_max_pos.y, ImMin(table.OuterRect.Max.y, inner_content_max_y));
}
else
{
// OuterRect.Max.y may already have been pushed downward from the initial value (unless ImGuiTableFlags_NoHostExtendY is set)
outer_window.DC.CursorMaxPos.y = ImMax(backup_outer_max_pos.y, table.OuterRect.Max.y);
}
// Save settings
if (table.IsSettingsDirty)
TableSaveSettings(table);
table.IsInitializing = false;
// Clear or restore current table, if any
IM_ASSERT(g.CurrentWindow == outer_window && g.CurrentTable == table);
IM_ASSERT(g.CurrentTableStackIdx >= 0);
g.CurrentTableStackIdx--;
temp_data = g.CurrentTableStackIdx >= 0 ? &g.TablesTempDataStack[g.CurrentTableStackIdx] : NULL;
g.CurrentTable = temp_data ? g.Tables.GetByIndex(temp_data.TableIndex) : NULL;
if (g.CurrentTable)
{
g.CurrentTable.TempData = temp_data;
g.CurrentTable.DrawSplitter = &temp_data.DrawSplitter;
}
outer_window.DC.CurrentTableIdx = g.CurrentTable ? g.Tables.GetIndex(g.CurrentTable) : -1;
}
// See "COLUMN SIZING POLICIES" comments at the top of this file
// If (init_width_or_weight <= 0.0f) it is ignored
void TableSetupColumn(string label, ImGuiTableColumnFlags flags = ImGuiTableColumnFlags.None, float init_width_or_weight = 0.0f, ImGuiID user_id = 0)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(table != NULL, "Need to call TableSetupColumn() after BeginTable()!");
IM_ASSERT(table.IsLayoutLocked == false, "Need to call call TableSetupColumn() before first row!");
IM_ASSERT((flags & ImGuiTableColumnFlags.StatusMask_) == 0, "Illegal to pass StatusMask values to TableSetupColumn()");
if (table.DeclColumnsCount >= table.ColumnsCount)
{
IM_ASSERT_USER_ERROR(table.DeclColumnsCount < table.ColumnsCount, "Called TableSetupColumn() too many times!");
return;
}
ImGuiTableColumn* column = &table.Columns[table.DeclColumnsCount];
table.DeclColumnsCount++;
// Assert when passing a width or weight if policy is entirely left to default, to avoid storing width into weight and vice-versa.
// Give a grace to users of ImGuiTableFlags_ScrollX.
if (table.IsDefaultSizingPolicy && (flags & ImGuiTableColumnFlags.WidthMask_) == 0 && (flags & ImGuiTableFlags.ScrollX) == 0)
IM_ASSERT(init_width_or_weight <= 0.0f, "Can only specify width/weight if sizing policy is set explicitly in either Table or Column.");
// When passing a width automatically enforce WidthFixed policy
// (whereas TableSetupColumnFlags would default to WidthAuto if table is not Resizable)
if ((flags & ImGuiTableColumnFlags.WidthMask_) == 0 && init_width_or_weight > 0.0f)
if ((table.Flags & ImGuiTableFlags.SizingMask_) == ImGuiTableFlags.SizingFixedFit || (table.Flags & ImGuiTableFlags.SizingMask_) == ImGuiTableFlags.SizingFixedSame)
flags |= ImGuiTableColumnFlags.WidthFixed;
TableSetupColumnFlags(table, column, flags);
column.UserID = user_id;
flags = column.Flags;
// Initialize defaults
column.InitStretchWeightOrWidth = init_width_or_weight;
if (table.IsInitializing)
{
// Init width or weight
if (column.WidthRequest < 0.0f && column.StretchWeight < 0.0f)
{
if ((flags & ImGuiTableColumnFlags.WidthFixed) && init_width_or_weight > 0.0f)
column.WidthRequest = init_width_or_weight;
if (flags & ImGuiTableColumnFlags.WidthStretch)
column.StretchWeight = (init_width_or_weight > 0.0f) ? init_width_or_weight : -1.0f;
// Disable auto-fit if an explicit width/weight has been specified
if (init_width_or_weight > 0.0f)
column.AutoFitQueue = 0x00;
}
// Init default visibility/sort state
if ((flags & ImGuiTableColumnFlags.DefaultHide) && (table.SettingsLoadedFlags & ImGuiTableFlags.Hideable) == 0)
column.IsEnabled = column.IsEnabledNextFrame = false;
if (flags & ImGuiTableColumnFlags.DefaultSort && (table.SettingsLoadedFlags & ImGuiTableFlags.Sortable) == 0)
{
column.SortOrder = 0; // Multiple columns using _DefaultSort will be reassigned unique SortOrder values when building the sort specs.
column.SortDirection = (column.Flags & ImGuiTableColumnFlags.PreferSortDescending) ? cast(ImS8)ImGuiSortDirection.Descending : cast(ImU8)(ImGuiSortDirection.Ascending);
}
}
// Store name (append with zero-terminator in contiguous buffer)
column.NameOffset = -1;
if (label != NULL && label[0] != 0)
{
column.NameOffset = cast(ImS16)table.ColumnsNames.size();
table.ColumnsNames.append(label);
table.ColumnsNames.append("\0");
}
}
// [Public]
void TableSetupScrollFreeze(int columns, int rows)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(table != NULL, "Need to call TableSetupColumn() after BeginTable()!");
IM_ASSERT(table.IsLayoutLocked == false, "Need to call TableSetupColumn() before first row!");
IM_ASSERT(columns >= 0 && columns < IMGUI_TABLE_MAX_COLUMNS);
IM_ASSERT(rows >= 0 && rows < 128); // Arbitrary limit
table.FreezeColumnsRequest = (table.Flags & ImGuiTableFlags.ScrollX) ? cast(ImGuiTableColumnIdx)columns : 0;
table.FreezeColumnsCount = (table.InnerWindow.Scroll.x != 0.0f) ? table.FreezeColumnsRequest : 0;
table.FreezeRowsRequest = (table.Flags & ImGuiTableFlags.ScrollY) ? cast(ImGuiTableColumnIdx)rows : 0;
table.FreezeRowsCount = (table.InnerWindow.Scroll.y != 0.0f) ? table.FreezeRowsRequest : 0;
table.IsUnfrozenRows = (table.FreezeRowsCount == 0); // Make sure this is set before TableUpdateLayout() so ImGuiListClipper can benefit from it.b
}
//-----------------------------------------------------------------------------
// [SECTION] Tables: Simple accessors
//-----------------------------------------------------------------------------
// - TableGetColumnCount()
// - TableGetColumnName()
// - TableGetColumnName() [Internal]
// - TableSetColumnEnabled() [Internal]
// - TableGetColumnFlags()
// - TableGetCellBgRect() [Internal]
// - TableGetColumnResizeID() [Internal]
// - TableGetHoveredColumn() [Internal]
// - TableSetBgColor()
//-----------------------------------------------------------------------------
int TableGetColumnCount()
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
return table ? table.ColumnsCount : 0;
}
string TableGetColumnName(int column_n = -1)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!table)
return NULL;
if (column_n < 0)
column_n = table.CurrentColumn;
return TableGetColumnName(table, column_n);
}
string TableGetColumnName(const ImGuiTable* table, int column_n)
{
if (table.IsLayoutLocked == false && column_n >= table.DeclColumnsCount)
return ""; // NameOffset is invalid at this point
const ImGuiTableColumn* column = &table.Columns[column_n];
if (column.NameOffset == -1)
return "";
return ImCstring(&table.ColumnsNames.Buf[column.NameOffset]);
}
// Request enabling/disabling a column (often perceived as "showing/hiding" from users point of view)
// Note that end-user can use the context menu to change this themselves (right-click in headers, or right-click in columns body with ImGuiTableFlags_ContextMenuInBody)
// Request will be applied during next layout, which happens on the first call to TableNextRow() after BeginTable()
// For the getter you can use (TableGetColumnFlags() & ImGuiTableColumnFlags_IsEnabled)
void TableSetColumnEnabled(int column_n, bool enabled)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(table != NULL);
if (!table)
return;
if (column_n < 0)
column_n = table.CurrentColumn;
IM_ASSERT(column_n >= 0 && column_n < table.ColumnsCount);
ImGuiTableColumn* column = &table.Columns[column_n];
column.IsEnabledNextFrame = enabled;
}
// We allow querying for an extra column in order to poll the IsHovered state of the right-most section
ImGuiTableColumnFlags TableGetColumnFlags(int column_n = -1)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!table)
return ImGuiTableColumnFlags.None;
if (column_n < 0)
column_n = table.CurrentColumn;
if (column_n == table.ColumnsCount)
return (table.HoveredColumnBody == column_n) ? ImGuiTableColumnFlags.IsHovered : ImGuiTableColumnFlags.None;
return table.Columns[column_n].Flags;
}
// Return the cell rectangle based on currently known height.
// - Important: we generally don't know our row height until the end of the row, so Max.y will be incorrect in many situations.
// The only case where this is correct is if we provided a min_row_height to TableNextRow() and don't go below it.
// - Important: if ImGuiTableFlags_PadOuterX is set but ImGuiTableFlags_PadInnerX is not set, the outer-most left and right
// columns report a small offset so their CellBgRect can extend up to the outer border.
ImRect TableGetCellBgRect(const ImGuiTable* table, int column_n)
{
const ImGuiTableColumn* column = &table.Columns[column_n];
float x1 = column.MinX;
float x2 = column.MaxX;
if (column.PrevEnabledColumn == -1)
x1 -= table.CellSpacingX1;
if (column.NextEnabledColumn == -1)
x2 += table.CellSpacingX2;
return ImRect(x1, table.RowPosY1, x2, table.RowPosY2);
}
// Return the resizing ID for the right-side of the given column.
ImGuiID TableGetColumnResizeID(const ImGuiTable* table, int column_n, int instance_no)
{
IM_ASSERT(column_n >= 0 && column_n < table.ColumnsCount);
ImGuiID id = table.ID + 1 + (instance_no * table.ColumnsCount) + column_n;
return id;
}
// Return -1 when table is not hovered. return columns_count if the unused space at the right of visible columns is hovered.
int TableGetHoveredColumn()
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!table)
return -1;
return cast(int)table.HoveredColumnBody;
}
void TableSetBgColor(ImGuiTableBgTarget target, ImU32 color, int column_n = -1)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(target != ImGuiTableBgTarget.None);
if (color == IM_COL32_DISABLE)
color = 0;
// We cannot draw neither the cell or row background immediately as we don't know the row height at this point in time.
switch (target)
{
case ImGuiTableBgTarget.CellBg:
{
if (table.RowPosY1 > table.InnerClipRect.Max.y) // Discard
return;
if (column_n == -1)
column_n = table.CurrentColumn;
if ((table.VisibleMaskByIndex & (cast(ImU64)1 << column_n)) == 0)
return;
if (table.RowCellDataCurrent < 0 || table.RowCellData[table.RowCellDataCurrent].Column != column_n)
table.RowCellDataCurrent++;
ImGuiTableCellData* cell_data = &table.RowCellData[table.RowCellDataCurrent];
cell_data.BgColor = color;
cell_data.Column = cast(ImGuiTableColumnIdx)column_n;
break;
}
case ImGuiTableBgTarget.RowBg0:
case ImGuiTableBgTarget.RowBg1:
{
if (table.RowPosY1 > table.InnerClipRect.Max.y) // Discard
return;
IM_ASSERT(column_n == -1);
int bg_idx = (target == ImGuiTableBgTarget.RowBg1) ? 1 : 0;
table.RowBgColor[bg_idx] = color;
break;
}
default:
IM_ASSERT(0);
}
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Row changes
//-------------------------------------------------------------------------
// - TableGetRowIndex()
// - TableNextRow()
// - TableBeginRow() [Internal]
// - TableEndRow() [Internal]
//-------------------------------------------------------------------------
// [Public] Note: for row coloring we use ->RowBgColorCounter which is the same value without counting header rows
int TableGetRowIndex()
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!table)
return 0;
return table.CurrentRow;
}
// [Public] Starts into the first cell of a new row
void TableNextRow(ImGuiTableRowFlags row_flags = ImGuiTableRowFlags.None, float row_min_height = 0.0f)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!table.IsLayoutLocked)
TableUpdateLayout(table);
if (table.IsInsideRow)
TableEndRow(table);
table.LastRowFlags = table.RowFlags;
table.RowFlags = row_flags;
table.RowMinHeight = row_min_height;
TableBeginRow(table);
// We honor min_row_height requested by user, but cannot guarantee per-row maximum height,
// because that would essentially require a unique clipping rectangle per-cell.
table.RowPosY2 += table.CellPaddingY * 2.0f;
table.RowPosY2 = ImMax(table.RowPosY2, table.RowPosY1 + row_min_height);
// Disable output until user calls TableNextColumn()
table.InnerWindow.SkipItems = true;
}
// [Internal] Called by TableNextRow()
void TableBeginRow(ImGuiTable* table)
{
ImGuiWindow* window = table.InnerWindow;
IM_ASSERT(!table.IsInsideRow);
// New row
table.CurrentRow++;
table.CurrentColumn = -1;
table.RowBgColor[0] = table.RowBgColor[1] = IM_COL32_DISABLE;
table.RowCellDataCurrent = -1;
table.IsInsideRow = true;
// Begin frozen rows
float next_y1 = table.RowPosY2;
if (table.CurrentRow == 0 && table.FreezeRowsCount > 0)
next_y1 = window.DC.CursorPos.y = table.OuterRect.Min.y;
table.RowPosY1 = table.RowPosY2 = next_y1;
table.RowTextBaseline = 0.0f;
table.RowIndentOffsetX = window.DC.Indent.x - table.HostIndentX; // Lock indent
window.DC.PrevLineTextBaseOffset = 0.0f;
window.DC.CursorMaxPos.y = next_y1;
// Making the header BG color non-transparent will allow us to overlay it multiple times when handling smooth dragging.
if (table.RowFlags & ImGuiTableRowFlags.Headers)
{
TableSetBgColor(ImGuiTableBgTarget.RowBg0, GetColorU32(ImGuiCol.TableHeaderBg));
if (table.CurrentRow == 0)
table.IsUsingHeaders = true;
}
}
// [Internal] Called by TableNextRow()
void TableEndRow(ImGuiTable* table)
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = g.CurrentWindow;
IM_ASSERT(window == table.InnerWindow);
IM_ASSERT(table.IsInsideRow);
if (table.CurrentColumn != -1)
TableEndCell(table);
// Logging
if (g.LogEnabled)
LogRenderedText(NULL, "|");
// Position cursor at the bottom of our row so it can be used for e.g. clipping calculation. However it is
// likely that the next call to TableBeginCell() will reposition the cursor to take account of vertical padding.
window.DC.CursorPos.y = table.RowPosY2;
// Row background fill
const float bg_y1 = table.RowPosY1;
const float bg_y2 = table.RowPosY2;
const bool unfreeze_rows_actual = (table.CurrentRow + 1 == table.FreezeRowsCount);
const bool unfreeze_rows_request = (table.CurrentRow + 1 == table.FreezeRowsRequest);
if (table.CurrentRow == 0)
table.LastFirstRowHeight = bg_y2 - bg_y1;
const bool is_visible = (bg_y2 >= table.InnerClipRect.Min.y && bg_y1 <= table.InnerClipRect.Max.y);
if (is_visible)
{
// Decide of background color for the row
ImU32 bg_col0 = 0;
ImU32 bg_col1 = 0;
if (table.RowBgColor[0] != IM_COL32_DISABLE)
bg_col0 = table.RowBgColor[0];
else if (table.Flags & ImGuiTableFlags.RowBg)
bg_col0 = GetColorU32((table.RowBgColorCounter & 1) ? ImGuiCol.TableRowBgAlt : ImGuiCol.TableRowBg);
if (table.RowBgColor[1] != IM_COL32_DISABLE)
bg_col1 = table.RowBgColor[1];
// Decide of top border color
ImU32 border_col = 0;
const float border_size = TABLE_BORDER_SIZE;
if (table.CurrentRow > 0 || table.InnerWindow == table.OuterWindow)
if (table.Flags & ImGuiTableFlags.BordersInnerH)
border_col = (table.LastRowFlags & ImGuiTableRowFlags.Headers) ? table.BorderColorStrong : table.BorderColorLight;
const bool draw_cell_bg_color = table.RowCellDataCurrent >= 0;
const bool draw_strong_bottom_border = unfreeze_rows_actual;
if ((bg_col0 | bg_col1 | border_col) != 0 || draw_strong_bottom_border || draw_cell_bg_color)
{
// In theory we could call SetWindowClipRectBeforeSetChannel() but since we know TableEndRow() is
// always followed by a change of clipping rectangle we perform the smallest overwrite possible here.
if ((table.Flags & ImGuiTableFlags.NoClip) == 0)
window.DrawList._CmdHeader.ClipRect = table.Bg0ClipRectForDrawCmd.ToVec4();
table.DrawSplitter.SetCurrentChannel(window.DrawList, TABLE_DRAW_CHANNEL_BG0);
}
// Draw row background
// We soft/cpu clip this so all backgrounds and borders can share the same clipping rectangle
if (bg_col0 || bg_col1)
{
ImRect row_rect = ImRect(table.WorkRect.Min.x, bg_y1, table.WorkRect.Max.x, bg_y2);
row_rect.ClipWith(table.BgClipRect);
if (bg_col0 != 0 && row_rect.Min.y < row_rect.Max.y)
window.DrawList.AddRectFilled(row_rect.Min, row_rect.Max, bg_col0);
if (bg_col1 != 0 && row_rect.Min.y < row_rect.Max.y)
window.DrawList.AddRectFilled(row_rect.Min, row_rect.Max, bg_col1);
}
// Draw cell background color
if (draw_cell_bg_color)
{
ImGuiTableCellData* cell_data_end = &table.RowCellData[table.RowCellDataCurrent];
for (ImGuiTableCellData* cell_data = &table.RowCellData[0]; cell_data <= cell_data_end; cell_data++)
{
const ImGuiTableColumn* column = &table.Columns[cell_data.Column];
ImRect cell_bg_rect = TableGetCellBgRect(table, cell_data.Column);
cell_bg_rect.ClipWith(table.BgClipRect);
cell_bg_rect.Min.x = ImMax(cell_bg_rect.Min.x, column.ClipRect.Min.x); // So that first column after frozen one gets clipped
cell_bg_rect.Max.x = ImMin(cell_bg_rect.Max.x, column.MaxX);
window.DrawList.AddRectFilled(cell_bg_rect.Min, cell_bg_rect.Max, cell_data.BgColor);
}
}
// Draw top border
if (border_col && bg_y1 >= table.BgClipRect.Min.y && bg_y1 < table.BgClipRect.Max.y)
window.DrawList.AddLine(ImVec2(table.BorderX1, bg_y1), ImVec2(table.BorderX2, bg_y1), border_col, border_size);
// Draw bottom border at the row unfreezing mark (always strong)
if (draw_strong_bottom_border && bg_y2 >= table.BgClipRect.Min.y && bg_y2 < table.BgClipRect.Max.y)
window.DrawList.AddLine(ImVec2(table.BorderX1, bg_y2), ImVec2(table.BorderX2, bg_y2), table.BorderColorStrong, border_size);
}
// End frozen rows (when we are past the last frozen row line, teleport cursor and alter clipping rectangle)
// We need to do that in TableEndRow() instead of TableBeginRow() so the list clipper can mark end of row and
// get the new cursor position.
if (unfreeze_rows_request)
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
column.NavLayerCurrent = cast(ImS8)((column_n < table.FreezeColumnsCount) ? ImGuiNavLayer.Menu : ImGuiNavLayer.Main);
}
if (unfreeze_rows_actual)
{
IM_ASSERT(table.IsUnfrozenRows == false);
table.IsUnfrozenRows = true;
// BgClipRect starts as table->InnerClipRect, reduce it now and make BgClipRectForDrawCmd == BgClipRect
float y0 = ImMax(table.RowPosY2 + 1, window.InnerClipRect.Min.y);
table.BgClipRect.Min.y = table.Bg2ClipRectForDrawCmd.Min.y = ImMin(y0, window.InnerClipRect.Max.y);
table.BgClipRect.Max.y = table.Bg2ClipRectForDrawCmd.Max.y = window.InnerClipRect.Max.y;
table.Bg2DrawChannelCurrent = table.Bg2DrawChannelUnfrozen;
IM_ASSERT(table.Bg2ClipRectForDrawCmd.Min.y <= table.Bg2ClipRectForDrawCmd.Max.y);
float row_height = table.RowPosY2 - table.RowPosY1;
table.RowPosY2 = window.DC.CursorPos.y = table.WorkRect.Min.y + table.RowPosY2 - table.OuterRect.Min.y;
table.RowPosY1 = table.RowPosY2 - row_height;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
column.DrawChannelCurrent = column.DrawChannelUnfrozen;
column.ClipRect.Min.y = table.Bg2ClipRectForDrawCmd.Min.y;
}
// Update cliprect ahead of TableBeginCell() so clipper can access to new ClipRect->Min.y
SetWindowClipRectBeforeSetChannel(window, table.Columns[0].ClipRect);
table.DrawSplitter.SetCurrentChannel(window.DrawList, table.Columns[0].DrawChannelCurrent);
}
if (!(table.RowFlags & ImGuiTableRowFlags.Headers))
table.RowBgColorCounter++;
table.IsInsideRow = false;
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Columns changes
//-------------------------------------------------------------------------
// - TableGetColumnIndex()
// - TableSetColumnIndex()
// - TableNextColumn()
// - TableBeginCell() [Internal]
// - TableEndCell() [Internal]
//-------------------------------------------------------------------------
int TableGetColumnIndex()
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!table)
return 0;
return table.CurrentColumn;
}
// [Public] Append into a specific column
bool TableSetColumnIndex(int column_n)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!table)
return false;
if (table.CurrentColumn != column_n)
{
if (table.CurrentColumn != -1)
TableEndCell(table);
IM_ASSERT(column_n >= 0 && table.ColumnsCount);
TableBeginCell(table, column_n);
}
// Return whether the column is visible. User may choose to skip submitting items based on this return value,
// however they shouldn't skip submitting for columns that may have the tallest contribution to row height.
return (table.RequestOutputMaskByIndex & (cast(ImU64)1 << column_n)) != 0;
}
// [Public] Append into the next column, wrap and create a new row when already on last column
bool TableNextColumn()
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!table)
return false;
if (table.IsInsideRow && table.CurrentColumn + 1 < table.ColumnsCount)
{
if (table.CurrentColumn != -1)
TableEndCell(table);
TableBeginCell(table, table.CurrentColumn + 1);
}
else
{
TableNextRow();
TableBeginCell(table, 0);
}
// Return whether the column is visible. User may choose to skip submitting items based on this return value,
// however they shouldn't skip submitting for columns that may have the tallest contribution to row height.
int column_n = table.CurrentColumn;
return (table.RequestOutputMaskByIndex & (cast(ImU64)1 << column_n)) != 0;
}
// [Internal] Called by TableSetColumnIndex()/TableNextColumn()
// This is called very frequently, so we need to be mindful of unnecessary overhead.
// FIXME-TABLE FIXME-OPT: Could probably shortcut some things for non-active or clipped columns.
void TableBeginCell(ImGuiTable* table, int column_n)
{
ImGuiTableColumn* column = &table.Columns[column_n];
ImGuiWindow* window = table.InnerWindow;
table.CurrentColumn = column_n;
// Start position is roughly ~~ CellRect.Min + CellPadding + Indent
float start_x = column.WorkMinX;
if (column.Flags & ImGuiTableColumnFlags.IndentEnable)
start_x += table.RowIndentOffsetX; // ~~ += window.DC.Indent.x - table->HostIndentX, except we locked it for the row.
window.DC.CursorPos.x = start_x;
window.DC.CursorPos.y = table.RowPosY1 + table.CellPaddingY;
window.DC.CursorMaxPos.x = window.DC.CursorPos.x;
window.DC.ColumnsOffset.x = start_x - window.Pos.x - window.DC.Indent.x; // FIXME-WORKRECT
window.DC.CurrLineTextBaseOffset = table.RowTextBaseline;
window.DC.NavLayerCurrent = cast(ImGuiNavLayer)column.NavLayerCurrent;
window.WorkRect.Min.y = window.DC.CursorPos.y;
window.WorkRect.Min.x = column.WorkMinX;
window.WorkRect.Max.x = column.WorkMaxX;
window.DC.ItemWidth = column.ItemWidth;
// To allow ImGuiListClipper to function we propagate our row height
if (!column.IsEnabled)
window.DC.CursorPos.y = ImMax(window.DC.CursorPos.y, table.RowPosY2);
window.SkipItems = column.IsSkipItems;
if (column.IsSkipItems)
{
window.DC.LastItemId = 0;
window.DC.LastItemStatusFlags = ImGuiItemStatusFlags.None;
}
if (table.Flags & ImGuiTableFlags.NoClip)
{
// FIXME: if we end up drawing all borders/bg in EndTable, could remove this and just assert that channel hasn't changed.
table.DrawSplitter.SetCurrentChannel(window.DrawList, TABLE_DRAW_CHANNEL_NOCLIP);
//IM_ASSERT(table->DrawSplitter._Current == TABLE_DRAW_CHANNEL_NOCLIP);
}
else
{
// FIXME-TABLE: Could avoid this if draw channel is dummy channel?
SetWindowClipRectBeforeSetChannel(window, column.ClipRect);
table.DrawSplitter.SetCurrentChannel(window.DrawList, column.DrawChannelCurrent);
}
// Logging
ImGuiContext* g = GImGui;
if (g.LogEnabled && !column.IsSkipItems)
{
LogRenderedText(&window.DC.CursorPos, "|");
g.LogLinePosY = FLT_MAX;
}
}
// [Internal] Called by TableNextRow()/TableSetColumnIndex()/TableNextColumn()
void TableEndCell(ImGuiTable* table)
{
ImGuiTableColumn* column = &table.Columns[table.CurrentColumn];
ImGuiWindow* window = table.InnerWindow;
// Report maximum position so we can infer content size per column.
float* p_max_pos_x;
if (table.RowFlags & ImGuiTableRowFlags.Headers)
p_max_pos_x = &column.ContentMaxXHeadersUsed; // Useful in case user submit contents in header row that is not a TableHeader() call
else
p_max_pos_x = table.IsUnfrozenRows ? &column.ContentMaxXUnfrozen : &column.ContentMaxXFrozen;
*p_max_pos_x = ImMax(*p_max_pos_x, window.DC.CursorMaxPos.x);
table.RowPosY2 = ImMax(table.RowPosY2, window.DC.CursorMaxPos.y + table.CellPaddingY);
column.ItemWidth = window.DC.ItemWidth;
// Propagate text baseline for the entire row
// FIXME-TABLE: Here we propagate text baseline from the last line of the cell.. instead of the first one.
table.RowTextBaseline = ImMax(table.RowTextBaseline, window.DC.PrevLineTextBaseOffset);
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Columns width management
//-------------------------------------------------------------------------
// - TableGetMaxColumnWidth() [Internal]
// - TableGetColumnWidthAuto() [Internal]
// - TableSetColumnWidth()
// - TableSetColumnWidthAutoSingle() [Internal]
// - TableSetColumnWidthAutoAll() [Internal]
// - TableUpdateColumnsWeightFromWidth() [Internal]
//-------------------------------------------------------------------------
// Maximum column content width given current layout. Use column->MinX so this value on a per-column basis.
float TableGetMaxColumnWidth(const ImGuiTable* table, int column_n)
{
const ImGuiTableColumn* column = &table.Columns[column_n];
float max_width = FLT_MAX;
const float min_column_distance = table.MinColumnWidth + table.CellPaddingX * 2.0f + table.CellSpacingX1 + table.CellSpacingX2;
if (table.Flags & ImGuiTableFlags.ScrollX)
{
// Frozen columns can't reach beyond visible width else scrolling will naturally break.
if (column.DisplayOrder < table.FreezeColumnsRequest)
{
max_width = (table.InnerClipRect.Max.x - (table.FreezeColumnsRequest - column.DisplayOrder) * min_column_distance) - column.MinX;
max_width = max_width - table.OuterPaddingX - table.CellPaddingX - table.CellSpacingX2;
}
}
else if ((table.Flags & ImGuiTableFlags.NoKeepColumnsVisible) == 0)
{
// If horizontal scrolling if disabled, we apply a final lossless shrinking of columns in order to make
// sure they are all visible. Because of this we also know that all of the columns will always fit in
// table->WorkRect and therefore in table->InnerRect (because ScrollX is off)
// FIXME-TABLE: This is solved incorrectly but also quite a difficult problem to fix as we also want ClipRect width to match.
// See "table_width_distrib" and "table_width_keep_visible" tests
max_width = table.WorkRect.Max.x - (table.ColumnsEnabledCount - column.IndexWithinEnabledSet - 1) * min_column_distance - column.MinX;
//max_width -= table->CellSpacingX1;
max_width -= table.CellSpacingX2;
max_width -= table.CellPaddingX * 2.0f;
max_width -= table.OuterPaddingX;
}
return max_width;
}
// Note this is meant to be stored in column->WidthAuto, please generally use the WidthAuto field
float TableGetColumnWidthAuto(ImGuiTable* table, ImGuiTableColumn* column)
{
const float content_width_body = ImMax(column.ContentMaxXFrozen, column.ContentMaxXUnfrozen) - column.WorkMinX;
const float content_width_headers = column.ContentMaxXHeadersIdeal - column.WorkMinX;
float width_auto = content_width_body;
if (!(column.Flags & ImGuiTableColumnFlags.NoHeaderWidth))
width_auto = ImMax(width_auto, content_width_headers);
// Non-resizable fixed columns preserve their requested width
if ((column.Flags & ImGuiTableColumnFlags.WidthFixed) && column.InitStretchWeightOrWidth > 0.0f)
if (!(table.Flags & ImGuiTableFlags.Resizable) || (column.Flags & ImGuiTableColumnFlags.NoResize))
width_auto = column.InitStretchWeightOrWidth;
return ImMax(width_auto, table.MinColumnWidth);
}
// 'width' = inner column width, without padding
void TableSetColumnWidth(int column_n, float width)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(table != NULL && table.IsLayoutLocked == false);
IM_ASSERT(column_n >= 0 && column_n < table.ColumnsCount);
ImGuiTableColumn* column_0 = &table.Columns[column_n];
float column_0_width = width;
// Apply constraints early
// Compare both requested and actual given width to avoid overwriting requested width when column is stuck (minimum size, bounded)
IM_ASSERT(table.MinColumnWidth > 0.0f);
const float min_width = table.MinColumnWidth;
const float max_width = ImMax(min_width, TableGetMaxColumnWidth(table, column_n));
column_0_width = ImClamp(column_0_width, min_width, max_width);
if (column_0.WidthGiven == column_0_width || column_0.WidthRequest == column_0_width)
return;
//IMGUI_DEBUG_LOG("TableSetColumnWidth(%d, %.1f->%.1f)\n", column_0_idx, column_0->WidthGiven, column_0_width);
ImGuiTableColumn* column_1 = (column_0.NextEnabledColumn != -1) ? &table.Columns[column_0.NextEnabledColumn] : NULL;
// In this surprisingly not simple because of how we support mixing Fixed and multiple Stretch columns.
// - All fixed: easy.
// - All stretch: easy.
// - One or more fixed + one stretch: easy.
// - One or more fixed + more than one stretch: tricky.
// Qt when manual resize is enabled only support a single _trailing_ stretch column.
// When forwarding resize from Wn| to Fn+1| we need to be considerate of the _NoResize flag on Fn+1.
// FIXME-TABLE: Find a way to rewrite all of this so interactions feel more consistent for the user.
// Scenarios:
// - F1 F2 F3 resize from F1| or F2| --> ok: alter ->WidthRequested of Fixed column. Subsequent columns will be offset.
// - F1 F2 F3 resize from F3| --> ok: alter ->WidthRequested of Fixed column. If active, ScrollX extent can be altered.
// - F1 F2 W3 resize from F1| or F2| --> ok: alter ->WidthRequested of Fixed column. If active, ScrollX extent can be altered, but it doesn't make much sense as the Stretch column will always be minimal size.
// - F1 F2 W3 resize from W3| --> ok: no-op (disabled by Resize Rule 1)
// - W1 W2 W3 resize from W1| or W2| --> ok
// - W1 W2 W3 resize from W3| --> ok: no-op (disabled by Resize Rule 1)
// - W1 F2 F3 resize from F3| --> ok: no-op (disabled by Resize Rule 1)
// - W1 F2 resize from F2| --> ok: no-op (disabled by Resize Rule 1)
// - W1 W2 F3 resize from W1| or W2| --> ok
// - W1 F2 W3 resize from W1| or F2| --> ok
// - F1 W2 F3 resize from W2| --> ok
// - F1 W3 F2 resize from W3| --> ok
// - W1 F2 F3 resize from W1| --> ok: equivalent to resizing |F2. F3 will not move.
// - W1 F2 F3 resize from F2| --> ok
// All resizes from a Wx columns are locking other columns.
// Possible improvements:
// - W1 W2 W3 resize W1| --> to not be stuck, both W2 and W3 would stretch down. Seems possible to fix. Would be most beneficial to simplify resize of all-weighted columns.
// - W3 F1 F2 resize W3| --> to not be stuck past F1|, both F1 and F2 would need to stretch down, which would be lossy or ambiguous. Seems hard to fix.
// [Resize Rule 1] Can't resize from right of right-most visible column if there is any Stretch column. Implemented in TableUpdateLayout().
// If we have all Fixed columns OR resizing a Fixed column that doesn't come after a Stretch one, we can do an offsetting resize.
// This is the preferred resize path
if (column_0.Flags & ImGuiTableColumnFlags.WidthFixed)
if (!column_1 || table.LeftMostStretchedColumn == -1 || table.Columns[table.LeftMostStretchedColumn].DisplayOrder >= column_0.DisplayOrder)
{
column_0.WidthRequest = column_0_width;
table.IsSettingsDirty = true;
return;
}
// We can also use previous column if there's no next one (this is used when doing an auto-fit on the right-most stretch column)
if (column_1 == NULL)
column_1 = (column_0.PrevEnabledColumn != -1) ? &table.Columns[column_0.PrevEnabledColumn] : NULL;
if (column_1 == NULL)
return;
// Resizing from right-side of a Stretch column before a Fixed column forward sizing to left-side of fixed column.
// (old_a + old_b == new_a + new_b) --> (new_a == old_a + old_b - new_b)
float column_1_width = ImMax(column_1.WidthRequest - (column_0_width - column_0.WidthRequest), min_width);
column_0_width = column_0.WidthRequest + column_1.WidthRequest - column_1_width;
IM_ASSERT(column_0_width > 0.0f && column_1_width > 0.0f);
column_0.WidthRequest = column_0_width;
column_1.WidthRequest = column_1_width;
if ((column_0.Flags | column_1.Flags) & ImGuiTableColumnFlags.WidthStretch)
TableUpdateColumnsWeightFromWidth(table);
table.IsSettingsDirty = true;
}
// Disable clipping then auto-fit, will take 2 frames
// (we don't take a shortcut for unclipped columns to reduce inconsistencies when e.g. resizing multiple columns)
void TableSetColumnWidthAutoSingle(ImGuiTable* table, int column_n)
{
// Single auto width uses auto-fit
ImGuiTableColumn* column = &table.Columns[column_n];
if (!column.IsEnabled)
return;
column.CannotSkipItemsQueue = (1 << 0);
table.AutoFitSingleColumn = cast(ImGuiTableColumnIdx)column_n;
}
void TableSetColumnWidthAutoAll(ImGuiTable* table)
{
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
if (!column.IsEnabled && !(column.Flags & ImGuiTableColumnFlags.WidthStretch)) // Cannot reset weight of hidden stretch column
continue;
column.CannotSkipItemsQueue = (1 << 0);
column.AutoFitQueue = (1 << 1);
}
}
void TableUpdateColumnsWeightFromWidth(ImGuiTable* table)
{
IM_ASSERT(table.LeftMostStretchedColumn != -1 && table.RightMostStretchedColumn != -1);
// Measure existing quantity
float visible_weight = 0.0f;
float visible_width = 0.0f;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
if (!column.IsEnabled || !(column.Flags & ImGuiTableColumnFlags.WidthStretch))
continue;
IM_ASSERT(column.StretchWeight > 0.0f);
visible_weight += column.StretchWeight;
visible_width += column.WidthRequest;
}
IM_ASSERT(visible_weight > 0.0f && visible_width > 0.0f);
// Apply new weights
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
if (!column.IsEnabled || !(column.Flags & ImGuiTableColumnFlags.WidthStretch))
continue;
column.StretchWeight = (column.WidthRequest / visible_width) * visible_weight;
IM_ASSERT(column.StretchWeight > 0.0f);
}
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Drawing
//-------------------------------------------------------------------------
// - TablePushBackgroundChannel() [Internal]
// - TablePopBackgroundChannel() [Internal]
// - TableSetupDrawChannels() [Internal]
// - TableMergeDrawChannels() [Internal]
// - TableDrawBorders() [Internal]
//-------------------------------------------------------------------------
// Bg2 is used by Selectable (and possibly other widgets) to render to the background.
// Unlike our Bg0/1 channel which we uses for RowBg/CellBg/Borders and where we guarantee all shapes to be CPU-clipped, the Bg2 channel being widgets-facing will rely on regular ClipRect.
void TablePushBackgroundChannel()
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = g.CurrentWindow;
ImGuiTable* table = g.CurrentTable;
// Optimization: avoid SetCurrentChannel() + PushClipRect()
table.HostBackupInnerClipRect = window.ClipRect;
SetWindowClipRectBeforeSetChannel(window, table.Bg2ClipRectForDrawCmd);
table.DrawSplitter.SetCurrentChannel(window.DrawList, table.Bg2DrawChannelCurrent);
}
void TablePopBackgroundChannel()
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = g.CurrentWindow;
ImGuiTable* table = g.CurrentTable;
ImGuiTableColumn* column = &table.Columns[table.CurrentColumn];
// Optimization: avoid PopClipRect() + SetCurrentChannel()
SetWindowClipRectBeforeSetChannel(window, table.HostBackupInnerClipRect);
table.DrawSplitter.SetCurrentChannel(window.DrawList, column.DrawChannelCurrent);
}
// Allocate draw channels. Called by TableUpdateLayout()
// - We allocate them following storage order instead of display order so reordering columns won't needlessly
// increase overall dormant memory cost.
// - We isolate headers draw commands in their own channels instead of just altering clip rects.
// This is in order to facilitate merging of draw commands.
// - After crossing FreezeRowsCount, all columns see their current draw channel changed to a second set of channels.
// - We only use the dummy draw channel so we can push a null clipping rectangle into it without affecting other
// channels, while simplifying per-row/per-cell overhead. It will be empty and discarded when merged.
// - We allocate 1 or 2 background draw channels. This is because we know TablePushBackgroundChannel() is only used for
// horizontal spanning. If we allowed vertical spanning we'd need one background draw channel per merge group (1-4).
// Draw channel allocation (before merging):
// - NoClip --> 2+D+1 channels: bg0/1 + bg2 + foreground (same clip rect == always 1 draw call)
// - Clip --> 2+D+N channels
// - FreezeRows --> 2+D+N*2 (unless scrolling value is zero)
// - FreezeRows || FreezeColunns --> 3+D+N*2 (unless scrolling value is zero)
// Where D is 1 if any column is clipped or hidden (dummy channel) otherwise 0.
void TableSetupDrawChannels(ImGuiTable* table)
{
const int freeze_row_multiplier = (table.FreezeRowsCount > 0) ? 2 : 1;
const int channels_for_row = (table.Flags & ImGuiTableFlags.NoClip) ? 1 : table.ColumnsEnabledCount;
const int channels_for_bg = 1 + 1 * freeze_row_multiplier;
const int channels_for_dummy = (table.ColumnsEnabledCount < table.ColumnsCount || table.VisibleMaskByIndex != table.EnabledMaskByIndex) ? +1 : 0;
const int channels_total = channels_for_bg + (channels_for_row * freeze_row_multiplier) + channels_for_dummy;
table.DrawSplitter.Split(table.InnerWindow.DrawList, channels_total);
table.DummyDrawChannel = cast(ImGuiTableDrawChannelIdx)((channels_for_dummy > 0) ? channels_total - 1 : -1);
table.Bg2DrawChannelCurrent = TABLE_DRAW_CHANNEL_BG2_FROZEN;
table.Bg2DrawChannelUnfrozen = cast(ImGuiTableDrawChannelIdx)((table.FreezeRowsCount > 0) ? 2 + channels_for_row : TABLE_DRAW_CHANNEL_BG2_FROZEN);
int draw_channel_current = 2;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
if (column.IsVisibleX && column.IsVisibleY)
{
column.DrawChannelFrozen = cast(ImGuiTableDrawChannelIdx)(draw_channel_current);
column.DrawChannelUnfrozen = cast(ImGuiTableDrawChannelIdx)(draw_channel_current + (table.FreezeRowsCount > 0 ? channels_for_row + 1 : 0));
if (!(table.Flags & ImGuiTableFlags.NoClip))
draw_channel_current++;
}
else
{
column.DrawChannelFrozen = column.DrawChannelUnfrozen = table.DummyDrawChannel;
}
column.DrawChannelCurrent = column.DrawChannelFrozen;
}
// Initial draw cmd starts with a BgClipRect that matches the one of its host, to facilitate merge draw commands by default.
// All our cell highlight are manually clipped with BgClipRect. When unfreezing it will be made smaller to fit scrolling rect.
// (This technically isn't part of setting up draw channels, but is reasonably related to be done here)
table.BgClipRect = table.InnerClipRect;
table.Bg0ClipRectForDrawCmd = table.OuterWindow.ClipRect;
table.Bg2ClipRectForDrawCmd = table.HostClipRect;
IM_ASSERT(table.BgClipRect.Min.y <= table.BgClipRect.Max.y);
}
// This function reorder draw channels based on matching clip rectangle, to facilitate merging them. Called by EndTable().
// For simplicity we call it TableMergeDrawChannels() but in fact it only reorder channels + overwrite ClipRect,
// actual merging is done by table->DrawSplitter.Merge() which is called right after TableMergeDrawChannels().
//
// Columns where the contents didn't stray off their local clip rectangle can be merged. To achieve
// this we merge their clip rect and make them contiguous in the channel list, so they can be merged
// by the call to DrawSplitter.Merge() following to the call to this function.
// We reorder draw commands by arranging them into a maximum of 4 distinct groups:
//
// 1 group: 2 groups: 2 groups: 4 groups:
// [ 0. ] no freeze [ 0. ] row freeze [ 01 ] col freeze [ 01 ] row+col freeze
// [ .. ] or no scroll [ 2. ] and v-scroll [ .. ] and h-scroll [ 23 ] and v+h-scroll
//
// Each column itself can use 1 channel (row freeze disabled) or 2 channels (row freeze enabled).
// When the contents of a column didn't stray off its limit, we move its channels into the corresponding group
// based on its position (within frozen rows/columns groups or not).
// At the end of the operation our 1-4 groups will each have a ImDrawCmd using the same ClipRect.
// This function assume that each column are pointing to a distinct draw channel,
// otherwise merge_group->ChannelsCount will not match set bit count of merge_group->ChannelsMask.
//
// Column channels will not be merged into one of the 1-4 groups in the following cases:
// - The contents stray off its clipping rectangle (we only compare the MaxX value, not the MinX value).
// Direct ImDrawList calls won't be taken into account by default, if you use them make sure the ImGui:: bounds
// matches, by e.g. calling SetCursorScreenPos().
// - The channel uses more than one draw command itself. We drop all our attempt at merging stuff here..
// we could do better but it's going to be rare and probably not worth the hassle.
// Columns for which the draw channel(s) haven't been merged with other will use their own ImDrawCmd.
//
// This function is particularly tricky to understand.. take a breath.
void TableMergeDrawChannels(ImGuiTable* table)
{
ImGuiContext* g = GImGui;
ImDrawListSplitter* splitter = table.DrawSplitter;
const bool has_freeze_v = (table.FreezeRowsCount > 0);
const bool has_freeze_h = (table.FreezeColumnsCount > 0);
IM_ASSERT(splitter._Current == 0);
// Track which groups we are going to attempt to merge, and which channels goes into each group.
struct MergeGroup
{
ImRect ClipRect;
int ChannelsCount;
ImBitArray!IMGUI_TABLE_MAX_DRAW_CHANNELS ChannelsMask;
this(bool dummy) { ChannelsCount = 0; }
}
int merge_group_mask = 0x00;
MergeGroup[4] merge_groups;
// 1. Scan channels and take note of those which can be merged
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
if ((table.VisibleMaskByIndex & (cast(ImU64)1 << column_n)) == 0)
continue;
ImGuiTableColumn* column = &table.Columns[column_n];
const int merge_group_sub_count = has_freeze_v ? 2 : 1;
for (int merge_group_sub_n = 0; merge_group_sub_n < merge_group_sub_count; merge_group_sub_n++)
{
const int channel_no = (merge_group_sub_n == 0) ? column.DrawChannelFrozen : column.DrawChannelUnfrozen;
// Don't attempt to merge if there are multiple draw calls within the column
ImDrawChannel* src_channel = &splitter._Channels[channel_no];
if (src_channel._CmdBuffer.Size > 0 && src_channel._CmdBuffer.back().ElemCount == 0)
src_channel._CmdBuffer.pop_back();
if (src_channel._CmdBuffer.Size != 1)
continue;
// Find out the width of this merge group and check if it will fit in our column
// (note that we assume that rendering didn't stray on the left direction. we should need a CursorMinPos to detect it)
if (!(column.Flags & ImGuiTableColumnFlags.NoClip))
{
float content_max_x;
if (!has_freeze_v)
content_max_x = ImMax(column.ContentMaxXUnfrozen, column.ContentMaxXHeadersUsed); // No row freeze
else if (merge_group_sub_n == 0)
content_max_x = ImMax(column.ContentMaxXFrozen, column.ContentMaxXHeadersUsed); // Row freeze: use width before freeze
else
content_max_x = column.ContentMaxXUnfrozen; // Row freeze: use width after freeze
if (content_max_x > column.ClipRect.Max.x)
continue;
}
const int merge_group_n = (has_freeze_h && column_n < table.FreezeColumnsCount ? 0 : 1) + (has_freeze_v && merge_group_sub_n == 0 ? 0 : 2);
IM_ASSERT(channel_no < IMGUI_TABLE_MAX_DRAW_CHANNELS);
MergeGroup* merge_group = &merge_groups[merge_group_n];
if (merge_group.ChannelsCount == 0)
merge_group.ClipRect = ImRect(+FLT_MAX, +FLT_MAX, -FLT_MAX, -FLT_MAX);
merge_group.ChannelsMask.SetBit(channel_no);
merge_group.ChannelsCount++;
merge_group.ClipRect.Add(ImRect(src_channel._CmdBuffer[0].ClipRect));
merge_group_mask |= (1 << merge_group_n);
}
// Invalidate current draw channel
// (we don't clear DrawChannelFrozen/DrawChannelUnfrozen solely to facilitate debugging/later inspection of data)
column.DrawChannelCurrent = cast(ImGuiTableDrawChannelIdx)-1;
}
// [DEBUG] Display merge groups
static if (false) {
if (g.IO.KeyShift)
for (int merge_group_n = 0; merge_group_n < IM_ARRAYSIZE(merge_groups); merge_group_n++)
{
MergeGroup* merge_group = &merge_groups[merge_group_n];
if (merge_group.ChannelsCount == 0)
continue;
char[32] buf;
ImFormatString(buf, 32, "MG%d:%d", merge_group_n, merge_group.ChannelsCount);
ImVec2 text_pos = merge_group.ClipRect.Min + ImVec2(4, 4);
ImVec2 text_size = CalcTextSize(buf, NULL);
GetForegroundDrawList().AddRectFilled(text_pos, text_pos + text_size, IM_COL32(0, 0, 0, 255));
GetForegroundDrawList().AddText(text_pos, IM_COL32(255, 255, 0, 255), buf, NULL);
GetForegroundDrawList().AddRect(merge_group.ClipRect.Min, merge_group.ClipRect.Max, IM_COL32(255, 255, 0, 255));
}
}
// 2. Rewrite channel list in our preferred order
if (merge_group_mask != 0)
{
// We skip channel 0 (Bg0/Bg1) and 1 (Bg2 frozen) from the shuffling since they won't move - see channels allocation in TableSetupDrawChannels().
const int LEADING_DRAW_CHANNELS = 2;
g.DrawChannelsTempMergeBuffer.resize(splitter._Count - LEADING_DRAW_CHANNELS); // Use shared temporary storage so the allocation gets amortized
ImDrawChannel* dst_tmp = g.DrawChannelsTempMergeBuffer.Data;
ImBitArray!IMGUI_TABLE_MAX_DRAW_CHANNELS remaining_mask; // We need 132-bit of storage
remaining_mask.SetBitRange(LEADING_DRAW_CHANNELS, splitter._Count);
remaining_mask.ClearBit(table.Bg2DrawChannelUnfrozen);
IM_ASSERT(has_freeze_v == false || table.Bg2DrawChannelUnfrozen != TABLE_DRAW_CHANNEL_BG2_FROZEN);
int remaining_count = splitter._Count - (has_freeze_v ? LEADING_DRAW_CHANNELS + 1 : LEADING_DRAW_CHANNELS);
//ImRect host_rect = (table->InnerWindow == table->OuterWindow) ? table->InnerClipRect : table->HostClipRect;
ImRect host_rect = table.HostClipRect;
for (int merge_group_n = 0; merge_group_n < IM_ARRAYSIZE(merge_groups); merge_group_n++)
{
if (int merge_channels_count = merge_groups[merge_group_n].ChannelsCount)
{
MergeGroup* merge_group = &merge_groups[merge_group_n];
ImRect merge_clip_rect = merge_group.ClipRect;
// Extend outer-most clip limits to match those of host, so draw calls can be merged even if
// outer-most columns have some outer padding offsetting them from their parent ClipRect.
// The principal cases this is dealing with are:
// - On a same-window table (not scrolling = single group), all fitting columns ClipRect -> will extend and match host ClipRect -> will merge
// - Columns can use padding and have left-most ClipRect.Min.x and right-most ClipRect.Max.x != from host ClipRect -> will extend and match host ClipRect -> will merge
// FIXME-TABLE FIXME-WORKRECT: We are wasting a merge opportunity on tables without scrolling if column doesn't fit
// within host clip rect, solely because of the half-padding difference between window->WorkRect and window->InnerClipRect.
if ((merge_group_n & 1) == 0 || !has_freeze_h)
merge_clip_rect.Min.x = ImMin(merge_clip_rect.Min.x, host_rect.Min.x);
if ((merge_group_n & 2) == 0 || !has_freeze_v)
merge_clip_rect.Min.y = ImMin(merge_clip_rect.Min.y, host_rect.Min.y);
if ((merge_group_n & 1) != 0)
merge_clip_rect.Max.x = ImMax(merge_clip_rect.Max.x, host_rect.Max.x);
if ((merge_group_n & 2) != 0 && (table.Flags & ImGuiTableFlags.NoHostExtendY) == 0)
merge_clip_rect.Max.y = ImMax(merge_clip_rect.Max.y, host_rect.Max.y);
static if (false) {
GetOverlayDrawList().AddRect(merge_group.ClipRect.Min, merge_group.ClipRect.Max, IM_COL32(255, 0, 0, 200), 0.0f, 0, 1.0f);
GetOverlayDrawList().AddLine(merge_group.ClipRect.Min, merge_clip_rect.Min, IM_COL32(255, 100, 0, 200));
GetOverlayDrawList().AddLine(merge_group.ClipRect.Max, merge_clip_rect.Max, IM_COL32(255, 100, 0, 200));
}
remaining_count -= merge_group.ChannelsCount;
for (int n = 0; n < IM_ARRAYSIZE(remaining_mask.Storage); n++)
remaining_mask.Storage[n] &= ~merge_group.ChannelsMask.Storage[n];
for (int n = 0; n < splitter._Count && merge_channels_count != 0; n++)
{
// Copy + overwrite new clip rect
if (!merge_group.ChannelsMask.TestBit(n))
continue;
merge_group.ChannelsMask.ClearBit(n);
merge_channels_count--;
ImDrawChannel* channel = &splitter._Channels[n];
IM_ASSERT(channel._CmdBuffer.Size == 1 && merge_clip_rect.Contains(ImRect(channel._CmdBuffer[0].ClipRect)));
channel._CmdBuffer[0].ClipRect = merge_clip_rect.ToVec4();
memcpy(dst_tmp++, channel, sizeof!(ImDrawChannel));
}
}
// Make sure Bg2DrawChannelUnfrozen appears in the middle of our groups (whereas Bg0/Bg1 and Bg2 frozen are fixed to 0 and 1)
if (merge_group_n == 1 && has_freeze_v)
memcpy(dst_tmp++, &splitter._Channels[table.Bg2DrawChannelUnfrozen], sizeof!(ImDrawChannel));
}
// Append unmergeable channels that we didn't reorder at the end of the list
for (int n = 0; n < splitter._Count && remaining_count != 0; n++)
{
if (!remaining_mask.TestBit(n))
continue;
ImDrawChannel* channel = &splitter._Channels[n];
memcpy(dst_tmp++, channel, sizeof!(ImDrawChannel));
remaining_count--;
}
IM_ASSERT(dst_tmp == g.DrawChannelsTempMergeBuffer.Data + g.DrawChannelsTempMergeBuffer.Size);
memcpy(splitter._Channels.Data + LEADING_DRAW_CHANNELS, g.DrawChannelsTempMergeBuffer.Data, (splitter._Count - LEADING_DRAW_CHANNELS) * sizeof!(ImDrawChannel));
}
}
// FIXME-TABLE: This is a mess, need to redesign how we render borders (as some are also done in TableEndRow)
void TableDrawBorders(ImGuiTable* table)
{
ImGuiWindow* inner_window = table.InnerWindow;
if (!table.OuterWindow.ClipRect.Overlaps(table.OuterRect))
return;
ImDrawList* inner_drawlist = inner_window.DrawList;
table.DrawSplitter.SetCurrentChannel(inner_drawlist, TABLE_DRAW_CHANNEL_BG0);
inner_drawlist.PushClipRect(table.Bg0ClipRectForDrawCmd.Min, table.Bg0ClipRectForDrawCmd.Max, false);
// Draw inner border and resizing feedback
const float border_size = TABLE_BORDER_SIZE;
const float draw_y1 = table.InnerRect.Min.y;
const float draw_y2_body = table.InnerRect.Max.y;
const float draw_y2_head = table.IsUsingHeaders ? ImMin(table.InnerRect.Max.y, (table.FreezeRowsCount >= 1 ? table.InnerRect.Min.y : table.WorkRect.Min.y) + table.LastFirstRowHeight) : draw_y1;
if (table.Flags & ImGuiTableFlags.BordersInnerV)
{
for (int order_n = 0; order_n < table.ColumnsCount; order_n++)
{
if (!(table.EnabledMaskByDisplayOrder & (cast(ImU64)1 << order_n)))
continue;
const int column_n = table.DisplayOrderToIndex[order_n];
ImGuiTableColumn* column = &table.Columns[column_n];
const bool is_hovered = (table.HoveredColumnBorder == column_n);
const bool is_resized = (table.ResizedColumn == column_n) && (table.InstanceInteracted == table.InstanceCurrent);
const bool is_resizable = (column.Flags & (ImGuiTableColumnFlags.NoResize | ImGuiTableColumnFlags.NoDirectResize_)) == 0;
const bool is_frozen_separator = (table.FreezeColumnsCount != -1 && table.FreezeColumnsCount == order_n + 1);
if (column.MaxX > table.InnerClipRect.Max.x && !is_resized)
continue;
// Decide whether right-most column is visible
if (column.NextEnabledColumn == -1 && !is_resizable)
if ((table.Flags & ImGuiTableFlags.SizingMask_) != ImGuiTableFlags.SizingFixedSame || (table.Flags & ImGuiTableFlags.NoHostExtendX))
continue;
if (column.MaxX <= column.ClipRect.Min.x) // FIXME-TABLE FIXME-STYLE: Assume BorderSize==1, this is problematic if we want to increase the border size..
continue;
// Draw in outer window so right-most column won't be clipped
// Always draw full height border when being resized/hovered, or on the delimitation of frozen column scrolling.
ImU32 col;
float draw_y2;
if (is_hovered || is_resized || is_frozen_separator)
{
draw_y2 = draw_y2_body;
col = is_resized ? GetColorU32(ImGuiCol.SeparatorActive) : is_hovered ? GetColorU32(ImGuiCol.SeparatorHovered) : table.BorderColorStrong;
}
else
{
draw_y2 = (table.Flags & (ImGuiTableFlags.NoBordersInBody | ImGuiTableFlags.NoBordersInBodyUntilResize)) ? draw_y2_head : draw_y2_body;
col = (table.Flags & (ImGuiTableFlags.NoBordersInBody | ImGuiTableFlags.NoBordersInBodyUntilResize)) ? table.BorderColorStrong : table.BorderColorLight;
}
if (draw_y2 > draw_y1)
inner_drawlist.AddLine(ImVec2(column.MaxX, draw_y1), ImVec2(column.MaxX, draw_y2), col, border_size);
}
}
// Draw outer border
// FIXME: could use AddRect or explicit VLine/HLine helper?
if (table.Flags & ImGuiTableFlags.BordersOuter)
{
// Display outer border offset by 1 which is a simple way to display it without adding an extra draw call
// (Without the offset, in outer_window it would be rendered behind cells, because child windows are above their
// parent. In inner_window, it won't reach out over scrollbars. Another weird solution would be to display part
// of it in inner window, and the part that's over scrollbars in the outer window..)
// Either solution currently won't allow us to use a larger border size: the border would clipped.
const ImRect outer_border = table.OuterRect;
const ImU32 outer_col = table.BorderColorStrong;
if ((table.Flags & ImGuiTableFlags.BordersOuter) == ImGuiTableFlags.BordersOuter)
{
inner_drawlist.AddRect(outer_border.Min, outer_border.Max, outer_col, 0.0f, ImDrawFlags.None, border_size);
}
else if (table.Flags & ImGuiTableFlags.BordersOuterV)
{
inner_drawlist.AddLine(outer_border.Min, ImVec2(outer_border.Min.x, outer_border.Max.y), outer_col, border_size);
inner_drawlist.AddLine(ImVec2(outer_border.Max.x, outer_border.Min.y), outer_border.Max, outer_col, border_size);
}
else if (table.Flags & ImGuiTableFlags.BordersOuterH)
{
inner_drawlist.AddLine(outer_border.Min, ImVec2(outer_border.Max.x, outer_border.Min.y), outer_col, border_size);
inner_drawlist.AddLine(ImVec2(outer_border.Min.x, outer_border.Max.y), outer_border.Max, outer_col, border_size);
}
}
if ((table.Flags & ImGuiTableFlags.BordersInnerH) && table.RowPosY2 < table.OuterRect.Max.y)
{
// Draw bottom-most row border
const float border_y = table.RowPosY2;
if (border_y >= table.BgClipRect.Min.y && border_y < table.BgClipRect.Max.y)
inner_drawlist.AddLine(ImVec2(table.BorderX1, border_y), ImVec2(table.BorderX2, border_y), table.BorderColorLight, border_size);
}
inner_drawlist.PopClipRect();
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Sorting
//-------------------------------------------------------------------------
// - TableGetSortSpecs()
// - TableFixColumnSortDirection() [Internal]
// - TableGetColumnNextSortDirection() [Internal]
// - TableSetColumnSortDirection() [Internal]
// - TableSortSpecsSanitize() [Internal]
// - TableSortSpecsBuild() [Internal]
//-------------------------------------------------------------------------
// Return NULL if no sort specs (most often when ImGuiTableFlags_Sortable is not set)
// You can sort your data again when 'SpecsChanged == true'. It will be true with sorting specs have changed since
// last call, or the first time.
// Lifetime: don't hold on this pointer over multiple frames or past any subsequent call to BeginTable()!
ImGuiTableSortSpecs* TableGetSortSpecs()
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(table != NULL);
if (!(table.Flags & ImGuiTableFlags.Sortable))
return NULL;
// Require layout (in case TableHeadersRow() hasn't been called) as it may alter IsSortSpecsDirty in some paths.
if (!table.IsLayoutLocked)
TableUpdateLayout(table);
if (table.IsSortSpecsDirty)
TableSortSpecsBuild(table);
return &table.SortSpecs;
}
static pragma(inline, true) ImGuiSortDirection TableGetColumnAvailSortDirection(ImGuiTableColumn* column, int n)
{
IM_ASSERT(n < column.SortDirectionsAvailCount);
return cast(ImGuiSortDirection)((column.SortDirectionsAvailList >> (n << 1)) & 0x03);
}
// Fix sort direction if currently set on a value which is unavailable (e.g. activating NoSortAscending/NoSortDescending)
void TableFixColumnSortDirection(ImGuiTable* table, ImGuiTableColumn* column)
{
if (column.SortOrder == -1 || (column.SortDirectionsAvailMask & (1 << column.SortDirection)) != 0)
return;
column.SortDirection = cast(ImU8)TableGetColumnAvailSortDirection(column, 0);
table.IsSortSpecsDirty = true;
}
// Calculate next sort direction that would be set after clicking the column
// - If the PreferSortDescending flag is set, we will default to a Descending direction on the first click.
// - Note that the PreferSortAscending flag is never checked, it is essentially the default and therefore a no-op.
static assert(ImGuiSortDirection.None == 0 && ImGuiSortDirection.Ascending == 1 && ImGuiSortDirection.Descending == 2);
ImGuiSortDirection TableGetColumnNextSortDirection(ImGuiTableColumn* column)
{
IM_ASSERT(column.SortDirectionsAvailCount > 0);
if (column.SortOrder == -1)
return TableGetColumnAvailSortDirection(column, 0);
for (int n = 0; n < 3; n++)
if (column.SortDirection == TableGetColumnAvailSortDirection(column, n))
return TableGetColumnAvailSortDirection(column, (n + 1) % column.SortDirectionsAvailCount);
IM_ASSERT(0);
return ImGuiSortDirection.None;
}
// Note that the NoSortAscending/NoSortDescending flags are processed in TableSortSpecsSanitize(), and they may change/revert
// the value of SortDirection. We could technically also do it here but it would be unnecessary and duplicate code.
void TableSetColumnSortDirection(int column_n, ImGuiSortDirection sort_direction, bool append_to_sort_specs)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (!(table.Flags & ImGuiTableFlags.SortMulti))
append_to_sort_specs = false;
if (!(table.Flags & ImGuiTableFlags.SortTristate))
IM_ASSERT(sort_direction != ImGuiSortDirection.None);
ImGuiTableColumnIdx sort_order_max = 0;
if (append_to_sort_specs)
for (int other_column_n = 0; other_column_n < table.ColumnsCount; other_column_n++)
sort_order_max = ImMax(sort_order_max, table.Columns[other_column_n].SortOrder);
ImGuiTableColumn* column = &table.Columns[column_n];
column.SortDirection = cast(ImU8)sort_direction;
if (column.SortDirection == ImGuiSortDirection.None)
column.SortOrder = -1;
else if (column.SortOrder == -1 || !append_to_sort_specs)
column.SortOrder = cast(byte)(append_to_sort_specs ? sort_order_max + 1 : 0);
for (int other_column_n = 0; other_column_n < table.ColumnsCount; other_column_n++)
{
ImGuiTableColumn* other_column = &table.Columns[other_column_n];
if (other_column != column && !append_to_sort_specs)
other_column.SortOrder = -1;
TableFixColumnSortDirection(table, other_column);
}
table.IsSettingsDirty = true;
table.IsSortSpecsDirty = true;
}
void TableSortSpecsSanitize(ImGuiTable* table)
{
IM_ASSERT(table.Flags & ImGuiTableFlags.Sortable);
// Clear SortOrder from hidden column and verify that there's no gap or duplicate.
int sort_order_count = 0;
ImU64 sort_order_mask = 0x00;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
if (column.SortOrder != -1 && !column.IsEnabled)
column.SortOrder = -1;
if (column.SortOrder == -1)
continue;
sort_order_count++;
sort_order_mask |= (cast(ImU64)1 << column.SortOrder);
IM_ASSERT(sort_order_count < cast(int)sizeof(sort_order_mask) * 8);
}
const bool need_fix_linearize = (cast(ImU64)1 << sort_order_count) != (sort_order_mask + 1);
const bool need_fix_single_sort_order = (sort_order_count > 1) && !(table.Flags & ImGuiTableFlags.SortMulti);
if (need_fix_linearize || need_fix_single_sort_order)
{
ImU64 fixed_mask = 0x00;
for (int sort_n = 0; sort_n < sort_order_count; sort_n++)
{
// Fix: Rewrite sort order fields if needed so they have no gap or duplicate.
// (e.g. SortOrder 0 disappeared, SortOrder 1..2 exists --> rewrite then as SortOrder 0..1)
int column_with_smallest_sort_order = -1;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
if ((fixed_mask & (cast(ImU64)1 << cast(ImU64)column_n)) == 0 && table.Columns[column_n].SortOrder != -1)
if (column_with_smallest_sort_order == -1 || table.Columns[column_n].SortOrder < table.Columns[column_with_smallest_sort_order].SortOrder)
column_with_smallest_sort_order = column_n;
IM_ASSERT(column_with_smallest_sort_order != -1);
fixed_mask |= (cast(ImU64)1 << column_with_smallest_sort_order);
table.Columns[column_with_smallest_sort_order].SortOrder = cast(ImGuiTableColumnIdx)sort_n;
// Fix: Make sure only one column has a SortOrder if ImGuiTableFlags_MultiSortable is not set.
if (need_fix_single_sort_order)
{
sort_order_count = 1;
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
if (column_n != column_with_smallest_sort_order)
table.Columns[column_n].SortOrder = -1;
break;
}
}
}
// Fallback default sort order (if no column had the ImGuiTableColumnFlags_DefaultSort flag)
if (sort_order_count == 0 && !(table.Flags & ImGuiTableFlags.SortTristate))
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
if (column.IsEnabled && !(column.Flags & ImGuiTableColumnFlags.NoSort))
{
sort_order_count = 1;
column.SortOrder = 0;
column.SortDirection = cast(ImU8)TableGetColumnAvailSortDirection(column, 0);
break;
}
}
table.SortSpecsCount = cast(ImGuiTableColumnIdx)sort_order_count;
}
void TableSortSpecsBuild(ImGuiTable* table)
{
IM_ASSERT(table.IsSortSpecsDirty);
TableSortSpecsSanitize(table);
// Write output
ImGuiTableTempData* temp_data = table.TempData;
temp_data.SortSpecsMulti.resize(table.SortSpecsCount <= 1 ? 0 : table.SortSpecsCount);
ImGuiTableColumnSortSpecs* sort_specs = (table.SortSpecsCount == 0) ? NULL : (table.SortSpecsCount == 1) ? &temp_data.SortSpecsSingle : temp_data.SortSpecsMulti.Data;
if (sort_specs != NULL)
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
{
ImGuiTableColumn* column = &table.Columns[column_n];
if (column.SortOrder == -1)
continue;
IM_ASSERT(column.SortOrder < table.SortSpecsCount);
ImGuiTableColumnSortSpecs* sort_spec = &sort_specs[column.SortOrder];
sort_spec.ColumnUserID = column.UserID;
sort_spec.ColumnIndex = cast(ImGuiTableColumnIdx)column_n;
sort_spec.SortOrder = cast(ImGuiTableColumnIdx)column.SortOrder;
sort_spec.SortDirection = cast(ImGuiSortDirection)column.SortDirection;
}
table.SortSpecs.Specs = sort_specs;
table.SortSpecs.SpecsCount = table.SortSpecsCount;
table.SortSpecs.SpecsDirty = true; // Mark as dirty for user
table.IsSortSpecsDirty = false; // Mark as not dirty for us
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Headers
//-------------------------------------------------------------------------
// - TableGetHeaderRowHeight() [Internal]
// - TableHeadersRow()
// - TableHeader()
//-------------------------------------------------------------------------
float TableGetHeaderRowHeight()
{
// Caring for a minor edge case:
// Calculate row height, for the unlikely case that some labels may be taller than others.
// If we didn't do that, uneven header height would highlight but smaller one before the tallest wouldn't catch input for all height.
// In your custom header row you may omit this all together and just call TableNextRow() without a height...
float row_height = GetTextLineHeight();
int columns_count = TableGetColumnCount();
for (int column_n = 0; column_n < columns_count; column_n++)
if (TableGetColumnFlags(column_n) & ImGuiTableColumnFlags.IsEnabled)
row_height = ImMax(row_height, CalcTextSize(TableGetColumnName(column_n)).y);
row_height += GetStyle().CellPadding.y * 2.0f;
return row_height;
}
// [Public] This is a helper to output TableHeader() calls based on the column names declared in TableSetupColumn().
// The intent is that advanced users willing to create customized headers would not need to use this helper
// and can create their own! For example: TableHeader() may be preceeded by Checkbox() or other custom widgets.
// See 'Demo->Tables->Custom headers' for a demonstration of implementing a custom version of this.
// This code is constructed to not make much use of internal functions, as it is intended to be a template to copy.
// FIXME-TABLE: TableOpenContextMenu() and TableGetHeaderRowHeight() are not public.
void TableHeadersRow()
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(table != NULL, "Need to call TableHeadersRow() after BeginTable()!");
// Layout if not already done (this is automatically done by TableNextRow, we do it here solely to facilitate stepping in debugger as it is frequent to step in TableUpdateLayout)
if (!table.IsLayoutLocked)
TableUpdateLayout(table);
// Open row
const float row_y1 = GetCursorScreenPos().y;
const float row_height = TableGetHeaderRowHeight();
TableNextRow(ImGuiTableRowFlags.Headers, row_height);
if (table.HostSkipItems) // Merely an optimization, you may skip in your own code.
return;
const int columns_count = TableGetColumnCount();
for (int column_n = 0; column_n < columns_count; column_n++)
{
if (!TableSetColumnIndex(column_n))
continue;
// Push an id to allow unnamed labels (generally accidental, but let's behave nicely with them)
// - in your own code you may omit the PushID/PopID all-together, provided you know they won't collide
// - table->InstanceCurrent is only >0 when we use multiple BeginTable/EndTable calls with same identifier.
string name = TableGetColumnName(column_n);
PushID(table.InstanceCurrent * table.ColumnsCount + column_n);
TableHeader(name);
PopID();
}
// Allow opening popup from the right-most section after the last column.
ImVec2 mouse_pos = GetMousePos();
if (IsMouseReleased(ImGuiMouseButton.Right) && TableGetHoveredColumn() == columns_count)
if (mouse_pos.y >= row_y1 && mouse_pos.y < row_y1 + row_height)
TableOpenContextMenu(-1); // Will open a non-column-specific popup.
}
// Emit a column header (text + optional sort order)
// We cpu-clip text here so that all columns headers can be merged into a same draw call.
// Note that because of how we cpu-clip and display sorting indicators, you _cannot_ use SameLine() after a TableHeader()
void TableHeader(string label)
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = g.CurrentWindow;
if (window.SkipItems)
return;
ImGuiTable* table = g.CurrentTable;
IM_ASSERT(table != NULL, "Need to call TableHeader() after BeginTable()!");
IM_ASSERT(table.CurrentColumn != -1);
const int column_n = table.CurrentColumn;
ImGuiTableColumn* column = &table.Columns[column_n];
// Label
if (label == NULL)
label = "";
string label_end = FindRenderedTextEnd(label);
ImVec2 label_size = CalcTextSize(label_end, true);
ImVec2 label_pos = window.DC.CursorPos;
// If we already got a row height, there's use that.
// FIXME-TABLE: Padding problem if the correct outer-padding CellBgRect strays off our ClipRect?
ImRect cell_r = TableGetCellBgRect(table, column_n);
float label_height = ImMax(label_size.y, table.RowMinHeight - table.CellPaddingY * 2.0f);
// Calculate ideal size for sort order arrow
float w_arrow = 0.0f;
float w_sort_text = 0.0f;
char[4] sort_order_suf = "";
const float ARROW_SCALE = 0.65f;
if ((table.Flags & ImGuiTableFlags.Sortable) && !(column.Flags & ImGuiTableColumnFlags.NoSort))
{
w_arrow = ImFloor(g.FontSize * ARROW_SCALE + g.Style.FramePadding.x);
if (column.SortOrder > 0)
{
ImFormatString(sort_order_suf, "%d", column.SortOrder + 1);
w_sort_text = g.Style.ItemInnerSpacing.x + CalcTextSize(ImCstring(sort_order_suf)).x;
}
}
// We feed our unclipped width to the column without writing on CursorMaxPos, so that column is still considering for merging.
float max_pos_x = label_pos.x + label_size.x + w_sort_text + w_arrow;
column.ContentMaxXHeadersUsed = ImMax(column.ContentMaxXHeadersUsed, column.WorkMaxX);
column.ContentMaxXHeadersIdeal = ImMax(column.ContentMaxXHeadersIdeal, max_pos_x);
// Keep header highlighted when context menu is open.
const bool selected = (table.IsContextPopupOpen && table.ContextPopupColumn == column_n && table.InstanceInteracted == table.InstanceCurrent);
ImGuiID id = window.GetID(label);
ImRect bb = ImRect(cell_r.Min.x, cell_r.Min.y, cell_r.Max.x, ImMax(cell_r.Max.y, cell_r.Min.y + label_height + g.Style.CellPadding.y * 2.0f));
ItemSize(ImVec2(0.0f, label_height)); // Don't declare unclipped width, it'll be fed ContentMaxPosHeadersIdeal
if (!ItemAdd(bb, id))
return;
//GetForegroundDrawList()->AddRect(cell_r.Min, cell_r.Max, IM_COL32(255, 0, 0, 255)); // [DEBUG]
//GetForegroundDrawList()->AddRect(bb.Min, bb.Max, IM_COL32(255, 0, 0, 255)); // [DEBUG]
// Using AllowItemOverlap mode because we cover the whole cell, and we want user to be able to submit subsequent items.
bool hovered, held;
bool pressed = ButtonBehavior(bb, id, &hovered, &held, ImGuiButtonFlags.AllowItemOverlap);
if (g.ActiveId != id)
SetItemAllowOverlap();
if (held || hovered || selected)
{
const ImU32 col = GetColorU32(held ? ImGuiCol.HeaderActive : hovered ? ImGuiCol.HeaderHovered : ImGuiCol.Header);
//RenderFrame(bb.Min, bb.Max, col, false, 0.0f);
TableSetBgColor(ImGuiTableBgTarget.CellBg, col, table.CurrentColumn);
RenderNavHighlight(bb, id, ImGuiNavHighlightFlags.TypeThin | ImGuiNavHighlightFlags.NoRounding);
}
else
{
// Submit single cell bg color in the case we didn't submit a full header row
if ((table.RowFlags & ImGuiTableRowFlags.Headers) == 0)
TableSetBgColor(ImGuiTableBgTarget.CellBg, GetColorU32(ImGuiCol.TableHeaderBg), table.CurrentColumn);
}
if (held)
table.HeldHeaderColumn = cast(ImGuiTableColumnIdx)column_n;
window.DC.CursorPos.y -= g.Style.ItemSpacing.y * 0.5f;
// Drag and drop to re-order columns.
// FIXME-TABLE: Scroll request while reordering a column and it lands out of the scrolling zone.
if (held && (table.Flags & ImGuiTableFlags.Reorderable) && IsMouseDragging(ImGuiMouseButton.Right) && !g.DragDropActive)
{
// While moving a column it will jump on the other side of the mouse, so we also test for MouseDelta.x
table.ReorderColumn = cast(ImGuiTableColumnIdx)column_n;
table.InstanceInteracted = table.InstanceCurrent;
// We don't reorder: through the frozen<>unfrozen line, or through a column that is marked with ImGuiTableColumnFlags_NoReorder.
if (g.IO.MouseDelta.x < 0.0f && g.IO.MousePos.x < cell_r.Min.x)
if (ImGuiTableColumn* prev_column = (column.PrevEnabledColumn != -1) ? &table.Columns[column.PrevEnabledColumn] : NULL)
if (!((column.Flags | prev_column.Flags) & ImGuiTableColumnFlags.NoReorder))
if ((column.IndexWithinEnabledSet < table.FreezeColumnsRequest) == (prev_column.IndexWithinEnabledSet < table.FreezeColumnsRequest))
table.ReorderColumnDir = -1;
if (g.IO.MouseDelta.x > 0.0f && g.IO.MousePos.x > cell_r.Max.x)
if (ImGuiTableColumn* next_column = (column.NextEnabledColumn != -1) ? &table.Columns[column.NextEnabledColumn] : NULL)
if (!((column.Flags | next_column.Flags) & ImGuiTableColumnFlags.NoReorder))
if ((column.IndexWithinEnabledSet < table.FreezeColumnsRequest) == (next_column.IndexWithinEnabledSet < table.FreezeColumnsRequest))
table.ReorderColumnDir = +1;
}
// Sort order arrow
const float ellipsis_max = cell_r.Max.x - w_arrow - w_sort_text;
if ((table.Flags & ImGuiTableFlags.Sortable) && !(column.Flags & ImGuiTableColumnFlags.NoSort))
{
if (column.SortOrder != -1)
{
float x = ImMax(cell_r.Min.x, cell_r.Max.x - w_arrow - w_sort_text);
float y = label_pos.y;
if (column.SortOrder > 0)
{
PushStyleColor(ImGuiCol.Text, GetColorU32(ImGuiCol.Text, 0.70f));
RenderText(ImVec2(x + g.Style.ItemInnerSpacing.x, y), ImCstring(sort_order_suf));
PopStyleColor();
x += w_sort_text;
}
RenderArrow(window.DrawList, ImVec2(x, y), GetColorU32(ImGuiCol.Text), column.SortDirection == ImGuiSortDirection.Ascending ? ImGuiDir.Up : ImGuiDir.Down, ARROW_SCALE);
}
// Handle clicking on column header to adjust Sort Order
if (pressed && table.ReorderColumn != column_n)
{
ImGuiSortDirection sort_direction = TableGetColumnNextSortDirection(column);
TableSetColumnSortDirection(column_n, sort_direction, g.IO.KeyShift);
}
}
// Render clipped label. Clipping here ensure that in the majority of situations, all our header cells will
// be merged into a single draw call.
//window->DrawList->AddCircleFilled(ImVec2(ellipsis_max, label_pos.y), 40, IM_COL32_WHITE);
RenderTextEllipsis(window.DrawList, label_pos, ImVec2(ellipsis_max, label_pos.y + label_height + g.Style.FramePadding.y), ellipsis_max, ellipsis_max, label_end, &label_size);
const bool text_clipped = label_size.x > (ellipsis_max - label_pos.x);
if (text_clipped && hovered && g.HoveredIdNotActiveTimer > g.TooltipSlowDelay)
SetTooltip("%.*s", cast(int)(label_end.length), label);
// We don't use BeginPopupContextItem() because we want the popup to stay up even after the column is hidden
if (IsMouseReleased(ImGuiMouseButton.Right) && IsItemHovered())
TableOpenContextMenu(column_n);
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Context Menu
//-------------------------------------------------------------------------
// - TableOpenContextMenu() [Internal]
// - TableDrawContextMenu() [Internal]
//-------------------------------------------------------------------------
// Use -1 to open menu not specific to a given column.
void TableOpenContextMenu(int column_n)
{
ImGuiContext* g = GImGui;
ImGuiTable* table = g.CurrentTable;
if (column_n == -1 && table.CurrentColumn != -1) // When called within a column automatically use this one (for consistency)
column_n = table.CurrentColumn;
if (column_n == table.ColumnsCount) // To facilitate using with TableGetHoveredColumn()
column_n = -1;
IM_ASSERT(column_n >= -1 && column_n < table.ColumnsCount);
if (table.Flags & (ImGuiTableFlags.Resizable | ImGuiTableFlags.Reorderable | ImGuiTableFlags.Hideable))
{
table.IsContextPopupOpen = true;
table.ContextPopupColumn = cast(ImGuiTableColumnIdx)column_n;
table.InstanceInteracted = table.InstanceCurrent;
const ImGuiID context_menu_id = ImHashStr("##ContextMenu", table.ID);
OpenPopupEx(context_menu_id, ImGuiPopupFlags.None);
}
}
// Output context menu into current window (generally a popup)
// FIXME-TABLE: Ideally this should be writable by the user. Full programmatic access to that data?
void TableDrawContextMenu(ImGuiTable* table)
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = g.CurrentWindow;
if (window.SkipItems)
return;
bool want_separator = false;
const int column_n = (table.ContextPopupColumn >= 0 && table.ContextPopupColumn < table.ColumnsCount) ? table.ContextPopupColumn : -1;
ImGuiTableColumn* column = (column_n != -1) ? &table.Columns[column_n] : NULL;
// Sizing
if (table.Flags & ImGuiTableFlags.Resizable)
{
if (column != NULL)
{
const bool can_resize = !(column.Flags & ImGuiTableColumnFlags.NoResize) && column.IsEnabled;
if (MenuItem("Size column to fit###SizeOne", NULL, false, can_resize))
TableSetColumnWidthAutoSingle(table, column_n);
}
string size_all_desc;
if (table.ColumnsEnabledFixedCount == table.ColumnsEnabledCount && (table.Flags & ImGuiTableFlags.SizingMask_) != ImGuiTableFlags.SizingFixedSame)
size_all_desc = "Size all columns to fit###SizeAll"; // All fixed
else
size_all_desc = "Size all columns to default###SizeAll"; // All stretch or mixed
if (MenuItem(size_all_desc, NULL))
TableSetColumnWidthAutoAll(table);
want_separator = true;
}
// Ordering
if (table.Flags & ImGuiTableFlags.Reorderable)
{
if (MenuItem("Reset order", NULL, false, !table.IsDefaultDisplayOrder))
table.IsResetDisplayOrderRequest = true;
want_separator = true;
}
// Reset all (should work but seems unnecessary/noisy to expose?)
//if (MenuItem("Reset all"))
// table->IsResetAllRequest = true;
// Sorting
// (modify TableOpenContextMenu() to add _Sortable flag if enabling this)
static if (false) {
if ((table.Flags & ImGuiTableFlags.Sortable) && column != NULL && (column.Flags & ImGuiTableColumnFlags.NoSort) == 0)
{
if (want_separator)
Separator();
want_separator = true;
bool append_to_sort_specs = g.IO.KeyShift;
if (MenuItem("Sort in Ascending Order", NULL, column.SortOrder != -1 && column.SortDirection == ImGuiSortDirection.Ascending, (column.Flags & ImGuiTableColumnFlags.NoSortAscending) == 0))
TableSetColumnSortDirection(table, column_n, ImGuiSortDirection.Ascending, append_to_sort_specs);
if (MenuItem("Sort in Descending Order", NULL, column.SortOrder != -1 && column.SortDirection == ImGuiSortDirection.Descending, (column.Flags & ImGuiTableColumnFlags.NoSortDescending) == 0))
TableSetColumnSortDirection(table, column_n, ImGuiSortDirection.Descending, append_to_sort_specs);
}
}
// Hiding / Visibility
if (table.Flags & ImGuiTableFlags.Hideable)
{
if (want_separator)
Separator();
want_separator = true;
PushItemFlag(ImGuiItemFlags.SelectableDontClosePopup, true);
for (int other_column_n = 0; other_column_n < table.ColumnsCount; other_column_n++)
{
ImGuiTableColumn* other_column = &table.Columns[other_column_n];
string name = TableGetColumnName(table, other_column_n);
if (name == NULL || name[0] == 0)
name = "<Unknown>";
// Make sure we can't hide the last active column
bool menu_item_active = (other_column.Flags & ImGuiTableColumnFlags.NoHide) ? false : true;
if (other_column.IsEnabled && table.ColumnsEnabledCount <= 1)
menu_item_active = false;
if (MenuItem(name, NULL, other_column.IsEnabled, menu_item_active))
other_column.IsEnabledNextFrame = !other_column.IsEnabled;
}
PopItemFlag();
}
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Settings (.ini data)
//-------------------------------------------------------------------------
// FIXME: The binding/finding/creating flow are too confusing.
//-------------------------------------------------------------------------
// - TableSettingsInit() [Internal]
// - TableSettingsCalcChunkSize() [Internal]
// - TableSettingsCreate() [Internal]
// - TableSettingsFindByID() [Internal]
// - TableGetBoundSettings() [Internal]
// - TableResetSettings()
// - TableSaveSettings() [Internal]
// - TableLoadSettings() [Internal]
// - TableSettingsHandler_ClearAll() [Internal]
// - TableSettingsHandler_ApplyAll() [Internal]
// - TableSettingsHandler_ReadOpen() [Internal]
// - TableSettingsHandler_ReadLine() [Internal]
// - TableSettingsHandler_WriteAll() [Internal]
// - TableSettingsInstallHandler() [Internal]
//-------------------------------------------------------------------------
// [Init] 1: TableSettingsHandler_ReadXXXX() Load and parse .ini file into TableSettings.
// [Main] 2: TableLoadSettings() When table is created, bind Table to TableSettings, serialize TableSettings data into Table.
// [Main] 3: TableSaveSettings() When table properties are modified, serialize Table data into bound or new TableSettings, mark .ini as dirty.
// [Main] 4: TableSettingsHandler_WriteAll() When .ini file is dirty (which can come from other source), save TableSettings into .ini file.
//-------------------------------------------------------------------------
// Clear and initialize empty settings instance
static void TableSettingsInit(ImGuiTableSettings* settings, ImGuiID id, int columns_count, int columns_count_max)
{
IM_PLACEMENT_NEW(settings, ImGuiTableSettings(false));
ImGuiTableColumnSettings* settings_column = settings.GetColumnSettings();
for (int n = 0; n < columns_count_max; n++, settings_column++)
IM_PLACEMENT_NEW(settings_column, ImGuiTableColumnSettings(false));
settings.ID = id;
settings.ColumnsCount = cast(ImGuiTableColumnIdx)columns_count;
settings.ColumnsCountMax = cast(ImGuiTableColumnIdx)columns_count_max;
settings.WantApply = true;
}
static size_t TableSettingsCalcChunkSize(int columns_count)
{
return sizeof!(ImGuiTableSettings) + cast(size_t)columns_count * sizeof!(ImGuiTableColumnSettings);
}
ImGuiTableSettings* TableSettingsCreate(ImGuiID id, int columns_count)
{
ImGuiContext* g = GImGui;
ImGuiTableSettings* settings = g.SettingsTables.alloc_chunk(TableSettingsCalcChunkSize(columns_count));
TableSettingsInit(settings, id, columns_count, columns_count);
return settings;
}
// Find existing settings
ImGuiTableSettings* TableSettingsFindByID(ImGuiID id)
{
// FIXME-OPT: Might want to store a lookup map for this?
ImGuiContext* g = GImGui;
for (ImGuiTableSettings* settings = g.SettingsTables.begin(); settings != NULL; settings = g.SettingsTables.next_chunk(settings))
if (settings.ID == id)
return settings;
return NULL;
}
// Get settings for a given table, NULL if none
ImGuiTableSettings* TableGetBoundSettings(ImGuiTable* table)
{
if (table.SettingsOffset != -1)
{
ImGuiContext* g = GImGui;
ImGuiTableSettings* settings = g.SettingsTables.ptr_from_offset(table.SettingsOffset);
IM_ASSERT(settings.ID == table.ID);
if (settings.ColumnsCountMax >= table.ColumnsCount)
return settings; // OK
settings.ID = 0; // Invalidate storage, we won't fit because of a count change
}
return NULL;
}
// Restore initial state of table (with or without saved settings)
void TableResetSettings(ImGuiTable* table)
{
table.IsInitializing = table.IsSettingsDirty = true;
table.IsResetAllRequest = false;
table.IsSettingsRequestLoad = false; // Don't reload from ini
table.SettingsLoadedFlags = ImGuiTableFlags.None; // Mark as nothing loaded so our initialized data becomes authoritative
}
void TableSaveSettings(ImGuiTable* table)
{
table.IsSettingsDirty = false;
if (table.Flags & ImGuiTableFlags.NoSavedSettings)
return;
// Bind or create settings data
ImGuiContext* g = GImGui;
ImGuiTableSettings* settings = TableGetBoundSettings(table);
if (settings == NULL)
{
settings = TableSettingsCreate(table.ID, table.ColumnsCount);
table.SettingsOffset = g.SettingsTables.offset_from_ptr(settings);
}
settings.ColumnsCount = cast(ImGuiTableColumnIdx)table.ColumnsCount;
// Serialize ImGuiTable/ImGuiTableColumn into ImGuiTableSettings/ImGuiTableColumnSettings
IM_ASSERT(settings.ID == table.ID);
IM_ASSERT(settings.ColumnsCount == table.ColumnsCount && settings.ColumnsCountMax >= settings.ColumnsCount);
ImGuiTableColumn* column = table.Columns.Data;
ImGuiTableColumnSettings* column_settings = settings.GetColumnSettings();
bool save_ref_scale = false;
settings.SaveFlags = ImGuiTableFlags.None;
for (int n = 0; n < table.ColumnsCount; n++, column++, column_settings++)
{
const float width_or_weight = (column.Flags & ImGuiTableColumnFlags.WidthStretch) ? column.StretchWeight : column.WidthRequest;
column_settings.WidthOrWeight = width_or_weight;
column_settings.Index = cast(ImGuiTableColumnIdx)n;
column_settings.DisplayOrder = column.DisplayOrder;
column_settings.SortOrder = column.SortOrder;
column_settings.SortDirection = column.SortDirection;
column_settings.IsEnabled = column.IsEnabled;
column_settings.IsStretch = (column.Flags & ImGuiTableColumnFlags.WidthStretch) ? 1 : 0;
if ((column.Flags & ImGuiTableColumnFlags.WidthStretch) == 0)
save_ref_scale = true;
// We skip saving some data in the .ini file when they are unnecessary to restore our state.
// Note that fixed width where initial width was derived from auto-fit will always be saved as InitStretchWeightOrWidth will be 0.0f.
// FIXME-TABLE: We don't have logic to easily compare SortOrder to DefaultSortOrder yet so it's always saved when present.
if (width_or_weight != column.InitStretchWeightOrWidth)
settings.SaveFlags |= ImGuiTableFlags.Resizable;
if (column.DisplayOrder != n)
settings.SaveFlags |= ImGuiTableFlags.Reorderable;
if (column.SortOrder != -1)
settings.SaveFlags |= ImGuiTableFlags.Sortable;
if (column.IsEnabled != ((column.Flags & ImGuiTableColumnFlags.DefaultHide) == 0))
settings.SaveFlags |= ImGuiTableFlags.Hideable;
}
settings.SaveFlags &= table.Flags;
settings.RefScale = save_ref_scale ? table.RefScale : 0.0f;
MarkIniSettingsDirty();
}
void TableLoadSettings(ImGuiTable* table)
{
ImGuiContext* g = GImGui;
table.IsSettingsRequestLoad = false;
if (table.Flags & ImGuiTableFlags.NoSavedSettings)
return;
// Bind settings
ImGuiTableSettings* settings;
if (table.SettingsOffset == -1)
{
settings = TableSettingsFindByID(table.ID);
if (settings == NULL)
return;
if (settings.ColumnsCount != table.ColumnsCount) // Allow settings if columns count changed. We could otherwise decide to return...
table.IsSettingsDirty = true;
table.SettingsOffset = g.SettingsTables.offset_from_ptr(settings);
}
else
{
settings = TableGetBoundSettings(table);
}
table.SettingsLoadedFlags = settings.SaveFlags;
table.RefScale = settings.RefScale;
// Serialize ImGuiTableSettings/ImGuiTableColumnSettings into ImGuiTable/ImGuiTableColumn
ImGuiTableColumnSettings* column_settings = settings.GetColumnSettings();
ImU64 display_order_mask = 0;
for (int data_n = 0; data_n < settings.ColumnsCount; data_n++, column_settings++)
{
int column_n = column_settings.Index;
if (column_n < 0 || column_n >= table.ColumnsCount)
continue;
ImGuiTableColumn* column = &table.Columns[column_n];
if (settings.SaveFlags & ImGuiTableFlags.Resizable)
{
if (column_settings.IsStretch)
column.StretchWeight = column_settings.WidthOrWeight;
else
column.WidthRequest = column_settings.WidthOrWeight;
column.AutoFitQueue = 0x00;
}
if (settings.SaveFlags & ImGuiTableFlags.Reorderable)
column.DisplayOrder = column_settings.DisplayOrder;
else
column.DisplayOrder = cast(ImGuiTableColumnIdx)column_n;
display_order_mask |= cast(ImU64)1 << column.DisplayOrder;
column.IsEnabled = column.IsEnabledNextFrame = cast(bool)column_settings.IsEnabled;
column.SortOrder = column_settings.SortOrder;
column.SortDirection = column_settings.SortDirection;
}
// Validate and fix invalid display order data
const ImU64 expected_display_order_mask = (settings.ColumnsCount == 64) ? ~0 : (cast(ImU64)1 << settings.ColumnsCount) - 1;
if (display_order_mask != expected_display_order_mask)
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
table.Columns[column_n].DisplayOrder = cast(ImGuiTableColumnIdx)column_n;
// Rebuild index
for (int column_n = 0; column_n < table.ColumnsCount; column_n++)
table.DisplayOrderToIndex[table.Columns[column_n].DisplayOrder] = cast(ImGuiTableColumnIdx)column_n;
}
static void TableSettingsHandler_ClearAll(ImGuiContext* ctx, ImGuiSettingsHandler*)
{
ImGuiContext* g = ctx;
for (int i = 0; i != g.Tables.GetSize(); i++)
g.Tables.GetByIndex(i).SettingsOffset = -1;
g.SettingsTables.clear();
}
// Apply to existing windows (if any)
static void TableSettingsHandler_ApplyAll(ImGuiContext* ctx, ImGuiSettingsHandler*)
{
ImGuiContext* g = ctx;
for (int i = 0; i != g.Tables.GetSize(); i++)
{
ImGuiTable* table = g.Tables.GetByIndex(i);
table.IsSettingsRequestLoad = true;
table.SettingsOffset = -1;
}
}
static void* TableSettingsHandler_ReadOpen(ImGuiContext*, ImGuiSettingsHandler*, string name)
{
ImGuiID id = 0;
int columns_count = 0;
if (sscanf(name, "0x%08X,%d", &id, &columns_count) < 2)
return NULL;
if (ImGuiTableSettings* settings = TableSettingsFindByID(id))
{
if (settings.ColumnsCountMax >= columns_count)
{
TableSettingsInit(settings, id, columns_count, settings.ColumnsCountMax); // Recycle
return settings;
}
settings.ID = 0; // Invalidate storage, we won't fit because of a count change
}
return TableSettingsCreate(id, columns_count);
}
static void TableSettingsHandler_ReadLine(ImGuiContext*, ImGuiSettingsHandler*, void* entry, string line)
{
// "Column 0 UserID=0x42AD2D21 Width=100 Visible=1 Order=0 Sort=0v"
ImGuiTableSettings* settings = cast(ImGuiTableSettings*)entry;
float f = 0.0f;
int column_n = 0, r = 0, n = 0;
if (sscanf(line, "RefScale=%f", &f) == 1) { settings.RefScale = f; return; }
if (sscanf(line, "Column %d%n", &column_n, &r) == 1)
{
if (column_n < 0 || column_n >= settings.ColumnsCount)
return;
line = ImStrSkipBlank(line[r..$]);
char c = 0;
ImGuiTableColumnSettings* column = settings.GetColumnSettings() + column_n;
column.Index = cast(ImGuiTableColumnIdx)column_n;
if (sscanf(line, "UserID=0x%08X%n", cast(ImU32*)&n, &r)==1) { line = ImStrSkipBlank(line[r..$]); column.UserID = cast(ImGuiID)n; }
if (sscanf(line, "Width=%d%n", &n, &r) == 1) { line = ImStrSkipBlank(line[r..$]); column.WidthOrWeight = cast(float)n; column.IsStretch = 0; settings.SaveFlags |= ImGuiTableFlags.Resizable; }
if (sscanf(line, "Weight=%f%n", &f, &r) == 1) { line = ImStrSkipBlank(line[r..$]); column.WidthOrWeight = f; column.IsStretch = 1; settings.SaveFlags |= ImGuiTableFlags.Resizable; }
if (sscanf(line, "Visible=%d%n", &n, &r) == 1) { line = ImStrSkipBlank(line[r..$]); column.IsEnabled = cast(ImU8)n; settings.SaveFlags |= ImGuiTableFlags.Hideable; }
if (sscanf(line, "Order=%d%n", &n, &r) == 1) { line = ImStrSkipBlank(line[r..$]); column.DisplayOrder = cast(ImGuiTableColumnIdx)n; settings.SaveFlags |= ImGuiTableFlags.Reorderable; }
if (sscanf(line, "Sort=%d%c%n", &n, &c, &r) == 2) { line = ImStrSkipBlank(line[r..$]); column.SortOrder = cast(ImGuiTableColumnIdx)n; column.SortDirection = (c == '^') ? ImGuiSortDirection.Descending : ImGuiSortDirection.Ascending; settings.SaveFlags |= ImGuiTableFlags.Sortable; }
}
}
static void TableSettingsHandler_WriteAll(ImGuiContext* ctx, ImGuiSettingsHandler* handler, ImGuiTextBuffer* buf)
{
ImGuiContext* g = ctx;
for (ImGuiTableSettings* settings = g.SettingsTables.begin(); settings != NULL; settings = g.SettingsTables.next_chunk(settings))
{
if (settings.ID == 0) // Skip ditched settings
continue;
// TableSaveSettings() may clear some of those flags when we establish that the data can be stripped
// (e.g. Order was unchanged)
const bool save_size = (settings.SaveFlags & ImGuiTableFlags.Resizable) != 0;
const bool save_visible = (settings.SaveFlags & ImGuiTableFlags.Hideable) != 0;
const bool save_order = (settings.SaveFlags & ImGuiTableFlags.Reorderable) != 0;
const bool save_sort = (settings.SaveFlags & ImGuiTableFlags.Sortable) != 0;
if (!save_size && !save_visible && !save_order && !save_sort)
continue;
buf.reserve(buf.size() + 30 + settings.ColumnsCount * 50); // ballpark reserve
buf.appendf("[%s][0x%08X,%d]\n", handler.TypeName, settings.ID, settings.ColumnsCount);
if (settings.RefScale != 0.0f)
buf.appendf("RefScale=%g\n", settings.RefScale);
ImGuiTableColumnSettings* column = settings.GetColumnSettings();
for (int column_n = 0; column_n < settings.ColumnsCount; column_n++, column++)
{
// "Column 0 UserID=0x42AD2D21 Width=100 Visible=1 Order=0 Sort=0v"
bool save_column = column.UserID != 0 || save_size || save_visible || save_order || (save_sort && column.SortOrder != -1);
if (!save_column)
continue;
buf.appendf("Column %-2d", column_n);
if (column.UserID != 0) buf.appendf(" UserID=%08X", column.UserID);
if (save_size && column.IsStretch) buf.appendf(" Weight=%.4f", column.WidthOrWeight);
if (save_size && !column.IsStretch) buf.appendf(" Width=%d", cast(int)column.WidthOrWeight);
if (save_visible) buf.appendf(" Visible=%d", column.IsEnabled);
if (save_order) buf.appendf(" Order=%d", column.DisplayOrder);
if (save_sort && column.SortOrder != -1) buf.appendf(" Sort=%d%c", column.SortOrder, (column.SortDirection == ImGuiSortDirection.Ascending) ? 'v' : '^');
buf.append("\n");
}
buf.append("\n");
}
}
void TableSettingsInstallHandler(ImGuiContext* context)
{
ImGuiContext* g = context;
ImGuiSettingsHandler ini_handler;
ini_handler.TypeName = "Table";
ini_handler.TypeHash = ImHashStr("Table");
ini_handler.ClearAllFn = &TableSettingsHandler_ClearAll;
ini_handler.ReadOpenFn = &TableSettingsHandler_ReadOpen;
ini_handler.ReadLineFn = &TableSettingsHandler_ReadLine;
ini_handler.ApplyAllFn = &TableSettingsHandler_ApplyAll;
ini_handler.WriteAllFn = &TableSettingsHandler_WriteAll;
g.SettingsHandlers.push_back(ini_handler);
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Garbage Collection
//-------------------------------------------------------------------------
// - TableRemove() [Internal]
// - TableGcCompactTransientBuffers() [Internal]
// - TableGcCompactSettings() [Internal]
//-------------------------------------------------------------------------
// Remove Table (currently only used by TestEngine)
void TableRemove(ImGuiTable* table)
{
//IMGUI_DEBUG_LOG("TableRemove() id=0x%08X\n", table->ID);
ImGuiContext* g = GImGui;
int table_idx = g.Tables.GetIndex(table);
//memset(table->RawData.Data, 0, table->RawData.size_in_bytes());
//memset(table, 0, sizeof(ImGuiTable));
g.Tables.Remove(table.ID, table);
g.TablesLastTimeActive[table_idx] = -1.0f;
}
// Free up/compact internal Table buffers for when it gets unused
void TableGcCompactTransientBuffers(ImGuiTable* table)
{
//IMGUI_DEBUG_LOG("TableGcCompactTransientBuffers() id=0x%08X\n", table->ID);
ImGuiContext* g = GImGui;
IM_ASSERT(table.MemoryCompacted == false);
table.SortSpecs.Specs = NULL;
table.IsSortSpecsDirty = true;
table.ColumnsNames.clear();
table.MemoryCompacted = true;
for (int n = 0; n < table.ColumnsCount; n++)
table.Columns[n].NameOffset = -1;
g.TablesLastTimeActive[g.Tables.GetIndex(table)] = -1.0f;
}
void TableGcCompactTransientBuffers(ImGuiTableTempData* temp_data)
{
temp_data.DrawSplitter.ClearFreeMemory();
temp_data.SortSpecsMulti.clear();
temp_data.LastTimeActive = -1.0f;
}
// Compact and remove unused settings data (currently only used by TestEngine)
void TableGcCompactSettings()
{
ImGuiContext* g = GImGui;
int required_memory = 0;
for (ImGuiTableSettings* settings = g.SettingsTables.begin(); settings != NULL; settings = g.SettingsTables.next_chunk(settings))
if (settings.ID != 0)
required_memory += cast(int)TableSettingsCalcChunkSize(settings.ColumnsCount);
if (required_memory == g.SettingsTables.Buf.Size)
return;
ImChunkStream!ImGuiTableSettings new_chunk_stream;
new_chunk_stream.Buf.reserve(required_memory);
for (ImGuiTableSettings* settings = g.SettingsTables.begin(); settings != NULL; settings = g.SettingsTables.next_chunk(settings))
if (settings.ID != 0)
memcpy(new_chunk_stream.alloc_chunk(TableSettingsCalcChunkSize(settings.ColumnsCount)), settings, TableSettingsCalcChunkSize(settings.ColumnsCount));
g.SettingsTables.swap(new_chunk_stream);
}
//-------------------------------------------------------------------------
// [SECTION] Tables: Debugging
//-------------------------------------------------------------------------
// - DebugNodeTable() [Internal]
//-------------------------------------------------------------------------
static if (!IMGUI_DISABLE_METRICS_WINDOW) {
private string DebugNodeTableGetSizingPolicyDesc(ImGuiTableFlags sizing_policy)
{
sizing_policy &= ImGuiTableFlags.SizingMask_;
if (sizing_policy == ImGuiTableFlags.SizingFixedFit) { return "FixedFit"; }
if (sizing_policy == ImGuiTableFlags.SizingFixedSame) { return "FixedSame"; }
if (sizing_policy == ImGuiTableFlags.SizingStretchProp) { return "StretchProp"; }
if (sizing_policy == ImGuiTableFlags.SizingStretchSame) { return "StretchSame"; }
return "N/A";
}
void DebugNodeTable(ImGuiTable* table)
{
char[512] buf;
//char* p = buf;
//string buf_end = buf + IM_ARRAYSIZE(buf);
const bool is_active = (table.LastFrameActive >= GetFrameCount() - 2); // Note that fully clipped early out scrolling tables will appear as inactive here.
ImFormatString(buf, "Table 0x%08X (%d columns, in '%s')%s", table.ID, table.ColumnsCount, table.OuterWindow.Name, is_active ? "" : " *Inactive*");
if (!is_active) { PushStyleColor(ImGuiCol.Text, GetStyleColorVec4(ImGuiCol.TextDisabled)); }
bool open = TreeNode(table, "%s", ImCstring(buf));
if (!is_active) { PopStyleColor(); }
if (IsItemHovered())
GetForegroundDrawList().AddRect(table.OuterRect.Min, table.OuterRect.Max, IM_COL32(255, 255, 0, 255));
if (IsItemVisible() && table.HoveredColumnBody != -1)
GetForegroundDrawList().AddRect(GetItemRectMin(), GetItemRectMax(), IM_COL32(255, 255, 0, 255));
if (!open)
return;
bool clear_settings = SmallButton("Clear settings");
BulletText("OuterRect: Pos: (%.1f,%.1f) Size: (%.1f,%.1f) Sizing: '%s'", table.OuterRect.Min.x, table.OuterRect.Min.y, table.OuterRect.GetWidth(), table.OuterRect.GetHeight(), DebugNodeTableGetSizingPolicyDesc(table.Flags));
BulletText("ColumnsGivenWidth: %.1f, ColumnsAutoFitWidth: %.1f, InnerWidth: %.1f%s", table.ColumnsGivenWidth, table.ColumnsAutoFitWidth, table.InnerWidth, table.InnerWidth == 0.0f ? " (auto)" : "");
BulletText("CellPaddingX: %.1f, CellSpacingX: %.1f/%.1f, OuterPaddingX: %.1f", table.CellPaddingX, table.CellSpacingX1, table.CellSpacingX2, table.OuterPaddingX);
BulletText("HoveredColumnBody: %d, HoveredColumnBorder: %d", table.HoveredColumnBody, table.HoveredColumnBorder);
BulletText("ResizedColumn: %d, ReorderColumn: %d, HeldHeaderColumn: %d", table.ResizedColumn, table.ReorderColumn, table.HeldHeaderColumn);
//BulletText("BgDrawChannels: %d/%d", 0, table->BgDrawChannelUnfrozen);
float sum_weights = 0.0f;
for (int n = 0; n < table.ColumnsCount; n++)
if (table.Columns[n].Flags & ImGuiTableColumnFlags.WidthStretch)
sum_weights += table.Columns[n].StretchWeight;
for (int n = 0; n < table.ColumnsCount; n++)
{
ImGuiTableColumn* column = &table.Columns[n];
string name = TableGetColumnName(table, n);
ImFormatString(buf,
"Column %d order %d '%s': offset %+.2f to %+.2f%s\n"
~"Enabled: %d, VisibleX/Y: %d/%d, RequestOutput: %d, SkipItems: %d, DrawChannels: %d,%d\n"
~"WidthGiven: %.1f, Request/Auto: %.1f/%.1f, StretchWeight: %.3f (%.1f%%)\n"
~"MinX: %.1f, MaxX: %.1f (%+.1f), ClipRect: %.1f to %.1f (+%.1f)\n"
~"ContentWidth: %.1f,%.1f, HeadersUsed/Ideal %.1f/%.1f\n"
~"Sort: %d%s, UserID: 0x%08X, Flags: 0x%04X: %s%s%s..",
n, column.DisplayOrder, name, column.MinX - table.WorkRect.Min.x, column.MaxX - table.WorkRect.Min.x, (n < table.FreezeColumnsRequest) ? " (Frozen)" : "",
column.IsEnabled, column.IsVisibleX, column.IsVisibleY, column.IsRequestOutput, column.IsSkipItems, column.DrawChannelFrozen, column.DrawChannelUnfrozen,
column.WidthGiven, column.WidthRequest, column.WidthAuto, column.StretchWeight, column.StretchWeight > 0.0f ? (column.StretchWeight / sum_weights) * 100.0f : 0.0f,
column.MinX, column.MaxX, column.MaxX - column.MinX, column.ClipRect.Min.x, column.ClipRect.Max.x, column.ClipRect.Max.x - column.ClipRect.Min.x,
column.ContentMaxXFrozen - column.WorkMinX, column.ContentMaxXUnfrozen - column.WorkMinX, column.ContentMaxXHeadersUsed - column.WorkMinX, column.ContentMaxXHeadersIdeal - column.WorkMinX,
column.SortOrder, (column.SortDirection == ImGuiSortDirection.Ascending) ? " (Asc)" : (column.SortDirection == ImGuiSortDirection.Descending) ? " (Des)" : "", column.UserID, column.Flags,
(column.Flags & ImGuiTableColumnFlags.WidthStretch) ? "WidthStretch " : "",
(column.Flags & ImGuiTableColumnFlags.WidthFixed) ? "WidthFixed " : "",
(column.Flags & ImGuiTableColumnFlags.NoResize) ? "NoResize " : "");
Bullet();
Selectable(ImCstring(buf));
if (IsItemHovered())
{
ImRect r = ImRect(column.MinX, table.OuterRect.Min.y, column.MaxX, table.OuterRect.Max.y);
GetForegroundDrawList().AddRect(r.Min, r.Max, IM_COL32(255, 255, 0, 255));
}
}
if (ImGuiTableSettings* settings = TableGetBoundSettings(table))
DebugNodeTableSettings(settings);
if (clear_settings)
table.IsResetAllRequest = true;
TreePop();
}
void DebugNodeTableSettings(ImGuiTableSettings* settings)
{
if (!TreeNode(cast(void*)cast(intptr_t)settings.ID, "Settings 0x%08X (%d columns)", settings.ID, settings.ColumnsCount))
return;
BulletText("SaveFlags: 0x%08X", settings.SaveFlags);
BulletText("ColumnsCount: %d (max %d)", settings.ColumnsCount, settings.ColumnsCountMax);
for (int n = 0; n < settings.ColumnsCount; n++)
{
ImGuiTableColumnSettings* column_settings = &settings.GetColumnSettings()[n];
ImGuiSortDirection sort_dir = (column_settings.SortOrder != -1) ? cast(ImGuiSortDirection)column_settings.SortDirection : ImGuiSortDirection.None;
BulletText("Column %d Order %d SortOrder %d %s Vis %d %s %7.3f UserID 0x%08X",
n, column_settings.DisplayOrder, column_settings.SortOrder,
(sort_dir == ImGuiSortDirection.Ascending) ? "Asc" : (sort_dir == ImGuiSortDirection.Descending) ? "Des" : "---",
column_settings.IsEnabled, column_settings.IsStretch ? "Weight" : "Width ", column_settings.WidthOrWeight, column_settings.UserID);
}
TreePop();
}
} else { // #ifndef IMGUI_DISABLE_METRICS_WINDOW
void DebugNodeTable(ImGuiTable*) {}
void DebugNodeTableSettings(ImGuiTableSettings*) {}
}
//-------------------------------------------------------------------------
// [SECTION] Columns, BeginColumns, EndColumns, etc.
// (This is a legacy API, prefer using BeginTable/EndTable!)
//-------------------------------------------------------------------------
// FIXME: sizing is lossy when columns width is very small (default width may turn negative etc.)
//-------------------------------------------------------------------------
// - SetWindowClipRectBeforeSetChannel() [Internal]
// - GetColumnIndex()
// - GetColumnsCount()
// - GetColumnOffset()
// - GetColumnWidth()
// - SetColumnOffset()
// - SetColumnWidth()
// - PushColumnClipRect() [Internal]
// - PushColumnsBackground() [Internal]
// - PopColumnsBackground() [Internal]
// - FindOrCreateColumns() [Internal]
// - GetColumnsID() [Internal]
// - BeginColumns()
// - NextColumn()
// - EndColumns()
// - Columns()
//-------------------------------------------------------------------------
// [Internal] Small optimization to avoid calls to PopClipRect/SetCurrentChannel/PushClipRect in sequences,
// they would meddle many times with the underlying ImDrawCmd.
// Instead, we do a preemptive overwrite of clipping rectangle _without_ altering the command-buffer and let
// the subsequent single call to SetCurrentChannel() does it things once.
void SetWindowClipRectBeforeSetChannel(ImGuiWindow* window, const ImRect/*&*/ clip_rect)
{
ImVec4 clip_rect_vec4 = clip_rect.ToVec4();
window.ClipRect = clip_rect;
window.DrawList._CmdHeader.ClipRect = clip_rect_vec4;
window.DrawList._ClipRectStack.Data[window.DrawList._ClipRectStack.Size - 1] = clip_rect_vec4;
}
int GetColumnIndex()
{
ImGuiWindow* window = GetCurrentWindowRead();
return window.DC.CurrentColumns ? window.DC.CurrentColumns.Current : 0;
}
int GetColumnsCount()
{
ImGuiWindow* window = GetCurrentWindowRead();
return window.DC.CurrentColumns ? window.DC.CurrentColumns.Count : 1;
}
float GetColumnOffsetFromNorm(const ImGuiOldColumns* columns, float offset_norm)
{
return offset_norm * (columns.OffMaxX - columns.OffMinX);
}
float GetColumnNormFromOffset(const ImGuiOldColumns* columns, float offset)
{
return offset / (columns.OffMaxX - columns.OffMinX);
}
static const float COLUMNS_HIT_RECT_HALF_WIDTH = 4.0f;
static float GetDraggedColumnOffset(ImGuiOldColumns* columns, int column_index)
{
// Active (dragged) column always follow mouse. The reason we need this is that dragging a column to the right edge of an auto-resizing
// window creates a feedback loop because we store normalized positions. So while dragging we enforce absolute positioning.
ImGuiContext* g = GImGui;
ImGuiWindow* window = g.CurrentWindow;
IM_ASSERT(column_index > 0); // We are not supposed to drag column 0.
IM_ASSERT(g.ActiveId == columns.ID + ImGuiID(column_index));
float x = g.IO.MousePos.x - g.ActiveIdClickOffset.x + COLUMNS_HIT_RECT_HALF_WIDTH - window.Pos.x;
x = ImMax(x, GetColumnOffset(column_index - 1) + g.Style.ColumnsMinSpacing);
if ((columns.Flags & ImGuiOldColumnFlags.NoPreserveWidths))
x = ImMin(x, GetColumnOffset(column_index + 1) - g.Style.ColumnsMinSpacing);
return x;
}
float GetColumnOffset(int column_index = -1)
{
ImGuiWindow* window = GetCurrentWindowRead();
ImGuiOldColumns* columns = window.DC.CurrentColumns;
if (columns == NULL)
return 0.0f;
if (column_index < 0)
column_index = columns.Current;
IM_ASSERT(column_index < columns.Columns.Size);
const float t = columns.Columns[column_index].OffsetNorm;
const float x_offset = ImLerp(columns.OffMinX, columns.OffMaxX, t);
return x_offset;
}
static float GetColumnWidthEx(ImGuiOldColumns* columns, int column_index, bool before_resize = false)
{
if (column_index < 0)
column_index = columns.Current;
float offset_norm;
if (before_resize)
offset_norm = columns.Columns[column_index + 1].OffsetNormBeforeResize - columns.Columns[column_index].OffsetNormBeforeResize;
else
offset_norm = columns.Columns[column_index + 1].OffsetNorm - columns.Columns[column_index].OffsetNorm;
return GetColumnOffsetFromNorm(columns, offset_norm);
}
float GetColumnWidth(int column_index = -1)
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = g.CurrentWindow;
ImGuiOldColumns* columns = window.DC.CurrentColumns;
if (columns == NULL)
return GetContentRegionAvail().x;
if (column_index < 0)
column_index = columns.Current;
return GetColumnOffsetFromNorm(columns, columns.Columns[column_index + 1].OffsetNorm - columns.Columns[column_index].OffsetNorm);
}
void SetColumnOffset(int column_index, float offset)
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = g.CurrentWindow;
ImGuiOldColumns* columns = window.DC.CurrentColumns;
IM_ASSERT(columns != NULL);
if (column_index < 0)
column_index = columns.Current;
IM_ASSERT(column_index < columns.Columns.Size);
const bool preserve_width = !(columns.Flags & ImGuiOldColumnFlags.NoPreserveWidths) && (column_index < columns.Count - 1);
const float width = preserve_width ? GetColumnWidthEx(columns, column_index, columns.IsBeingResized) : 0.0f;
if (!(columns.Flags & ImGuiOldColumnFlags.NoForceWithinWindow))
offset = ImMin(offset, columns.OffMaxX - g.Style.ColumnsMinSpacing * (columns.Count - column_index));
columns.Columns[column_index].OffsetNorm = GetColumnNormFromOffset(columns, offset - columns.OffMinX);
if (preserve_width)
SetColumnOffset(column_index + 1, offset + ImMax(g.Style.ColumnsMinSpacing, width));
}
void SetColumnWidth(int column_index, float width)
{
ImGuiWindow* window = GetCurrentWindowRead();
ImGuiOldColumns* columns = window.DC.CurrentColumns;
IM_ASSERT(columns != NULL);
if (column_index < 0)
column_index = columns.Current;
SetColumnOffset(column_index + 1, GetColumnOffset(column_index) + width);
}
void PushColumnClipRect(int column_index)
{
ImGuiWindow* window = GetCurrentWindowRead();
ImGuiOldColumns* columns = window.DC.CurrentColumns;
if (column_index < 0)
column_index = columns.Current;
ImGuiOldColumnData* column = &columns.Columns[column_index];
PushClipRect(column.ClipRect.Min, column.ClipRect.Max, false);
}
// Get into the columns background draw command (which is generally the same draw command as before we called BeginColumns)
void PushColumnsBackground()
{
ImGuiWindow* window = GetCurrentWindowRead();
ImGuiOldColumns* columns = window.DC.CurrentColumns;
if (columns.Count == 1)
return;
// Optimization: avoid SetCurrentChannel() + PushClipRect()
columns.HostBackupClipRect = window.ClipRect;
SetWindowClipRectBeforeSetChannel(window, columns.HostInitialClipRect);
columns.Splitter.SetCurrentChannel(window.DrawList, 0);
}
void PopColumnsBackground()
{
ImGuiWindow* window = GetCurrentWindowRead();
ImGuiOldColumns* columns = window.DC.CurrentColumns;
if (columns.Count == 1)
return;
// Optimization: avoid PopClipRect() + SetCurrentChannel()
SetWindowClipRectBeforeSetChannel(window, columns.HostBackupClipRect);
columns.Splitter.SetCurrentChannel(window.DrawList, columns.Current + 1);
}
ImGuiOldColumns* FindOrCreateColumns(ImGuiWindow* window, ImGuiID id)
{
// We have few columns per window so for now we don't need bother much with turning this into a faster lookup.
for (int n = 0; n < window.ColumnsStorage.Size; n++)
if (window.ColumnsStorage[n].ID == id)
return &window.ColumnsStorage[n];
window.ColumnsStorage.push_back(ImGuiOldColumns(false));
ImGuiOldColumns* columns = &window.ColumnsStorage.back();
columns.ID = id;
return columns;
}
ImGuiID GetColumnsID(string str_id, int columns_count)
{
ImGuiWindow* window = GetCurrentWindow();
// Differentiate column ID with an arbitrary prefix for cases where users name their columns set the same as another widget.
// In addition, when an identifier isn't explicitly provided we include the number of columns in the hash to make it uniquer.
PushID(0x11223347 + (str_id ? 0 : columns_count));
ImGuiID id = window.GetID(str_id ? str_id : "columns");
PopID();
return id;
}
void BeginColumns(string str_id, int columns_count, ImGuiOldColumnFlags flags)
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = GetCurrentWindow();
IM_ASSERT(columns_count >= 1);
IM_ASSERT(window.DC.CurrentColumns == NULL); // Nested columns are currently not supported
// Acquire storage for the columns set
ImGuiID id = GetColumnsID(str_id, columns_count);
ImGuiOldColumns* columns = FindOrCreateColumns(window, id);
IM_ASSERT(columns.ID == id);
columns.Current = 0;
columns.Count = columns_count;
columns.Flags = flags;
window.DC.CurrentColumns = columns;
columns.HostCursorPosY = window.DC.CursorPos.y;
columns.HostCursorMaxPosX = window.DC.CursorMaxPos.x;
columns.HostInitialClipRect = window.ClipRect;
columns.HostBackupParentWorkRect = window.ParentWorkRect;
window.ParentWorkRect = window.WorkRect;
// Set state for first column
// We aim so that the right-most column will have the same clipping width as other after being clipped by parent ClipRect
const float column_padding = g.Style.ItemSpacing.x;
const float half_clip_extend_x = ImFloor(ImMax(window.WindowPadding.x * 0.5f, window.WindowBorderSize));
const float max_1 = window.WorkRect.Max.x + column_padding - ImMax(column_padding - window.WindowPadding.x, 0.0f);
const float max_2 = window.WorkRect.Max.x + half_clip_extend_x;
columns.OffMinX = window.DC.Indent.x - column_padding + ImMax(column_padding - window.WindowPadding.x, 0.0f);
columns.OffMaxX = ImMax(ImMin(max_1, max_2) - window.Pos.x, columns.OffMinX + 1.0f);
columns.LineMinY = columns.LineMaxY = window.DC.CursorPos.y;
// Clear data if columns count changed
if (columns.Columns.Size != 0 && columns.Columns.Size != columns_count + 1)
columns.Columns.resize(0);
// Initialize default widths
columns.IsFirstFrame = (columns.Columns.Size == 0);
if (columns.Columns.Size == 0)
{
columns.Columns.reserve(columns_count + 1);
for (int n = 0; n < columns_count + 1; n++)
{
ImGuiOldColumnData column = ImGuiOldColumnData(false);
column.OffsetNorm = n / cast(float)columns_count;
columns.Columns.push_back(column);
}
}
for (int n = 0; n < columns_count; n++)
{
// Compute clipping rectangle
ImGuiOldColumnData* column = &columns.Columns[n];
float clip_x1 = IM_ROUND(window.Pos.x + GetColumnOffset(n));
float clip_x2 = IM_ROUND(window.Pos.x + GetColumnOffset(n + 1) - 1.0f);
column.ClipRect = ImRect(clip_x1, -FLT_MAX, clip_x2, +FLT_MAX);
column.ClipRect.ClipWithFull(window.ClipRect);
}
if (columns.Count > 1)
{
columns.Splitter.Split(window.DrawList, 1 + columns.Count);
columns.Splitter.SetCurrentChannel(window.DrawList, 1);
PushColumnClipRect(0);
}
// We don't generally store Indent.x inside ColumnsOffset because it may be manipulated by the user.
float offset_0 = GetColumnOffset(columns.Current);
float offset_1 = GetColumnOffset(columns.Current + 1);
float width = offset_1 - offset_0;
PushItemWidth(width * 0.65f);
window.DC.ColumnsOffset.x = ImMax(column_padding - window.WindowPadding.x, 0.0f);
window.DC.CursorPos.x = IM_FLOOR(window.Pos.x + window.DC.Indent.x + window.DC.ColumnsOffset.x);
window.WorkRect.Max.x = window.Pos.x + offset_1 - column_padding;
}
void NextColumn()
{
ImGuiWindow* window = GetCurrentWindow();
if (window.SkipItems || window.DC.CurrentColumns == NULL)
return;
ImGuiContext* g = GImGui;
ImGuiOldColumns* columns = window.DC.CurrentColumns;
if (columns.Count == 1)
{
window.DC.CursorPos.x = IM_FLOOR(window.Pos.x + window.DC.Indent.x + window.DC.ColumnsOffset.x);
IM_ASSERT(columns.Current == 0);
return;
}
// Next column
if (++columns.Current == columns.Count)
columns.Current = 0;
PopItemWidth();
// Optimization: avoid PopClipRect() + SetCurrentChannel() + PushClipRect()
// (which would needlessly attempt to update commands in the wrong channel, then pop or overwrite them),
ImGuiOldColumnData* column = &columns.Columns[columns.Current];
SetWindowClipRectBeforeSetChannel(window, column.ClipRect);
columns.Splitter.SetCurrentChannel(window.DrawList, columns.Current + 1);
const float column_padding = g.Style.ItemSpacing.x;
columns.LineMaxY = ImMax(columns.LineMaxY, window.DC.CursorPos.y);
if (columns.Current > 0)
{
// Columns 1+ ignore IndentX (by canceling it out)
// FIXME-COLUMNS: Unnecessary, could be locked?
window.DC.ColumnsOffset.x = GetColumnOffset(columns.Current) - window.DC.Indent.x + column_padding;
}
else
{
// New row/line: column 0 honor IndentX.
window.DC.ColumnsOffset.x = ImMax(column_padding - window.WindowPadding.x, 0.0f);
columns.LineMinY = columns.LineMaxY;
}
window.DC.CursorPos.x = IM_FLOOR(window.Pos.x + window.DC.Indent.x + window.DC.ColumnsOffset.x);
window.DC.CursorPos.y = columns.LineMinY;
window.DC.CurrLineSize = ImVec2(0.0f, 0.0f);
window.DC.CurrLineTextBaseOffset = 0.0f;
// FIXME-COLUMNS: Share code with BeginColumns() - move code on columns setup.
float offset_0 = GetColumnOffset(columns.Current);
float offset_1 = GetColumnOffset(columns.Current + 1);
float width = offset_1 - offset_0;
PushItemWidth(width * 0.65f);
window.WorkRect.Max.x = window.Pos.x + offset_1 - column_padding;
}
void EndColumns()
{
ImGuiContext* g = GImGui;
ImGuiWindow* window = GetCurrentWindow();
ImGuiOldColumns* columns = window.DC.CurrentColumns;
IM_ASSERT(columns != NULL);
PopItemWidth();
if (columns.Count > 1)
{
PopClipRect();
columns.Splitter.Merge(window.DrawList);
}
const ImGuiOldColumnFlags flags = columns.Flags;
columns.LineMaxY = ImMax(columns.LineMaxY, window.DC.CursorPos.y);
window.DC.CursorPos.y = columns.LineMaxY;
if (!(flags & ImGuiOldColumnFlags.GrowParentContentsSize))
window.DC.CursorMaxPos.x = columns.HostCursorMaxPosX; // Restore cursor max pos, as columns don't grow parent
// Draw columns borders and handle resize
// The IsBeingResized flag ensure we preserve pre-resize columns width so back-and-forth are not lossy
bool is_being_resized = false;
if (!(flags & ImGuiOldColumnFlags.NoBorder) && !window.SkipItems)
{
// We clip Y boundaries CPU side because very long triangles are mishandled by some GPU drivers.
const float y1 = ImMax(columns.HostCursorPosY, window.ClipRect.Min.y);
const float y2 = ImMin(window.DC.CursorPos.y, window.ClipRect.Max.y);
int dragging_column = -1;
for (int n = 1; n < columns.Count; n++)
{
ImGuiOldColumnData* column = &columns.Columns[n];
float x = window.Pos.x + GetColumnOffset(n);
const ImGuiID column_id = columns.ID + ImGuiID(n);
const float column_hit_hw = COLUMNS_HIT_RECT_HALF_WIDTH;
const ImRect column_hit_rect = ImRect(ImVec2(x - column_hit_hw, y1), ImVec2(x + column_hit_hw, y2));
KeepAliveID(column_id);
if (IsClippedEx(column_hit_rect, column_id, false))
continue;
bool hovered = false, held = false;
if (!(flags & ImGuiOldColumnFlags.NoResize))
{
ButtonBehavior(column_hit_rect, column_id, &hovered, &held);
if (hovered || held)
g.MouseCursor = ImGuiMouseCursor.ResizeEW;
if (held && !(column.Flags & ImGuiOldColumnFlags.NoResize))
dragging_column = n;
}
// Draw column
const ImU32 col = GetColorU32(held ? ImGuiCol.SeparatorActive : hovered ? ImGuiCol.SeparatorHovered : ImGuiCol.Separator);
const float xi = IM_FLOOR(x);
window.DrawList.AddLine(ImVec2(xi, y1 + 1.0f), ImVec2(xi, y2), col);
}
// Apply dragging after drawing the column lines, so our rendered lines are in sync with how items were displayed during the frame.
if (dragging_column != -1)
{
if (!columns.IsBeingResized)
for (int n = 0; n < columns.Count + 1; n++)
columns.Columns[n].OffsetNormBeforeResize = columns.Columns[n].OffsetNorm;
columns.IsBeingResized = is_being_resized = true;
float x = GetDraggedColumnOffset(columns, dragging_column);
SetColumnOffset(dragging_column, x);
}
}
columns.IsBeingResized = is_being_resized;
window.WorkRect = window.ParentWorkRect;
window.ParentWorkRect = columns.HostBackupParentWorkRect;
window.DC.CurrentColumns = NULL;
window.DC.ColumnsOffset.x = 0.0f;
window.DC.CursorPos.x = IM_FLOOR(window.Pos.x + window.DC.Indent.x + window.DC.ColumnsOffset.x);
}
void Columns(int columns_count = 1, string id = null, bool border = true)
{
ImGuiWindow* window = GetCurrentWindow();
IM_ASSERT(columns_count >= 1);
ImGuiOldColumnFlags flags = (border ? ImGuiOldColumnFlags.None : ImGuiOldColumnFlags.NoBorder);
//flags |= ImGuiOldColumnFlags_NoPreserveWidths; // NB: Legacy behavior
ImGuiOldColumns* columns = window.DC.CurrentColumns;
if (columns != NULL && columns.Count == columns_count && columns.Flags == flags)
return;
if (columns != NULL)
EndColumns();
if (columns_count != 1)
BeginColumns(id, columns_count, flags);
}
//-------------------------------------------------------------------------
// #endif // #ifndef IMGUI_DISABLE
|
D
|
/Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/ConnectableObservableType.o : /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Reactive.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Errors.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/AtomicInt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Event.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/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/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxAtomic.build/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/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/ConnectableObservableType~partial.swiftmodule : /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Reactive.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Errors.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/AtomicInt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Event.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/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/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxAtomic.build/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/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/ConnectableObservableType~partial.swiftdoc : /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Reactive.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Errors.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/AtomicInt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Event.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/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/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxAtomic.build/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
|
/Users/antonimuller/WebstormProjects/WebAssemblyPerformance/hashAlgorithm/target/release/build/generic-array-b064c1f96a7e9c28/build_script_build-b064c1f96a7e9c28: /Users/antonimuller/.cargo/registry/src/github.com-1ecc6299db9ec823/generic-array-0.14.4/build.rs
/Users/antonimuller/WebstormProjects/WebAssemblyPerformance/hashAlgorithm/target/release/build/generic-array-b064c1f96a7e9c28/build_script_build-b064c1f96a7e9c28.d: /Users/antonimuller/.cargo/registry/src/github.com-1ecc6299db9ec823/generic-array-0.14.4/build.rs
/Users/antonimuller/.cargo/registry/src/github.com-1ecc6299db9ec823/generic-array-0.14.4/build.rs:
|
D
|
import core.stdc.errno;
import core.atomic;
import core.thread;
import std.stdio;
import std.conv;
import std.socket;
import std.bitmanip;
void main(string[] argv)
{
ubyte[] data = new ubyte[10000];
data[0] = 1;
data[$ - 1] = 2;
for (int i = 0; i < 10; i++)
{
new Thread(
{
go(data);
}
).start();
}
}
shared long total = 0;
private void go(ubyte[] data)
{
for (int i = 0; i < 100000; i++)
{
TcpSocket socket = new TcpSocket();
socket.blocking = true;
socket.connect(new InternetAddress("127.0.0.1", 12290));
ubyte[] buffer = new ubyte[4];
buffer.write!int(cast(int)data.length, 0);
buffer ~= data;
long len;
for (size_t off; off < buffer.length; off += len)
{
len = socket.send(buffer[off..$]);
if (len > 0)
{
continue;
}
else if (len == 0)
{
writefln("Server socket close at send. Local socket: %s", socket.localAddress().toString());
socket.close();
return;
}
else
{
writefln("Socket error at send. Local socket: %s, error: %s", socket.localAddress().toString(), formatSocketError(errno));
socket.close();
return;
}
}
len = 0;
for (size_t off; off < buffer.length; off += len)
{
len = socket.receive(buffer[off..$]);
if (len > 0)
{
continue;
}
else if (len == 0)
{
writefln("Server socket close at receive. Local socket: %s", socket.localAddress().toString());
socket.close();
return;
}
else
{
writefln("Socket error at receive. Local socket: %s, error: %s", socket.localAddress().toString(), formatSocketError(errno));
socket.close();
return;
}
}
core.atomic.atomicOp!"+="(total, 1);
writeln(total.to!string, ": receive: ", "[0]: ", buffer[4], ", [$ - 1]: ", buffer[$ - 1]);
socket.shutdown(SocketShutdown.BOTH);
socket.close();
}
}
|
D
|
module menu.browser.replay;
/*
* This must be refactored: Even though we inherit
* from BrowserCalledFromMainMenu, we may not implement levelRecent() inout
* despite the base class's promise. Reason: _matcher requires mutability.
* For now, we have assert(false) in levelRecent() and thus violate OO.
* See comment at that method.
*/
import optional;
import basics.globals : dirLevels;
import file.option;
import file.filename;
import file.language;
import game.harvest;
import game.replay;
import gui;
import gui.picker;
import hardware.keyset;
import level.level;
import menu.browser.withlast;
import menu.lastgame;
import menu.verify;
static import basics.globals;
final class BrowserReplay : BrowserWithLastAndDelete {
private:
Optional!ReplayToLevelMatcher _matcher; // empty if no replay previewed
LabelTwo _labelPointedTo;
TextButton _buttonPlayWithPointedTo;
TextButton _buttonVerify;
public:
this()
{
super(Lang.browserReplayTitle.transl, basics.globals.dirReplays,
PickerConfig!(Breadcrumb, ReplayTiler)());
commonConstructor();
// Final class calls:
super.highlight(file.option.replayLastLevel);
}
this(Harvest ha, Optional!(const Replay) lastLoaded)
{
super(Lang.browserReplayTitle.transl, basics.globals.dirReplays,
PickerConfig!(Breadcrumb, ReplayTiler)());
commonConstructor();
// Final class calls:
super.addStatsThenHighlight(
new StatsAfterReplay(super.newStatsGeom, ha, lastLoaded),
file.option.replayLastLevel);
}
// Override method with assert(false): Violates fundamental OO principles.
// We shouldn't inherit from BrowserCalledFromMainMenu as long
// as that forces us to implement such a levelRecent(). BrowserReplay's
// caller (the main loop) should get the entire LevelToReplayMatcher
// instead, then it can start a game from there.
override @property inout(Level) levelRecent() inout { assert (false); }
@property ReplayToLevelMatcher matcher()
in { assert (! _matcher.empty, "call this only when matcher exists"); }
body { return _matcher.unwrap; }
protected:
final override void onOnHighlightNone()
{
_matcher = null;
_labelPointedTo.hide();
_buttonPlayWithPointedTo.hide();
previewNone();
}
final override void onHighlightWithLastGame(Filename fn, bool solved)
in { assert (fn, "call onHighlightNone() instead"); }
body {
_matcher = some(new ReplayToLevelMatcher(fn));
foreach (lv; matcher.preferredLevel)
previewLevel(lv);
_buttonPlayWithPointedTo.shown = matcher.pointedToIsGood;
if (! solved && ! matcher.pointedToFilename.empty
&& matcher.pointedToFilename.unwrap.rootless.length
> dirLevels.rootless.length
) {
// We show this even if the level is bad. It's probably
// most important then
_labelPointedTo.show();
_labelPointedTo.value = matcher.pointedToFilename.unwrap.rootless[
dirLevels.rootless.length .. $];
}
else {
_labelPointedTo.hide();
}
}
final override void onHighlightWithoutLastGame(Filename fn)
{
onHighlightWithLastGame(fn, false);
}
override void onPlay(Filename fn)
{
assert (! _matcher.empty);
if (matcher.includedIsGood
// Ideally, we don't choose this silently when included is bad.
// But how to handle doubleclick on replay then? Thus, for now:
|| matcher.pointedToIsGood
) {
file.option.replayLastLevel = super.fileRecent;
gotoGame = true;
}
}
override void calcSelf()
{
super.calcSelf();
if (_buttonPlayWithPointedTo.execute
&& ! _matcher.empty && matcher.pointedToIsGood
) {
// like onFileSelect, but for pointedTo
matcher.forcePointedTo();
file.option.replayLastLevel = super.fileRecent;
gotoGame = true;
}
else if (_buttonVerify.execute) {
file.option.replayLastLevel = currentDir;
auto win = new VerifyMenu(currentDir);
addFocus(win);
}
}
override MsgBox newMsgBoxDelete()
{
auto m = new MsgBox(Lang.saveBoxTitleDelete.transl);
m.addMsg(Lang.saveBoxQuestionDeleteReplay.transl);
m.addMsg(Lang.saveBoxDirectory.transl~ " " ~ fileRecent.dirRootless);
m.addMsg(Lang.saveBoxFileName.transl ~ " " ~ fileRecent.file);
return m;
}
private:
void commonConstructor()
{
buttonPlayYFromBottom = 100f;
TextButton newInfo(float x, float y, string caption, KeySet hotkey)
{
auto b = new TextButton(new Geom(infoX + x*infoXl/2, y,
infoXl/2, 40, From.BOTTOM_LEFT));
b.text = caption;
b.hotkey = hotkey;
return b;
}
_labelPointedTo = new LabelTwo(new Geom(infoX, infoY + 20f,
infoXl, 20), "\u27F6"); // unicode long arrow right
_buttonPlayWithPointedTo = newInfo(1, 100,
Lang.browserReplayPointedTo.transl, keyMenuEdit);
_buttonVerify = newInfo(1, 60,
Lang.browserReplayVerifyDir.transl, keyMenuNewLevel);
addChildren(_labelPointedTo,
_buttonPlayWithPointedTo, _buttonVerify);
}
}
|
D
|
/**
*
* THIS FILE IS AUTO-GENERATED BY ./parse_specs.d FOR MCU atmega64hve2 WITH ARCHITECTURE avr5
*
*/
module avr.specs.specs_atmega64hve2;
enum __AVR_ARCH__ = 5;
enum __AVR_ASM_ONLY__ = false;
enum __AVR_ENHANCED__ = true;
enum __AVR_HAVE_MUL__ = true;
enum __AVR_HAVE_JMP_CALL__ = true;
enum __AVR_MEGA__ = true;
enum __AVR_HAVE_LPMX__ = true;
enum __AVR_HAVE_MOVW__ = true;
enum __AVR_HAVE_ELPM__ = false;
enum __AVR_HAVE_ELPMX__ = false;
enum __AVR_HAVE_EIJMP_EICALL_ = false;
enum __AVR_2_BYTE_PC__ = true;
enum __AVR_3_BYTE_PC__ = false;
enum __AVR_XMEGA__ = false;
enum __AVR_HAVE_RAMPX__ = false;
enum __AVR_HAVE_RAMPY__ = false;
enum __AVR_HAVE_RAMPZ__ = false;
enum __AVR_HAVE_RAMPD__ = false;
enum __AVR_TINY__ = false;
enum __AVR_PM_BASE_ADDRESS__ = 0;
enum __AVR_SFR_OFFSET__ = 32;
enum __AVR_DEVICE_NAME__ = "atmega64hve2";
|
D
|
import std.stdio;
import neuro.d;
import std.random;
void main()
{
auto f = new Fabric();
Neuron n;
for (int i = 0; i < 10; i++)
{
n = new Neuron(i, uniform(0.0f, 3.3f));
f.attach(n);
}
f.shuffle(1.0f);
f.printDebug();
}
|
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() {
immutable long MOD = 10^^9 + 7;
auto s = readln.split.map!(to!int);
auto N = s[0];
auto M = s[1];
auto W = readln.split.map!(to!int).array;
auto G = new int[][](N);
foreach (_; 0..M) {
s = readln.split.map!(to!int);
G[s[0]-1] ~= s[1]-1;
}
auto D = new int[][](N, N);
foreach (i; 0..N) foreach (j; 0..N) D[i][j] = i == j ? W[i] : -1;
foreach (i; 0..N) foreach (j; G[i]) D[i][j] = min(W[i], W[j]);
foreach (i; 0..N) foreach (j; 0..N) foreach (k; 0..N) D[j][k] = max(D[j][k], min(D[j][i], D[i][k]));
auto ok = new bool[][](N, N);
foreach (i; 0..N) foreach (j; 0..N) ok[i][j] = D[i][j] >= W[j];
immutable int MAX = 1001;
auto modinv = new long[](MAX);
modinv[0] = modinv[1] = 1;
foreach(i; 2..MAX) {
modinv[i] = modinv[MOD % i] * (MOD - MOD / i) % MOD;
}
auto f_mod = new long[](MAX);
auto f_modinv = new long[](MAX);
f_mod[0] = f_mod[1] = 1;
f_modinv[0] = f_modinv[1] = 1;
foreach(i; 2..MAX) {
f_mod[i] = (i * f_mod[i-1]) % MOD;
f_modinv[i] = (modinv[i] * f_modinv[i-1]) % MOD;
}
long comb(int n, int k) {
return f_mod[n] * f_modinv[n-k] % MOD * f_modinv[k] % MOD;
}
long ans = 0;
auto mem = new long[][](1001, 1001);
foreach (i; 0..1001) mem[i].fill(-1);
foreach (i; 0..N) {
foreach (j; 0..N) {
if (!ok[i][j]) continue;
if (mem[W[i]][W[j]] == -1) {
mem[W[i]][W[j]] = 0;
foreach (k; 1..W[j]+1) {
long tmp = 1;
if ((W[j] - k) % 2 == 1) tmp = -1;
tmp = tmp * powmod(k, W[i], MOD) % MOD;
tmp = tmp * comb(W[j], k) % MOD;
mem[W[i]][W[j]] = ((mem[W[i]][W[j]] + tmp) % MOD + MOD) % MOD;
}
}
ans = (ans + mem[W[i]][W[j]]) % MOD;
}
}
ans.writeln;
}
long powmod(long a, long x, long m) {
long ret = 1;
while (x) {
if (x % 2) ret = ret * a % m;
a = a * a % m;
x /= 2;
}
return ret;
}
|
D
|
import misc;
import std.math;
// TODO look up vector ops in D
class DVec : Vector {
double[] vals;
this(ulong dimension) {
//this.vals = double[];
// this.vals = double[];
this.vals.length = dimension;
}
// ~this() {
// delete vals;
// }
double get(uint index) {
assert(index >= 0 && index < vals.length);
return vals[index];
}
void set(uint index, double val) {
assert(index >= 0 && index < vals.length);
vals[index] = val;
}
ulong dimension() { return vals.length; }
double lpNorm(double p) {
double x = 0.0;
foreach(double v; vals)
x += pow(v, p);
return pow(x, 1/p);
}
DVec deepCopy() {
DVec result = new DVec(this.dimension);
for(uint i=0; i<vals.length; i++)
result.vals[i] = vals[i];
return result;
}
DVec opBinary(string op)(DVec rhs) {
assert(this.dimension == rhs.dimension);
DVec result = new DVec(this.dimension);
for(uint i=0; i<vals.length; i++)
mixin("result.vals[i] = vals[i] "~op~" rhs.vals[i];");
return result;
}
DVec opBinary(string op)(double rhs) {
DVec result = new DVec(this.dimension);
for(uint i=0; i<vals.length; i++)
mixin("result.vals[i] = vals[i] "~op~"rhs;");
return result;
}
DVec opBinaryRight(string op)(double rhs) {
static if(op == "+" || op == "*")
return opBinary!(op)(rhs);
else static if(op == "-" || op == "/")
return rhs.opBinary!(op)(this);
else static
assert(0, "Operator "~op~" not implemented");
}
void opOpAssign(string op)(DVec rhs) {
assert(this.dimension == rhs.dimension);
for(uint i=0; i<vals.length; i++)
mixin("vals[i] "~op~"= rhs.vals[i];");
}
void opOpAssign(string op)(double rhs) {
for(uint i=0; i<vals.length; i++)
mixin("vals[i] "~op~"= rhs;");
}
}
double dd_dot(DVec* a, DVec* b) {
assert(a.dimension == b.dimension);
double d = 0.0;
for(int i=0; i<a.dimension; i++)
d += a.get(i) * b.get(i);
return d;
}
|
D
|
/Users/liujianhao/code/rust/simple_web_app/simple_web_app/target/debug/build/parking_lot-b37cffebe5dd7bb8/build_script_build-b37cffebe5dd7bb8: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/parking_lot-0.9.0/build.rs
/Users/liujianhao/code/rust/simple_web_app/simple_web_app/target/debug/build/parking_lot-b37cffebe5dd7bb8/build_script_build-b37cffebe5dd7bb8.d: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/parking_lot-0.9.0/build.rs
/Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/parking_lot-0.9.0/build.rs:
|
D
|
module UnrealScript.TribesGame.GFxTrPage_RotationType;
import ScriptClasses;
import UnrealScript.Helpers;
import UnrealScript.TribesGame.GFxTrPage;
import UnrealScript.GFxUI.GFxObject;
extern(C++) interface GFxTrPage_RotationType : GFxTrPage
{
public extern(D):
private static __gshared ScriptClass mStaticClass;
@property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.GFxTrPage_RotationType")); }
private static __gshared GFxTrPage_RotationType mDefaultProperties;
@property final static GFxTrPage_RotationType DefaultProperties() { mixin(MGDPC("GFxTrPage_RotationType", "GFxTrPage_RotationType TribesGame.Default__GFxTrPage_RotationType")); }
static struct Functions
{
private static __gshared
{
ScriptFunction mInitialize;
ScriptFunction mTakeAction;
ScriptFunction mTakeFocus;
ScriptFunction mFillData;
ScriptFunction mFillOption;
ScriptFunction mCheckDescription;
ScriptFunction mFillDescription;
}
public @property static final
{
ScriptFunction Initialize() { mixin(MGF("mInitialize", "Function TribesGame.GFxTrPage_RotationType.Initialize")); }
ScriptFunction TakeAction() { mixin(MGF("mTakeAction", "Function TribesGame.GFxTrPage_RotationType.TakeAction")); }
ScriptFunction TakeFocus() { mixin(MGF("mTakeFocus", "Function TribesGame.GFxTrPage_RotationType.TakeFocus")); }
ScriptFunction FillData() { mixin(MGF("mFillData", "Function TribesGame.GFxTrPage_RotationType.FillData")); }
ScriptFunction FillOption() { mixin(MGF("mFillOption", "Function TribesGame.GFxTrPage_RotationType.FillOption")); }
ScriptFunction CheckDescription() { mixin(MGF("mCheckDescription", "Function TribesGame.GFxTrPage_RotationType.CheckDescription")); }
ScriptFunction FillDescription() { mixin(MGF("mFillDescription", "Function TribesGame.GFxTrPage_RotationType.FillDescription")); }
}
}
final:
void Initialize()
{
(cast(ScriptObject)this).ProcessEvent(Functions.Initialize, cast(void*)0, cast(void*)0);
}
int TakeAction(int ActionIndex, GFxObject DataList)
{
ubyte params[12];
params[] = 0;
*cast(int*)params.ptr = ActionIndex;
*cast(GFxObject*)¶ms[4] = DataList;
(cast(ScriptObject)this).ProcessEvent(Functions.TakeAction, params.ptr, cast(void*)0);
return *cast(int*)¶ms[8];
}
int TakeFocus(int ActionIndex, GFxObject DataList)
{
ubyte params[12];
params[] = 0;
*cast(int*)params.ptr = ActionIndex;
*cast(GFxObject*)¶ms[4] = DataList;
(cast(ScriptObject)this).ProcessEvent(Functions.TakeFocus, params.ptr, cast(void*)0);
return *cast(int*)¶ms[8];
}
void FillData(GFxObject DataList)
{
ubyte params[4];
params[] = 0;
*cast(GFxObject*)params.ptr = DataList;
(cast(ScriptObject)this).ProcessEvent(Functions.FillData, params.ptr, cast(void*)0);
}
GFxObject FillOption(int ActionIndex)
{
ubyte params[8];
params[] = 0;
*cast(int*)params.ptr = ActionIndex;
(cast(ScriptObject)this).ProcessEvent(Functions.FillOption, params.ptr, cast(void*)0);
return *cast(GFxObject*)¶ms[4];
}
void CheckDescription(GFxObject DataList)
{
ubyte params[4];
params[] = 0;
*cast(GFxObject*)params.ptr = DataList;
(cast(ScriptObject)this).ProcessEvent(Functions.CheckDescription, params.ptr, cast(void*)0);
}
GFxObject FillDescription(GFxObject DataList)
{
ubyte params[8];
params[] = 0;
*cast(GFxObject*)params.ptr = DataList;
(cast(ScriptObject)this).ProcessEvent(Functions.FillDescription, params.ptr, cast(void*)0);
return *cast(GFxObject*)¶ms[4];
}
}
|
D
|
// Copyright Brian Schott (Hackerpilot) 2012.
// 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 main;
import std.algorithm;
import std.array;
import std.conv;
import std.file;
import std.getopt;
import std.path;
import std.stdio;
import std.range;
import std.experimental.lexer;
import std.typecons : scoped;
import dparse.lexer;
import dparse.parser;
import dparse.rollback_allocator;
import highlighter;
import stats;
import ctags;
import etags;
import astprinter;
import imports;
import outliner;
import symbol_finder;
import analysis.run;
import analysis.config;
import dscanner_version;
import readers;
import inifiled;
import dsymbol.modulecache;
version (unittest)
void main()
{
}
else
int main(string[] args)
{
bool sloc;
bool highlight;
bool ctags;
bool etags;
bool etagsAll;
bool help;
bool tokenCount;
bool syntaxCheck;
bool ast;
bool imports;
bool muffin;
bool outline;
bool tokenDump;
bool styleCheck;
bool defaultConfig;
bool report;
bool skipTests;
string symbolName;
string configLocation;
string[] importPaths;
bool printVersion;
bool explore;
try
{
// dfmt off
getopt(args, std.getopt.config.caseSensitive,
"sloc|l", &sloc,
"highlight", &highlight,
"ctags|c", &ctags,
"help|h", &help,
"etags|e", &etags,
"etagsAll", &etagsAll,
"tokenCount|t", &tokenCount,
"syntaxCheck|s", &syntaxCheck,
"ast|xml", &ast,
"imports|i", &imports,
"outline|o", &outline,
"tokenDump", &tokenDump,
"styleCheck|S", &styleCheck,
"defaultConfig", &defaultConfig,
"declaration|d", &symbolName,
"config", &configLocation,
"report", &report,
"I", &importPaths,
"version", &printVersion,
"muffinButton", &muffin,
"explore", &explore,
"skipTests", &skipTests);
//dfmt on
}
catch (ConvException e)
{
stderr.writeln(e.msg);
return 1;
}
if (muffin)
{
stdout.writeln(` ___________
__(#*O 0** @%*)__
_(%*o#*O%*0 #O#%##@)_
(*#@%#o*@ #o%O*%@ #o #)
\=====================/
|I|I|I|I|I|I|I|I|I|I|
|I|I|I|I|I|I|I|I|I|I|
|I|I|I|I|I|I|I|I|I|I|
|I|I|I|I|I|I|I|I|I|I|`);
return 0;
}
if (explore)
{
stdout.writeln("D-Scanner: Scanning...");
stderr.writeln("D-Scanner: No new astronomical objects discovered.");
return 1;
}
if (help)
{
printHelp(args[0]);
return 0;
}
if (printVersion)
{
version (Windows)
writeln(DSCANNER_VERSION);
else version (built_with_dub)
writeln(DSCANNER_VERSION);
else
write(DSCANNER_VERSION, " ", GIT_HASH);
return 0;
}
const(string[]) absImportPaths = importPaths.map!(a => a.absolutePath()
.buildNormalizedPath()).array();
auto alloc = scoped!(dsymbol.modulecache.ASTAllocator)();
auto moduleCache = ModuleCache(alloc);
if (absImportPaths.length)
moduleCache.addImportPaths(absImportPaths);
immutable optionCount = count!"a"([sloc, highlight, ctags, tokenCount, syntaxCheck, ast, imports,
outline, tokenDump, styleCheck, defaultConfig, report,
symbolName !is null, etags, etagsAll]);
if (optionCount > 1)
{
stderr.writeln("Too many options specified");
return 1;
}
else if (optionCount < 1)
{
printHelp(args[0]);
return 1;
}
// --report implies --styleCheck
if (report)
styleCheck = true;
immutable usingStdin = args.length == 1;
StringCache cache = StringCache(StringCache.defaultBucketCount);
if (defaultConfig)
{
string s = getConfigurationLocation();
mkdirRecurse(findSplitBefore(s, "dscanner.ini")[0]);
StaticAnalysisConfig saConfig = defaultStaticAnalysisConfig();
writeln("Writing default config file to ", s);
writeINIFile(saConfig, s);
}
else if (tokenDump || highlight)
{
ubyte[] bytes = usingStdin ? readStdin() : readFile(args[1]);
LexerConfig config;
config.stringBehavior = StringBehavior.source;
if (highlight)
{
auto tokens = byToken(bytes, config, &cache);
highlighter.highlight(tokens, args.length == 1 ? "stdin" : args[1]);
return 0;
}
else if (tokenDump)
{
auto tokens = getTokensForParser(bytes, config, &cache);
writeln(
"text blank\tindex\tline\tcolumn\ttype\tcomment\ttrailingComment");
foreach (token; tokens)
{
writefln("<<%20s>>%b\t%d\t%d\t%d\t%d\t%s", token.text is null
? str(token.type) : token.text, token.text is null, token.index,
token.line, token.column, token.type, token.comment);
}
return 0;
}
}
else if (symbolName !is null)
{
stdout.findDeclarationOf(symbolName, expandArgs(args));
}
else if (ctags)
{
stdout.printCtags(expandArgs(args));
}
else if (etags || etagsAll)
{
stdout.printEtags(etagsAll, expandArgs(args));
}
else if (styleCheck)
{
StaticAnalysisConfig config = defaultStaticAnalysisConfig();
string s = configLocation is null ? getConfigurationLocation() : configLocation;
if (s.exists())
readINIFile(config, s);
if (skipTests)
config.fillConfig!(Check.skipTests);
if (report)
generateReport(expandArgs(args), config, cache, moduleCache);
else
return analyze(expandArgs(args), config, cache, moduleCache, true) ? 1 : 0;
}
else if (syntaxCheck)
{
return .syntaxCheck(usingStdin ? ["stdin"] : expandArgs(args), cache, moduleCache) ? 1 : 0;
}
else
{
if (sloc || tokenCount)
{
if (usingStdin)
{
LexerConfig config;
config.stringBehavior = StringBehavior.source;
auto tokens = byToken(readStdin(), config, &cache);
if (tokenCount)
printTokenCount(stdout, "stdin", tokens);
else
printLineCount(stdout, "stdin", tokens);
}
else
{
ulong count;
foreach (f; expandArgs(args))
{
LexerConfig config;
config.stringBehavior = StringBehavior.source;
auto tokens = byToken(readFile(f), config, &cache);
if (tokenCount)
count += printTokenCount(stdout, f, tokens);
else
count += printLineCount(stdout, f, tokens);
}
writefln("total:\t%d", count);
}
}
else if (imports)
{
string[] fileNames = usingStdin ? ["stdin"] : args[1 .. $];
RollbackAllocator rba;
LexerConfig config;
config.stringBehavior = StringBehavior.source;
auto visitor = new ImportPrinter;
foreach (name; expandArgs(fileNames))
{
config.fileName = name;
auto tokens = getTokensForParser(usingStdin ? readStdin()
: readFile(name), config, &cache);
auto mod = parseModule(tokens, name, &rba, &doNothing);
visitor.visit(mod);
}
foreach (imp; visitor.imports[])
writeln(imp);
}
else if (ast || outline)
{
string fileName = usingStdin ? "stdin" : args[1];
RollbackAllocator rba;
LexerConfig config;
config.fileName = fileName;
config.stringBehavior = StringBehavior.source;
auto tokens = getTokensForParser(usingStdin ? readStdin()
: readFile(args[1]), config, &cache);
auto mod = parseModule(tokens, fileName, &rba, &doNothing);
if (ast)
{
auto printer = new XMLPrinter;
printer.output = stdout;
printer.visit(mod);
}
else if (outline)
{
auto outliner = new Outliner(stdout);
outliner.visit(mod);
}
}
}
return 0;
}
string[] expandArgs(string[] args)
{
// isFile can throw if it's a broken symlink.
bool isFileSafe(T)(T a)
{
try
return isFile(a);
catch (FileException)
return false;
}
string[] rVal;
if (args.length == 1)
args ~= ".";
foreach (arg; args[1 .. $])
{
if (isFileSafe(arg))
rVal ~= arg;
else
foreach (item; dirEntries(arg, SpanMode.breadth).map!(a => a.name))
{
if (isFileSafe(item) && (item.endsWith(`.d`) || item.endsWith(`.di`)))
rVal ~= item;
else
continue;
}
}
return rVal;
}
void printHelp(string programName)
{
stderr.writefln(`
Usage: %s <options>
Options:
--help, -h
Prints this help message
--version
Prints the program version
--sloc <file | directory>..., -l <file | directory>...
Prints the number of logical lines of code in the given
source files. If no files are specified, input is read from stdin.
--tokenCount <file | directory>..., -t <file | directory>...
Prints the number of tokens in the given source files. If no files are
specified, input is read from stdin.
--highlight <file>
Syntax-highlight the given source file. The resulting HTML will be
written to standard output. If no file is specified, input is read
from stdin.
--imports <file>, -i <file>
Prints modules imported by the given source file. If no files are
specified, input is read from stdin.
--syntaxCheck <file>, -s <file>
Lexes and parses sourceFile, printing the line and column number of any
syntax errors to stdout. One error or warning is printed per line.
If no files are specified, input is read from stdin. %1$s will exit with
a status code of zero if no errors are found, 1 otherwise.
--styleCheck|S <file | directory>..., <file | directory>...
Lexes and parses sourceFiles, printing the line and column number of any
static analysis check failures stdout. %1$s will exit with a status code
of zero if no warnings or errors are found, 1 otherwise.
--ctags <file | directory>..., -c <file | directory>...
Generates ctags information from the given source code file. Note that
ctags information requires a filename, so stdin cannot be used in place
of a filename.
--etags <file | directory>..., -e <file | directory>...
Generates etags information from the given source code file. Note that
etags information requires a filename, so stdin cannot be used in place
of a filename.
--etagsAll <file | directory>...
Same as --etags except private and package declarations are tagged too.
--ast <file> | --xml <file>
Generates an XML representation of the source files abstract syntax
tree. If no files are specified, input is read from stdin.
--declaration <symbolName> <file | directory>...,
-d <symbolName> <file | directory>...
Find the location where symbolName is declared. This should be more
accurate than "grep". Searches the given files and directories, or the
current working directory if none are specified.
--report <file | directory>...
Generate a static analysis report in JSON format. Implies --styleCheck,
however the exit code will still be zero if errors or warnings are
found.
--config <file>
Use the given configuration file instead of the default located in
$HOME/.config/dscanner/dscanner.ini
--defaultConfig
Generates a default configuration file for the static analysis checks,
--skipTests
Does not analyze in the unittests. Only works if --styleCheck.`,
programName);
}
private void doNothing(string, size_t, size_t, string, bool)
{
}
private enum CONFIG_FILE_NAME = "dscanner.ini";
version (linux) version = useXDG;
version (BSD) version = useXDG;
version (FreeBSD) version = useXDG;
version (OSX) version = useXDG;
/**
* Locates the default configuration file
*/
string getDefaultConfigurationLocation()
{
version (useXDG)
{
import std.process : environment;
string configDir = environment.get("XDG_CONFIG_HOME", null);
if (configDir is null)
{
configDir = environment.get("HOME", null);
if (configDir is null)
throw new Exception("Both $XDG_CONFIG_HOME and $HOME are unset");
configDir = buildPath(configDir, ".config", "dscanner", CONFIG_FILE_NAME);
}
else
configDir = buildPath(configDir, "dscanner", CONFIG_FILE_NAME);
return configDir;
}
else version (Windows)
return CONFIG_FILE_NAME;
}
/**
* Searches upwards from the CWD through the directory hierarchy
*/
string tryFindConfigurationLocation()
{
auto path = pathSplitter(getcwd());
string result;
while (!path.empty)
{
result = buildPath(buildPath(path), CONFIG_FILE_NAME);
if (exists(result))
break;
path.popBack();
}
if (path.empty)
return null;
return result;
}
/**
* Tries to find a config file and returns the default one on failure
*/
string getConfigurationLocation()
{
immutable config = tryFindConfigurationLocation();
if (config !is null)
return config;
return getDefaultConfigurationLocation();
}
|
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.
*/
module flow.job.service.impl.persistence.entity.TimerJobEntityManagerImpl;
import hunt.util.StringBuilder;
import hunt.time.LocalDateTime;
import hunt.collection.List;
import hunt.collection.ArrayList;
import flow.common.api.deleg.event.FlowableEngineEventType;
import flow.common.api.deleg.event.FlowableEventDispatcher;
import flow.common.Page;
import std.algorithm;
import std.conv;
//import flow.common.calendar.BusinessCalendar;
import flow.job.service.api.Job;
import flow.job.service.JobServiceConfiguration;
import flow.job.service.event.impl.FlowableJobEventBuilder;
import flow.job.service.impl.TimerJobQueryImpl;
import flow.job.service.impl.persistence.entity.data.TimerJobDataManager;
import flow.variable.service.api.deleg.VariableScope;
import flow.job.service.impl.persistence.entity.AbstractJobServiceEngineEntityManager;
import flow.job.service.impl.persistence.entity.TimerJobEntityManager;
import flow.job.service.impl.persistence.entity.TimerJobEntity;
import flow.job.service.impl.persistence.entity.JobEntity;
import std.array;
import hunt.Exceptions;
/**
* @author Tijs Rademakers
*/
class TimerJobEntityManagerImpl
: AbstractJobServiceEngineEntityManager!(TimerJobEntity, TimerJobDataManager)
, TimerJobEntityManager {
this(JobServiceConfiguration jobServiceConfiguration, TimerJobDataManager jobDataManager) {
super(jobServiceConfiguration, jobDataManager);
}
public TimerJobEntity createAndCalculateNextTimer(JobEntity timerEntity, VariableScope variableScope) {
int repeatValue = calculateRepeatValue(timerEntity);
if (repeatValue != 0) {
if (repeatValue > 0) {
setNewRepeat(timerEntity, repeatValue);
}
Date newTimer = calculateNextTimer(timerEntity, variableScope);
if (newTimer !is null && isValidTime(timerEntity, newTimer, variableScope)) {
TimerJobEntity te = createTimer(timerEntity);
te.setDuedate(newTimer);
return te;
}
}
return null;
}
public List!TimerJobEntity findTimerJobsToExecute(Page page) {
return dataManager.findTimerJobsToExecute(page);
}
public List!TimerJobEntity findJobsByTypeAndProcessDefinitionId(string jobHandlerType, string processDefinitionId) {
return dataManager.findJobsByTypeAndProcessDefinitionId(jobHandlerType, processDefinitionId);
}
public List!TimerJobEntity findJobsByTypeAndProcessDefinitionKeyNoTenantId(string jobHandlerType, string processDefinitionKey) {
return dataManager.findJobsByTypeAndProcessDefinitionKeyNoTenantId(jobHandlerType, processDefinitionKey);
}
public List!TimerJobEntity findJobsByTypeAndProcessDefinitionKeyAndTenantId(string jobHandlerType, string processDefinitionKey, string tenantId) {
return dataManager.findJobsByTypeAndProcessDefinitionKeyAndTenantId(jobHandlerType, processDefinitionKey, tenantId);
}
public List!TimerJobEntity findJobsByExecutionId(string id) {
return dataManager.findJobsByExecutionId(id);
}
public List!TimerJobEntity findJobsByProcessInstanceId(string id) {
return dataManager.findJobsByProcessInstanceId(id);
}
public List!TimerJobEntity findJobsByScopeIdAndSubScopeId(string scopeId, string subScopeId) {
return dataManager.findJobsByScopeIdAndSubScopeId(scopeId, subScopeId);
}
public List!Job findJobsByQueryCriteria(TimerJobQueryImpl jobQuery) {
return dataManager.findJobsByQueryCriteria(jobQuery);
}
public long findJobCountByQueryCriteria(TimerJobQueryImpl jobQuery) {
return dataManager.findJobCountByQueryCriteria(jobQuery);
}
public void updateJobTenantIdForDeployment(string deploymentId, string newTenantId) {
dataManager.updateJobTenantIdForDeployment(deploymentId, newTenantId);
}
public bool insertTimerJobEntity(TimerJobEntity timerJobEntity) {
return doInsert(timerJobEntity, true);
}
override
public void insert(TimerJobEntity jobEntity) {
insert(jobEntity, true);
}
override
public void insert(TimerJobEntity jobEntity, bool fireCreateEvent) {
doInsert(jobEntity, fireCreateEvent);
}
protected bool doInsert(TimerJobEntity jobEntity, bool fireCreateEvent) {
if (serviceConfiguration.getInternalJobManager() !is null) {
bool handledJob = serviceConfiguration.getInternalJobManager().handleJobInsert(jobEntity);
if (!handledJob) {
return false;
}
}
jobEntity.setCreateTime(getClock().getCurrentTime());
super.insert(jobEntity, fireCreateEvent);
return true;
}
override
public void dele(TimerJobEntity jobEntity) {
super.dele(jobEntity, false);
deleteByteArrayRef(jobEntity.getExceptionByteArrayRef());
deleteByteArrayRef(jobEntity.getCustomValuesByteArrayRef());
if (serviceConfiguration.getInternalJobManager() !is null) {
serviceConfiguration.getInternalJobManager().handleJobDelete(jobEntity);
}
// Send event
FlowableEventDispatcher eventDispatcher = getEventDispatcher();
if (eventDispatcher !is null && eventDispatcher.isEnabled()) {
eventDispatcher.dispatchEvent(FlowableJobEventBuilder.createEntityEvent(FlowableEngineEventType.ENTITY_DELETED, cast(Object)jobEntity));
}
}
protected TimerJobEntity createTimer(JobEntity te) {
TimerJobEntity newTimerEntity = create();
newTimerEntity.setJobHandlerConfiguration(te.getJobHandlerConfiguration());
newTimerEntity.setCustomValues(te.getCustomValues());
newTimerEntity.setJobHandlerType(te.getJobHandlerType());
newTimerEntity.setExclusive(te.isExclusive());
newTimerEntity.setRepeat(te.getRepeat());
newTimerEntity.setRetries(te.getRetries());
newTimerEntity.setEndDate(te.getEndDate());
newTimerEntity.setExecutionId(te.getExecutionId());
newTimerEntity.setProcessInstanceId(te.getProcessInstanceId());
newTimerEntity.setProcessDefinitionId(te.getProcessDefinitionId());
newTimerEntity.setScopeId(te.getScopeId());
newTimerEntity.setSubScopeId(te.getSubScopeId());
newTimerEntity.setScopeDefinitionId(te.getScopeDefinitionId());
newTimerEntity.setScopeType(te.getScopeType());
// Inherit tenant
newTimerEntity.setTenantId(te.getTenantId());
newTimerEntity.setJobType(JobEntity.JOB_TYPE_TIMER);
return newTimerEntity;
}
protected void setNewRepeat(JobEntity timerEntity, int newRepeatValue) {
List!string expression = new ArrayList!string(timerEntity.getRepeat().split("/"));
expression.removeAt(0);
//expression = expression.subList(1, expression.size());
StringBuilder repeatBuilder = new StringBuilder("R");
repeatBuilder.append(newRepeatValue);
foreach (string value ; expression) {
repeatBuilder.append("/");
repeatBuilder.append(value);
}
timerEntity.setRepeat(repeatBuilder.toString());
}
protected bool isValidTime(JobEntity timerEntity, Date newTimerDate, VariableScope variableScope) {
implementationMissing(false);
return true;
//BusinessCalendar businessCalendar = serviceConfiguration.getBusinessCalendarManager().getBusinessCalendar(
// serviceConfiguration.getJobManager().getBusinessCalendarName(timerEntity, variableScope));
//return businessCalendar.validateDuedate(timerEntity.getRepeat(), timerEntity.getMaxIterations(), timerEntity.getEndDate(), newTimerDate);
}
protected Date calculateNextTimer(JobEntity timerEntity, VariableScope variableScope) {
implementationMissing(false);
return null;
//BusinessCalendar businessCalendar = serviceConfiguration.getBusinessCalendarManager().getBusinessCalendar(
// serviceConfiguration.getJobManager().getBusinessCalendarName(timerEntity, variableScope));
//return businessCalendar.resolveDuedate(timerEntity.getRepeat(), timerEntity.getMaxIterations());
}
protected int calculateRepeatValue(JobEntity timerEntity) {
int times = -1;
List!string expression = new ArrayList!string(timerEntity.getRepeat().split("/"));
if (expression.size() > 1 && startsWith(expression.get(0),"R") && expression.get(0).length > 1) {
string t = expression.get(0)[ 1 .. $];
times = to!int(t);
// times = Integer.parseInt(expression.get(0).substring(1));
if (times > 0) {
times--;
}
}
return times;
}
}
|
D
|
/Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveCocoa.build/Objects-normal/x86_64/UIPickerView.o : /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITextField.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIKeyboard.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Lifetime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ReactiveSwift+Lifetime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Runtime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+ObjCRuntime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+RuntimeSubclassing.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Intercepting.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+KeyValueObserving.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Synchronizing.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISwitch.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UILabel.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UISegmentedControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIRefreshControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UINavigationItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIBarButtonItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIBarItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITabBarItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Association.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/CocoaAction.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIButton.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISearchBar.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISlider.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+ReactiveExtensionsProvider.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIDatePicker.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIStepper.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIGestureRecognizer.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UINotificationFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISelectionFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIImpactFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Selector.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Messages.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/Deprecations+Removals.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Constants.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/ReusableComponents.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/CocoaTarget.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+BindingTarget.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/Shared/NSLayoutConstraint.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIImageView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITableView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIScrollView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UICollectionView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIPickerView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIActivityIndicatorView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIProgressView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITextView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/DynamicProperty.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/DelegateProxy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/ReactiveSwift/ReactiveSwift.framework/Modules/ReactiveSwift.swiftmodule/x86_64.swiftmodule /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/Result/Result.framework/Modules/Result.swiftmodule/x86_64.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/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/linjianguo/Desktop/ReactiveCoCoDemo/Pods/Target\ Support\ Files/ReactiveSwift/ReactiveSwift-umbrella.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/Target\ Support\ Files/Result/Result-umbrella.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ReactiveCocoa.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjCRuntimeAliases.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/ReactiveSwift/ReactiveSwift.framework/Headers/ReactiveSwift-Swift.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/Result/Result.framework/Headers/Result-Swift.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveCocoa.build/unextended-module.modulemap /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveSwift.build/module.modulemap /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Result.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveCocoa.build/Objects-normal/x86_64/UIPickerView~partial.swiftmodule : /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITextField.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIKeyboard.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Lifetime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ReactiveSwift+Lifetime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Runtime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+ObjCRuntime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+RuntimeSubclassing.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Intercepting.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+KeyValueObserving.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Synchronizing.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISwitch.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UILabel.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UISegmentedControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIRefreshControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UINavigationItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIBarButtonItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIBarItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITabBarItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Association.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/CocoaAction.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIButton.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISearchBar.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISlider.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+ReactiveExtensionsProvider.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIDatePicker.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIStepper.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIGestureRecognizer.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UINotificationFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISelectionFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIImpactFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Selector.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Messages.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/Deprecations+Removals.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Constants.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/ReusableComponents.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/CocoaTarget.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+BindingTarget.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/Shared/NSLayoutConstraint.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIImageView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITableView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIScrollView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UICollectionView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIPickerView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIActivityIndicatorView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIProgressView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITextView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/DynamicProperty.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/DelegateProxy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/ReactiveSwift/ReactiveSwift.framework/Modules/ReactiveSwift.swiftmodule/x86_64.swiftmodule /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/Result/Result.framework/Modules/Result.swiftmodule/x86_64.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/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/linjianguo/Desktop/ReactiveCoCoDemo/Pods/Target\ Support\ Files/ReactiveSwift/ReactiveSwift-umbrella.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/Target\ Support\ Files/Result/Result-umbrella.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ReactiveCocoa.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjCRuntimeAliases.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/ReactiveSwift/ReactiveSwift.framework/Headers/ReactiveSwift-Swift.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/Result/Result.framework/Headers/Result-Swift.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveCocoa.build/unextended-module.modulemap /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveSwift.build/module.modulemap /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Result.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveCocoa.build/Objects-normal/x86_64/UIPickerView~partial.swiftdoc : /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITextField.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIKeyboard.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Lifetime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ReactiveSwift+Lifetime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Runtime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+ObjCRuntime.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+RuntimeSubclassing.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Intercepting.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+KeyValueObserving.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Synchronizing.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISwitch.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UILabel.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UISegmentedControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIRefreshControl.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UINavigationItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIBarButtonItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIBarItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITabBarItem.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+Association.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/CocoaAction.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIButton.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISearchBar.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISlider.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+ReactiveExtensionsProvider.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIDatePicker.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIStepper.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIGestureRecognizer.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UINotificationFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UISelectionFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIImpactFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIFeedbackGenerator.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Selector.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Messages.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/Deprecations+Removals.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjC+Constants.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/ReusableComponents.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/CocoaTarget.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/NSObject+BindingTarget.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/Shared/NSLayoutConstraint.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIImageView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITableView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIScrollView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UICollectionView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/iOS/UIPickerView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIActivityIndicatorView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UIProgressView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/UIKit/UITextView.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/DynamicProperty.swift /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/DelegateProxy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/ReactiveSwift/ReactiveSwift.framework/Modules/ReactiveSwift.swiftmodule/x86_64.swiftmodule /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/Result/Result.framework/Modules/Result.swiftmodule/x86_64.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/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/linjianguo/Desktop/ReactiveCoCoDemo/Pods/Target\ Support\ Files/ReactiveSwift/ReactiveSwift-umbrella.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/Target\ Support\ Files/Result/Result-umbrella.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ReactiveCocoa.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/Pods/ReactiveCocoa/ReactiveCocoa/ObjCRuntimeAliases.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/ReactiveSwift/ReactiveSwift.framework/Headers/ReactiveSwift-Swift.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Products/Debug-iphonesimulator/Result/Result.framework/Headers/Result-Swift.h /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveCocoa.build/unextended-module.modulemap /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactiveSwift.build/module.modulemap /Users/linjianguo/Desktop/ReactiveCoCoDemo/DerivedData/ReactiveCoCoDemo/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Result.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
|
D
|
import std.getopt;
import std.stdio;
import Server;
import Client;
void main(string[] args)
{
bool server, client;
string ip = "127.0.0.1";
ushort port = 2060;
auto help = getopt(args, "server|s", &server, "client|c", &client, "ip|i", &ip, "port|p", &port);
if (help.helpWanted)
{
defaultGetoptPrinter("Packet Demo", help.options);
return;
}
if (server == client)
{
writeln("Select either server or client (-s or -c). Not both!");
return;
}
if (server)
{
Server s = new Server(port);
scope (exit) s.stop();
s.listen();
}
else
{
Client c = new Client(ip, port);
scope (exit) c.disconnect();
c.connect();
}
}
|
D
|
noisy confusion and turbulence
a swaggering show of courage
a violent gusty wind
vain and empty boasting
blow hard
show off
act in an arrogant, overly self-assured, or conceited manner
|
D
|
instance BAU_938_Bauer(Npc_Default)
{
name[0] = NAME_Bauer;
guild = GIL_BAU;
id = 938;
voice = 7;
flags = 0;
npcType = NPCTYPE_AMBIENT;
B_SetAttributesToChapter(self,1);
aivar[AIV_MM_RestStart] = TRUE;
level = 1;
B_GiveNpcTalents(self);
B_SetFightSkills(self,15);
fight_tactic = FAI_HUMAN_COWARD;
EquipItem(self,ItMw_1h_Bau_Axe);
B_CreateAmbientInv(self);
B_SetNpcVisual(self,MALE,"Hum_Head_Bald",Face_N_Weak_Orry,BodyTex_N,ITAR_Bau_L);
Mdl_SetModelFatness(self,1);
Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds");
daily_routine = Rtn_Start_938;
};
func void Rtn_Start_938()
{
TA_Pick_FP(8,0,22,0,"NW_FARM4_FIELD_02");
TA_Sit_Campfire(22,0,8,0,"NW_FARM4_REST_01");
};
func void Rtn_FleeDMT_938()
{
TA_Rake_FP(8,0,22,0,"NW_FARM4_FIELD_02");
TA_Rake_FP(22,0,8,0,"NW_FARM4_FIELD_02");
};
|
D
|
/**
Authors: thepumpkin1979, johan@firebase.co
*/
module duv.core;
import duv.c;
import core.thread;
debug {
import std.stdio;
}
private {
static DuvLoop _defaultLoop;
struct DUVError {
uv_err_t err;
string errorMessage;
public @property bool ok() {
return this.err.code == 0;
}
}
Throwable lastUVThrowable(DuvLoop loop) {
auto lastError = uv_last_error(loop.ptr);
if(lastError.code != 0) {
string errorMessage = duv_strerror(lastError);
return new DuvException(errorMessage, lastError.code);
}
return null;
}
DUVError lastDUVError(DuvLoop loop) {
auto lastError = uv_last_error(loop.ptr);
DUVError error;
error.err = lastError;
if(lastError.code != 0) {
string errorMessage = duv_strerror(lastError);
error.errorMessage = errorMessage;
}
return error;
}
/// Throws an exception if the call is not successfull.
void ensureSuccessCall(duv_status status, DuvLoop loop) {
if(status != 0) {
auto lastException = lastUVThrowable(loop);
if(lastException) throw lastException;
}
}
void printUVError(DuvLoop loop) {
auto lastError = uv_last_error(loop.ptr);
string errorMessage = duv_strerror(lastError);
debug {
writeln("UV error: ", errorMessage, " with code ", lastError.code);
}
}
extern (C) {
void duv_on_tcp_stream_connect_fiber(void* handle, int status) {
debug {
writeln("TCP Connect callback called");
writeln("New Connection for Handle", handle, " with status ", status);
}
void* selfPtr = duv_get_handle_data(handle);
DuvTcpStream self = cast(DuvTcpStream)selfPtr;
self._onClientConnected();
//self._listenFiber.call();
}
void duv_stream_read_callback(void* stream, ssize_t nread, uv_buf_t buf) {
debug {
writeln("TCP Read Something");
writefln("Size of uv_buf_t in D is %d", uv_buf_t.sizeof);
// writefln("Base pointer %d", cast(ssize_t)buf.base);
}
void* selfPtr = duv_get_handle_data(stream);
DuvStream self = cast(DuvStream)selfPtr;
self._onReadCallback(nread, buf);
}
void duv_stream_close_callback(void* stream) {
debug {
writeln("Stream closed callback");
}
void* selfPtr = duv_get_handle_data(stream);
DuvStream self = cast(DuvStream)selfPtr;
self._onCloseCallback();
}
void duv_stream_write_callback(uv_write_t_ptr req, duv_status status) {
debug {
writeln("Write Finished");
}
auto request = cast(DuvStreamWriteRequest)duv_get_request_data(req);
debug {
writeln("Write Request Finished ", request.ptr);
}
request._stream._onWriteCallback(request, status);
}
void duv_tcp_connect_callback(uv_connect_t_ptr req, duv_status status) {
debug {
writeln("Connect Finished");
}
debug {
writeln("Connect Finished");
}
auto request = cast(DuvTcpStreamConnectRequest)duv_get_request_data(req);
debug {
writeln("Connect Request Finished ", request.ptr);
}
request._stream._onConnectCallback(request, status);
}
void duv_timer_timeout_callback(uv_timer_t* timer, duv_status status) {
debug {
writeln("Timer Callback Reached");
}
auto selfTimer = cast(DuvTimer)duv_get_handle_data(timer);
selfTimer._onTimeoutCallback(status);
}
}
}
public {
/**
Delegate provided when running code in Duv Context.
*/
alias void delegate(DuvLoop loop) DuvContextDelegate;
/**
Stats a Duv Run and Executes the Delegate in a new Fiber.
*/
void runMainDuv(DuvContextDelegate contextDelegate) {
runSubDuv(contextDelegate);
defaultLoop.runAndWait(); // Then Start the loop
}
class DuvFiber : Fiber{
this(void delegate() fn) {
super(fn);
}
~this() {
debug {
import std.stdio;
writeln("Freeing Duv Fiber");
}
}
}
/**
Runs a delegate in the context of the Current Duv Loop using a new Fiber.
*/
DuvFiber runSubDuv(DuvContextDelegate contextDelegate) {
auto fiber = new DuvFiber(() {
contextDelegate(defaultLoop);
});
fiber.call(); // Call until yields(if ever yields).
return fiber;
}
/**
Describes a Buffer that Will be used Temporarily on a Callback
*/
class DuvTempBuffer {
private uv_buf_t _buf;
private size_t _count;
public this(uv_buf_t buf, size_t readCount) {
this._buf = buf;
this._count = readCount;
}
/**
Converts this Temporary Buffer to an Array of Bytes
*/
public ubyte[] toBytes() {
if(!this._buf.base) return null;
return this._buf.base[0..this._count];
}
/**
Implicit Converstion to ubytes[]
*/
alias toBytes this;
/**
Explicit Converstion to ubytes[]
*/
T opCast(T)() if (is(T == ubyte[])) {
return this.toBytes();
}
}
/**
Returns the default loop for the current thread. It uses uv_default_loop under the hood.
*/
public @property DuvLoop defaultLoop() {
if(!_defaultLoop) {
debug {
writeln("Initializing default loop");
}
_defaultLoop = new DuvLoop(uv_default_loop(), false);
}
return _defaultLoop;
}
/**
Represents a uv loop.
*/
public final class DuvLoop {
// uv_loop_t pointer
package uv_loop_t_ptr ptr;
private bool _isCustom;
/**
Indicates whether the instance is a custom loop created manually or was the default loop.
*/
public @property bool isCustom() {
return _isCustom;
}
/**
Creates a new loop, It uses uv_loop_new under the hood.
See_Also: Default
*/
public this() {
this(uv_loop_new(), true);
}
private this(uv_loop_t_ptr ptr, bool isCustom) {
this.ptr = ptr;
this._isCustom = isCustom;
debug {
writeln("loop created, is custom:", isCustom);
}
}
public ~this() {
debug {
writeln("destroying loop, was custom: ", isCustom);
}
// Delete the Loop only if is not the default loop.
if(this.isCustom) {
uv_loop_delete(this.ptr);
}
}
/**
Run the Loop and Wait until all the tasks are finished
*/
public void runAndWait() {
duv_status status = uv_run(this.ptr);
ensureSuccessCall(status, this);
}
public void runOnce() {
duv_status status = uv_run_once(this.ptr);
ensureSuccessCall(status, this);
}
}
/**
Duv Exception. Normally raised when an error code is found in libuv.
*/
public class DuvException : Exception {
private int _code;
/**
libuv error code
*/
public @property int code() {
return _code;
}
public this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null) {
this(msg, 0, file, line, next);
}
public this(string msg, int code, string file = __FILE__, size_t line = __LINE__, Throwable next = null) {
super(msg, file, line, next);
this._code = code;
}
}
alias void delegate(DuvStream stream) DuvStreamClosedDelegate;
private alias void delegate(DuvStream stream, DUVError error, DuvTempBuffer buffer) DuvStreamReadDelegate;
private alias void delegate(DuvStream stream, Throwable error) DuvStreamWriteDelegate;
alias void delegate(DuvTcpStream stream, Throwable error) DuvTcpStreamConnectDelegate;
private class DuvStreamWriteRequest {
private DuvStreamWriteDelegate _onFinished;
private uv_write_t_ptr ptr;
private ubyte[] data;
private DuvStream _stream;
public this(DuvStream stream, DuvStreamWriteDelegate onFinished, ubyte[] data) {
this._stream = stream;
this._onFinished = onFinished;
this.data = data;
this.ptr = duv_alloc_write();
duv_set_request_data(this.ptr, cast(void*)this);
}
public ~this() {
debug {
writeln("Deallocating Write Request");
}
if(this.ptr != null) {
std.c.stdlib.free(this.ptr);
this.ptr = null;
}
}
}
private class DuvTcpStreamConnectRequest {
private DuvTcpStreamConnectDelegate _onFinished;
private uv_connect_t_ptr ptr;
private ubyte[] data;
private DuvTcpStream _stream;
public this(DuvTcpStream stream, DuvTcpStreamConnectDelegate onFinished) {
this._stream = stream;
this._onFinished = onFinished;
this.data = data;
debug {
writeln("Allocating connect Request");
}
this.ptr = duv_alloc_connect();
duv_set_request_data(this.ptr, cast(void*)this);
debug {
writeln("Allocated connect Request");
}
}
public ~this() {
debug {
writeln("Deallocating Connect Request");
}
if(this.ptr != null) {
std.c.stdlib.free(this.ptr);
this.ptr = null;
}
}
}
alias void delegate (DuvTimer) DuvTimerCallback;
public class DuvTimer {
private DuvLoop _loop;
private uv_timer_t *ptr;
private DuvTimerCallback _callback;
long _timeout, _repeat;
public @property DuvLoop loop() {
return _loop;
}
public @property long timeout() {
return _timeout;
}
public void setTimeout(long timeout) {
_timeout = timeout;
}
public @property long repeat() {
return _repeat;
}
public void setRepeat(long repeat) {
_repeat = repeat;
}
public @property DuvTimerCallback callback() {
return _callback;
}
public @property void callback(DuvTimerCallback callback) {
_callback = callback;
_fibers.length = 0;
}
public this(DuvLoop loop) {
this._loop = loop;
this.ptr = duv_alloc_timer();
duv_set_handle_data(this.ptr, cast(void*)this);
uv_timer_init(this._loop.ptr, this.ptr);
}
public void start() {
uv_timer_start(this.ptr, &duv_timer_timeout_callback, _timeout, _repeat);
}
public void stop() {
uv_timer_stop(this.ptr);
}
DuvFiber[] _fibers;
alias void delegate(DuvLoop) DuvCallback;
package void _onTimeoutCallback(duv_status status) {
import std.stdio;
if(_callback) {
DuvFiber freeFiber = null;
foreach(DuvFiber fiber ; _fibers) {
if(fiber.state() == Fiber.State.TERM) {
freeFiber = fiber;
break;
}
}
if(freeFiber) {
debug {
writeln("Recycling Fiber, Fiber Count ", _fibers.length);
}
freeFiber.reset();
freeFiber.call();
} else {
debug {
writeln("Creating Fiber, Fiber Count ", _fibers.length);
}
DuvFiber fiber = runSubDuv((loop) {
_callback(this);
});
_fibers ~= fiber;
}
}
}
public ~this() {
this._callback = null;
if(this.ptr != null) {
this.stop();
debug {
writefln("Destroying Timer handle");
}
duv_free_handle(cast(void*)this.ptr);
this.ptr = null;
}
}
}
/**
libuv stream.
*/
public abstract class DuvStream {
//uv_handle_t*
package void* ptr;
DuvStream _listener;
private DuvLoop _loop;
private DuvStreamClosedDelegate _onClosed;
private DuvStreamReadDelegate _onRead;
private DuvStreamWriteRequest[ssize_t] _writes;
private bool _isOpen;
public @property bool isOpen() {
return _isOpen;
}
public @property DuvStreamClosedDelegate onClosed() {
return this._onClosed;
}
public @property void onClosed(DuvStreamClosedDelegate value) {
this._onClosed = value;
}
public @property DuvLoop loop() {
return _loop;
}
package this(uv_handle_type handleType, DuvLoop loop) {
this._isOpen = true;
this.ptr = duv_alloc_handle(handleType);
debug {
writefln("Creating Stream handle with type %d", handleType);
}
this._loop = loop;
this.init();
duv_set_handle_data(this.ptr, cast(void*)this);
}
public ~this() {
if(this.ptr != null) {
debug {
writefln("Destroying handle");
}
duv_free_handle(this.ptr);
this.ptr = null;
}
}
/// Initialize the Stream
protected abstract void init();
public @property DuvStream listener() {
return _listener;
}
private @property void listener(DuvStream listener) {
_listener = listener;
}
/*public void startReading(DuvStreamReadDelegate onRead) {
this._onRead = onRead;
duv_status status = uv_read_start(this.ptr, &duv_alloc_callback, &duv_stream_read_callback);
ensureSuccessCall(status, this.loop);
}*/
private void _onReadCallback(ssize_t nread, uv_buf_t buf) {
debug {
writeln("_onReadCallback, nread=", nread);
}
DUVError error = lastDUVError(this.loop);
if(nread == -1) {
buf.free();
if(this._onRead != null) {
this._onRead(this, error, null);
}
// we must always close the stream after an error
this.internalClose();
} else {
// Notify the Readed Buffer
DuvTempBuffer tempBuffer = new DuvTempBuffer(buf, cast(size_t)nread);
if(this._onRead != null) {
this._onRead(this, error, tempBuffer);
}
buf.free();
}
}
Fiber _readFiber;
/**
Listen for new Connections. Needs to be bound using bind4 or bind6.
See_Also: bind4, bind6
*/
public ubyte[] read() {
_readFiber = Fiber.getThis();
DUVError readError;
ubyte[] result = null;
debug {
writeln("ReadSync");
}
this._onRead = delegate(self, err, data) {
if(data) {
result = data;
}
readError = err;
_readFiber.call();
};
duv_status status = uv_read_start(this.ptr, &duv_alloc_callback, &duv_stream_read_callback);
ensureSuccessCall(status, this.loop);
Fiber.yield();
_readFiber = null;
uv_read_stop(this.ptr);
if(!readError.ok()) {
debug {
writeln("Read Error was ", readError.errorMessage);
writeln("Error was found while reading");
}
/*Fiber.yieldAndThrow(readError);
return null;*/
debug {
writeln("Will Throw Duv Exception");
}
throw new DuvException(readError.errorMessage, readError.err.code);
}
return result;
}
private Fiber _closeFiber;
public bool close() {
if(this.isOpen) {
debug {
writeln("DuvStream will close");
}
_closeFiber = Fiber.getThis();
this.internalClose();
Fiber.yield();
return true;
}
return false;
}
private void internalClose() {
uv_close(this.ptr, &duv_stream_close_callback);
}
private void _onCloseCallback() {
debug {
writeln("DuvStream was closed");
}
_isOpen = false;
if(this._onClosed != null) {
this._onClosed(this);
}
Fiber fiber = _closeFiber;
_closeFiber = null;
if(fiber) {
fiber.call();
}
}
public void write(ubyte[] data) {
Throwable writeErr;
Fiber _writeFiber = Fiber.getThis();
auto write = new DuvStreamWriteRequest(this, (st, errex) {
writeErr = errex;
_writeFiber.call();
}, data);
debug {
writeln("Write Request Created ", write.ptr);
}
this._writes[cast(ssize_t)write.ptr] = write; // Hold a reference to the request
uv_buf_t buf;
buf.base = data.ptr;
buf.len = data.length;
debug {
writeln("uv_write will be invoked");
}
duv_status status = uv_write(write.ptr, this.ptr, &buf, 1, &duv_stream_write_callback);
debug {
writefln("uv_write status %s", status);
}
ensureSuccessCall(status, this.loop);
Fiber.yield();
if(writeErr) {
Fiber.yieldAndThrow(writeErr);
}
debug {
writefln("uv_write sucedded");
}
}
package void _onWriteCallback(DuvStreamWriteRequest request, duv_status status) {
this._writes.remove(cast(ssize_t)request.ptr); //Remove the reference to the request
Throwable error = lastUVThrowable(this.loop);
if(request._onFinished != null) {
request._onFinished(this, error);
}
clear(request);
}
}
debug {
shared int globalId = 0;
}
/**
TCP Stream
*/
class DuvTcpStream : DuvStream {
private void delegate(DuvTcpStream) onConnection;
private DuvTcpStreamConnectRequest _connectRequest;
debug {
public int id;
}
/**
Creates a TCP Stream on the default loop.
*/
public this() {
this(defaultLoop);
}
/**
Creates a TCP Stream in the given loop.
*/
public this(DuvLoop loop) {
super(uv_handle_type.TCP, loop);
debug {
id = globalId++;
}
}
protected override void init() {
debug {
writeln("Initializing TCP Stream");
}
duv_status status = uv_tcp_init(this.loop.ptr, this.ptr);
ensureSuccessCall(status, this.loop);
debug {
writeln("TCP Stream initialized");
}
}
/**
Binds the Stream to a IPv4 address and port.
*/
public void bind4(string ipv4, int port) {
debug {
writeln("Binding ipv4 TCP Stream");
}
sockaddr_in_ptr addr = duv_ip4_addr(std.string.toStringz(ipv4), port);
duv_status status = duv_tcp_bind(this.ptr, addr);
std.c.stdlib.free(addr);
ensureSuccessCall(status, this.loop);
debug {
writeln(" Bound");
}
}
private Fiber _acceptFiber;
private DuvTcpStream _acceptedClient;
private bool _isListening;
public @property bool isListening() {
return this._isListening;
}
/**
Listen for new Connections. Needs to be bound using bind4 or bind6.
See_Also: bind4, bind6
*/
public void listen(int backlog) {
// this._onAccepted = onAccepted;
//this._listenFiber = Fiber.getThis();
duv_status status = uv_listen(this.ptr, backlog, &duv_on_tcp_stream_connect_fiber);
ensureSuccessCall(status, this.loop);
this._isListening = true;
//writeln("Will yield now");
//Fiber.yield();
//writeln("listen continueing...");
//return _acceptedClient;
}
package void _onClientConnected() {
if(_acceptFiber && _acceptFiber.state() == Fiber.State.HOLD) {
DuvTcpStream clientStream = new DuvTcpStream(this.loop);
duv_status acceptStatus = uv_accept(this.ptr, clientStream.ptr);
printUVError(this.loop);
clientStream.listener = this;
this._acceptedClient = clientStream;
_acceptFiber.call();
}
}
public DuvTcpStream accept() {
if(!isListening) {
throw new Exception("Stream is not listening");
}
_acceptFiber = Fiber.getThis();
Fiber.yield();
return this._acceptedClient;
}
alias void delegate(DuvTcpStream stream, Throwable error) DuvTcpStreamConnectDelegate;
public void connect4(string ipv4, int port) {
Fiber _connectFiber;
debug {
writefln("will connect");
}
Throwable connectError = null;
debug {
writefln("will create tcp connect request");
}
auto request = new DuvTcpStreamConnectRequest(this, (stream, error) {
debug {
writefln("tcp_connect callback called");
}
connectError = error;
_connectFiber.call();
});
this._connectRequest = request;
debug {
writefln("duv_ip4_addr");
}
sockaddr_in_ptr addr = duv_ip4_addr(std.string.toStringz(ipv4), port);
debug {
writefln("duv_tcp_connect");
}
assert(request.ptr, "request ptr should be valid");
assert(this.ptr, "this.ptr should be valid");
duv_status status = duv_tcp_connect(request.ptr, this.ptr, addr, &duv_tcp_connect_callback);
debug {
writefln("tcp_connect status %s", status);
}
std.c.stdlib.free(addr);
ensureSuccessCall(status, this.loop);
_connectFiber = Fiber.getThis();
debug {
writefln("tcp_connect will yield");
}
Fiber.yield();
debug {
writefln("tcp_connect will continue after yield");
}
_connectFiber = null;
_connectRequest = null;
if(connectError) {
Fiber.yieldAndThrow(connectError);
}
}
package void _onConnectCallback(DuvTcpStreamConnectRequest request, duv_status status) {
this._connectRequest = null;
Throwable error = lastUVThrowable(this.loop);
if(request._onFinished != null) {
request._onFinished(this, error);
}
clear(request);
}
}
alias void delegate(DuvPrepare) DuvPrepareCallback;
class DuvPrepare {
private {
uv_prepare_t * _ptr;
DuvPrepareCallback _callback;
extern (C) {
static void duv_prepare_callback(uv_prepare_t * p, duv_status status) {
debug {
writeln("prepare callback was called");
}
DuvPrepare self = cast(DuvPrepare)duv_get_handle_data(p);
self._onCallback(status);
}
static void duv_prepare_close_callback(void * p) {
}
}
void _onCallback(duv_status status) {
if(_callback) {
runSubDuv((loop) {
_callback(this);
});
}
}
DuvLoop _loop;
bool _started;
}
public {
this(DuvLoop loop) {
_loop = loop;
_ptr = duv_alloc_prepare();
duv_set_handle_data(_ptr, cast(void*)this);
duv_status status = uv_prepare_init(loop.ptr, this._ptr);
ensureSuccessCall(status, loop);
}
@property DuvPrepareCallback callback() {
return _callback;
}
@property void callback(DuvPrepareCallback callback) {
_callback = callback;
}
@property bool started() {
return _started;
}
void start() {
duv_status status = uv_prepare_start(this._ptr, &duv_prepare_callback);
ensureSuccessCall(status, _loop);
}
void stop() {
if(!this.started) return;
duv_status status = uv_prepare_stop(this._ptr);
ensureSuccessCall(status, _loop);
}
~this() {
if(_ptr) {
stop();
uv_close(this._ptr, &duv_prepare_close_callback);
_ptr = null;
}
}
}
} // DuvPrepare
class DuvAsyncContext {
}
} // public
|
D
|
/**
* Compiler implementation of the
* $(LINK2 http://www.dlang.org, D programming language).
*
* Copyright: Copyright (c) 1999-2017 by Digital Mars, All Rights Reserved
* Authors: $(LINK2 http://www.digitalmars.com, Walter Bright)
* License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0)
* Source: $(DMDSRC _aggregate.d)
*/
module ddmd.aggregate;
import core.stdc.stdio;
import core.checkedint;
import ddmd.arraytypes;
import ddmd.gluelayer;
import ddmd.declaration;
import ddmd.dscope;
import ddmd.dstruct;
import ddmd.dsymbol;
import ddmd.dtemplate;
import ddmd.errors;
import ddmd.expression;
import ddmd.func;
import ddmd.globals;
import ddmd.id;
import ddmd.identifier;
import ddmd.mtype;
import ddmd.tokens;
import ddmd.visitor;
enum Sizeok : int
{
SIZEOKnone, // size of aggregate is not yet able to compute
SIZEOKfwd, // size of aggregate is ready to compute
SIZEOKdone, // size of aggregate is set correctly
}
alias SIZEOKnone = Sizeok.SIZEOKnone;
alias SIZEOKdone = Sizeok.SIZEOKdone;
alias SIZEOKfwd = Sizeok.SIZEOKfwd;
enum Baseok : int
{
BASEOKnone, // base classes not computed yet
BASEOKin, // in process of resolving base classes
BASEOKdone, // all base classes are resolved
BASEOKsemanticdone, // all base classes semantic done
}
alias BASEOKnone = Baseok.BASEOKnone;
alias BASEOKin = Baseok.BASEOKin;
alias BASEOKdone = Baseok.BASEOKdone;
alias BASEOKsemanticdone = Baseok.BASEOKsemanticdone;
/***********************************************************
*/
extern (C++) abstract class AggregateDeclaration : ScopeDsymbol
{
Type type;
StorageClass storage_class;
Prot protection;
uint structsize; // size of struct
uint alignsize; // size of struct for alignment purposes
VarDeclarations fields; // VarDeclaration fields
Sizeok sizeok; // set when structsize contains valid data
Dsymbol deferred; // any deferred semantic2() or semantic3() symbol
bool isdeprecated; // true if deprecated
/* !=null if is nested
* pointing to the dsymbol that directly enclosing it.
* 1. The function that enclosing it (nested struct and class)
* 2. The class that enclosing it (nested class only)
* 3. If enclosing aggregate is template, its enclosing dsymbol.
* See AggregateDeclaraton::makeNested for the details.
*/
Dsymbol enclosing;
VarDeclaration vthis; // 'this' parameter if this aggregate is nested
// Special member functions
FuncDeclarations invs; // Array of invariants
FuncDeclaration inv; // invariant
NewDeclaration aggNew; // allocator
DeleteDeclaration aggDelete; // deallocator
// CtorDeclaration or TemplateDeclaration
Dsymbol ctor;
// default constructor - should have no arguments, because
// it would be stored in TypeInfo_Class.defaultConstructor
CtorDeclaration defaultCtor;
Dsymbol aliasthis; // forward unresolved lookups to aliasthis
bool noDefaultCtor; // no default construction
FuncDeclarations dtors; // Array of destructors
FuncDeclaration dtor; // aggregate destructor
Expression getRTInfo; // pointer to GC info generated by object.RTInfo(this)
final extern (D) this(Loc loc, Identifier id)
{
super(id);
this.loc = loc;
protection = Prot(PROTpublic);
sizeok = SIZEOKnone; // size not determined yet
}
/***************************************
* Create a new scope from sc.
* semantic, semantic2 and semantic3 will use this for aggregate members.
*/
Scope* newScope(Scope* sc)
{
auto sc2 = sc.push(this);
sc2.stc &= STCsafe | STCtrusted | STCsystem;
sc2.parent = this;
if (isUnionDeclaration())
sc2.inunion = 1;
sc2.protection = Prot(PROTpublic);
sc2.explicitProtection = 0;
sc2.aligndecl = null;
sc2.userAttribDecl = null;
return sc2;
}
override final void setScope(Scope* sc)
{
// Might need a scope to resolve forward references. The check for
// semanticRun prevents unnecessary setting of _scope during deferred
// setScope phases for aggregates which already finished semantic().
// Also see https://issues.dlang.org/show_bug.cgi?id=16607
if (semanticRun < PASSsemanticdone)
ScopeDsymbol.setScope(sc);
}
override final void semantic2(Scope* sc)
{
//printf("AggregateDeclaration::semantic2(%s) type = %s, errors = %d\n", toChars(), type.toChars(), errors);
if (!members)
return;
if (_scope)
{
error("has forward references");
return;
}
auto sc2 = newScope(sc);
determineSize(loc);
for (size_t i = 0; i < members.dim; i++)
{
Dsymbol s = (*members)[i];
//printf("\t[%d] %s\n", i, s.toChars());
s.semantic2(sc2);
}
sc2.pop();
}
override final void semantic3(Scope* sc)
{
//printf("AggregateDeclaration::semantic3(%s) type = %s, errors = %d\n", toChars(), type.toChars(), errors);
if (!members)
return;
StructDeclaration sd = isStructDeclaration();
if (!sc) // from runDeferredSemantic3 for TypeInfo generation
{
assert(sd);
sd.semanticTypeInfoMembers();
return;
}
auto sc2 = newScope(sc);
for (size_t i = 0; i < members.dim; i++)
{
Dsymbol s = (*members)[i];
s.semantic3(sc2);
}
sc2.pop();
// don't do it for unused deprecated types
// or error types
if (!getRTInfo && Type.rtinfo && (!isDeprecated() || global.params.useDeprecated) && (type && type.ty != Terror))
{
// Evaluate: RTinfo!type
auto tiargs = new Objects();
tiargs.push(type);
auto ti = new TemplateInstance(loc, Type.rtinfo, tiargs);
Scope* sc3 = ti.tempdecl._scope.startCTFE();
sc3.tinst = sc.tinst;
sc3.minst = sc.minst;
if (isDeprecated())
sc3.stc |= STCdeprecated;
ti.semantic(sc3);
ti.semantic2(sc3);
ti.semantic3(sc3);
auto e = DsymbolExp.resolve(Loc(), sc3, ti.toAlias(), false);
sc3.endCTFE();
e = e.ctfeInterpret();
getRTInfo = e;
}
if (sd)
sd.semanticTypeInfoMembers();
}
/***************************************
* Find all instance fields, then push them into `fields`.
*
* Runs semantic() for all instance field variables, but also
* the field types can reamin yet not resolved forward references,
* except direct recursive definitions.
* After the process sizeok is set to SIZEOKfwd.
*
* Returns:
* false if any errors occur.
*/
final bool determineFields()
{
if (sizeok != SIZEOKnone)
return true;
//printf("determineFields() %s, fields.dim = %d\n", toChars(), fields.dim);
extern (C++) static int func(Dsymbol s, void* param)
{
auto v = s.isVarDeclaration();
if (!v)
return 0;
if (v.storage_class & STCmanifest)
return 0;
if (v._scope)
v.semantic(null);
if (v.aliassym)
return 0; // If this variable was really a tuple, skip it.
if (v.storage_class & (STCstatic | STCextern | STCtls | STCgshared | STCmanifest | STCctfe | STCtemplateparameter))
return 0;
if (!v.isField() || v.semanticRun < PASSsemanticdone)
return 1; // unresolvable forward reference
auto ad = cast(AggregateDeclaration)param;
ad.fields.push(v);
if (v.storage_class & STCref)
return 0;
auto tv = v.type.baseElemOf();
if (tv.ty != Tstruct)
return 0;
if (ad == (cast(TypeStruct)tv).sym)
{
const(char)* psz = (v.type.toBasetype().ty == Tsarray) ? "static array of " : "";
ad.error("cannot have field %s with %ssame struct type", v.toChars(), psz);
ad.type = Type.terror;
ad.errors = true;
return 1;
}
return 0;
}
fields.setDim(0);
for (size_t i = 0; i < members.dim; i++)
{
auto s = (*members)[i];
if (s.apply(&func, cast(void*)this))
return false;
}
if (sizeok != SIZEOKdone)
sizeok = SIZEOKfwd;
return true;
}
/***************************************
* Collect all instance fields, then determine instance size.
* Returns:
* false if failed to determine the size.
*/
final bool determineSize(Loc loc)
{
//printf("AggregateDeclaration::determineSize() %s, sizeok = %d\n", toChars(), sizeok);
// The previous instance size finalizing had:
if (type.ty == Terror)
return false; // failed already
if (sizeok == SIZEOKdone)
return true; // succeeded
if (!members)
{
error(loc, "unknown size");
return false;
}
if (_scope)
semantic(null);
// Determine the instance size of base class first.
if (auto cd = isClassDeclaration())
{
cd = cd.baseClass;
if (cd && !cd.determineSize(loc))
goto Lfail;
}
// Determine instance fields when sizeok == SIZEOKnone
if (!determineFields())
goto Lfail;
if (sizeok != SIZEOKdone)
finalizeSize();
// this aggregate type has:
if (type.ty == Terror)
return false; // marked as invalid during the finalizing.
if (sizeok == SIZEOKdone)
return true; // succeeded to calculate instance size.
Lfail:
// There's unresolvable forward reference.
if (type != Type.terror)
error(loc, "no size because of forward reference");
// Don't cache errors from speculative semantic, might be resolvable later.
// https://issues.dlang.org/show_bug.cgi?id=16574
if (!global.gag)
{
type = Type.terror;
errors = true;
}
return false;
}
abstract void finalizeSize();
override final d_uns64 size(Loc loc)
{
//printf("+AggregateDeclaration::size() %s, scope = %p, sizeok = %d\n", toChars(), _scope, sizeok);
bool ok = determineSize(loc);
//printf("-AggregateDeclaration::size() %s, scope = %p, sizeok = %d\n", toChars(), _scope, sizeok);
return ok ? structsize : SIZE_INVALID;
}
/***************************************
* Calculate field[i].overlapped and overlapUnsafe, and check that all of explicit
* field initializers have unique memory space on instance.
* Returns:
* true if any errors happen.
*/
final bool checkOverlappedFields()
{
//printf("AggregateDeclaration::checkOverlappedFields() %s\n", toChars());
assert(sizeok == SIZEOKdone);
size_t nfields = fields.dim;
if (isNested())
{
auto cd = isClassDeclaration();
if (!cd || !cd.baseClass || !cd.baseClass.isNested())
nfields--;
}
bool errors = false;
// Fill in missing any elements with default initializers
foreach (i; 0 .. nfields)
{
auto vd = fields[i];
if (vd.errors)
continue;
auto vx = vd;
if (vd._init && vd._init.isVoidInitializer())
vx = null;
// Find overlapped fields with the hole [vd.offset .. vd.offset.size()].
foreach (j; 0 .. nfields)
{
if (i == j)
continue;
auto v2 = fields[j];
if (!vd.isOverlappedWith(v2))
continue;
// vd and v2 are overlapping.
vd.overlapped = true;
v2.overlapped = true;
if (!MODimplicitConv(vd.type.mod, v2.type.mod))
v2.overlapUnsafe = true;
if (!MODimplicitConv(v2.type.mod, vd.type.mod))
vd.overlapUnsafe = true;
if (!vx)
continue;
if (v2._init && v2._init.isVoidInitializer())
continue;
if (vx._init && v2._init)
{
.error(loc, "overlapping default initialization for field %s and %s", v2.toChars(), vd.toChars());
errors = true;
}
}
}
return errors;
}
/***************************************
* Fill out remainder of elements[] with default initializers for fields[].
* Params:
* loc = location
* elements = explicit arguments which given to construct object.
* ctorinit = true if the elements will be used for default initialization.
* Returns:
* false if any errors occur.
* Otherwise, returns true and the missing arguments will be pushed in elements[].
*/
final bool fill(Loc loc, Expressions* elements, bool ctorinit)
{
//printf("AggregateDeclaration::fill() %s\n", toChars());
assert(sizeok == SIZEOKdone);
assert(elements);
size_t nfields = fields.dim - isNested();
bool errors = false;
size_t dim = elements.dim;
elements.setDim(nfields);
foreach (size_t i; dim .. nfields)
(*elements)[i] = null;
// Fill in missing any elements with default initializers
foreach (i; 0 .. nfields)
{
if ((*elements)[i])
continue;
auto vd = fields[i];
auto vx = vd;
if (vd._init && vd._init.isVoidInitializer())
vx = null;
// Find overlapped fields with the hole [vd.offset .. vd.offset.size()].
size_t fieldi = i;
foreach (j; 0 .. nfields)
{
if (i == j)
continue;
auto v2 = fields[j];
if (!vd.isOverlappedWith(v2))
continue;
if ((*elements)[j])
{
vx = null;
break;
}
if (v2._init && v2._init.isVoidInitializer())
continue;
version (all)
{
/* Prefer first found non-void-initialized field
* union U { int a; int b = 2; }
* U u; // Error: overlapping initialization for field a and b
*/
if (!vx)
{
vx = v2;
fieldi = j;
}
else if (v2._init)
{
.error(loc, "overlapping initialization for field %s and %s", v2.toChars(), vd.toChars());
errors = true;
}
}
else
{
// Will fix Bugzilla 1432 by enabling this path always
/* Prefer explicitly initialized field
* union U { int a; int b = 2; }
* U u; // OK (u.b == 2)
*/
if (!vx || !vx._init && v2._init)
{
vx = v2;
fieldi = j;
}
else if (vx != vd && !vx.isOverlappedWith(v2))
{
// Both vx and v2 fills vd, but vx and v2 does not overlap
}
else if (vx._init && v2._init)
{
.error(loc, "overlapping default initialization for field %s and %s",
v2.toChars(), vd.toChars());
errors = true;
}
else
assert(vx._init || !vx._init && !v2._init);
}
}
if (vx)
{
Expression e;
if (vx.type.size() == 0)
{
e = null;
}
else if (vx._init)
{
assert(!vx._init.isVoidInitializer());
e = vx.getConstInitializer(false);
}
else
{
if ((vx.storage_class & STCnodefaultctor) && !ctorinit)
{
.error(loc, "field %s.%s must be initialized because it has no default constructor",
type.toChars(), vx.toChars());
errors = true;
}
/* Bugzilla 12509: Get the element of static array type.
*/
Type telem = vx.type;
if (telem.ty == Tsarray)
{
/* We cannot use Type::baseElemOf() here.
* If the bottom of the Tsarray is an enum type, baseElemOf()
* will return the base of the enum, and its default initializer
* would be different from the enum's.
*/
while (telem.toBasetype().ty == Tsarray)
telem = (cast(TypeSArray)telem.toBasetype()).next;
if (telem.ty == Tvoid)
telem = Type.tuns8.addMod(telem.mod);
}
if (telem.needsNested() && ctorinit)
e = telem.defaultInit(loc);
else
e = telem.defaultInitLiteral(loc);
}
(*elements)[fieldi] = e;
}
}
foreach (e; *elements)
{
if (e && e.op == TOKerror)
return false;
}
return !errors;
}
/****************************
* Do byte or word alignment as necessary.
* Align sizes of 0, as we may not know array sizes yet.
*
* alignment: struct alignment that is in effect
* size: alignment requirement of field
*/
static void alignmember(structalign_t alignment, uint size, uint* poffset)
{
//printf("alignment = %d, size = %d, offset = %d\n",alignment,size,offset);
switch (alignment)
{
case cast(structalign_t)1:
// No alignment
break;
case cast(structalign_t)STRUCTALIGN_DEFAULT:
// Alignment in Target::fieldalignsize must match what the
// corresponding C compiler's default alignment behavior is.
assert(size > 0 && !(size & (size - 1)));
*poffset = (*poffset + size - 1) & ~(size - 1);
break;
default:
// Align on alignment boundary, which must be a positive power of 2
assert(alignment > 0 && !(alignment & (alignment - 1)));
*poffset = (*poffset + alignment - 1) & ~(alignment - 1);
break;
}
}
/****************************************
* Place a member (mem) into an aggregate (agg), which can be a struct, union or class
* Returns:
* offset to place field at
*
* nextoffset: next location in aggregate
* memsize: size of member
* memalignsize: size of member for alignment purposes
* alignment: alignment in effect for this member
* paggsize: size of aggregate (updated)
* paggalignsize: size of aggregate for alignment purposes (updated)
* isunion: the aggregate is a union
*/
static uint placeField(uint* nextoffset, uint memsize, uint memalignsize,
structalign_t alignment, uint* paggsize, uint* paggalignsize, bool isunion)
{
uint ofs = *nextoffset;
// Ensure no overflow
bool overflow;
const sz = addu(memsize,
alignment == STRUCTALIGN_DEFAULT ? memalignsize : alignment,
overflow);
const sum = addu(ofs, sz, overflow);
if (overflow) assert(0);
alignmember(alignment, memalignsize, &ofs);
uint memoffset = ofs;
ofs += memsize;
if (ofs > *paggsize)
*paggsize = ofs;
if (!isunion)
*nextoffset = ofs;
if (alignment == STRUCTALIGN_DEFAULT)
{
if ((global.params.is64bit || global.params.isOSX) && memalignsize == 16)
{
}
else if (8 < memalignsize)
memalignsize = 8;
}
else
{
if (memalignsize < alignment)
memalignsize = alignment;
}
if (*paggalignsize < memalignsize)
*paggalignsize = memalignsize;
return memoffset;
}
override final Type getType()
{
return type;
}
// is aggregate deprecated?
override final bool isDeprecated()
{
return isdeprecated;
}
/****************************************
* Returns true if there's an extra member which is the 'this'
* pointer to the enclosing context (enclosing aggregate or function)
*/
final bool isNested()
{
return enclosing !is null;
}
/* Append vthis field (this.tupleof[$-1]) to make this aggregate type nested.
*/
final void makeNested()
{
if (enclosing) // if already nested
return;
if (sizeok == SIZEOKdone)
return;
if (isUnionDeclaration() || isInterfaceDeclaration())
return;
if (storage_class & STCstatic)
return;
// If nested struct, add in hidden 'this' pointer to outer scope
auto s = toParent2();
if (!s)
return;
Type t = null;
if (auto fd = s.isFuncDeclaration())
{
enclosing = fd;
/* Bugzilla 14422: If a nested class parent is a function, its
* context pointer (== `outer`) should be void* always.
*/
t = Type.tvoidptr;
}
else if (auto ad = s.isAggregateDeclaration())
{
if (isClassDeclaration() && ad.isClassDeclaration())
{
enclosing = ad;
}
else if (isStructDeclaration())
{
if (auto ti = ad.parent.isTemplateInstance())
{
enclosing = ti.enclosing;
}
}
t = ad.handleType();
}
if (enclosing)
{
//printf("makeNested %s, enclosing = %s\n", toChars(), enclosing.toChars());
assert(t);
if (t.ty == Tstruct)
t = Type.tvoidptr; // t should not be a ref type
assert(!vthis);
vthis = new ThisDeclaration(loc, t);
//vthis.storage_class |= STCref;
// Emulate vthis.addMember()
members.push(vthis);
// Emulate vthis.semantic()
vthis.storage_class |= STCfield;
vthis.parent = this;
vthis.protection = Prot(PROTpublic);
vthis.alignment = t.alignment();
vthis.semanticRun = PASSsemanticdone;
if (sizeok == SIZEOKfwd)
fields.push(vthis);
}
}
override final bool isExport()
{
return protection.kind == PROTexport;
}
/*******************************************
* Look for constructor declaration.
*/
final Dsymbol searchCtor()
{
auto s = search(Loc(), Id.ctor);
if (s)
{
if (!(s.isCtorDeclaration() ||
s.isTemplateDeclaration() ||
s.isOverloadSet()))
{
s.error("is not a constructor; identifiers starting with __ are reserved for the implementation");
errors = true;
s = null;
}
}
if (s && s.toParent() != this)
s = null; // search() looks through ancestor classes
if (s)
{
// Finish all constructors semantics to determine this.noDefaultCtor.
struct SearchCtor
{
extern (C++) static int fp(Dsymbol s, void* ctxt)
{
auto f = s.isCtorDeclaration();
if (f && f.semanticRun == PASSinit)
f.semantic(null);
return 0;
}
}
for (size_t i = 0; i < members.dim; i++)
{
auto sm = (*members)[i];
sm.apply(&SearchCtor.fp, null);
}
}
return s;
}
override final Prot prot()
{
return protection;
}
// 'this' type
final Type handleType()
{
return type;
}
// Back end
Symbol* stag; // tag symbol for debug data
Symbol* sinit;
override final inout(AggregateDeclaration) isAggregateDeclaration() inout
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
|
D
|
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.build/String.swift.o : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.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/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.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/Desktop/VaporProject/LaSalleChat/.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/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.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/Darwin.apinotes
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.build/String~partial.swiftmodule : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.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/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.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/Desktop/VaporProject/LaSalleChat/.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/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.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/Darwin.apinotes
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.build/String~partial.swiftdoc : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.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/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.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/Desktop/VaporProject/LaSalleChat/.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/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.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/Darwin.apinotes
|
D
|
// Written in the D programming language.
/**
* $(RED Warning: This module is considered out-dated and not up to Phobos'
* current standards. It will remain until we have a suitable replacement,
* but be aware that it will not remain long term.)
*
* The std.cstream module bridges core.stdc.stdio (or std.stdio) and std.stream.
* Both core.stdc.stdio and std.stream are publicly imported by std.cstream.
*
* Macros:
* WIKI=Phobos/StdCstream
*
* Copyright: Copyright Ben Hinkle 2007 - 2009.
* License: $(WEB www.boost.org/LICENSE_1_0.txt, Boost License 1.0).
* Authors: Ben Hinkle
* Source: $(PHOBOSSRC std/_cstream.d)
*/
/* Copyright Ben Hinkle 2007 - 2009.
* 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.cstream;
public import core.stdc.stdio;
public import std.stream;
version(unittest) import std.stdio;
import std.algorithm;
/**
* A Stream wrapper for a C file of type FILE*.
*/
class CFile : Stream {
FILE* cfile;
/**
* Create the stream wrapper for the given C file.
* Params:
* cfile = a valid C $(B FILE) pointer to wrap.
* mode = a bitwise combination of $(B FileMode.In) for a readable file
* and $(B FileMode.Out) for a writeable file.
* seekable = indicates if the stream should be _seekable.
*/
this(FILE* cfile, FileMode mode, bool seekable = false) {
super();
this.file = cfile;
readable = cast(bool)(mode & FileMode.In);
writeable = cast(bool)(mode & FileMode.Out);
this.seekable = seekable;
}
/**
* Closes the stream.
*/
~this() { close(); }
/**
* Property to get or set the underlying file for this stream.
* Setting the file marks the stream as open.
*/
@property FILE* file() { return cfile; }
/**
* Ditto
*/
@property void file(FILE* cfile) {
this.cfile = cfile;
isopen = true;
}
/**
* Overrides of the $(B Stream) methods to call the underlying $(B FILE*)
* C functions.
*/
override void flush() { fflush(cfile); }
/**
* Ditto
*/
override void close() {
if (isopen)
fclose(cfile);
isopen = readable = writeable = seekable = false;
}
/**
* Ditto
*/
override bool eof() {
return cast(bool)(readEOF || feof(cfile));
}
/**
* Ditto
*/
override char getc() {
return cast(char)fgetc(cfile);
}
/**
* Ditto
*/
override char ungetc(char c) {
return cast(char)core.stdc.stdio.ungetc(c,cfile);
}
/**
* Ditto
*/
override size_t readBlock(void* buffer, size_t size) {
size_t n = fread(buffer,1,size,cfile);
readEOF = cast(bool)(n == 0);
return n;
}
/**
* Ditto
*/
override size_t writeBlock(const void* buffer, size_t size) {
return fwrite(buffer,1,size,cfile);
}
/**
* Ditto
*/
override ulong seek(long offset, SeekPos rel) {
readEOF = false;
if (fseek(cfile,cast(int)offset,rel) != 0)
throw new SeekException("unable to move file pointer");
return ftell(cfile);
}
/**
* Ditto
*/
override void writeLine(const(char)[] s) {
writeString(s);
writeString("\n");
}
/**
* Ditto
*/
override void writeLineW(const(wchar)[] s) {
writeStringW(s);
writeStringW("\n");
}
// run a few tests
unittest {
import std.file : deleteme;
import std.internal.cstring : tempCString;
auto stream_file = (std.file.deleteme ~ "-stream.txt").tempCString();
FILE* f = fopen(stream_file,"w");
assert(f !is null);
CFile file = new CFile(f,FileMode.Out);
int i = 666;
// should be ok to write
assert(file.writeable);
file.writeLine("Testing stream.d:");
file.writeString("Hello, world!");
file.write(i);
// string#1 + string#2 + int should give exacly that
version (Windows)
assert(file.position == 19 + 13 + 4);
version (Posix)
assert(file.position == 18 + 13 + 4);
file.close();
// no operations are allowed when file is closed
assert(!file.readable && !file.writeable && !file.seekable);
f = fopen(stream_file,"r");
file = new CFile(f,FileMode.In,true);
// should be ok to read
assert(file.readable);
auto line = file.readLine();
auto exp = "Testing stream.d:";
assert(line[0] == 'T');
assert(line.length == exp.length);
assert(!std.algorithm.cmp(line, "Testing stream.d:"));
// jump over "Hello, "
file.seek(7, SeekPos.Current);
version (Windows)
assert(file.position == 19 + 7);
version (Posix)
assert(file.position == 18 + 7);
assert(!std.algorithm.cmp(file.readString(6), "world!"));
i = 0; file.read(i);
assert(i == 666);
// string#1 + string#2 + int should give exacly that
version (Windows)
assert(file.position == 19 + 13 + 4);
version (Posix)
assert(file.position == 18 + 13 + 4);
// we must be at the end of file
file.close();
f = fopen(stream_file,"w+");
file = new CFile(f,FileMode.In|FileMode.Out,true);
file.writeLine("Testing stream.d:");
file.writeLine("Another line");
file.writeLine("");
file.writeLine("That was blank");
file.position = 0;
char[][] lines;
foreach(char[] line; file) {
lines ~= line.dup;
}
assert( lines.length == 5 );
assert( lines[0] == "Testing stream.d:");
assert( lines[1] == "Another line");
assert( lines[2] == "");
assert( lines[3] == "That was blank");
file.position = 0;
lines = new char[][5];
foreach(ulong n, char[] line; file) {
lines[cast(size_t)(n-1)] = line.dup;
}
assert( lines[0] == "Testing stream.d:");
assert( lines[1] == "Another line");
assert( lines[2] == "");
assert( lines[3] == "That was blank");
file.close();
remove(stream_file);
}
}
/**
* CFile wrapper of core.stdc.stdio.stdin (not seekable).
*/
__gshared CFile din;
/**
* CFile wrapper of core.stdc.stdio.stdout (not seekable).
*/
__gshared CFile dout;
/**
* CFile wrapper of core.stdc.stdio.stderr (not seekable).
*/
__gshared CFile derr;
shared static this() {
// open standard I/O devices
din = new CFile(core.stdc.stdio.stdin,FileMode.In);
dout = new CFile(core.stdc.stdio.stdout,FileMode.Out);
derr = new CFile(core.stdc.stdio.stderr,FileMode.Out);
}
|
D
|
in an absurd manner or to an absurd degree
|
D
|
act in disregard of laws, rules, contracts, or promises
spread over land, especially along a subsiding shoreline
commit a sin
pass beyond (limits or boundaries)
|
D
|
/***********************************************************************\
* snmp.d *
* *
* Windows API header module *
* *
* Translated from MinGW Windows headers *
* by Stewart Gordon *
* *
* Placed into public domain *
\***********************************************************************/
module windows.snmp;
private import windows.windows;
// These are not documented on MSDN
enum {
DEFAULT_SNMP_PORT_UDP = 161,
DEFAULT_SNMP_PORT_IPX = 36879,
DEFAULT_SNMPTRAP_PORT_UDP = 162,
DEFAULT_SNMPTRAP_PORT_IPX = 36880
}
enum : BYTE {
ASN_UNIVERSAL = 0x00,
ASN_PRIMITIVE = 0x00,
ASN_CONSTRUCTOR = 0x20,
ASN_APPLICATION = 0x40,
ASN_CONTEXT = 0x80,
ASN_PRIVATE = 0xC0,
SNMP_PDU_GET = ASN_CONTEXT | ASN_CONSTRUCTOR,
SNMP_PDU_GETNEXT,
SNMP_PDU_RESPONSE,
SNMP_PDU_SET,
SNMP_PDU_GETBULK, // = ASN_CONTEXT | ASN_CONSTRUCTOR | 4
SNMP_PDU_V1TRAP = ASN_CONTEXT | ASN_CONSTRUCTOR | 4,
SNMP_PDU_INFORM = ASN_CONTEXT | ASN_CONSTRUCTOR | 6,
SNMP_PDU_TRAP,
SNMP_PDU_REPORT,
ASN_INTEGER = ASN_UNIVERSAL | ASN_PRIMITIVE | 2,
ASN_BITS,
ASN_OCTETSTRING,
ASN_NULL,
ASN_OBJECTIDENTIFIER, // = ASN_UNIVERSAL | ASN_PRIMITIVE | 6
ASN_INTEGER32 = ASN_INTEGER,
ASN_SEQUENCE = ASN_UNIVERSAL | ASN_CONSTRUCTOR | 0x10,
ASN_SEQUENCEOF = ASN_SEQUENCE,
ASN_IPADDRESS = ASN_APPLICATION | ASN_PRIMITIVE,
ASN_COUNTER32,
ASN_GAUGE32,
ASN_TIMETICKS,
ASN_OPAQUE, // = ASN_APPLICATION | ASN_PRIMITIVE | 4
ASN_COUNTER64 = ASN_APPLICATION | ASN_PRIMITIVE | 6,
ASN_UNSIGNED32, // = ASN_APPLICATION | ASN_PRIMITIVE | 7
SNMP_EXCEPTION_NOSUCHOBJECT = ASN_CONTEXT | ASN_PRIMITIVE,
SNMP_EXCEPTION_NOSUCHINSTANCE,
SNMP_EXCEPTION_ENDOFMIBVIEW,
SNMP_EXTENSION_GET = SNMP_PDU_GET,
SNMP_EXTENSION_GET_NEXT = SNMP_PDU_GETNEXT,
SNMP_EXTENSION_GET_BULK = SNMP_PDU_GETBULK,
SNMP_EXTENSION_SET_TEST = ASN_PRIVATE | ASN_CONSTRUCTOR,
SNMP_EXTENSION_SET_COMMIT = SNMP_PDU_SET,
SNMP_EXTENSION_SET_UNDO = ASN_PRIVATE | ASN_CONSTRUCTOR | 1,
SNMP_EXTENSION_SET_CLEANUP
}
enum : AsnInteger {
SNMP_ERRORSTATUS_NOERROR,
SNMP_ERRORSTATUS_TOOBIG,
SNMP_ERRORSTATUS_NOSUCHNAME,
SNMP_ERRORSTATUS_BADVALUE,
SNMP_ERRORSTATUS_READONLY,
SNMP_ERRORSTATUS_GENERR,
SNMP_ERRORSTATUS_NOACCESS,
SNMP_ERRORSTATUS_WRONGTYPE,
SNMP_ERRORSTATUS_WRONGLENGTH,
SNMP_ERRORSTATUS_WRONGENCODING,
SNMP_ERRORSTATUS_WRONGVALUE,
SNMP_ERRORSTATUS_NOCREATION,
SNMP_ERRORSTATUS_INCONSISTENTVALUE,
SNMP_ERRORSTATUS_RESOURCEUNAVAILABLE,
SNMP_ERRORSTATUS_COMMITFAILED,
SNMP_ERRORSTATUS_UNDOFAILED,
SNMP_ERRORSTATUS_AUTHORIZATIONERROR,
SNMP_ERRORSTATUS_NOTWRITABLE,
SNMP_ERRORSTATUS_INCONSISTENTNAME
}
enum : AsnInteger {
SNMP_GENERICTRAP_COLDSTART,
SNMP_GENERICTRAP_WARMSTART,
SNMP_GENERICTRAP_LINKDOWN,
SNMP_GENERICTRAP_LINKUP,
SNMP_GENERICTRAP_AUTHFAILURE,
SNMP_GENERICTRAP_EGPNEIGHLOSS,
SNMP_GENERICTRAP_ENTERSPECIFIC
}
// These are not documented on MSDN
enum {
SNMP_ACCESS_NONE,
SNMP_ACCESS_NOTIFY,
SNMP_ACCESS_READ_ONLY,
SNMP_ACCESS_READ_WRITE,
SNMP_ACCESS_READ_CREATE
}
enum : BOOL {
SNMPAPI_ERROR = false,
SNMPAPI_NOERROR = true
}
enum : INT {
SNMP_LOG_SILENT,
SNMP_LOG_FATAL,
SNMP_LOG_ERROR,
SNMP_LOG_WARNING,
SNMP_LOG_TRACE,
SNMP_LOG_VERBOSE
}
const INT
SNMP_OUTPUT_TO_CONSOLE = 1,
SNMP_OUTPUT_TO_LOGFILE = 2,
SNMP_OUTPUT_TO_EVENTLOG = 4,
SNMP_OUTPUT_TO_DEBUGGER = 8;
const size_t SNMP_MAX_OID_LEN = 128;
enum : DWORD {
SNMP_MEM_ALLOC_ERROR = 1,
SNMP_BERAPI_INVALID_LENGTH = 10,
SNMP_BERAPI_INVALID_TAG,
SNMP_BERAPI_OVERFLOW,
SNMP_BERAPI_SHORT_BUFFER,
SNMP_BERAPI_INVALID_OBJELEM,
SNMP_PDUAPI_UNRECOGNIZED_PDU = 20,
SNMP_PDUAPI_INVALID_ES,
SNMP_PDUAPI_INVALID_GT,
SNMP_AUTHAPI_INVALID_VERSION = 30,
SNMP_AUTHAPI_INVALID_MSG_TYPE,
SNMP_AUTHAPI_TRIV_AUTH_FAILED,
}
alias INT SNMPAPI;
alias LONG AsnInteger32;
alias ULONG AsnUnsigned32, AsnCounter32, AsnGauge32, AsnTimeticks;
alias ULARGE_INTEGER AsnCounter64;
align (4):
struct AsnOctetString {
BYTE* stream;
UINT length;
BOOL dynamic;
}
alias AsnOctetString AsnBits, AsnSequence, AsnImplicitSequence,
AsnIPAddress, AsnNetworkAddress, AsnDisplayString, AsnOpaque;
struct AsnObjectIdentifier {
UINT idLength;
UINT* ids;
}
alias AsnObjectIdentifier AsnObjectName;
struct AsnAny {
BYTE asnType;
union _asnValue {
AsnInteger32 number;
AsnUnsigned32 unsigned32;
AsnCounter64 counter64;
AsnOctetString string;
AsnBits bits;
AsnObjectIdentifier object;
AsnSequence sequence;
AsnIPAddress address;
AsnCounter32 counter;
AsnGauge32 gauge;
AsnTimeticks ticks;
AsnOpaque arbitrary;
}
_asnValue asnValue;
}
alias AsnAny AsnObjectSyntax;
struct SnmpVarBind {
AsnObjectName name;
AsnObjectSyntax value;
}
struct SnmpVarBindList {
SnmpVarBind* list;
UINT len;
}
extern (Windows) {
VOID SnmpExtensionClose();
BOOL SnmpExtensionInit(DWORD, HANDLE*, AsnObjectIdentifier*);
BOOL SnmpExtensionInitEx(AsnObjectIdentifier*);
BOOL SnmpExtensionMonitor(LPVOID);
BOOL SnmpExtensionQuery(BYTE, SnmpVarBindList*, AsnInteger32*,
AsnInteger32*);
BOOL SnmpExtensionQueryEx(DWORD, DWORD, SnmpVarBindList*, AsnOctetString*,
AsnInteger32*, AsnInteger32*);
BOOL SnmpExtensionTrap(AsnObjectIdentifier*, AsnInteger32*, AsnInteger32*,
AsnTimeticks*, SnmpVarBindList*);
DWORD SnmpSvcGetUptime();
VOID SnmpSvcSetLogLevel(INT);
VOID SnmpSvcSetLogType(INT);
SNMPAPI SnmpUtilAsnAnyCpy(AsnAny*, AsnAny*);
VOID SnmpUtilAsnAnyFree(AsnAny*);
VOID SnmpUtilDbgPrint(INT, LPSTR, ...);
LPSTR SnmpUtilIdsToA(UINT*, UINT);
LPVOID SnmpUtilMemAlloc(UINT);
VOID SnmpUtilMemFree(LPVOID);
LPVOID SnmpUtilMemReAlloc(LPVOID, UINT);
SNMPAPI SnmpUtilOctetsCmp(AsnOctetString*, AsnOctetString*);
SNMPAPI SnmpUtilOctetsCpy(AsnOctetString*, AsnOctetString*);
VOID SnmpUtilOctetsFree(AsnOctetString*);
SNMPAPI SnmpUtilOctetsNCmp(AsnOctetString*, AsnOctetString*, UINT);
SNMPAPI SnmpUtilOidAppend(AsnObjectIdentifier*, AsnObjectIdentifier*);
SNMPAPI SnmpUtilOidCmp(AsnObjectIdentifier*, AsnObjectIdentifier*);
SNMPAPI SnmpUtilOidCpy(AsnObjectIdentifier*, AsnObjectIdentifier*);
VOID SnmpUtilOidFree(AsnObjectIdentifier*);
SNMPAPI SnmpUtilOidNCmp(AsnObjectIdentifier*, AsnObjectIdentifier*, UINT);
LPSTR SnmpUtilOidToA(AsnObjectIdentifier*);
VOID SnmpUtilPrintAsnAny(AsnAny*);
VOID SnmpUtilPrintOid(AsnObjectIdentifier*);
SNMPAPI SnmpUtilVarBindCpy(SnmpVarBind*, SnmpVarBind*);
SNMPAPI SnmpUtilVarBindListCpy(SnmpVarBindList*, SnmpVarBindList*);
VOID SnmpUtilVarBindFree(SnmpVarBind*);
VOID SnmpUtilVarBindListFree(SnmpVarBindList*);
}
alias SnmpUtilMemAlloc SNMP_malloc;
alias SnmpUtilMemFree SNMP_free;
alias SnmpUtilMemReAlloc SNMP_realloc;
alias SnmpUtilMemAlloc SNMP_DBG_malloc;
alias SnmpUtilMemFree SNMP_DBG_free;
alias SnmpUtilMemReAlloc SNMP_DBG_realloc;
alias SnmpUtilOidAppend SNMP_oidappend;
alias SnmpUtilOidCmp SNMP_oidcmp;
alias SnmpUtilOidCpy SNMP_oidcpy;
alias SnmpUtilOidFree SNMP_oidfree;
alias SnmpUtilOidNCmp SNMP_oidncmp;
alias SnmpUtilPrintAsnAny SNMP_printany;
alias SnmpUtilVarBindCpy SNMP_CopyVarBind;
alias SnmpUtilVarBindListCpy SNMP_CopyVarBindList;
alias SnmpUtilVarBindFree SNMP_FreeVarBind;
alias SnmpUtilVarBindListFree SNMP_FreeVarBindList;
alias ASN_IPADDRESS ASN_RFC1155_IPADDRESS;
alias ASN_COUNTER32 ASN_RFC1155_COUNTER;
alias ASN_GAUGE32 ASN_RFC1155_GAUGE;
alias ASN_TIMETICKS ASN_RFC1155_TIMETICKS;
alias ASN_OPAQUE ASN_RFC1155_OPAQUE;
alias ASN_OCTETSTRING ASN_RFC1213_DISPSTRING;
alias SNMP_PDU_GET ASN_RFC1157_GETREQUEST;
alias SNMP_PDU_GETNEXT ASN_RFC1157_GETNEXTREQUEST;
alias SNMP_PDU_RESPONSE ASN_RFC1157_GETRESPONSE;
alias SNMP_PDU_SET ASN_RFC1157_SETREQUEST;
alias SNMP_PDU_V1TRAP ASN_RFC1157_TRAP;
alias ASN_CONTEXT ASN_CONTEXTSPECIFIC;
alias ASN_PRIMITIVE ASN_PRIMATIVE;
alias SnmpVarBindList RFC1157VarBindList;
alias SnmpVarBind RFC1157VarBind;
alias AsnInteger32 AsnInteger;
alias AsnCounter32 AsnCounter;
alias AsnGauge32 AsnGauge;
|
D
|
# FIXED
pru.obj: C:/team5demoday/mylabs/final_v1/src/pru.c
pru.obj: C:/team5demoday/_shared/bsl/inc/evmomapl138.h
pru.obj: C:/CCStudio_v7/ccsv7/tools/compiler/c6000_7.4.22/include/stdint.h
pru.obj: C:/team5demoday/_shared/bsl/inc/evmomapl138_sysconfig.h
pru.obj: C:/team5demoday/_shared/bsl/inc/evmomapl138_psc.h
pru.obj: C:/team5demoday/_shared/bsl/inc/evmomapl138_pll.h
pru.obj: C:/team5demoday/mylabs/final_v1/include/pru.h
C:/team5demoday/mylabs/final_v1/src/pru.c:
C:/team5demoday/_shared/bsl/inc/evmomapl138.h:
C:/CCStudio_v7/ccsv7/tools/compiler/c6000_7.4.22/include/stdint.h:
C:/team5demoday/_shared/bsl/inc/evmomapl138_sysconfig.h:
C:/team5demoday/_shared/bsl/inc/evmomapl138_psc.h:
C:/team5demoday/_shared/bsl/inc/evmomapl138_pll.h:
C:/team5demoday/mylabs/final_v1/include/pru.h:
|
D
|
module hashset;
import std.experimental.logger;
import std.stdio;
import std.string;
T nextPOT(T)(T x) {
--x;
x |= x >> 1;
x |= x >> 2;
x |= x >> 4;
static if (T.sizeof >= 16) x |= x >> 8;
static if (T.sizeof >= 32) x |= x >> 16;
static if (T.sizeof >= 64) x |= x >> 32;
++x;
return x;
}
struct HashSet(Key, Key nullKey = Key.max)
{
import std.experimental.allocator.gc_allocator;
import std.experimental.allocator.mallocator;
Key[] keys;
size_t length;
private bool resizing;
//alias allocator = Mallocator.instance;
alias allocator = GCAllocator.instance;
this(ubyte[] array, size_t length) {
keys = cast(Key[])array;
this.length = length;
}
ubyte[] getTable() {
return cast(ubyte[])keys;
}
@property size_t capacity() const { return keys.length; }
void remove(Key key) {
auto idx = findIndex(key);
if (idx == size_t.max) return;
auto i = idx;
while (true)
{
keys[i] = nullKey;
size_t j = i, r;
do {
if (++i >= keys.length) i -= keys.length;
if (keys[i] == nullKey)
{
--length;
return;
}
r = keys[i] & (keys.length-1);
}
while ((j<r && r<=i) || (i<j && j<r) || (r<=i && i<j));
keys[j] = keys[i];
}
}
void clear() {
keys[] = nullKey;
length = 0;
}
void put(Key key) {
grow(1);
auto i = findInsertIndex(key);
if (keys[i] != key) ++length;
keys[i] = key;
}
bool opIndex(Key key) inout {
auto idx = findIndex(key);
return idx != size_t.max;
}
bool opBinaryRight(string op)(Key key) inout if (op == "in") {
auto idx = findIndex(key);
return idx != size_t.max;
}
int opApply(int delegate(Key) del) {
foreach (i; 0 .. keys.length)
if (keys[i] != nullKey)
if (auto ret = del(keys[i]))
return ret;
return 0;
}
void reserve(size_t amount) {
auto newcap = ((length + amount) * 3) / 2;
resize(newcap);
}
void shrink() {
auto newcap = length * 3 / 2;
resize(newcap);
}
void printStats() {
writefln("cap %s len %s", capacity, length);
}
private size_t findIndex(Key key) const {
if (length == 0) return size_t.max;
size_t start = key & (keys.length-1);
auto i = start;
while (keys[i] != key) {
if (keys[i] == nullKey) return size_t.max;
if (++i >= keys.length) i -= keys.length;
if (i == start) return size_t.max;
}
return i;
}
private size_t findInsertIndex(Key key) const {
size_t target = key & (keys.length-1);
auto i = target;
while (keys[i] != nullKey && keys[i] != key) {
if (++i >= keys.length) i -= keys.length;
assert (i != target, "No free bucket found, HashMap full!?");
}
return i;
}
private void grow(size_t amount) {
auto newsize = length + amount;
if (newsize < (keys.length*2)/3) return;
auto newcap = keys.length ? keys.length : 1;
while (newsize >= (newcap*2)/3) newcap *= 2;
resize(newcap);
}
private void resize(size_t newSize)
{
assert(!resizing);
resizing = true;
scope(exit) resizing = false;
newSize = nextPOT(newSize);
auto oldKeys = keys;
if (newSize) {
void[] array = allocator.allocate(Key.sizeof * newSize);
keys = cast(Key[])array;
keys[] = nullKey;
foreach (i, ref key; oldKeys) {
if (key != nullKey) {
auto idx = findInsertIndex(key);
keys[idx] = key;
}
}
} else {
keys = null;
}
if (oldKeys) {
void[] arr = cast(void[])oldKeys;
allocator.deallocate(arr);
}
}
void toString()(scope void delegate(const(char)[]) sink)
{
import std.format : formattedWrite;
sink.formattedWrite("[",);
foreach(key; this)
{
sink.formattedWrite("%s, ", key);
}
sink.formattedWrite("]");
}
}
/*
unittest {
BlockEntityMap map;
foreach (ushort i; 0 .. 100) {
map[i] = i;
assert(map.length == i+1);
}
map.printStats();
foreach (ushort i; 0 .. 100) {
auto pe = i in map;
assert(pe !is null && *pe == i);
assert(map[i] == i);
}
map.printStats();
foreach (ushort i; 0 .. 50) {
map.remove(i);
assert(map.length == 100-i-1);
}
map.shrink();
map.printStats();
foreach (ushort i; 50 .. 100) {
auto pe = i in map;
assert(pe !is null && *pe == i);
assert(map[i] == i);
}
map.printStats();
foreach (ushort i; 50 .. 100) {
map.remove(i);
assert(map.length == 100-i-1);
}
map.printStats();
map.shrink();
map.printStats();
map.reserve(100);
map.printStats();
}*/
unittest {
ushort[] keys = [140,268,396,524,652,780,908,28,156,284,
412,540,668,796,924,920,792,664,536,408,280,152,24];
HashSet!ushort set;
foreach (i, ushort key; keys) {
//writefln("set1 %s %s", set, set.length);
set.put(key);
//writefln("set2 %s %s", set, set.length);
assert(set.length == i+1, format("%s %s", i+1, set.length));
assert(key in set);
}
}
|
D
|
var int Fisk_ItemsGiven_Chapter_1;
var int Fisk_ItemsGiven_Chapter_2;
var int Fisk_ItemsGiven_Chapter_3;
var int Fisk_ItemsGiven_Chapter_4;
var int Fisk_ItemsGiven_Chapter_5;
FUNC VOID B_GiveTradeInv_Mod_Fisk_MT (var C_NPC slf)
{
if ((Kapitel >= 1)
&& (Fisk_ItemsGiven_Chapter_1 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 100);
CreateInvItems (slf, ItKe_Lockpick, 10);
CreateInvItems (slf, ItSc_Sleep, 2);
CreateInvItems (slf, ItRw_Arrow, 100);
CreateInvItems (slf, ItRw_Bolt, 100);
CreateInvItems (slf, ItMi_Nugget, 20);
CreateInvItems (slf, ItMi_GoldNugget_Addon, 13);
CreateInvItems (slf, ItMi_Joint, 15);
//Gürtel
CreateInvItems (slf, ItBE_Addon_Leather_01, 1);
CreateInvItems (slf, ItRu_TeleportOldCamp, 1);
CreateInvItems (slf, ItRw_Crossbow_L_01, 1);
CreateInvItems (slf, ItRw_Crossbow_L_02, 1);
CreateInvItems (slf, ItRw_Bow_L_03, 1);
CreateInvItems (slf, ItRw_Bow_L_04, 1);
CreateInvItems (slf, ItRw_Sld_Bow, 1);
CreateInvItems (slf, ItMw_Nagelkeule2, 1);
CreateInvItems (slf, ItMw_1h_Mil_Sword, 1);
CreateInvItems (slf, ItMw_1h_Sld_Axe, 1);
CreateInvItems (slf, ItMw_1h_Sld_Sword, 1);
CreateInvItems (slf, ItMw_Nagelkeule, 1);
CreateInvItems (slf, ItMW_Addon_Knife01, 1);
CreateInvItems (slf, ItMw_Streitaxt1, 1);
CreateInvItems (slf, ItMw_2h_Sld_Axe, 1);
CreateInvItems (slf, ItMw_2h_Sld_Sword, 1);
CreateInvItems (slf, ItMw_2h_Bau_Axe, 1);
CreateInvItems (slf, ItMw_Richtstab, 1);
Fisk_ItemsGiven_Chapter_1 = TRUE;
};
if ((Kapitel >= 2)
&& (Fisk_ItemsGiven_Chapter_2 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 250);
CreateInvItems (slf, ItRw_Arrow, 50);
CreateInvItems (slf, ItRw_Bolt, 30);
CreateInvItems (slf, ItAt_ShadowHorn, 1);
CreateInvItems (slf, ItRw_Crossbow_M_01, 1);
CreateInvItems (slf, ItRw_Bow_M_01, 1);
CreateInvItems (slf, ItMw_Schwert, 1);
CreateInvItems (slf, ItMw_Spicker, 1);
CreateInvItems (slf, ItMw_Morgenstern, 1);
CreateInvItems (slf, ItMw_Zweihaender2, 1);
Fisk_ItemsGiven_Chapter_2 = TRUE;
};
if ((Kapitel >= 3)
&& (Fisk_ItemsGiven_Chapter_3 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 450);
CreateInvItems (slf, ItRw_Arrow, 70);
CreateInvItems (slf, ItRw_Bolt, 50);
CreateInvItems (slf, ItBe_Addon_Prot_Point, 1);
//Joly: ERZROHLING!! NICHT ZU VIELE !!!
//***********************************
CreateInvItems (slf, ItMi_Nugget, 1);
//***********************************
CreateInvItems (slf, ItRw_Crossbow_M_02, 1);
CreateInvItems (slf, ItRw_Bow_M_03, 1);
CreateInvItems (slf, ItRw_Bow_M_04, 1);
CreateInvItems (slf, ItMw_Streitkolben, 1);
CreateInvItems (slf, ItMw_Rabenschnabel, 1);
CreateInvItems (slf, ItMw_Inquisitor, 1);
CreateInvItems (slf, ItMw_Kriegshammer2, 1);
CreateInvItems (slf, ItMw_Zweihaender3, 1);
CreateInvItems (slf, ItMw_Zweihaender4, 1);
Fisk_ItemsGiven_Chapter_3 = TRUE;
};
if ((Kapitel >= 4)
&& (Fisk_ItemsGiven_Chapter_4 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 700);
CreateInvItems (slf, ItMiSwordraw, 1);
CreateInvItems (slf, ItRw_Arrow, 80);
CreateInvItems (slf, ItRw_Bolt, 60);
CreateInvItems (slf, ItBe_Addon_Prot_EDGE, 1);
CreateInvItems (slf, ItBe_Addon_Prot_EdgPoi, 1);
CreateInvItems (slf, ItRw_Crossbow_H_01, 1);
CreateInvItems (slf, ItRw_Bow_H_01, 1);
CreateInvItems (slf, ItRw_Bow_H_02, 1);
CreateInvItems (slf, ItMw_Folteraxt, 1);
CreateInvItems (slf, ItMw_Barbarenstreitaxt, 1);
//Joly: ERZROHLING!! NICHT ZU VIELE !!!
//***********************************
CreateInvItems (slf, ItMi_Nugget, 2);
//***********************************
Fisk_ItemsGiven_Chapter_4 = TRUE;
};
if ((Kapitel >= 5)
&& (Fisk_ItemsGiven_Chapter_5 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 1100);
CreateInvItems (slf, ItRw_Arrow, 100);
CreateInvItems (slf, ItRw_Bolt, 70);
CreateInvItems (slf, ItRw_Crossbow_H_02, 1);
CreateInvItems (slf, ItRw_Bow_H_04, 1);
CreateInvItems (slf, ItMw_Berserkeraxt, 1);
Fisk_ItemsGiven_Chapter_5 = TRUE;
};
};
|
D
|
/home/xavi_nadal/Projects/algorithms_and_complexity_challenge/alignment_rust/target/rls/debug/deps/alignment_rust-a0a169c1b26de812.rmeta: src/lib.rs
/home/xavi_nadal/Projects/algorithms_and_complexity_challenge/alignment_rust/target/rls/debug/deps/alignment_rust-a0a169c1b26de812.d: src/lib.rs
src/lib.rs:
|
D
|
/Users/sinakhanjani/vapor/app/build/app.build/Debug/Kanna.build/Objects-normal/x86_64/libxmlHTMLNode.o : /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/CSS.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/Kanna.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/Deprecated.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlHTMLNode.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlParserOption.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlHTMLDocument.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 /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/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable2.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Math64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationDB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/QD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOBSD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AE.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AIFF.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecACL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncCMM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATS.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_media.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDSchema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds_schema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/Metadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unpcb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/sbp2/IOFireWireSBP2Lib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/ATASMARTLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITaskLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USBSpec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Headers/ColorSync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/xpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filedesc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-load.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOFramebufferShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ColorSyncDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpenDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfoDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vcmd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Pasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit_record.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/i2c/IOI2CInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/IOSCSIMultimediaCommandsDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecStaticCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MixedMode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTDNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AVLTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/IconStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncProfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapple.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOAppleLabelScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOGUIDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOApplePartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFDiskPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFilterScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsEngine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSQuarantine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/pipe.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTType.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/StringCompare.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/KeychainCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CarbonCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/BackupCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/IconsCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PrintCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/SecurityCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsbase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendarDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLibObsolete.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/route.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFSerialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFUnserialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/conf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/buf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msgbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/InternetConfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmconfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsalg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Debugging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeFlattening.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CodeSigning.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXTextAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Multiprocessing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjectScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/NumberFormatting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEMach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/launch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLibIsoch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentitySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/FixMath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmaci.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmdli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtpi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOSharedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserScriptTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADisk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/disk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDLabel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEDataModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ncurses_dll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Protocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSCacheControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kern_control.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unctrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/eisl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/LowMem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransformReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDecodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCustomTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncryptTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDigestTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSignVerifyTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/libbsm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkMedium.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOUPSPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevicePlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sys_domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/shared_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DASession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/OSMessageNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustedApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSMethodInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DiskArbitration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverSynchronization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Authorization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/connection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommandDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/gmon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CSCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireFamilyCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MultiprocessingInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/ev_keymap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/fp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resourcevar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signalvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socketvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Finder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Coder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSDecoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/kext/KextManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProtocolChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSProtocolHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCoercionHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBackgroundActivityScheduler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Timer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/user.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDParameter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADissenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDImporter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDriver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/event_status_driver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortNameServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSpellServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/Power.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dir.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGarbageCollector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmerr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_unistr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificateOIDs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageCardCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageDeviceCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFireWireStorageCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageProtocolCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageControllerCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PLStringFuncs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Threads.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oids.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptStandardSuiteCommands.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/OSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Headers/CoreServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LaunchServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/TranslationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/DictionaryServices.framework/Headers/DictionaryServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPowerSources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Resources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/IntlResources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandOperationCodes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacLocales.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDUsageTables.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Files.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/HFSVolumes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/IOATAStorageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintAETypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHFSFileTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTCoreTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEUserTermTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kernel_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Aliases.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/curses.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Processes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Templates.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REQUEST_SENSE_Defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLibDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/x509defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationTags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeGlyphs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/SpeechSynthesis.framework/Headers/SpeechSynthesis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LanguageAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LangAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UTCUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/OSUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DateTimeUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/ToolUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/XPCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Icons.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/certextensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Collections.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/AppleUSBDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_MODE_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REPORT_LUNS_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_INQUIRY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_READ_CAPACITY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBHostFamilyDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNodeOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MachineExceptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Folders.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptObjectSpecifiers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEHelpers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-class.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/UniversalAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeDirectAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/ioss.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXRoleConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXAttributeConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValueConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXNotificationConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXActionConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CodeFragments.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Components.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/FSEvents.framework/Headers/FSEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AppleEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Fonts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptWhoseTests.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCConsts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPSKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDEventServiceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/IOSerialKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintSettingsKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PEFBinaryFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_format.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dkstat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acct.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEPackObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistantObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelSurfaceConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelClientConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SearchKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Gestalt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkUserClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXUIElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRequirement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOLLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/endpoint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Script.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleScript.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/netport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/SharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/LSSharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptExecutionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utfconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Quickdraw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKIndex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSummary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/Dictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DiskSpaceRecovery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacMemory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AERegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptSuiteRegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Accessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityAuthority.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/tty.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ffi/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/CommonCrypto/module.modulemap /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libxslt/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libexslt/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tidy/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/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/sinakhanjani/vapor/app/build/app.build/Debug/Kanna.build/Objects-normal/x86_64/libxmlHTMLNode~partial.swiftmodule : /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/CSS.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/Kanna.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/Deprecated.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlHTMLNode.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlParserOption.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlHTMLDocument.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 /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/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable2.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Math64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationDB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/QD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOBSD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AE.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AIFF.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecACL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncCMM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATS.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_media.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDSchema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds_schema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/Metadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unpcb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/sbp2/IOFireWireSBP2Lib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/ATASMARTLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITaskLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USBSpec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Headers/ColorSync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/xpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filedesc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-load.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOFramebufferShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ColorSyncDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpenDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfoDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vcmd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Pasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit_record.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/i2c/IOI2CInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/IOSCSIMultimediaCommandsDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecStaticCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MixedMode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTDNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AVLTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/IconStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncProfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapple.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOAppleLabelScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOGUIDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOApplePartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFDiskPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFilterScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsEngine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSQuarantine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/pipe.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTType.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/StringCompare.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/KeychainCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CarbonCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/BackupCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/IconsCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PrintCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/SecurityCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsbase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendarDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLibObsolete.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/route.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFSerialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFUnserialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/conf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/buf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msgbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/InternetConfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmconfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsalg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Debugging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeFlattening.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CodeSigning.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXTextAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Multiprocessing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjectScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/NumberFormatting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEMach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/launch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLibIsoch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentitySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/FixMath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmaci.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmdli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtpi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOSharedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserScriptTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADisk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/disk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDLabel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEDataModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ncurses_dll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Protocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSCacheControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kern_control.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unctrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/eisl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/LowMem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransformReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDecodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCustomTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncryptTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDigestTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSignVerifyTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/libbsm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkMedium.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOUPSPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevicePlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sys_domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/shared_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DASession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/OSMessageNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustedApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSMethodInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DiskArbitration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverSynchronization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Authorization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/connection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommandDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/gmon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CSCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireFamilyCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MultiprocessingInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/ev_keymap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/fp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resourcevar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signalvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socketvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Finder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Coder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSDecoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/kext/KextManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProtocolChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSProtocolHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCoercionHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBackgroundActivityScheduler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Timer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/user.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDParameter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADissenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDImporter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDriver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/event_status_driver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortNameServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSpellServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/Power.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dir.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGarbageCollector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmerr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_unistr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificateOIDs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageCardCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageDeviceCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFireWireStorageCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageProtocolCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageControllerCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PLStringFuncs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Threads.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oids.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptStandardSuiteCommands.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/OSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Headers/CoreServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LaunchServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/TranslationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/DictionaryServices.framework/Headers/DictionaryServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPowerSources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Resources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/IntlResources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandOperationCodes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacLocales.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDUsageTables.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Files.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/HFSVolumes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/IOATAStorageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintAETypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHFSFileTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTCoreTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEUserTermTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kernel_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Aliases.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/curses.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Processes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Templates.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REQUEST_SENSE_Defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLibDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/x509defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationTags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeGlyphs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/SpeechSynthesis.framework/Headers/SpeechSynthesis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LanguageAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LangAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UTCUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/OSUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DateTimeUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/ToolUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/XPCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Icons.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/certextensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Collections.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/AppleUSBDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_MODE_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REPORT_LUNS_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_INQUIRY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_READ_CAPACITY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBHostFamilyDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNodeOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MachineExceptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Folders.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptObjectSpecifiers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEHelpers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-class.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/UniversalAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeDirectAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/ioss.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXRoleConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXAttributeConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValueConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXNotificationConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXActionConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CodeFragments.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Components.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/FSEvents.framework/Headers/FSEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AppleEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Fonts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptWhoseTests.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCConsts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPSKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDEventServiceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/IOSerialKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintSettingsKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PEFBinaryFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_format.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dkstat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acct.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEPackObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistantObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelSurfaceConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelClientConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SearchKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Gestalt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkUserClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXUIElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRequirement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOLLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/endpoint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Script.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleScript.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/netport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/SharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/LSSharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptExecutionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utfconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Quickdraw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKIndex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSummary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/Dictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DiskSpaceRecovery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacMemory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AERegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptSuiteRegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Accessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityAuthority.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/tty.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ffi/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/CommonCrypto/module.modulemap /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libxslt/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libexslt/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tidy/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/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/sinakhanjani/vapor/app/build/app.build/Debug/Kanna.build/Objects-normal/x86_64/libxmlHTMLNode~partial.swiftdoc : /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/CSS.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/Kanna.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/Deprecated.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlHTMLNode.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlParserOption.swift /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Sources/Kanna/libxmlHTMLDocument.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 /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/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable2.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Math64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationDB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/QD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOBSD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AE.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AIFF.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecACL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncCMM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATS.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_media.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDSchema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds_schema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/Metadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unpcb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/sbp2/IOFireWireSBP2Lib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/ATASMARTLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITaskLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USBSpec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Headers/ColorSync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/xpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filedesc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-load.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOFramebufferShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ColorSyncDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpenDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfoDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vcmd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Pasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit_record.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/i2c/IOI2CInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/IOSCSIMultimediaCommandsDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecStaticCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MixedMode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTDNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AVLTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/IconStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncProfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapple.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOAppleLabelScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOGUIDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOApplePartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFDiskPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFilterScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsEngine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSQuarantine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/pipe.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTType.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/StringCompare.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/KeychainCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CarbonCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/BackupCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/IconsCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PrintCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/SecurityCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsbase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendarDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLibObsolete.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/route.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFSerialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFUnserialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/conf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/buf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msgbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/InternetConfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmconfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsalg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Debugging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeFlattening.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CodeSigning.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXTextAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Multiprocessing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjectScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/NumberFormatting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEMach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/launch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLibIsoch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentitySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/FixMath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmaci.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmdli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtpi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOSharedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserScriptTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADisk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/disk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDLabel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEDataModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ncurses_dll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Protocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSCacheControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kern_control.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unctrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/eisl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/LowMem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransformReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDecodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCustomTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncryptTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDigestTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSignVerifyTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/libbsm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkMedium.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOUPSPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevicePlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sys_domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/shared_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DASession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/OSMessageNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustedApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSMethodInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DiskArbitration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverSynchronization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Authorization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/connection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommandDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/gmon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CSCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireFamilyCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MultiprocessingInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/ev_keymap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/fp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resourcevar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signalvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socketvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Finder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Coder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSDecoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/kext/KextManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProtocolChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSProtocolHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCoercionHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBackgroundActivityScheduler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Timer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/user.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDParameter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADissenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDImporter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDriver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/event_status_driver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortNameServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSpellServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/Power.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dir.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGarbageCollector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmerr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_unistr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificateOIDs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageCardCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageDeviceCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFireWireStorageCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageProtocolCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageControllerCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PLStringFuncs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Threads.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oids.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptStandardSuiteCommands.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/OSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Headers/CoreServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LaunchServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/TranslationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/DictionaryServices.framework/Headers/DictionaryServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPowerSources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Resources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/IntlResources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandOperationCodes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacLocales.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDUsageTables.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Files.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/HFSVolumes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/IOATAStorageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintAETypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHFSFileTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTCoreTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEUserTermTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kernel_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Aliases.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/curses.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Processes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Templates.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REQUEST_SENSE_Defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLibDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/x509defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationTags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeGlyphs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/SpeechSynthesis.framework/Headers/SpeechSynthesis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LanguageAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LangAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UTCUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/OSUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DateTimeUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/ToolUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/XPCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Icons.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/certextensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Collections.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/AppleUSBDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_MODE_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REPORT_LUNS_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_INQUIRY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_READ_CAPACITY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBHostFamilyDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNodeOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MachineExceptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Folders.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptObjectSpecifiers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEHelpers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-class.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/UniversalAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeDirectAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/ioss.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXRoleConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXAttributeConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValueConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXNotificationConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXActionConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CodeFragments.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Components.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/FSEvents.framework/Headers/FSEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AppleEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Fonts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptWhoseTests.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCConsts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPSKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDEventServiceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/IOSerialKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintSettingsKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PEFBinaryFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_format.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dkstat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acct.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEPackObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistantObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelSurfaceConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelClientConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SearchKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Gestalt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkUserClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXUIElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRequirement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOLLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/endpoint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Script.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleScript.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/netport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/SharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/LSSharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptExecutionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utfconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Quickdraw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKIndex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSummary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/Dictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DiskSpaceRecovery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacMemory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AERegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptSuiteRegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Accessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityAuthority.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/tty.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/module.map /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ffi/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/CommonCrypto/module.modulemap /Users/sinakhanjani/vapor/app/.build/checkouts/Kanna/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libxslt/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libexslt/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tidy/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/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
|
int main()
{
double a;
double b;
a = b = 1.2;
Print(a);
Print(b);
}
|
D
|
module vksdk.objects.base.Country;
import vibe.data.json;
/**
* Country object
*/
class Country {
/**
* Country ID
*/
@name("id")
private int id;
/**
* Country title
*/
@name("title")
private string title;
int getId() {
return id;
}
string getTitle() {
return title;
}
}
|
D
|
a person who jumps
an athlete who competes at jumping
a crocheted or knitted garment covering the upper part of the body
a coverall worn by children
a small connector used to make temporary electrical connections
a loose jacket or blouse worn by workmen
a sleeveless dress resembling an apron
(basketball) a player releases the basketball at the high point of a jump
|
D
|
/*
REQUIRED_ARGS:
TEST_OUTPUT:
---
fail_compilation/test20809.d(114): Error: returning `this.a` escapes a reference to parameter `this`
fail_compilation/test20809.d(112): perhaps annotate the function with `return`
---
*/
// https://issues.dlang.org/show_bug.cgi?id=20809
#line 100
@safe:
struct S
{
@safe:
int a;
~this()
{
a = 0;
}
ref int val()
{
return a;
}
}
S bar()
{
return S(2);
}
int foo()
{
return bar.val;
}
void test()
{
assert(foo() == 2);
}
|
D
|
/Users/davidwg/Work/whackadep/webUI/target/debug/build/httparse-845727734b5506ca/build_script_build-845727734b5506ca: /Users/davidwg/.cargo/registry/src/github.com-1ecc6299db9ec823/httparse-1.3.4/build.rs
/Users/davidwg/Work/whackadep/webUI/target/debug/build/httparse-845727734b5506ca/build_script_build-845727734b5506ca.d: /Users/davidwg/.cargo/registry/src/github.com-1ecc6299db9ec823/httparse-1.3.4/build.rs
/Users/davidwg/.cargo/registry/src/github.com-1ecc6299db9ec823/httparse-1.3.4/build.rs:
|
D
|
import mdns;
import messages;
import prefs;
import rendering;
import std.algorithm;
import std.concurrency;
import std.experimental.logger;
import std.process;
import std.stdio;
import std.string;
import std.range;
import optional;
import beebotte;
import dotstar;
auto routes(immutable(Prefs) prefs, Tid renderer)
{
import vibe.core.core : exitEventLoop;
import restinterface;
import std.functional;
import vibe.http.fileserver;
import vibe.http.router;
import vibe.web.rest;
import vibe.web.web;
import webinterface;
auto webInterface = new WebInterface(renderer);
// dfmt off
return new URLRouter()
.registerWebInterface(webInterface)
.registerRestInterface(new RestInterface(renderer), "api")
.get("*", serveStaticFiles("./public/"));
// dfmt on
}
auto httpSettings(T)(T prefs)
{
import std.conv;
import vibe.http.server;
auto bind = prefs.get("bind").to!string;
return new HTTPServerSettings(bind);
}
int main(string[] args)
{
/+
auto strip = new SpiStrip(64);
for (int i=0; i<64; i++) {
strip.set(i, cast(ubyte) 0xff, cast(ubyte) i, cast(ubyte) 0, cast(ubyte) 0);
}
strip.refresh();
return 0;
+/
import core.thread;
import vibe.core.core : runApplication;
import vibe.http.server : listenHTTP;
info("sdrip");
/+
if (args.length >= 2)
{
import sdrip.misc.tcpreceiver;
switch (args[1])
{
case "tcpreceiver":
return sdrip.misc.tcpreceiver.receive(args.remove(1));
default:
break;
}
}
+/
auto settings = prefs.load("settings.yaml",
"settings.yaml.%s".format(execute("hostname").output.strip));
auto renderer = std.concurrency.spawnLinked(&renderloop, settings);
auto announcement = mdns.announceServer(settings);
scope (exit)
{
announcement.kill;
announcement.wait;
}
auto listener = listenHTTP(httpSettings(settings), routes(settings, renderer));
scope (exit)
{
listener.stopListening;
}
// setupBeebotte(settings, renderer); // disable for now
auto status = runApplication(null);
return 0;
}
|
D
|
module tests.fail.normal;
import unit_threaded;
@("wrong.0")
unittest {
shouldBeTrue(5 == 3);
shouldBeFalse(5 == 5);
5.shouldEqual(5);
5.shouldNotEqual(3);
5.shouldEqual(3);
}
@("wrong.1")
unittest {
shouldBeTrue(false);
}
@("right")
unittest {
shouldBeTrue(true);
}
@("true")
unittest {
shouldBeTrue(true);
}
@("equalVars")
unittest {
immutable foo = 4;
immutable bar = 6;
foo.shouldEqual(bar);
}
void someFun() {
//not going to be executed as part of the testsuite
assert(0, "Never going to happen");
}
@("stringEqual")
unittest {
"foo".shouldEqual("bar");
}
@("stringEqualFails")
unittest {
"foo".shouldEqual("bar");
}
@("stringNotEqual")
unittest {
"foo".shouldNotEqual("foo");
}
unittest {
const str = "unittest block that always fails";
writelnUt(str);
assert(3 == 4, str);
}
@("intArray")
unittest {
[1, 2, 4].shouldEqual([1, 2, 3]);
}
@("stringArray")
unittest {
["foo", "baz", "badoooooooooooo!"].shouldEqual(["foo", "bar", "baz"]);
}
|
D
|
/*
* ti_real.d
*
* This module implements the TypeInfo for the real type.
*
* License: Public Domain
*
*/
module mindrt.typeinfo.ti_real;
import mindrt.util;
class TypeInfo_e : TypeInfo {
char[] toString() { return "real"; }
hash_t getHash(void *p) {
return (cast(uint *)p)[0] + (cast(uint *)p)[1] + (cast(ushort *)p)[4];
}
int equals(void *p1, void *p2) {
return _equals(*cast(real *)p1, *cast(real *)p2);
}
int compare(void *p1, void *p2) {
return _compare(*cast(real *)p1, *cast(real *)p2);
}
size_t tsize() {
return real.sizeof;
}
void swap(void *p1, void *p2) {
real t;
t = *cast(real *)p1;
*cast(real *)p1 = *cast(real *)p2;
*cast(real *)p2 = t;
}
void[] init() {
static real r;
return (cast(real *)&r)[0 .. 1];
}
package:
static int _equals(real f1, real f2) {
return f1 == f2 || (isnan(f1) && isnan(f2));
}
static int _compare(real d1, real d2) {
// if either are NaN
if (d1 !<>= d2) {
if (isnan(d1)) {
if (isnan(d2)) {
return 0;
}
return -1;
}
return 1;
}
return (d1 == d2) ? 0 : ((d1 < d2) ? -1 : 1);
}
}
|
D
|
/*******************************************************************************
* Copyright (c) 2000, 2005 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 dwt.events.MouseMoveListener;
import dwt.dwthelper.utils;
import dwt.events.MouseEvent;
import dwt.internal.SWTEventListener;
/**
* Classes which implement this interface provide a method
* that deals with the events that are generated as the mouse
* pointer moves.
* <p>
* After creating an instance of a class that implements
* this interface it can be added to a control using the
* <code>addMouseMoveListener</code> method and removed using
* the <code>removeMouseMoveListener</code> method. As the
* mouse moves, the mouseMove method will be invoked.
* </p>
*
* @see MouseEvent
*/
public interface MouseMoveListener : SWTEventListener {
/**
* Sent when the mouse moves.
*
* @param e an event containing information about the mouse move
*/
public void mouseMove(MouseEvent e);
}
|
D
|
instance DIA_Gomez_Exit(C_Info)
{
npc = EBR_100_Gomez;
nr = 999;
condition = DIA_Gomez_Exit_Condition;
information = DIA_Gomez_Exit_Info;
permanent = 1;
description = DIALOG_ENDE;
};
func int DIA_Gomez_Exit_Condition()
{
return 1;
};
func void DIA_Gomez_Exit_Info()
{
AI_StopProcessInfos(self);
};
instance DIA_Gomez_Fault(C_Info)
{
npc = EBR_100_Gomez;
nr = 1;
condition = DIA_Gomez_Fault_Condition;
information = DIA_Gomez_Fault_Info;
permanent = 0;
description = "Я пришел предложить свою помощь.";
};
func int DIA_Gomez_Fault_Condition()
{
if(!Npc_KnowsInfo(hero,DIA_Raven_There))
{
return 1;
};
};
func void DIA_Gomez_Fault_Info()
{
AI_Output(other,self,"DIA_Gomez_Fault_15_00"); //Я пришел предложить свою помощь.
AI_Output(self,other,"DIA_Gomez_Fault_11_01"); //Ты врываешься сюда и думаешь, что я стану слушать тебя, червяк?! Стража!
AI_StopProcessInfos(self);
Npc_SetPermAttitude(self,ATT_HOSTILE);
Npc_SetTarget(self,other);
AI_StartState(self,ZS_Attack,1,"");
};
var int gomez_kontakte;
instance DIA_Gomez_Hello(C_Info)
{
npc = EBR_100_Gomez;
nr = 1;
condition = DIA_Gomez_Hello_Condition;
information = DIA_Gomez_Hello_Info;
permanent = 1;
description = "Я пришел, чтобы предложить свои услуги.";
};
func int DIA_Gomez_Hello_Condition()
{
if(Npc_KnowsInfo(hero,DIA_Raven_There) && (gomez_kontakte < 4))
{
return 1;
};
};
func void DIA_Gomez_Hello_Info()
{
AI_Output(other,self,"DIA_Gomez_Hello_15_00"); //Я пришел, чтобы предложить свои услуги.
AI_Output(self,other,"DIA_Gomez_Hello_11_01"); //С чего ты взял, что мне нужны твои услуги?
Info_ClearChoices(DIA_Gomez_Hello);
Info_AddChoice(DIA_Gomez_Hello,"Надеюсь, мне не придется сносить вам голову...",DIA_Gomez_Hello_KopfAb);
Info_AddChoice(DIA_Gomez_Hello,"Да везде одни болваны, которые не хотят работать.",DIA_Gomez_Hello_Spinner);
Info_AddChoice(DIA_Gomez_Hello,"Я много путешествовал, и у меня много знакомых в других лагерях.",DIA_Gomez_Hello_Kontakte);
Info_AddChoice(DIA_Gomez_Hello,"Я прошел испытание, и Торус сказал, что я могу быть полезен.",DIA_Gomez_Hello_ThorusSays);
};
func void DIA_Gomez_Hello_ThorusSays()
{
AI_Output(other,self,"DIA_Gomez_Hello_ThorusSays_15_00"); //Я прошел испытание, и Торус сказал, что я могу быть полезен.
AI_Output(self,other,"DIA_Gomez_Hello_ThorusSays_11_01"); //Конечно, если бы это было не так, ты уже был бы мертв. Но я надеюсь, что ты способен на большее.
};
func void DIA_Gomez_Hello_Kontakte()
{
gomez_kontakte = 0;
AI_Output(other,self,"DIA_Gomez_Hello_Kontakte_15_00"); //Я много путешествовал по колонии и у меня много знакомых в других лагерях.
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_11_01"); //Да, хорошее начало. И с кем же ты там знаком?
Info_ClearChoices(DIA_Gomez_Hello);
Info_AddChoice(DIA_Gomez_Hello,"Это самые влиятельные люди.",DIA_Gomez_Hello_Kontakte_ThatsAll);
Info_AddChoice(DIA_Gomez_Hello,"Несколько воришек из Нового лагеря.",DIA_Gomez_Hello_Kontakte_NLHehler);
Info_AddChoice(DIA_Gomez_Hello,"Ларс.",DIA_Gomez_Hello_Kontakte_Lares);
Info_AddChoice(DIA_Gomez_Hello,"Пара Идолов из Братства.",DIA_Gomez_Hello_Kontakte_Baals);
Info_AddChoice(DIA_Gomez_Hello,"Кор Галом.",DIA_Gomez_Hello_Kontakte_Kalom);
if(gomez_kontakte < 3)
{
Info_AddChoice(DIA_Gomez_Hello,"Юберион.",DIA_Gomez_Hello_Kontakte_YBerion);
};
};
func void DIA_Gomez_Hello_Spinner()
{
AI_Output(other,self,"DIA_Gomez_Hello_Spinner_15_00"); //Да везде одни болваны, которые не хотят работать и все что могут, так это перекладывать все на плечи новичков.
AI_Output(self,other,"DIA_Gomez_Hello_Spinner_11_01"); //Может быть, почти все, что ты сказал, правда. Но я все еще не понимаю, зачем мне нанимать на службу очередного болвана.
};
func void DIA_Gomez_Hello_KopfAb()
{
AI_Output(other,self,"DIA_Gomez_Hello_KopfAb_15_00"); //Надеюсь, мне не придется сносить вам голову в доказательство моего умения владеть оружием.
AI_Output(self,other,"DIA_Gomez_Hello_KopfAb_11_01"); //Интересно. В тебе сочетаются смелость и безумство.
AI_StopProcessInfos(self);
Npc_SetPermAttitude(self,ATT_HOSTILE);
Npc_SetTarget(self,other);
AI_StartState(self,ZS_Attack,1,"");
};
func void DIA_Gomez_Hello_Kontakte_YBerion()
{
AI_Output(other,self,"DIA_Gomez_Hello_Kontakte_YBerion_15_00"); //Юберион.
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_YBerion_11_01"); //Юберион вряд ли стал бы иметь с тобой дело.
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_YBerion_11_02"); //Ты лжешь мне. Думаешь, меня так просто обмануть?
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_YBerion_11_03"); //Зря ты повел себя так. Ты разочаровал меня.
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_YBerion_11_04"); //А я ненавижу разочарование.
AI_StopProcessInfos(self);
Npc_SetPermAttitude(self,ATT_HOSTILE);
Npc_SetTarget(self,other);
AI_StartState(self,ZS_Attack,1,"");
};
func void DIA_Gomez_Hello_Kontakte_Kalom()
{
AI_Output(other,self,"DIA_Gomez_Hello_Kontakte_Kalom_15_00"); //Кор Галом.
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_Kalom_11_01"); //И?
gomez_kontakte = gomez_kontakte + 1;
};
func void DIA_Gomez_Hello_Kontakte_Baals()
{
AI_Output(other,self,"DIA_Gomez_Hello_Kontakte_Baals_15_00"); //Пара Идолов из Братства.
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_Baals_11_01"); //И?
gomez_kontakte = gomez_kontakte + 1;
};
func void DIA_Gomez_Hello_Kontakte_Lares()
{
AI_Output(other,self,"DIA_Gomez_Hello_Kontakte_Lares_15_00"); //Ларс.
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_Lares_11_01"); //И?
gomez_kontakte = gomez_kontakte + 1;
};
func void DIA_Gomez_Hello_Kontakte_NLHehler()
{
AI_Output(other,self,"DIA_Gomez_Hello_Kontakte_NLHehler_15_00"); //Несколько воришек из Нового лагеря.
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_NLHehler_11_01"); //Еще.
gomez_kontakte = gomez_kontakte + 1;
};
func void DIA_Gomez_Hello_Kontakte_ThatsAll()
{
AI_Output(other,self,"DIA_Gomez_Hello_Kontakte_ThatsAll_15_00"); //Это самые влиятельные люди.
if(gomez_kontakte >= 4)
{
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_ThatsAll_11_01"); //Неплохо для такого новичка как ты...
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_ThatsAll_11_02"); //Что ж, может быть я дам тебе шанс.
Info_ClearChoices(DIA_Gomez_Hello);
}
else
{
AI_Output(self,other,"DIA_Gomez_Hello_Kontakte_ThatsAll_INSUFF_11_00"); //И ты хочешь меня этим удивить? В нашем лагере даже у некоторых рудокопов связи получше, чем у тебя.
Info_ClearChoices(DIA_Gomez_Hello);
};
};
instance DIA_Gomez_Dabei(C_Info)
{
npc = EBR_100_Gomez;
nr = 1;
condition = DIA_Gomez_Dabei_Condition;
information = DIA_Gomez_Dabei_Info;
permanent = 0;
description = "Это значит, что я принят?";
};
func int DIA_Gomez_Dabei_Condition()
{
if((gomez_kontakte >= 3) && (Npc_GetTrueGuild(hero) == GIL_None))
{
return 1;
};
};
func void DIA_Gomez_Dabei_Info()
{
AI_Output(other,self,"DIA_Gomez_Dabei_15_00"); // Это значит, что я принят?
AI_Output(self,other,"DIA_Gomez_Dabei_11_01"); //Ты прав. Теперь ты один из нас.
AI_Output(self,other,"DIA_Gomez_Dabei_11_02"); //Иди к Равену. Он все тебе расскажет.
Npc_SetTrueGuild(hero,GIL_STT);
hero.guild = GIL_STT;
B_GiveXP(XP_BecomeShadow);
B_LogEntry(CH1_JoinOC,"С сегодняшнего дня я работаю на Гомеза из Старого лагеря. Равен расскажет мне, что нужно делать.");
Log_SetTopicStatus(CH1_JoinOC,LOG_SUCCESS);
Log_CreateTopic(CH1_JoinNC,LOG_MISSION);
Log_SetTopicStatus(CH1_JoinNC,LOG_FAILED);
B_LogEntry(CH1_JoinNC,"Я стал одним из людей Гомеза, поэтому в банду Ларса мне путь заказан.");
Log_CreateTopic(CH1_JoinPsi,LOG_MISSION);
Log_SetTopicStatus(CH1_JoinPsi,LOG_FAILED);
B_LogEntry(CH1_JoinPsi,"Теперь Старый лагерь стал моим домом. Братство Спящего сможет обойтись без меня.");
AI_StopProcessInfos(self);
};
instance DIA_Gomez_NurSo(C_Info)
{
npc = EBR_100_Gomez;
nr = 1;
condition = DIA_Gomez_NurSo_Condition;
information = DIA_Gomez_NurSo_Info;
permanent = 1;
description = "Я всего лишь хотел доложить, что вернулся.";
};
func int DIA_Gomez_NurSo_Condition()
{
if(Raven_SpySect == LOG_RUNNING)
{
return 1;
};
};
func void DIA_Gomez_NurSo_Info()
{
AI_Output(other,self,"DIA_Gomez_NurSo_15_00"); //Я всего лишь хотел доложить, что вернулся.
AI_Output(self,other,"DIA_Gomez_NurSo_11_00"); //Иди и поговори с Равеном. И никогда не заходи сюда без разрешения!
};
instance DIA_EBR_100_Gomez_Wait4SC(C_Info)
{
npc = EBR_100_Gomez;
condition = DIA_EBR_100_Gomez_Wait4SC_Condition;
information = DIA_EBR_100_Gomez_Wait4SC_Info;
important = 1;
permanent = 0;
};
func int DIA_EBR_100_Gomez_Wait4SC_Condition()
{
if(ExploreSunkenTower)
{
return TRUE;
};
};
func void DIA_EBR_100_Gomez_Wait4SC_Info()
{
AI_Output(self,other,"DIA_EBR_100_Gomez_Wait4SC_11_01"); //Как ты сюда попал?
AI_Output(self,other,"DIA_EBR_100_Gomez_Wait4SC_11_02"); //Погоди! А не ты ли убил моих людей в Свободной шахте?
AI_Output(other,self,"DIA_EBR_100_Gomez_Wait4SC_15_03"); //Не стоило твоим людям вмешиваться. Я просто избавил их от мании величия.
AI_Output(self,other,"DIA_EBR_100_Gomez_Wait4SC_11_04"); //А ты смел, если можешь со мной, Гомезом, разговаривать таким тоном. Но все равно глупо было появляться здесь.
AI_Output(self,other,"DIA_EBR_100_Gomez_Wait4SC_11_05"); //Я лично прослежу, чтобы ты больше никак не смог навредить моим планам.
AI_StopProcessInfos(self);
self.guild = GIL_EBR;
Npc_SetTrueGuild(self,GIL_EBR);
};
|
D
|
func Main()
{
(42).Foo := 42; // error,
}
|
D
|
instance Mod_1960_VMG_Thorge_TUG (Npc_Default)
{
// ------ NSC ------
name = "Thorge";
guild = GIL_out;
id = 1960;
voice = 13;
flags = 0; //NPC_FLAG_IMMORTAL oder 0
npctype = NPCTYPE_MAIN;
aivar[AIV_Partymember] = TRUE;
// ------ Attribute ------
B_SetAttributesToChapter (self, 5); //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, 65); //Grenzen für Talent-Level liegen bei 30 und 60
// ------ Kampf-Taktik ------
fight_tactic = FAI_HUMAN_STRONG; // MASTER / STRONG / COWARD
// ------ Equippte Waffen ------
// ------ 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_Bald", 240, BodyTex_P, itar_naturmagier2);
Mdl_SetModelFatness (self, 1);
Mdl_ApplyOverlayMds (self, "Humans_Mage.mds"); // Tired / Militia / Mage / Arrogance / Relaxed
// ------ TA anmelden ------
daily_routine = Rtn_Start_1960;
};
FUNC VOID Rtn_AtCity_1960 ()
{
TA_Cook_Cauldron (08,00,10,00,"TUG_33");
TA_Sit_Chair (10,00,12,00,"TUG_46");
TA_Cook_Cauldron (12,00,20,00,"TUG_33");
TA_Sleep (20,00,08,00,"TUG_58");
};
FUNC VOID Rtn_Start_1960 ()
{
TA_Follow_Player (08,00,20,00,"START_TUGETTSO");
TA_Follow_Player (20,00,08,00,"START_TUGETTSO");
};
|
D
|
import std.stdio;
import std.string;
import std.array;
string card, next, tmp, s;
string[] queue;
int pos;
int[string] memo;
int[4] d = [-1, 1, 4, -4];
void main(){
card = "01234567";
queue ~= card;
memo[card] = 0;
solve();
while (s = chomp(readln()), s) {
s = replace(s, " ", "");
writeln(memo[s]);
}
}
void solve(){
while (queue.length) {
card = queue.front;
queue.popFront();
for (int i = 0; i < d.length; i++) {
pos = cast(int)card.indexOf("0") + d[i];
if (pos < 8 && pos >= 0 && !(pos == 4 && d[i] == 1) && !(pos == 3 && d[i] == -1)){
tmp = card[pos..pos+1];
next = replace(replace(replace(card, "0", "z"), tmp, "0") , "z", tmp);
if(!(next in memo)){
queue ~= next;
memo[next] = memo[card] + 1;
}
}
}
}
}
|
D
|
// This file is part of Visual D
//
// Visual D integrates the D programming language into Visual Studio
// Copyright (c) 2010-2011 by Rainer Schuetze, All Rights Reserved
//
// Distributed under the Boost Software License, Version 1.0.
// See accompanying file LICENSE.txt or copy at http://www.boost.org/LICENSE_1_0.txt
module stdext.string;
import std.utf;
import std.string;
import std.ascii;
import std.conv;
import std.array;
size_t endofStringCStyle(string text, size_t pos, dchar term = '\"', dchar esc = '\\')
{
while(pos < text.length)
{
dchar ch = decode(text, pos);
if(ch == esc)
{
if (pos >= text.length)
break;
ch = decode(text, pos);
}
else if(ch == term)
return pos;
}
return pos;
}
string[] tokenizeArgs(string text, bool semi_is_seperator = true, bool space_is_seperator = true)
{
string[] args;
size_t pos = 0;
while(pos < text.length)
{
size_t startpos = pos;
dchar ch = decode(text, pos);
if(isWhite(ch))
continue;
size_t endpos = pos;
while(pos < text.length)
{
if(ch == '\"')
{
pos = endofStringCStyle(text, pos, '\"', 0);
ch = 0;
}
else
{
ch = decode(text, pos);
}
if(isWhite(ch) && (space_is_seperator || ch != ' '))
break;
if(semi_is_seperator && ch == ';')
break;
endpos = pos;
}
args ~= text[startpos .. endpos];
}
return args;
}
string unquoteArgument(string arg)
{
if(arg.length <= 0 || arg[0] != '\"')
return arg;
if (endofStringCStyle(arg, 1, '\"', 0) != arg.length)
return arg;
return arg[1..$-1];
}
string replaceCrLfSemi(string s)
{
return replace(replace(s, "\n", ";"), "\r", "");
}
string replaceSemiCrLf(string s)
{
return replace(s, ";", "\r\n");
}
string insertCr(string s)
{
string ns;
while(s.length > 0)
{
auto p = s.indexOf('\n');
if(p < 0)
break;
if(p > 0 && s[p-1] == '\r')
ns ~= s[0 .. p+1];
else
ns ~= s[0 .. p] ~ "\r\n";
s = s[p+1 .. $];
}
return ns ~ s;
}
version(unittest)
unittest
{
string t = insertCr("a\nb\r\ncd\n\ne\n\r\nf");
assert(t == "a\r\nb\r\ncd\r\n\r\ne\r\n\r\nf");
}
S escapeString(S)(S s)
{
s = replace(s, "\\"w, "\\\\"w);
s = replace(s, "\t"w, "\\t"w);
s = replace(s, "\r"w, "\\r"w);
s = replace(s, "\n"w, "\\n"w);
return s;
}
int countVisualSpaces(S)(S txt, int tabSize, int* txtpos = null)
{
int p = 0;
int n = 0;
while(n < txt.length && isWhite(txt[n]))
{
if(txt[n] == '\t')
p = p + tabSize - (p % tabSize);
else
p++;
n++;
}
if(txtpos)
*txtpos = n;
return p;
}
int visiblePosition(S)(S txt, int tabSize, int idx)
{
if(idx > txt.length)
idx = txt.length;
int p = 0;
for(int n = 0; n < idx; n++)
if(txt[n] == '\t')
p = p + tabSize - (p % tabSize);
else
p++;
return p;
}
int nextTabPosition(int n, int tabSize)
{
return n + tabSize - n % tabSize;
}
S createVisualSpaces(S)(int n, int tabSize, int tabOff = 0)
{
S s;
if(tabSize < 2)
{
for(int i = 0; i < n; i++)
s ~= " ";
}
else
{
while (n > 0 && tabOff > 0 && tabOff < tabSize)
{
s ~= " ";
tabOff++;
n--;
}
while(n >= tabSize)
{
s ~= "\t";
n -= tabSize;
}
while(n > 0)
{
s ~= " ";
n--;
}
}
return s;
}
// extract value from a series of #define values
string extractDefine(string s, string def)
{
for(int p = 0; p < s.length; p++)
{
while(p < s.length && (s[p] == ' ' || s[p] == '\t'))
p++;
int q = p;
while(q < s.length && s[q] != '\n' && s[q] != '\r')
q++;
if(_startsWith(s[p .. $], "#define") && (s[p+7] == ' ' || s[p+7] == '\t'))
{
p += 7;
while(p < s.length && (s[p] == ' ' || s[p] == '\t'))
p++;
if(_startsWith(s[p .. $], def) && (s[p+def.length] == ' ' || s[p+def.length] == '\t'))
{
p += def.length;
while(p < s.length && (s[p] == ' ' || s[p] == '\t'))
p++;
return s[p .. q];
}
}
p = q;
}
return "";
}
string extractDefines(string s)
{
string m;
for(int p = 0; p < s.length; p++)
{
while(p < s.length && (s[p] == ' ' || s[p] == '\t'))
p++;
int q = p;
while(q < s.length && s[q] != '\n' && s[q] != '\r')
q++;
if(_startsWith(s[p .. $], "#define") && (s[p+7] == ' ' || s[p+7] == '\t'))
{
p += 7;
int b = p;
while(p < q && (s[p] == ' ' || s[p] == '\t'))
p++;
int r = p;
while(r < q && !isWhite(s[r]))
r++;
if(r < q)
{
m ~= "const " ~ s[p..r] ~ " = " ~ s[r..q] ~ ";\n";
}
}
p = q;
}
return m;
}
// endsWith does not work reliable and crashes on page end
bool _endsWith(string s, string e)
{
return (s.length >= e.length && s[$-e.length .. $] == e);
}
// startsWith causes compile error when used in ctfe
bool _startsWith(string s, string w)
{
return (s.length >= w.length && s[0 .. w.length] == w);
}
//alias startsWith _startsWith;
bool parseLong(ref char[] txt, out long res)
{
munch(txt, " \t\n\r");
int n = 0;
while(n < txt.length && isDigit(txt[n]))
n++;
if(n <= 0)
return false;
res = to!long(txt[0..n]);
txt = txt[n..$];
return true;
}
char[] parseNonSpace(ref char[] txt)
{
munch(txt, " \t\n\r");
int n = 0;
while(n < txt.length && !isWhite(txt[n]))
n++;
char[] res = txt[0..n];
txt = txt[n..$];
return res;
}
T[] firstLine(T)(T[] s)
{
for(size_t i = 0; i < s.length; i++)
if(s[i] == '\n' || s[i] == '\r')
return s[0..i];
return s;
}
char kInvalidUTF8Replacement = '?';
inout(char)[] toUTF8Safe(inout(char)[] text)
{
char[] modtext;
for(size_t p = 0; p < text.length; p++)
{
ubyte ch = text[p];
if((ch & 0xc0) == 0xc0)
{
auto q = p;
for(int s = 0; s < 5 && ((ch << s) & 0xc0) == 0xc0; s++, q++)
if(q >= text.length || (text[q] & 0xc0) != 0x80)
goto L_invalid;
p = q;
}
else if(ch & 0x80)
{
L_invalid:
if(modtext.length == 0)
modtext = text.dup;
modtext[p] = kInvalidUTF8Replacement;
}
}
if(modtext.length)
return cast(inout(char)[]) modtext;
return text;
}
string toUTF8Safe(const(wchar)[] text)
{
wchar[] modtext;
void invalidChar(size_t pos)
{
if(modtext.length == 0)
modtext = text.dup;
modtext[pos] = kInvalidUTF8Replacement;
}
for(size_t p = 0; p < text.length; p++)
{
ushort ch = text[p];
if(ch >= 0xD800 && ch <= 0xDFFF)
{
if(p + 1 >= text.length)
invalidChar(p);
else
{
if (text[p+1] < 0xD800 || text[p+1] > 0xDFFF)
{
invalidChar(p); // invalid surragate pair
invalidChar(p+1);
}
p++;
}
}
}
return toUTF8(modtext.length ? modtext : text);
}
string toUTF8Safe(const(dchar)[] text)
{
dchar[] modtext;
for(size_t p = 0; p < text.length; p++)
if(!isValidDchar(text[p]))
{
if(modtext.length == 0)
modtext = text.dup;
modtext[p] = kInvalidUTF8Replacement;
}
return toUTF8(modtext.length ? modtext : text);
}
dchar decodeBwd(Char)(const(Char) txt, ref size_t pos)
{
assert(pos > 0);
uint len = strideBack(txt, pos);
pos -= len;
size_t p = pos;
dchar ch = decode(txt, p);
assert(pos + len == p);
return ch;
}
bool isASCIIString(string s)
{
foreach (dchar c; s)
if (!isASCII(c))
return false;
return true;
}
|
D
|
the cardinal number that is the product of ten and nine
being ten more than eighty
|
D
|
/*
TEST_OUTPUT:
---
fail_compilation/fail167.d(12): Error: cannot modify const expression *p
---
*/
void main()
{
int x;
const(int)* p = &x;
*p = 3;
}
|
D
|
// Copyright (c) 1999-2011 by Digital Mars
// All Rights Reserved
// written by Walter Bright
// http://www.digitalmars.com
import std.c.stdio;
version (D_PIC)
{
int main() { return 0; }
}
else version (D_InlineAsm_X86_64)
{
struct M128 { int a,b,c,d; };
struct M64 { int a,b; };
/+
__gshared byte b;
__gshared short w;
__gshared int i;
__gshared long l;
+/
/****************************************************/
void test1()
{
int foo;
int bar;
static const int x = 4;
asm
{
align x; ;
mov EAX, __LOCAL_SIZE ;
mov foo[RBP], EAX ;
}
assert(foo == 16); // stack must be 16 byte aligned
}
/****************************************************/
void test2()
{
int foo;
int bar;
asm
{
even ;
mov EAX,0 ;
inc EAX ;
mov foo[RBP], EAX ;
}
assert(foo == 1);
}
/****************************************************/
void test3()
{
int foo;
int bar;
asm
{
mov EAX,5 ;
jmp $ + 2 ;
dw 0xC0FF,0xC8FF ; // inc EAX, dec EAX
mov foo[RBP],EAX ;
}
assert(foo == 4);
}
/****************************************************/
void test4()
{
int foo;
int bar;
asm
{
xor EAX,EAX ;
add EAX,5 ;
jne L1 ;
dw 0xC0FF,0xC8FF ; // inc EAX, dec EAX
L1:
dw 0xC8FF ;
mov foo[RBP],EAX ;
}
assert(foo == 4);
}
/****************************************************/
void test5()
{
int foo;
ubyte *p;
ushort *w;
uint *u;
ulong *ul;
float *f;
double *d;
real *e;
static float fs = 1.1;
static double ds = 1.2;
static real es = 1.3;
asm
{
call L1 ;
db 0xFF,0xC0; ; // inc EAX
db "abc" ;
ds "def" ;
di "ghi" ;
dl 0x12345678ABCDEF;
df 1.1 ;
dd 1.2 ;
de 1.3 ;
L1:
pop RBX ;
mov p[RBP],RBX ;
}
assert(p[0] == 0xFF);
assert(p[1] == 0xC0);
assert(p[2] == 'a');
assert(p[3] == 'b');
assert(p[4] == 'c');
w = cast(ushort *)(p + 5);
assert(w[0] == 'd');
assert(w[1] == 'e');
assert(w[2] == 'f');
u = cast(uint *)(w + 3);
assert(u[0] == 'g');
assert(u[1] == 'h');
assert(u[2] == 'i');
ul = cast(ulong *)(u + 3);
assert(ul[0] == 0x12345678ABCDEF);
f = cast(float *)(ul + 1);
assert(*f == fs);
d = cast(double *)(f + 1);
assert(*d == ds);
e = cast(real *)(d + 1);
assert(*e == es);
}
/****************************************************/
void test6()
{
ubyte *p;
static ubyte data[] =
[
0x8B, 0x01, // mov EAX,[RCX]
0x8B, 0x04, 0x19, // mov EAX,[RBX][RCX]
0x8B, 0x04, 0x4B, // mov EAX,[RCX*2][RBX]
0x8B, 0x04, 0x5A, // mov EAX,[RBX*2][RDX]
0x8B, 0x04, 0x8E, // mov EAX,[RCX*4][RSI]
0x8B, 0x04, 0xF9, // mov EAX,[RDI*8][RCX]
0x2B, 0x1C, 0x19, // sub EBX,[RBX][RCX]
0x3B, 0x0C, 0x4B, // cmp ECX,[RCX*2][RBX]
0x03, 0x14, 0x5A, // add EDX,[RBX*2][RDX]
0x33, 0x34, 0x8E, // xor ESI,[RCX*4][RSI]
0x29, 0x1C, 0x19, // sub [RBX][RCX],EBX
0x39, 0x0C, 0x4B, // cmp [RCX*2][RBX],ECX
0x01, 0x24, 0x5A, // add [RBX*2][RDX],ESP
0x31, 0x2C, 0x8E, // xor [RCX*4][RSI],EBP
0xA8, 0x03, // test AL,3
0x66, 0xA9, 0x04, 0x00, // test AX,4
0xA9, 0x05, 0x00, 0x00, 0x00, // test EAX,5
0x85, 0x3C, 0xF9, // test [RDI*8][RCX],EDI
];
int i;
asm
{
call L1 ;
mov EAX,[RCX] ;
mov EAX,[RCX][RBX] ;
mov EAX,[RCX*2][RBX] ;
mov EAX,[RDX][RBX*2] ;
mov EAX,[RCX*4][RSI] ;
mov EAX,[RCX][RDI*8] ;
sub EBX,[RCX][RBX] ;
cmp ECX,[RCX*2][RBX] ;
add EDX,[RDX][RBX*2] ;
xor ESI,[RCX*4][RSI] ;
sub [RCX][RBX],EBX ;
cmp [RCX*2][RBX],ECX ;
add [RDX][RBX*2],ESP ;
xor [RCX*4][RSI],EBP ;
test AL,3 ;
test AX,4 ;
test EAX,5 ;
test [RCX][RDI*8],EDI ;
L1:
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
/+
void test7()
{
ubyte *p;
static ubyte data[] =
[
0x26,0xA1,0x24,0x13,0x00,0x00, // mov EAX,ES:[01324h]
0x36,0x66,0xA1,0x78,0x56,0x00,0x00, // mov AX,SS:[05678h]
0xA0,0x78,0x56,0x00,0x00, // mov AL,[05678h]
0x2E,0x8A,0x25,0x78,0x56,0x00,0x00, // mov AH,CS:[05678h]
0x64,0x8A,0x1D,0x78,0x56,0x00,0x00, // mov BL,FS:[05678h]
0x65,0x8A,0x3D,0x78,0x56,0x00,0x00, // mov BH,GS:[05678h]
];
int i;
asm
{
call L1 ;
mov EAX,ES:[0x1324] ;
mov AX,SS:[0x5678] ;
mov AL,DS:[0x5678] ;
mov AH,CS:[0x5678] ;
mov BL,FS:[0x5678] ;
mov BH,GS:[0x5678] ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
+/
/****************************************************/
void test8()
{
ubyte *p;
static ubyte data[] =
[
0x8C,0xD0, // mov AX,SS
0x8C,0xDB, // mov BX,DS
0x8C,0xC1, // mov CX,ES
0x8C,0xCA, // mov DX,CS
0x8C,0xE6, // mov SI,FS
0x8C,0xEF, // mov DI,GS
0x8E,0xD0, // mov SS,AX
0x8E,0xDB, // mov DS,BX
0x8E,0xC1, // mov ES,CX
0x8E,0xCA, // mov CS,DX
0x8E,0xE6, // mov FS,SI
0x8E,0xEF, // mov GS,DI
0x0F,0x22,0xC0, // mov CR0,EAX
0x0F,0x22,0xD3, // mov CR2,EBX
0x0F,0x22,0xD9, // mov CR3,ECX
0x0F,0x22,0xE2, // mov CR4,EDX
0x0F,0x20,0xC0, // mov EAX,CR0
0x0F,0x20,0xD3, // mov EBX,CR2
0x0F,0x20,0xD9, // mov ECX,CR3
0x0F,0x20,0xE2, // mov EDX,CR4
0x0F,0x23,0xC0, // mov DR0,EAX
0x0F,0x23,0xCE, // mov DR1,ESI
0x0F,0x23,0xD3, // mov DR2,EBX
0x0F,0x23,0xD9, // mov DR3,ECX
0x0F,0x23,0xE2, // mov DR4,EDX
0x0F,0x23,0xEF, // mov DR5,EDI
0x0F,0x23,0xF4, // mov DR6,ESP
0x0F,0x23,0xFD, // mov DR7,EBP
0x0F,0x21,0xC4, // mov ESP,DR0
0x0F,0x21,0xCD, // mov EBP,DR1
0x0F,0x21,0xD0, // mov EAX,DR2
0x0F,0x21,0xDB, // mov EBX,DR3
0x0F,0x21,0xE1, // mov ECX,DR4
0x0F,0x21,0xEA, // mov EDX,DR5
0x0F,0x21,0xF6, // mov ESI,DR6
0x0F,0x21,0xFF, // mov EDI,DR7
0xA4, // movsb
0x66,0xA5, // movsw
0xA5, // movsd
];
int i;
asm
{
call L1 ;
mov AX,SS ;
mov BX,DS ;
mov CX,ES ;
mov DX,CS ;
mov SI,FS ;
mov DI,GS ;
mov SS,AX ;
mov DS,BX ;
mov ES,CX ;
mov CS,DX ;
mov FS,SI ;
mov GS,DI ;
mov CR0,EAX ;
mov CR2,EBX ;
mov CR3,ECX ;
mov CR4,EDX ;
mov EAX,CR0 ;
mov EBX,CR2 ;
mov ECX,CR3 ;
mov EDX,CR4 ;
mov DR0,EAX ;
mov DR1,ESI ;
mov DR2,EBX ;
mov DR3,ECX ;
mov DR4,EDX ;
mov DR5,EDI ;
mov DR6,ESP ;
mov DR7,EBP ;
mov ESP,DR0 ;
mov EBP,DR1 ;
mov EAX,DR2 ;
mov EBX,DR3 ;
mov ECX,DR4 ;
mov EDX,DR5 ;
mov ESI,DR6 ;
mov EDI,DR7 ;
movsb ;
movsw ;
movsd ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void test9()
{
ubyte *p;
static ubyte data[] =
[
0x67,0x66,0x8B,0x00, // mov AX,[BX+SI]
0x67,0x66,0x8B,0x01, // mov AX,[BX+DI]
0x67,0x66,0x8B,0x02, // mov AX,[BP+SI]
0x67,0x66,0x8B,0x03, // mov AX,[BP+DI]
0x67,0x66,0x8B,0x04, // mov AX,[SI]
0x67,0x66,0x8B,0x05, // mov AX,[DI]
0x66,0xB8,0xD2,0x04, // mov AX,04D2h
0x67,0x66,0x8B,0x07, // mov AX,[BX]
0x67,0x66,0x8B,0x40,0x01, // mov AX,1[BX+SI]
0x67,0x66,0x8B,0x41,0x02, // mov AX,2[BX+DI]
0x67,0x66,0x8B,0x42,0x03, // mov AX,3[BP+SI]
0x67,0x66,0x8B,0x43,0x04, // mov AX,4[BP+DI]
0x67,0x66,0x8B,0x44,0x05, // mov AX,5[SI]
0x67,0x66,0x8B,0x45,0x06, // mov AX,6[DI]
0x67,0x66,0x8B,0x43,0x07, // mov AX,7[BP+DI]
0x67,0x66,0x8B,0x47,0x08, // mov AX,8[BX]
0x67,0x8B,0x80,0x21,0x01, // mov EAX,0121h[BX+SI]
0x67,0x66,0x8B,0x81,0x22,0x01, // mov AX,0122h[BX+DI]
0x67,0x66,0x8B,0x82,0x43,0x23, // mov AX,02343h[BP+SI]
0x67,0x66,0x8B,0x83,0x54,0x45, // mov AX,04554h[BP+DI]
0x67,0x66,0x8B,0x84,0x45,0x66, // mov AX,06645h[SI]
0x67,0x66,0x8B,0x85,0x36,0x12, // mov AX,01236h[DI]
0x67,0x66,0x8B,0x86,0x67,0x45, // mov AX,04567h[BP]
0x67,0x8A,0x87,0x08,0x01, // mov AL,0108h[BX]
];
int i;
asm
{
call L1 ;
mov AX,[BX+SI] ;
mov AX,[BX+DI] ;
mov AX,[BP+SI] ;
mov AX,[BP+DI] ;
mov AX,[SI] ;
// mov AX,[DI] ; Internal error: backend/cod3.c 4652
mov AX,[1234] ;
mov AX,[BX] ;
mov AX,1[BX+SI] ;
mov AX,2[BX+DI] ;
mov AX,3[BP+SI] ;
mov AX,4[BP+DI] ;
mov AX,5[SI] ;
mov AX,6[DI] ;
mov AX,7[DI+BP] ;
mov AX,8[BX] ;
mov EAX,0x121[BX+SI] ;
mov AX,0x122[BX+DI] ;
mov AX,0x2343[BP+SI] ;
mov AX,0x4554[BP+DI] ;
mov AX,0x6645[SI] ;
mov AX,0x1236[DI] ;
mov AX,0x4567[BP] ;
mov AL,0x108[BX] ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
shared int bar10 = 78;
shared int baz10[2];
void test10()
{
ubyte *p;
int foo;
static ubyte data[] =
[
];
int i;
asm
{
mov bar10,0x12 ;
// mov baz10,0x13 ;// does not compile, ( should it? )
mov int ptr baz10,0x13 ;// but this does
mov ESI,1 ;
mov baz10[RSI*4],0x14 ;
}
assert(bar10 == 0x12);
assert(baz10[0] == 0x13);
assert(baz10[1] == 0x14);
}
/****************************************************/
struct Foo11
{
int c;
int a;
int b;
}
void test11()
{
ubyte *p;
int x1;
int x2;
int x3;
int x4;
asm
{
mov x1,Foo11.a.sizeof ;
mov x2,Foo11.b.offsetof ;
mov x3,Foo11.sizeof ;
mov x4,Foo11.sizeof + 7 ;
}
assert(x1 == int.sizeof);
assert(x2 == 8);
assert(x3 == 12);
assert(x4 == 19);
}
/****************************************************/
void test12()
{
ubyte *p;
static ubyte data[] =
[
0x14,0x05, // adc AL,5
0x83,0xD0,0x14, // adc EAX,014h
0x80,0x55,0xF8,0x17, // adc byte ptr -8[RBP],017h
0x83,0x55,0xFC,0x17, // adc dword ptr -4[RBP],017h
0x81,0x55,0xFC,0x34,0x12,0x00,0x00, // adc dword ptr -4[RBP],01234h
0x10,0x7D,0xF8, // adc -8[RBP],BH
0x11,0x5D,0xFC, // adc -4[RBP],EBX
0x12,0x5D,0xF8, // adc BL,-8[RBP]
0x13,0x55,0xFC, // adc EDX,-4[RBP]
0x04,0x05, // add AL,5
0x83,0xC0,0x14, // add EAX,014h
0x80,0x45,0xF8,0x17, // add byte ptr -8[RBP],017h
0x83,0x45,0xFC,0x17, // add dword ptr -4[RBP],017h
0x81,0x45,0xFC,0x34,0x12,0x00,0x00, // add dword ptr -4[RBP],01234h
0x00,0x7D,0xF8, // add -8[RBP],BH
0x01,0x5D,0xFC, // add -4[RBP],EBX
0x02,0x5D,0xF8, // add BL,-8[RBP]
0x03,0x55,0xFC, // add EDX,-4[RBP]
0x24,0x05, // and AL,5
0x83,0xE0,0x14, // and EAX,014h
0x80,0x65,0xF8,0x17, // and byte ptr -8[RBP],017h
0x83,0x65,0xFC,0x17, // and dword ptr -4[RBP],017h
0x81,0x65,0xFC,0x34,0x12,0x00,0x00, // and dword ptr -4[RBP],01234h
0x20,0x7D,0xF8, // and -8[RBP],BH
0x21,0x5D,0xFC, // and -4[RBP],EBX
0x22,0x5D,0xF8, // and BL,-8[RBP]
0x23,0x55,0xFC, // and EDX,-4[RBP]
0x3C,0x05, // cmp AL,5
0x83,0xF8,0x14, // cmp EAX,014h
0x80,0x7D,0xF8,0x17, // cmp byte ptr -8[RBP],017h
0x83,0x7D,0xFC,0x17, // cmp dword ptr -4[RBP],017h
0x81,0x7D,0xFC,0x34,0x12,0x00,0x00, // cmp dword ptr -4[RBP],01234h
0x38,0x7D,0xF8, // cmp -8[RBP],BH
0x39,0x5D,0xFC, // cmp -4[RBP],EBX
0x3A,0x5D,0xF8, // cmp BL,-8[RBP]
0x3B,0x55,0xFC, // cmp EDX,-4[RBP]
0x0C,0x05, // or AL,5
0x83,0xC8,0x14, // or EAX,014h
0x80,0x4D,0xF8,0x17, // or byte ptr -8[RBP],017h
0x83,0x4D,0xFC,0x17, // or dword ptr -4[RBP],017h
0x81,0x4D,0xFC,0x34,0x12,0x00,0x00, // or dword ptr -4[RBP],01234h
0x08,0x7D,0xF8, // or -8[RBP],BH
0x09,0x5D,0xFC, // or -4[RBP],EBX
0x0A,0x5D,0xF8, // or BL,-8[RBP]
0x0B,0x55,0xFC, // or EDX,-4[RBP]
0x1C,0x05, // sbb AL,5
0x83,0xD8,0x14, // sbb EAX,014h
0x80,0x5D,0xF8,0x17, // sbb byte ptr -8[RBP],017h
0x83,0x5D,0xFC,0x17, // sbb dword ptr -4[RBP],017h
0x81,0x5D,0xFC,0x34,0x12,0x00,0x00, // sbb dword ptr -4[RBP],01234h
0x18,0x7D,0xF8, // sbb -8[RBP],BH
0x19,0x5D,0xFC, // sbb -4[RBP],EBX
0x1A,0x5D,0xF8, // sbb BL,-8[RBP]
0x1B,0x55,0xFC, // sbb EDX,-4[RBP]
0x2C,0x05, // sub AL,5
0x83,0xE8,0x14, // sub EAX,014h
0x80,0x6D,0xF8,0x17, // sub byte ptr -8[RBP],017h
0x83,0x6D,0xFC,0x17, // sub dword ptr -4[RBP],017h
0x81,0x6D,0xFC,0x34,0x12,0x00,0x00, // sub dword ptr -4[RBP],01234h
0x28,0x7D,0xF8, // sub -8[RBP],BH
0x29,0x5D,0xFC, // sub -4[RBP],EBX
0x2A,0x5D,0xF8, // sub BL,-8[RBP]
0x2B,0x55,0xFC, // sub EDX,-4[RBP]
0xA8,0x05, // test AL,5
0xA9,0x14,0x00,0x00,0x00, // test EAX,014h
0xF6,0x45,0xF8,0x17, // test byte ptr -8[RBP],017h
0xF7,0x45,0xFC,0x17,0x00,0x00,0x00, // test dword ptr -4[RBP],017h
0xF7,0x45,0xFC,0x34,0x12,0x00,0x00, // test dword ptr -4[RBP],01234h
0x84,0x7D,0xF8, // test -8[RBP],BH
0x85,0x5D,0xFC, // test -4[RBP],EBX
0x34,0x05, // xor AL,5
0x83,0xF0,0x14, // xor EAX,014h
0x80,0x75,0xF8,0x17, // xor byte ptr -8[RBP],017h
0x83,0x75,0xFC,0x17, // xor dword ptr -4[RBP],017h
0x81,0x75,0xFC,0x34,0x12,0x00,0x00, // xor dword ptr -4[RBP],01234h
0x30,0x7D,0xF8, // xor -8[RBP],BH
0x31,0x5D,0xFC, // xor -4[RBP],EBX
0x32,0x5D,0xF8, // xor BL,-8[RBP]
0x33,0x55,0xFC, // xor EDX,-4[RBP]
];
int i;
int padding;
byte rm8;
int rm32;
static int m32;
asm
{
call L1 ;
/*
aaa ;
aad ;
aam ;
aas ;
arpl [SI],DI ;
*/
adc AL,5 ;
adc EAX,20 ;
adc rm8[RBP],23 ;
adc rm32[RBP],23 ;
adc rm32[RBP],0x1234 ;
adc rm8[RBP],BH ;
adc rm32[RBP],EBX ;
adc BL,rm8[RBP] ;
adc EDX,rm32[RBP] ;
add AL,5 ;
add EAX,20 ;
add rm8[RBP],23 ;
add rm32[RBP],23 ;
add rm32[RBP],0x1234 ;
add rm8[RBP],BH ;
add rm32[RBP],EBX ;
add BL,rm8[RBP] ;
add EDX,rm32[RBP] ;
and AL,5 ;
and EAX,20 ;
and rm8[RBP],23 ;
and rm32[RBP],23 ;
and rm32[RBP],0x1234 ;
and rm8[RBP],BH ;
and rm32[RBP],EBX ;
and BL,rm8[RBP] ;
and EDX,rm32[RBP] ;
cmp AL,5 ;
cmp EAX,20 ;
cmp rm8[RBP],23 ;
cmp rm32[RBP],23 ;
cmp rm32[RBP],0x1234 ;
cmp rm8[RBP],BH ;
cmp rm32[RBP],EBX ;
cmp BL,rm8[RBP] ;
cmp EDX,rm32[RBP] ;
or AL,5 ;
or EAX,20 ;
or rm8[RBP],23 ;
or rm32[RBP],23 ;
or rm32[RBP],0x1234 ;
or rm8[RBP],BH ;
or rm32[RBP],EBX ;
or BL,rm8[RBP] ;
or EDX,rm32[RBP] ;
sbb AL,5 ;
sbb EAX,20 ;
sbb rm8[RBP],23 ;
sbb rm32[RBP],23 ;
sbb rm32[RBP],0x1234 ;
sbb rm8[RBP],BH ;
sbb rm32[RBP],EBX ;
sbb BL,rm8[RBP] ;
sbb EDX,rm32[RBP] ;
sub AL,5 ;
sub EAX,20 ;
sub rm8[RBP],23 ;
sub rm32[RBP],23 ;
sub rm32[RBP],0x1234 ;
sub rm8[RBP],BH ;
sub rm32[RBP],EBX ;
sub BL,rm8[RBP] ;
sub EDX,rm32[RBP] ;
test AL,5 ;
test EAX,20 ;
test rm8[RBP],23 ;
test rm32[RBP],23 ;
test rm32[RBP],0x1234 ;
test rm8[RBP],BH ;
test rm32[RBP],EBX ;
xor AL,5 ;
xor EAX,20 ;
xor rm8[RBP],23 ;
xor rm32[RBP],23 ;
xor rm32[RBP],0x1234 ;
xor rm8[RBP],BH ;
xor rm32[RBP],EBX ;
xor BL,rm8[RBP] ;
xor EDX,rm32[RBP] ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
//printf("p[%d] = x%02x, data = x%02x\n", i, p[i], data[i]);
assert(p[i] == data[i]);
}
}
/****************************************************/
void test13()
{
int m32;
long m64;
M128 m128;
ubyte *p;
static ubyte data[] =
[
0x0F,0x0B, // ud2
0x0F,0x05, // syscall
0x0F,0x34, // sysenter
0x0F,0x35, // sysexit
0x0F,0x07, // sysret
0x0F,0xAE,0xE8, // lfence
0x0F,0xAE,0xF0, // mfence
0x0F,0xAE,0xF8, // sfence
0x0F,0xAE,0x00, // fxsave [RAX]
0x0F,0xAE,0x08, // fxrstor [RAX]
0x0F,0xAE,0x10, // ldmxcsr [RAX]
0x0F,0xAE,0x18, // stmxcsr [RAX]
0x0F,0xAE,0x38, // clflush [RAX]
0x0F,0x58,0x08, // addps XMM1,[RAX]
0x0F,0x58,0xCA, // addps XMM1,XMM2
0x66, 0x0F,0x58,0x03, // addpd XMM0,[RBX]
0x66, 0x0F,0x58,0xD1, // addpd XMM2,XMM1
0xF2,0x0F,0x58,0x08, // addsd XMM1,[RAX]
0xF2,0x0F,0x58,0xCA, // addsd XMM1,XMM2
0xF3,0x0F,0x58,0x2E, // addss XMM5,[RSI]
0xF3,0x0F,0x58,0xF7, // addss XMM6,XMM7
0x0F,0x54,0x08, // andps XMM1,[RAX]
0x0F,0x54,0xCA, // andps XMM1,XMM2
0x66, 0x0F,0x54,0x03, // andpd XMM0,[RBX]
0x66, 0x0F,0x54,0xD1, // andpd XMM2,XMM1
0x0F,0x55,0x08, // andnps XMM1,[RAX]
0x0F,0x55,0xCA, // andnps XMM1,XMM2
0x66, 0x0F,0x55,0x03, // andnpd XMM0,[RBX]
0x66, 0x0F,0x55,0xD1, // andnpd XMM2,XMM1
0xA7, // cmpsd
0x0F,0xC2,0x08,0x01, // cmpps XMM1,[RAX],1
0x0F,0xC2,0xCA,0x02, // cmpps XMM1,XMM2,2
0x66, 0x0F,0xC2,0x03,0x03, // cmppd XMM0,[RBX],3
0x66, 0x0F,0xC2,0xD1,0x04, // cmppd XMM2,XMM1,4
0xF2,0x0F,0xC2,0x08,0x05, // cmpsd XMM1,[RAX],5
0xF2,0x0F,0xC2,0xCA,0x06, // cmpsd XMM1,XMM2,6
0xF3,0x0F,0xC2,0x2E,0x07, // cmpss XMM5,[RSI],7
0xF3,0x0F,0xC2,0xF7,0x00, // cmpss XMM6,XMM7,0
0x66, 0x0F,0x2F,0x08, // comisd XMM1,[RAX]
0x66, 0x0F,0x2F,0x4D,0xD8, // comisd XMM1,-028h[RBP]
0x66, 0x0F,0x2F,0xCA, // comisd XMM1,XMM2
0x0F,0x2F,0x2E, // comiss XMM5,[RSI]
0x0F,0x2F,0xF7, // comiss XMM6,XMM7
0xF3,0x0F,0xE6,0xDC, // cvtdq2pd XMM3,XMM4
0xF3,0x0F,0xE6,0x5D,0xD8, // cvtdq2pd XMM3,-028h[RBP]
0x0F,0x5B,0xDC, // cvtdq2ps XMM3,XMM4
0x0F,0x5B,0x5D,0xE0, // cvtdq2ps XMM3,-020h[RBP]
0xF2,0x0F,0xE6,0xDC, // cvtpd2dq XMM3,XMM4
0xF2,0x0F,0xE6,0x5D,0xE0, // cvtpd2dq XMM3,-020h[RBP]
0x66, 0x0F,0x2D,0xDC, // cvtpd2pi MM3,XMM4
0x66, 0x0F,0x2D,0x5D,0xE0, // cvtpd2pi MM3,-020h[RBP]
0x66, 0x0F,0x5A,0xDC, // cvtpd2ps XMM3,XMM4
0x66, 0x0F,0x5A,0x5D,0xE0, // cvtpd2ps XMM3,-020h[RBP]
0x66, 0x0F,0x2A,0xDC, // cvtpi2pd XMM3,MM4
0x66, 0x0F,0x2A,0x5D,0xD8, // cvtpi2pd XMM3,-028h[RBP]
0x0F,0x2A,0xDC, // cvtpi2ps XMM3,MM4
0x0F,0x2A,0x5D,0xD8, // cvtpi2ps XMM3,-028h[RBP]
0x66, 0x0F,0x5B,0xDC, // cvtps2dq XMM3,XMM4
0x66, 0x0F,0x5B,0x5D,0xE0, // cvtps2dq XMM3,-020h[RBP]
0x0F,0x5A,0xDC, // cvtps2pd XMM3,XMM4
0x0F,0x5A,0x5D,0xD8, // cvtps2pd XMM3,-028h[RBP]
0x0F,0x2D,0xDC, // cvtps2pi MM3,XMM4
0x0F,0x2D,0x5D,0xD8, // cvtps2pi MM3,-030h[RBP]
0xF2,0x0F,0x2D,0xCC, // cvtsd2si XMM1,XMM4
0xF2,0x0F,0x2D,0x55,0xD8, // cvtsd2si XMM2,-028h[RBP]
0xF2,0x0F,0x5A,0xDC, // cvtsd2ss XMM3,XMM4
0xF2,0x0F,0x5A,0x5D,0xD8, // cvtsd2ss XMM3,-028h[RBP]
0xF2,0x0F,0x2A,0xDA, // cvtsi2sd XMM3,EDX
0xF2,0x0F,0x2A,0x5D,0xD0, // cvtsi2sd XMM3,-030h[RBP]
0xF3,0x0F,0x2A,0xDA, // cvtsi2ss XMM3,EDX
0xF3,0x0F,0x2A,0x5D,0xD0, // cvtsi2ss XMM3,-030h[RBP]
0xF3,0x0F,0x5A,0xDC, // cvtss2sd XMM3,XMM4
0xF3,0x0F,0x5A,0x5D,0xD0, // cvtss2sd XMM3,-030h[RBP]
0xF3,0x0F,0x2D,0xFC, // cvtss2si XMM7,XMM4
0xF3,0x0F,0x2D,0x7D,0xD0, // cvtss2si XMM7,-030h[RBP]
0x66, 0x0F,0x2C,0xDC, // cvttpd2pi MM3,XMM4
0x66, 0x0F,0x2C,0x7D,0xE0, // cvttpd2pi MM7,-020h[RBP]
0x66, 0x0F,0xE6,0xDC, // cvttpd2dq XMM3,XMM4
0x66, 0x0F,0xE6,0x7D,0xE0, // cvttpd2dq XMM7,-020h[RBP]
0xF3,0x0F,0x5B,0xDC, // cvttps2dq XMM3,XMM4
0xF3,0x0F,0x5B,0x7D,0xE0, // cvttps2dq XMM7,-020h[RBP]
0x0F,0x2C,0xDC, // cvttps2pi MM3,XMM4
0x0F,0x2C,0x7D,0xD8, // cvttps2pi MM7,-028h[RBP]
0xF2,0x0F,0x2C,0xC4, // cvttsd2si EAX,XMM4
0xF2,0x0F,0x2C,0x4D,0xE0, // cvttsd2si ECX,-020h[RBP]
0xF3,0x0F,0x2C,0xC4, // cvttss2si EAX,XMM4
0xF3,0x0F,0x2C,0x4D,0xD0, // cvttss2si ECX,-030h[RBP]
0x66, 0x0F,0x5E,0xE8, // divpd XMM5,XMM0
0x66, 0x0F,0x5E,0x6D,0xE0, // divpd XMM5,-020h[RBP]
0x0F,0x5E,0xE8, // divps XMM5,XMM0
0x0F,0x5E,0x6D,0xE0, // divps XMM5,-020h[RBP]
0xF2,0x0F,0x5E,0xE8, // divsd XMM5,XMM0
0xF2,0x0F,0x5E,0x6D,0xD8, // divsd XMM5,-028h[RBP]
0xF3,0x0F,0x5E,0xE8, // divss XMM5,XMM0
0xF3,0x0F,0x5E,0x6D,0xD0, // divss XMM5,-030h[RBP]
0x66, 0x0F,0xF7,0xD1, // maskmovdqu XMM2,XMM1
0x0F,0xF7,0xE3, // maskmovq MM4,MM3
0x66, 0x0F,0x5F,0xC0, // maxpd XMM0,XMM0
0x66, 0x0F,0x5F,0x4D,0xE0, // maxpd XMM1,-020h[RBP]
0x0F,0x5F,0xD1, // maxps XMM2,XMM1
0x0F,0x5F,0x5D,0xE0, // maxps XMM3,-020h[RBP]
0xF2,0x0F,0x5F,0xE2, // maxsd XMM4,XMM2
0xF2,0x0F,0x5F,0x6D,0xD8, // maxsd XMM5,-028h[RBP]
0xF3,0x0F,0x5F,0xF3, // maxss XMM6,XMM3
0xF3,0x0F,0x5F,0x7D,0xD0, // maxss XMM7,-030h[RBP]
0x66, 0x0F,0x5D,0xC0, // minpd XMM0,XMM0
0x66, 0x0F,0x5D,0x4D,0xE0, // minpd XMM1,-020h[RBP]
0x0F,0x5D,0xD1, // minps XMM2,XMM1
0x0F,0x5D,0x5D,0xE0, // minps XMM3,-020h[RBP]
0xF2,0x0F,0x5D,0xE2, // minsd XMM4,XMM2
0xF2,0x0F,0x5D,0x6D,0xD8, // minsd XMM5,-028h[RBP]
0xF3,0x0F,0x5D,0xF3, // minss XMM6,XMM3
0xF3,0x0F,0x5D,0x7D,0xD0, // minss XMM7,-030h[RBP]
0x66, 0x0F,0x28,0xCA, // movapd XMM1,XMM2
0x66, 0x0F,0x28,0x5D,0xE0, // movapd XMM3,-020h[RBP]
0x66, 0x0F,0x29,0x65,0xE0, // movapd -020h[RBP],XMM4
0x0F,0x28,0xCA, // movaps XMM1,XMM2
0x0F,0x28,0x5D,0xE0, // movaps XMM3,-020h[RBP]
0x0F,0x29,0x65,0xE0, // movaps -020h[RBP],XMM4
0x0F,0x6E,0xCB, // movd MM1,EBX
0x0F,0x6E,0x55,0xD0, // movd MM2,-030h[RBP]
0x0F,0x7E,0xDB, // movd EBX,MM3
0x0F,0x7E,0x65,0xD0, // movd -030h[RBP],MM4
0x66, 0x0F,0x6E,0xCB, // movd XMM1,EBX
0x66, 0x0F,0x6E,0x55,0xD0, // movd XMM2,-030h[RBP]
0x66, 0x0F,0x7E,0xDB, // movd EBX,XMM3
0x66, 0x0F,0x7E,0x65,0xD0, // movd -030h[RBP],XMM4
0x66, 0x0F,0x6F,0xCA, // movdqa XMM1,XMM2
0x66, 0x0F,0x6F,0x55,0xE0, // movdqa XMM2,-020h[RBP]
0x66, 0x0F,0x7F,0x65,0xE0, // movdqa -020h[RBP],XMM4
0xF3,0x0F,0x6F,0xCA, // movdqu XMM1,XMM2
0xF3,0x0F,0x6F,0x55,0xE0, // movdqu XMM2,-020h[RBP]
0xF3,0x0F,0x7F,0x65,0xE0, // movdqu -020h[RBP],XMM4
0xF2,0x0F,0xD6,0xE3, // movdq2q MM4,XMM3
0x0F,0x12,0xDC, // movhlps XMM4,XMM3
0x66, 0x0F,0x16,0x55,0xD8, // movhpd XMM2,-028h[RBP]
0x66, 0x0F,0x17,0x7D,0xD8, // movhpd -028h[RBP],XMM7
0x0F,0x16,0x55,0xD8, // movhps XMM2,-028h[RBP]
0x0F,0x17,0x7D,0xD8, // movhps -028h[RBP],XMM7
0x0F,0x16,0xDC, // movlhps XMM4,XMM3
0x66, 0x0F,0x12,0x55,0xD8, // movlpd XMM2,-028h[RBP]
0x66, 0x0F,0x13,0x7D,0xD8, // movlpd -028h[RBP],XMM7
0x0F,0x12,0x55,0xD8, // movlps XMM2,-028h[RBP]
0x0F,0x13,0x7D,0xD8, // movlps -028h[RBP],XMM7
0x66, 0x0F,0x50,0xF3, // movmskpd ESI,XMM3
0x0F,0x50,0xF3, // movmskps ESI,XMM3
0x66, 0x0F,0x59,0xC0, // mulpd XMM0,XMM0
0x66, 0x0F,0x59,0x4D,0xE0, // mulpd XMM1,-020h[RBP]
0x0F,0x59,0xD1, // mulps XMM2,XMM1
0x0F,0x59,0x5D,0xE0, // mulps XMM3,-020h[RBP]
0xF2,0x0F,0x59,0xE2, // mulsd XMM4,XMM2
0xF2,0x0F,0x59,0x6D,0xD8, // mulsd XMM5,-028h[RBP]
0xF3,0x0F,0x59,0xF3, // mulss XMM6,XMM3
0xF3,0x0F,0x59,0x7D,0xD0, // mulss XMM7,-030h[RBP]
0x66, 0x0F,0x51,0xC4, // sqrtpd XMM0,XMM4
0x66, 0x0F,0x51,0x4D,0xE0, // sqrtpd XMM1,-020h[RBP]
0x0F,0x51,0xD5, // sqrtps XMM2,XMM5
0x0F,0x51,0x5D,0xE0, // sqrtps XMM3,-020h[RBP]
0xF2,0x0F,0x51,0xE6, // sqrtsd XMM4,XMM6
0xF2,0x0F,0x51,0x6D,0xD8, // sqrtsd XMM5,-028h[RBP]
0xF3,0x0F,0x51,0xF7, // sqrtss XMM6,XMM7
0xF3,0x0F,0x51,0x7D,0xD0, // sqrtss XMM7,-030h[RBP]
0x66, 0x0F,0x5C,0xC4, // subpd XMM0,XMM4
0x66, 0x0F,0x5C,0x4D,0xE0, // subpd XMM1,-020h[RBP]
0x0F,0x5C,0xD5, // subps XMM2,XMM5
0x0F,0x5C,0x5D,0xE0, // subps XMM3,-020h[RBP]
0xF2,0x0F,0x5C,0xE6, // subsd XMM4,XMM6
0xF2,0x0F,0x5C,0x6D,0xD8, // subsd XMM5,-028h[RBP]
0xF3,0x0F,0x5C,0xF7, // subss XMM6,XMM7
0xF3,0x0F,0x5C,0x7D,0xD0, // subss XMM7,-030h[RBP]
0x0F,0x01,0xE0, // smsw EAX
];
int i;
asm
{
call L1 ;
ud2 ;
syscall ;
sysenter ;
sysexit ;
sysret ;
lfence ;
mfence ;
sfence ;
fxsave [RAX] ;
fxrstor [RAX] ;
ldmxcsr [RAX] ;
stmxcsr [RAX] ;
clflush [RAX] ;
addps XMM1,[RAX] ;
addps XMM1,XMM2 ;
addpd XMM0,[RBX] ;
addpd XMM2,XMM1 ;
addsd XMM1,[RAX] ;
addsd XMM1,XMM2 ;
addss XMM5,[RSI] ;
addss XMM6,XMM7 ;
andps XMM1,[RAX] ;
andps XMM1,XMM2 ;
andpd XMM0,[RBX] ;
andpd XMM2,XMM1 ;
andnps XMM1,[RAX] ;
andnps XMM1,XMM2 ;
andnpd XMM0,[RBX] ;
andnpd XMM2,XMM1 ;
cmpsd ;
cmpps XMM1,[RAX],1 ;
cmpps XMM1,XMM2,2 ;
cmppd XMM0,[RBX],3 ;
cmppd XMM2,XMM1,4 ;
cmpsd XMM1,[RAX],5 ;
cmpsd XMM1,XMM2,6 ;
cmpss XMM5,[RSI],7 ;
cmpss XMM6,XMM7,0 ;
comisd XMM1,[RAX] ;
comisd XMM1,m64[RBP] ;
comisd XMM1,XMM2 ;
comiss XMM5,[RSI] ;
comiss XMM6,XMM7 ;
cvtdq2pd XMM3,XMM4 ;
cvtdq2pd XMM3,m64[RBP] ;
cvtdq2ps XMM3,XMM4 ;
cvtdq2ps XMM3,m128[RBP] ;
cvtpd2dq XMM3,XMM4 ;
cvtpd2dq XMM3,m128[RBP] ;
cvtpd2pi MM3,XMM4 ;
cvtpd2pi MM3,m128[RBP] ;
cvtpd2ps XMM3,XMM4 ;
cvtpd2ps XMM3,m128[RBP] ;
cvtpi2pd XMM3,MM4 ;
cvtpi2pd XMM3,m64[RBP] ;
cvtpi2ps XMM3,MM4 ;
cvtpi2ps XMM3,m64[RBP] ;
cvtps2dq XMM3,XMM4 ;
cvtps2dq XMM3,m128[RBP] ;
cvtps2pd XMM3,XMM4 ;
cvtps2pd XMM3,m64[RBP] ;
cvtps2pi MM3,XMM4 ;
cvtps2pi MM3,m64[RBP] ;
cvtsd2si ECX,XMM4 ;
cvtsd2si EDX,m64[RBP] ;
cvtsd2ss XMM3,XMM4 ;
cvtsd2ss XMM3,m64[RBP] ;
cvtsi2sd XMM3,EDX ;
cvtsi2sd XMM3,m32[RBP] ;
cvtsi2ss XMM3,EDX ;
cvtsi2ss XMM3,m32[RBP] ;
cvtss2sd XMM3,XMM4 ;
cvtss2sd XMM3,m32[RBP] ;
cvtss2si EDI,XMM4 ;
cvtss2si EDI,m32[RBP] ;
cvttpd2pi MM3,XMM4 ;
cvttpd2pi MM7,m128[RBP] ;
cvttpd2dq XMM3,XMM4 ;
cvttpd2dq XMM7,m128[RBP] ;
cvttps2dq XMM3,XMM4 ;
cvttps2dq XMM7,m128[RBP] ;
cvttps2pi MM3,XMM4 ;
cvttps2pi MM7,m64[RBP] ;
cvttsd2si EAX,XMM4 ;
cvttsd2si ECX,m128[RBP] ;
cvttss2si EAX,XMM4 ;
cvttss2si ECX,m32[RBP] ;
divpd XMM5,XMM0 ;
divpd XMM5,m128[RBP] ;
divps XMM5,XMM0 ;
divps XMM5,m128[RBP] ;
divsd XMM5,XMM0 ;
divsd XMM5,m64[RBP] ;
divss XMM5,XMM0 ;
divss XMM5,m32[RBP] ;
maskmovdqu XMM1,XMM2 ;
maskmovq MM3,MM4 ;
maxpd XMM0,XMM0 ;
maxpd XMM1,m128[RBP] ;
maxps XMM2,XMM1 ;
maxps XMM3,m128[RBP] ;
maxsd XMM4,XMM2 ;
maxsd XMM5,m64[RBP] ;
maxss XMM6,XMM3 ;
maxss XMM7,m32[RBP] ;
minpd XMM0,XMM0 ;
minpd XMM1,m128[RBP] ;
minps XMM2,XMM1 ;
minps XMM3,m128[RBP] ;
minsd XMM4,XMM2 ;
minsd XMM5,m64[RBP] ;
minss XMM6,XMM3 ;
minss XMM7,m32[RBP] ;
movapd XMM1,XMM2 ;
movapd XMM3,m128[RBP] ;
movapd m128[RBP],XMM4 ;
movaps XMM1,XMM2 ;
movaps XMM3,m128[RBP] ;
movaps m128[RBP],XMM4 ;
movd MM1,EBX ;
movd MM2,m32[RBP] ;
movd EBX,MM3 ;
movd m32[RBP],MM4 ;
movd XMM1,EBX ;
movd XMM2,m32[RBP] ;
movd EBX,XMM3 ;
movd m32[RBP],XMM4 ;
movdqa XMM1,XMM2 ;
movdqa XMM2,m128[RBP] ;
movdqa m128[RBP],XMM4 ;
movdqu XMM1,XMM2 ;
movdqu XMM2,m128[RBP] ;
movdqu m128[RBP],XMM4 ;
movdq2q MM3,XMM4 ;
movhlps XMM3,XMM4 ;
movhpd XMM2,m64[RBP] ;
movhpd m64[RBP],XMM7 ;
movhps XMM2,m64[RBP] ;
movhps m64[RBP],XMM7 ;
movlhps XMM3,XMM4 ;
movlpd XMM2,m64[RBP] ;
movlpd m64[RBP],XMM7 ;
movlps XMM2,m64[RBP] ;
movlps m64[RBP],XMM7 ;
movmskpd ESI,XMM3 ;
movmskps ESI,XMM3 ;
mulpd XMM0,XMM0 ;
mulpd XMM1,m128[RBP] ;
mulps XMM2,XMM1 ;
mulps XMM3,m128[RBP] ;
mulsd XMM4,XMM2 ;
mulsd XMM5,m64[RBP] ;
mulss XMM6,XMM3 ;
mulss XMM7,m32[RBP] ;
sqrtpd XMM0,XMM4 ;
sqrtpd XMM1,m128[RBP] ;
sqrtps XMM2,XMM5 ;
sqrtps XMM3,m128[RBP] ;
sqrtsd XMM4,XMM6 ;
sqrtsd XMM5,m64[RBP] ;
sqrtss XMM6,XMM7 ;
sqrtss XMM7,m32[RBP] ;
subpd XMM0,XMM4 ;
subpd XMM1,m128[RBP] ;
subps XMM2,XMM5 ;
subps XMM3,m128[RBP] ;
subsd XMM4,XMM6 ;
subsd XMM5,m64[RBP] ;
subss XMM6,XMM7 ;
subss XMM7,m32[RBP] ;
smsw EAX ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
//printf("[%d] = %02x %02x\n", i, p[i], data[i]);
assert(p[i] == data[i]);
}
}
/****************************************************/
void test14()
{
byte m8;
short m16;
int m32;
long m64;
M128 m128;
ubyte *p;
static ubyte data[] =
[
0x66, 0x0F,0x50,0xF3, // movmskpd ESI,XMM3
0x0F,0x50,0xF3, // movmskps ESI,XMM3
0x66, 0x0F,0xE7,0x55,0xE0, // movntdq -020h[RBP],XMM2
0x0F,0xC3,0x4D,0xD4, // movnti -02Ch[RBP],ECX
0x66, 0x0F,0x2B,0x5D,0xE0, // movntpd -020h[RBP],XMM3
0x0F,0x2B,0x65,0xE0, // movntps -020h[RBP],XMM4
0x0F,0xE7,0x6D,0xD8, // movntq -028h[RBP],MM5
0x0F,0x6F,0xCA, // movq MM1,MM2
0x0F,0x6F,0x55,0xD8, // movq MM2,-028h[RBP]
0x0F,0x7F,0x5D,0xD8, // movq -028h[RBP],MM3
0xF3,0x0F,0x7E,0xCA, // movq XMM1,XMM2
0xF3,0x0F,0x7E,0x55,0xD8, // movq XMM2,-028h[RBP]
0x66, 0x0F,0xD6,0x5D,0xD8, // movq -028h[RBP],XMM3
0xF3,0x0F,0xD6,0xDA, // movq2dq XMM3,MM2
0xA5, // movsd
0xF2,0x0F,0x10,0xCA, // movsd XMM1,XMM2
0xF2,0x0F,0x10,0x5D,0xD8, // movsd XMM3,-028h[RBP]
0xF2,0x0F,0x11,0x65,0xD8, // movsd -028h[RBP],XMM4
0xF3,0x0F,0x10,0xCA, // movss XMM1,XMM2
0xF3,0x0F,0x10,0x5D,0xD4, // movss XMM3,-02Ch[RBP]
0xF3,0x0F,0x11,0x65,0xD4, // movss -02Ch[RBP],XMM4
0x66, 0x0F,0x10,0xCA, // movupd XMM1,XMM2
0x66, 0x0F,0x10,0x5D,0xE0, // movupd XMM3,-020h[RBP]
0x66, 0x0F,0x11,0x65,0xE0, // movupd -020h[RBP],XMM4
0x0F,0x10,0xCA, // movups XMM1,XMM2
0x0F,0x10,0x5D,0xE0, // movups XMM3,-020h[RBP]
0x0F,0x11,0x65,0xE0, // movups -020h[RBP],XMM4
0x66, 0x0F,0x56,0xCA, // orpd XMM1,XMM2
0x66, 0x0F,0x56,0x5D,0xE0, // orpd XMM3,-020h[RBP]
0x0F,0x56,0xCA, // orps XMM1,XMM2
0x0F,0x56,0x5D,0xE0, // orps XMM3,-020h[RBP]
0x0F,0x63,0xCA, // packsswb MM1,MM2
0x0F,0x63,0x5D,0xD8, // packsswb MM3,-028h[RBP]
0x66, 0x0F,0x63,0xCA, // packsswb XMM1,XMM2
0x66, 0x0F,0x63,0x5D,0xE0, // packsswb XMM3,-020h[RBP]
0x0F,0x6B,0xCA, // packssdw MM1,MM2
0x0F,0x6B,0x5D,0xD8, // packssdw MM3,-028h[RBP]
0x66, 0x0F,0x6B,0xCA, // packssdw XMM1,XMM2
0x66, 0x0F,0x6B,0x5D,0xE0, // packssdw XMM3,-020h[RBP]
0x0F,0x67,0xCA, // packuswb MM1,MM2
0x0F,0x67,0x5D,0xD8, // packuswb MM3,-028h[RBP]
0x66, 0x0F,0x67,0xCA, // packuswb XMM1,XMM2
0x66, 0x0F,0x67,0x5D,0xE0, // packuswb XMM3,-020h[RBP]
0x0F,0xFC,0xCA, // paddb MM1,MM2
0x0F,0xFC,0x5D,0xD8, // paddb MM3,-028h[RBP]
0x66, 0x0F,0xFC,0xCA, // paddb XMM1,XMM2
0x66, 0x0F,0xFC,0x5D,0xE0, // paddb XMM3,-020h[RBP]
0x0F,0xFD,0xCA, // paddw MM1,MM2
0x0F,0xFD,0x5D,0xD8, // paddw MM3,-028h[RBP]
0x66, 0x0F,0xFD,0xCA, // paddw XMM1,XMM2
0x66, 0x0F,0xFD,0x5D,0xE0, // paddw XMM3,-020h[RBP]
0x0F,0xFE,0xCA, // paddd MM1,MM2
0x0F,0xFE,0x5D,0xD8, // paddd MM3,-028h[RBP]
0x66, 0x0F,0xFE,0xCA, // paddd XMM1,XMM2
0x66, 0x0F,0xFE,0x5D,0xE0, // paddd XMM3,-020h[RBP]
0x0F,0xD4,0xCA, // paddq MM1,MM2
0x0F,0xD4,0x5D,0xD8, // paddq MM3,-028h[RBP]
0x66, 0x0F,0xD4,0xCA, // paddq XMM1,XMM2
0x66, 0x0F,0xD4,0x5D,0xE0, // paddq XMM3,-020h[RBP]
0x0F,0xEC,0xCA, // paddsb MM1,MM2
0x0F,0xEC,0x5D,0xD8, // paddsb MM3,-028h[RBP]
0x66, 0x0F,0xEC,0xCA, // paddsb XMM1,XMM2
0x66, 0x0F,0xEC,0x5D,0xE0, // paddsb XMM3,-020h[RBP]
0x0F,0xED,0xCA, // paddsw MM1,MM2
0x0F,0xED,0x5D,0xD8, // paddsw MM3,-028h[RBP]
0x66, 0x0F,0xED,0xCA, // paddsw XMM1,XMM2
0x66, 0x0F,0xED,0x5D,0xE0, // paddsw XMM3,-020h[RBP]
0x0F,0xDC,0xCA, // paddusb MM1,MM2
0x0F,0xDC,0x5D,0xD8, // paddusb MM3,-028h[RBP]
0x66, 0x0F,0xDC,0xCA, // paddusb XMM1,XMM2
0x66, 0x0F,0xDC,0x5D,0xE0, // paddusb XMM3,-020h[RBP]
0x0F,0xDD,0xCA, // paddusw MM1,MM2
0x0F,0xDD,0x5D,0xD8, // paddusw MM3,-028h[RBP]
0x66, 0x0F,0xDD,0xCA, // paddusw XMM1,XMM2
0x66, 0x0F,0xDD,0x5D,0xE0, // paddusw XMM3,-020h[RBP]
0x0F,0xDB,0xCA, // pand MM1,MM2
0x0F,0xDB,0x5D,0xD8, // pand MM3,-028h[RBP]
0x66, 0x0F,0xDB,0xCA, // pand XMM1,XMM2
0x66, 0x0F,0xDB,0x5D,0xE0, // pand XMM3,-020h[RBP]
0x0F,0xDF,0xCA, // pandn MM1,MM2
0x0F,0xDF,0x5D,0xD8, // pandn MM3,-028h[RBP]
0x66, 0x0F,0xDF,0xCA, // pandn XMM1,XMM2
0x66, 0x0F,0xDF,0x5D,0xE0, // pandn XMM3,-020h[RBP]
0x0F,0xE0,0xCA, // pavgb MM1,MM2
0x0F,0xE0,0x5D,0xD8, // pavgb MM3,-028h[RBP]
0x66, 0x0F,0xE0,0xCA, // pavgb XMM1,XMM2
0x66, 0x0F,0xE0,0x5D,0xE0, // pavgb XMM3,-020h[RBP]
0x0F,0xE3,0xCA, // pavgw MM1,MM2
0x0F,0xE3,0x5D,0xD8, // pavgw MM3,-028h[RBP]
0x66, 0x0F,0xE3,0xCA, // pavgw XMM1,XMM2
0x66, 0x0F,0xE3,0x5D,0xE0, // pavgw XMM3,-020h[RBP]
0x0F,0x74,0xCA, // pcmpeqb MM1,MM2
0x0F,0x74,0x5D,0xD8, // pcmpeqb MM3,-028h[RBP]
0x66, 0x0F,0x74,0xCA, // pcmpeqb XMM1,XMM2
0x66, 0x0F,0x74,0x5D,0xE0, // pcmpeqb XMM3,-020h[RBP]
0x0F,0x75,0xCA, // pcmpeqw MM1,MM2
0x0F,0x75,0x5D,0xD8, // pcmpeqw MM3,-028h[RBP]
0x66, 0x0F,0x75,0xCA, // pcmpeqw XMM1,XMM2
0x66, 0x0F,0x75,0x5D,0xE0, // pcmpeqw XMM3,-020h[RBP]
0x0F,0x76,0xCA, // pcmpeqd MM1,MM2
0x0F,0x76,0x5D,0xD8, // pcmpeqd MM3,-028h[RBP]
0x66, 0x0F,0x76,0xCA, // pcmpeqd XMM1,XMM2
0x66, 0x0F,0x76,0x5D,0xE0, // pcmpeqd XMM3,-020h[RBP]
0x0F,0x64,0xCA, // pcmpgtb MM1,MM2
0x0F,0x64,0x5D,0xD8, // pcmpgtb MM3,-028h[RBP]
0x66, 0x0F,0x64,0xCA, // pcmpgtb XMM1,XMM2
0x66, 0x0F,0x64,0x5D,0xE0, // pcmpgtb XMM3,-020h[RBP]
0x0F,0x65,0xCA, // pcmpgtw MM1,MM2
0x0F,0x65,0x5D,0xD8, // pcmpgtw MM3,-028h[RBP]
0x66, 0x0F,0x65,0xCA, // pcmpgtw XMM1,XMM2
0x66, 0x0F,0x65,0x5D,0xE0, // pcmpgtw XMM3,-020h[RBP]
0x0F,0x66,0xCA, // pcmpgtd MM1,MM2
0x0F,0x66,0x5D,0xD8, // pcmpgtd MM3,-028h[RBP]
0x66, 0x0F,0x66,0xCA, // pcmpgtd XMM1,XMM2
0x66, 0x0F,0x66,0x5D,0xE0, // pcmpgtd XMM3,-020h[RBP]
0x0F,0xC5,0xD6,0x07, // pextrw EDX,MM6,7
0x66, 0x0F,0xC5,0xD6,0x07, // pextrw EDX,XMM6,7
0x0F,0xC4,0xF2,0x07, // pinsrw MM6,EDX,7
0x0F,0xC4,0x75,0xD2,0x07, // pinsrw MM6,-02Eh[RBP],7
0x66, 0x0F,0xC4,0xF2,0x07, // pinsrw XMM6,EDX,7
0x66, 0x0F,0xC4,0x75,0xD2,0x07, // pinsrw XMM6,-02Eh[RBP],7
0x0F,0xF5,0xCA, // pmaddwd MM1,MM2
0x0F,0xF5,0x5D,0xD8, // pmaddwd MM3,-028h[RBP]
0x66, 0x0F,0xF5,0xCA, // pmaddwd XMM1,XMM2
0x66, 0x0F,0xF5,0x5D,0xE0, // pmaddwd XMM3,-020h[RBP]
0x0F,0xEE,0xCA, // pmaxsw MM1,XMM2
0x0F,0xEE,0x5D,0xD8, // pmaxsw MM3,-028h[RBP]
0x66, 0x0F,0xEE,0xCA, // pmaxsw XMM1,XMM2
0x66, 0x0F,0xEE,0x5D,0xE0, // pmaxsw XMM3,-020h[RBP]
0x0F,0xDE,0xCA, // pmaxub MM1,XMM2
0x0F,0xDE,0x5D,0xD8, // pmaxub MM3,-028h[RBP]
0x66, 0x0F,0xDE,0xCA, // pmaxub XMM1,XMM2
0x66, 0x0F,0xDE,0x5D,0xE0, // pmaxub XMM3,-020h[RBP]
0x0F,0xEA,0xCA, // pminsw MM1,MM2
0x0F,0xEA,0x5D,0xD8, // pminsw MM3,-028h[RBP]
0x66, 0x0F,0xEA,0xCA, // pminsw XMM1,XMM2
0x66, 0x0F,0xEA,0x5D,0xE0, // pminsw XMM3,-020h[RBP]
0x0F,0xDA,0xCA, // pminub MM1,MM2
0x0F,0xDA,0x5D,0xD8, // pminub MM3,-028h[RBP]
0x66, 0x0F,0xDA,0xCA, // pminub XMM1,XMM2
0x66, 0x0F,0xDA,0x5D,0xE0, // pminub XMM3,-020h[RBP]
0x0F,0xD7,0xC8, // pmovmskb ECX,MM0
0x66, 0x0F,0xD7,0xCE, // pmovmskb ECX,XMM6
0x0F,0xE4,0xCA, // pmulhuw MM1,MM2
0x0F,0xE4,0x5D,0xD8, // pmulhuw MM3,-028h[RBP]
0x66, 0x0F,0xE4,0xCA, // pmulhuw XMM1,XMM2
0x66, 0x0F,0xE4,0x5D,0xE0, // pmulhuw XMM3,-020h[RBP]
0x0F,0xE5,0xCA, // pmulhw MM1,MM2
0x0F,0xE5,0x5D,0xD8, // pmulhw MM3,-028h[RBP]
0x66, 0x0F,0xE5,0xCA, // pmulhw XMM1,XMM2
0x66, 0x0F,0xE5,0x5D,0xE0, // pmulhw XMM3,-020h[RBP]
0x0F,0xD5,0xCA, // pmullw MM1,MM2
0x0F,0xD5,0x5D,0xD8, // pmullw MM3,-028h[RBP]
0x66, 0x0F,0xD5,0xCA, // pmullw XMM1,XMM2
0x66, 0x0F,0xD5,0x5D,0xE0, // pmullw XMM3,-020h[RBP]
0x0F,0xF4,0xCA, // pmuludq MM1,MM2
0x0F,0xF4,0x5D,0xD8, // pmuludq MM3,-028h[RBP]
0x66, 0x0F,0xF4,0xCA, // pmuludq XMM1,XMM2
0x66, 0x0F,0xF4,0x5D,0xE0, // pmuludq XMM3,-020h[RBP]
0x0F,0xEB,0xCA, // por MM1,MM2
0x0F,0xEB,0x5D,0xD8, // por MM3,-028h[RBP]
0x66, 0x0F,0xEB,0xCA, // por XMM1,XMM2
0x66, 0x0F,0xEB,0x5D,0xE0, // por XMM3,-020h[RBP]
0x0F,0x18,0x4D,0xD0, // prefetcht0 -030h[RBP]
0x0F,0x18,0x55,0xD0, // prefetcht1 -030h[RBP]
0x0F,0x18,0x5D,0xD0, // prefetcht2 -030h[RBP]
0x0F,0x18,0x45,0xD0, // prefetchnta -030h[RBP]
0x0F,0xF6,0xCA, // psadbw MM1,MM2
0x0F,0xF6,0x5D,0xD8, // psadbw MM3,-028h[RBP]
0x66, 0x0F,0xF6,0xCA, // psadbw XMM1,XMM2
0x66, 0x0F,0xF6,0x5D,0xE0, // psadbw XMM3,-020h[RBP]
0x66, 0x0F,0x70,0xCA,0x03, // pshufd XMM1,XMM2,3
0x66, 0x0F,0x70,0x5D,0xE0,0x03, // pshufd XMM3,-020h[RBP],3
0xF3,0x0F,0x70,0xCA,0x03, // pshufhw XMM1,XMM2,3
0xF3,0x0F,0x70,0x5D,0xE0,0x03, // pshufhw XMM3,-020h[RBP],3
0xF2,0x0F,0x70,0xCA,0x03, // pshuflw XMM1,XMM2,3
0xF2,0x0F,0x70,0x5D,0xE0,0x03, // pshuflw XMM3,-020h[RBP],3
0x0F,0x70,0xCA,0x03, // pshufw MM1,MM2,3
0x0F,0x70,0x5D,0xD8,0x03, // pshufw MM3,-028h[RBP],3
0x66, 0x0F,0x73,0xF9,0x18, // pslldq XMM1,020h
0x0F,0xF1,0xCA, // psllw MM1,MM2
0x0F,0xF1,0x4D,0xD8, // psllw MM1,-028h[RBP]
0x66, 0x0F,0xF1,0xCA, // psllw XMM1,XMM2
0x66, 0x0F,0xF1,0x4D,0xE0, // psllw XMM1,-020h[RBP]
0x0F,0x71,0xF1,0x15, // psraw MM1,015h
0x66, 0x0F,0x71,0xF1,0x15, // psraw XMM1,015h
0x0F,0xF2,0xCA, // pslld MM1,MM2
0x0F,0xF2,0x4D,0xD8, // pslld MM1,-028h[RBP]
0x66, 0x0F,0xF2,0xCA, // pslld XMM1,XMM2
0x66, 0x0F,0xF2,0x4D,0xE0, // pslld XMM1,-020h[RBP]
0x0F,0x72,0xF1,0x15, // psrad MM1,015h
0x66, 0x0F,0x72,0xF1,0x15, // psrad XMM1,015h
0x0F,0xF3,0xCA, // psllq MM1,MM2
0x0F,0xF3,0x4D,0xD8, // psllq MM1,-028h[RBP]
0x66, 0x0F,0xF3,0xCA, // psllq XMM1,XMM2
0x66, 0x0F,0xF3,0x4D,0xE0, // psllq XMM1,-020h[RBP]
0x0F,0x73,0xF1,0x15, // psllq MM1,015h
0x66, 0x0F,0x73,0xF1,0x15, // psllq XMM1,015h
0x0F,0xE1,0xCA, // psraw MM1,MM2
0x0F,0xE1,0x4D,0xD8, // psraw MM1,-028h[RBP]
0x66, 0x0F,0xE1,0xCA, // psraw XMM1,XMM2
0x66, 0x0F,0xE1,0x4D,0xE0, // psraw XMM1,-020h[RBP]
0x0F,0x71,0xE1,0x15, // psraw MM1,015h
0x66, 0x0F,0x71,0xE1,0x15, // psraw XMM1,015h
0x0F,0xE2,0xCA, // psrad MM1,MM2
0x0F,0xE2,0x4D,0xD8, // psrad MM1,-028h[RBP]
0x66, 0x0F,0xE2,0xCA, // psrad XMM1,XMM2
0x66, 0x0F,0xE2,0x4D,0xE0, // psrad XMM1,-020h[RBP]
0x0F,0x72,0xE1,0x15, // psrad MM1,015h
0x66, 0x0F,0x72,0xE1,0x15, // psrad XMM1,015h
0x66, 0x0F,0x73,0xD9,0x18, // psrldq XMM1,020h
0x0F,0xD1,0xCA, // psrlw MM1,MM2
0x0F,0xD1,0x4D,0xD8, // psrlw MM1,-028h[RBP]
0x66, 0x0F,0xD1,0xCA, // psrlw XMM1,XMM2
0x66, 0x0F,0xD1,0x4D,0xE0, // psrlw XMM1,-020h[RBP]
0x0F,0x71,0xD1,0x15, // psrlw MM1,015h
0x66, 0x0F,0x71,0xD1,0x15, // psrlw XMM1,015h
0x0F,0xD2,0xCA, // psrld MM1,MM2
0x0F,0xD2,0x4D,0xD8, // psrld MM1,-028h[RBP]
0x66, 0x0F,0xD2,0xCA, // psrld XMM1,XMM2
0x66, 0x0F,0xD2,0x4D,0xE0, // psrld XMM1,-020h[RBP]
0x0F,0x72,0xD1,0x15, // psrld MM1,015h
0x66, 0x0F,0x72,0xD1,0x15, // psrld XMM1,015h
0x0F,0xD3,0xCA, // psrlq MM1,MM2
0x0F,0xD3,0x4D,0xD8, // psrlq MM1,-028h[RBP]
0x66, 0x0F,0xD3,0xCA, // psrlq XMM1,XMM2
0x66, 0x0F,0xD3,0x4D,0xE0, // psrlq XMM1,-020h[RBP]
0x0F,0x73,0xD1,0x15, // psrlq MM1,015h
0x66, 0x0F,0x73,0xD1,0x15, // psrlq XMM1,015h
0x0F,0xF8,0xCA, // psubb MM1,MM2
0x0F,0xF8,0x4D,0xD8, // psubb MM1,-028h[RBP]
0x66, 0x0F,0xF8,0xCA, // psubb XMM1,XMM2
0x66, 0x0F,0xF8,0x4D,0xE0, // psubb XMM1,-020h[RBP]
0x0F,0xF9,0xCA, // psubw MM1,MM2
0x0F,0xF9,0x4D,0xD8, // psubw MM1,-028h[RBP]
0x66, 0x0F,0xF9,0xCA, // psubw XMM1,XMM2
0x66, 0x0F,0xF9,0x4D,0xE0, // psubw XMM1,-020h[RBP]
0x0F,0xFA,0xCA, // psubd MM1,MM2
0x0F,0xFA,0x4D,0xD8, // psubd MM1,-028h[RBP]
0x66, 0x0F,0xFA,0xCA, // psubd XMM1,XMM2
0x66, 0x0F,0xFA,0x4D,0xE0, // psubd XMM1,-020h[RBP]
0x0F,0xFB,0xCA, // psubq MM1,MM2
0x0F,0xFB,0x4D,0xD8, // psubq MM1,-028h[RBP]
0x66, 0x0F,0xFB,0xCA, // psubq XMM1,XMM2
0x66, 0x0F,0xFB,0x4D,0xE0, // psubq XMM1,-020h[RBP]
0x0F,0xE8,0xCA, // psubsb MM1,MM2
0x0F,0xE8,0x4D,0xD8, // psubsb MM1,-028h[RBP]
0x66, 0x0F,0xE8,0xCA, // psubsb XMM1,XMM2
0x66, 0x0F,0xE8,0x4D,0xE0, // psubsb XMM1,-020h[RBP]
0x0F,0xE9,0xCA, // psubsw MM1,MM2
0x0F,0xE9,0x4D,0xD8, // psubsw MM1,-028h[RBP]
0x66, 0x0F,0xE9,0xCA, // psubsw XMM1,XMM2
0x66, 0x0F,0xE9,0x4D,0xE0, // psubsw XMM1,-020h[RBP]
0x0F,0xD8,0xCA, // psubusb MM1,MM2
0x0F,0xD8,0x4D,0xD8, // psubusb MM1,-028h[RBP]
0x66, 0x0F,0xD8,0xCA, // psubusb XMM1,XMM2
0x66, 0x0F,0xD8,0x4D,0xE0, // psubusb XMM1,-020h[RBP]
0x0F,0xD9,0xCA, // psubusw MM1,MM2
0x0F,0xD9,0x4D,0xD8, // psubusw MM1,-028h[RBP]
0x66, 0x0F,0xD9,0xCA, // psubusw XMM1,XMM2
0x66, 0x0F,0xD9,0x4D,0xE0, // psubusw XMM1,-020h[RBP]
0x0F,0x68,0xCA, // punpckhbw MM1,MM2
0x0F,0x68,0x4D,0xD8, // punpckhbw MM1,-028h[RBP]
0x66, 0x0F,0x68,0xCA, // punpckhbw XMM1,XMM2
0x66, 0x0F,0x68,0x4D,0xE0, // punpckhbw XMM1,-020h[RBP]
0x0F,0x69,0xCA, // punpckhwd MM1,MM2
0x0F,0x69,0x4D,0xD8, // punpckhwd MM1,-028h[RBP]
0x66, 0x0F,0x69,0xCA, // punpckhwd XMM1,XMM2
0x66, 0x0F,0x69,0x4D,0xE0, // punpckhwd XMM1,-020h[RBP]
0x0F,0x6A,0xCA, // punpckhdq MM1,MM2
0x0F,0x6A,0x4D,0xD8, // punpckhdq MM1,-028h[RBP]
0x66, 0x0F,0x6A,0xCA, // punpckhdq XMM1,XMM2
0x66, 0x0F,0x6A,0x4D,0xE0, // punpckhdq XMM1,-020h[RBP]
0x66, 0x0F,0x6D,0xCA, // punpckhqdq XMM1,XMM2
0x66, 0x0F,0x6D,0x4D,0xE0, // punpckhqdq XMM1,-020h[RBP]
0x0F,0x60,0xCA, // punpcklbw MM1,MM2
0x0F,0x60,0x4D,0xD8, // punpcklbw MM1,-028h[RBP]
0x66, 0x0F,0x60,0xCA, // punpcklbw XMM1,XMM2
0x66, 0x0F,0x60,0x4D,0xE0, // punpcklbw XMM1,-020h[RBP]
0x0F,0x61,0xCA, // punpcklwd MM1,MM2
0x0F,0x61,0x4D,0xD8, // punpcklwd MM1,-028h[RBP]
0x66, 0x0F,0x61,0xCA, // punpcklwd XMM1,XMM2
0x66, 0x0F,0x61,0x4D,0xE0, // punpcklwd XMM1,-020h[RBP]
0x0F,0x62,0xCA, // punpckldq MM1,MM2
0x0F,0x62,0x4D,0xD8, // punpckldq MM1,-028h[RBP]
0x66, 0x0F,0x62,0xCA, // punpckldq XMM1,XMM2
0x66, 0x0F,0x62,0x4D,0xE0, // punpckldq XMM1,-020h[RBP]
0x66, 0x0F,0x6C,0xCA, // punpcklqdq XMM1,XMM2
0x66, 0x0F,0x6C,0x4D,0xE0, // punpcklqdq XMM1,-020h[RBP]
0x0F,0xEF,0xCA, // pxor MM1,MM2
0x0F,0xEF,0x4D,0xD8, // pxor MM1,-028h[RBP]
0x66, 0x0F,0xEF,0xCA, // pxor XMM1,XMM2
0x66, 0x0F,0xEF,0x4D,0xE0, // pxor XMM1,-020h[RBP]
0x0F,0x53,0xCA, // rcpps XMM1,XMM2
0x0F,0x53,0x4D,0xE0, // rcpps XMM1,-020h[RBP]
0xF3,0x0F,0x53,0xCA, // rcpss XMM1,XMM2
0xF3,0x0F,0x53,0x4D,0xD4, // rcpss XMM1,-02Ch[RBP]
0x0F,0x52,0xCA, // rsqrtps XMM1,XMM2
0x0F,0x52,0x4D,0xE0, // rsqrtps XMM1,-020h[RBP]
0xF3,0x0F,0x52,0xCA, // rsqrtss XMM1,XMM2
0xF3,0x0F,0x52,0x4D,0xD4, // rsqrtss XMM1,-02Ch[RBP]
0x66, 0x0F,0xC6,0xCA,0x03, // shufpd XMM1,XMM2,3
0x66, 0x0F,0xC6,0x4D,0xE0,0x04, // shufpd XMM1,-020h[RBP],4
0x0F,0xC6,0xCA,0x03, // shufps XMM1,XMM2,3
0x0F,0xC6,0x4D,0xE0,0x04, // shufps XMM1,-020h[RBP],4
0x66, 0x0F,0x2E,0xE6, // ucimisd XMM4,XMM6
0x66, 0x0F,0x2E,0x6D,0xD8, // ucimisd XMM5,-028h[RBP]
0x0F,0x2E,0xF7, // ucomiss XMM6,XMM7
0x0F,0x2E,0x7D,0xD4, // ucomiss XMM7,-02Ch[RBP]
0x66, 0x0F,0x15,0xE6, // uppckhpd XMM4,XMM6
0x66, 0x0F,0x15,0x6D,0xE0, // uppckhpd XMM5,-020h[RBP]
0x0F,0x15,0xE6, // unpckhps XMM4,XMM6
0x0F,0x15,0x6D,0xE0, // unpckhps XMM5,-020h[RBP]
0x66, 0x0F,0x14,0xE6, // uppcklpd XMM4,XMM6
0x66, 0x0F,0x14,0x6D,0xE0, // uppcklpd XMM5,-020h[RBP]
0x0F,0x14,0xE6, // unpcklps XMM4,XMM6
0x0F,0x14,0x6D,0xE0, // unpcklps XMM5,-020h[RBP]
0x66, 0x0F,0x57,0xCA, // xorpd XMM1,XMM2
0x66, 0x0F,0x57,0x4D,0xE0, // xorpd XMM1,-020h[RBP]
0x0F,0x57,0xCA, // xorps XMM1,XMM2
0x0F,0x57,0x4D,0xE0, // xorps XMM1,-020h[RBP]
];
int i;
asm
{
call L1 ;
movmskpd ESI,XMM3 ;
movmskps ESI,XMM3 ;
movntdq m128[RBP],XMM2 ;
movnti m32[RBP],ECX ;
movntpd m128[RBP],XMM3 ;
movntps m128[RBP],XMM4 ;
movntq m64[RBP],MM5 ;
movq MM1,MM2 ;
movq MM2,m64[RBP] ;
movq m64[RBP],MM3 ;
movq XMM1,XMM2 ;
movq XMM2,m64[RBP] ;
movq m64[RBP],XMM3 ;
movq2dq XMM3,MM2 ;
movsd ;
movsd XMM1,XMM2 ;
movsd XMM3,m64[RBP] ;
movsd m64[RBP],XMM4 ;
movss XMM1,XMM2 ;
movss XMM3,m32[RBP] ;
movss m32[RBP],XMM4 ;
movupd XMM1,XMM2 ;
movupd XMM3,m128[RBP] ;
movupd m128[RBP],XMM4 ;
movups XMM1,XMM2 ;
movups XMM3,m128[RBP] ;
movups m128[RBP],XMM4 ;
orpd XMM1,XMM2 ;
orpd XMM3,m128[RBP] ;
orps XMM1,XMM2 ;
orps XMM3,m128[RBP] ;
packsswb MM1,MM2 ;
packsswb MM3,m64[RBP] ;
packsswb XMM1,XMM2 ;
packsswb XMM3,m128[RBP] ;
packssdw MM1,MM2 ;
packssdw MM3,m64[RBP] ;
packssdw XMM1,XMM2 ;
packssdw XMM3,m128[RBP] ;
packuswb MM1,MM2 ;
packuswb MM3,m64[RBP] ;
packuswb XMM1,XMM2 ;
packuswb XMM3,m128[RBP] ;
paddb MM1,MM2 ;
paddb MM3,m64[RBP] ;
paddb XMM1,XMM2 ;
paddb XMM3,m128[RBP] ;
paddw MM1,MM2 ;
paddw MM3,m64[RBP] ;
paddw XMM1,XMM2 ;
paddw XMM3,m128[RBP] ;
paddd MM1,MM2 ;
paddd MM3,m64[RBP] ;
paddd XMM1,XMM2 ;
paddd XMM3,m128[RBP] ;
paddq MM1,MM2 ;
paddq MM3,m64[RBP] ;
paddq XMM1,XMM2 ;
paddq XMM3,m128[RBP] ;
paddsb MM1,MM2 ;
paddsb MM3,m64[RBP] ;
paddsb XMM1,XMM2 ;
paddsb XMM3,m128[RBP] ;
paddsw MM1,MM2 ;
paddsw MM3,m64[RBP] ;
paddsw XMM1,XMM2 ;
paddsw XMM3,m128[RBP] ;
paddusb MM1,MM2 ;
paddusb MM3,m64[RBP] ;
paddusb XMM1,XMM2 ;
paddusb XMM3,m128[RBP] ;
paddusw MM1,MM2 ;
paddusw MM3,m64[RBP] ;
paddusw XMM1,XMM2 ;
paddusw XMM3,m128[RBP] ;
pand MM1,MM2 ;
pand MM3,m64[RBP] ;
pand XMM1,XMM2 ;
pand XMM3,m128[RBP] ;
pandn MM1,MM2 ;
pandn MM3,m64[RBP] ;
pandn XMM1,XMM2 ;
pandn XMM3,m128[RBP] ;
pavgb MM1,MM2 ;
pavgb MM3,m64[RBP] ;
pavgb XMM1,XMM2 ;
pavgb XMM3,m128[RBP] ;
pavgw MM1,MM2 ;
pavgw MM3,m64[RBP] ;
pavgw XMM1,XMM2 ;
pavgw XMM3,m128[RBP] ;
pcmpeqb MM1,MM2 ;
pcmpeqb MM3,m64[RBP] ;
pcmpeqb XMM1,XMM2 ;
pcmpeqb XMM3,m128[RBP] ;
pcmpeqw MM1,MM2 ;
pcmpeqw MM3,m64[RBP] ;
pcmpeqw XMM1,XMM2 ;
pcmpeqw XMM3,m128[RBP] ;
pcmpeqd MM1,MM2 ;
pcmpeqd MM3,m64[RBP] ;
pcmpeqd XMM1,XMM2 ;
pcmpeqd XMM3,m128[RBP] ;
pcmpgtb MM1,MM2 ;
pcmpgtb MM3,m64[RBP] ;
pcmpgtb XMM1,XMM2 ;
pcmpgtb XMM3,m128[RBP] ;
pcmpgtw MM1,MM2 ;
pcmpgtw MM3,m64[RBP] ;
pcmpgtw XMM1,XMM2 ;
pcmpgtw XMM3,m128[RBP] ;
pcmpgtd MM1,MM2 ;
pcmpgtd MM3,m64[RBP] ;
pcmpgtd XMM1,XMM2 ;
pcmpgtd XMM3,m128[RBP] ;
pextrw EDX,MM6,7 ;
pextrw EDX,XMM6,7 ;
pinsrw MM6,EDX,7 ;
pinsrw MM6,m16[RBP],7 ;
pinsrw XMM6,EDX,7 ;
pinsrw XMM6,m16[RBP],7 ;
pmaddwd MM1,MM2 ;
pmaddwd MM3,m64[RBP] ;
pmaddwd XMM1,XMM2 ;
pmaddwd XMM3,m128[RBP] ;
pmaxsw MM1,MM2 ;
pmaxsw MM3,m64[RBP] ;
pmaxsw XMM1,XMM2 ;
pmaxsw XMM3,m128[RBP] ;
pmaxub MM1,MM2 ;
pmaxub MM3,m64[RBP] ;
pmaxub XMM1,XMM2 ;
pmaxub XMM3,m128[RBP] ;
pminsw MM1,MM2 ;
pminsw MM3,m64[RBP] ;
pminsw XMM1,XMM2 ;
pminsw XMM3,m128[RBP] ;
pminub MM1,MM2 ;
pminub MM3,m64[RBP] ;
pminub XMM1,XMM2 ;
pminub XMM3,m128[RBP] ;
pmovmskb ECX,MM0 ;
pmovmskb ECX,XMM6 ;
pmulhuw MM1,MM2 ;
pmulhuw MM3,m64[RBP] ;
pmulhuw XMM1,XMM2 ;
pmulhuw XMM3,m128[RBP] ;
pmulhw MM1,MM2 ;
pmulhw MM3,m64[RBP] ;
pmulhw XMM1,XMM2 ;
pmulhw XMM3,m128[RBP] ;
pmullw MM1,MM2 ;
pmullw MM3,m64[RBP] ;
pmullw XMM1,XMM2 ;
pmullw XMM3,m128[RBP] ;
pmuludq MM1,MM2 ;
pmuludq MM3,m64[RBP] ;
pmuludq XMM1,XMM2 ;
pmuludq XMM3,m128[RBP] ;
por MM1,MM2 ;
por MM3,m64[RBP] ;
por XMM1,XMM2 ;
por XMM3,m128[RBP] ;
prefetcht0 m8[RBP] ;
prefetcht1 m8[RBP] ;
prefetcht2 m8[RBP] ;
prefetchnta m8[RBP] ;
psadbw MM1,MM2 ;
psadbw MM3,m64[RBP] ;
psadbw XMM1,XMM2 ;
psadbw XMM3,m128[RBP] ;
pshufd XMM1,XMM2,3 ;
pshufd XMM3,m128[RBP],3 ;
pshufhw XMM1,XMM2,3 ;
pshufhw XMM3,m128[RBP],3 ;
pshuflw XMM1,XMM2,3 ;
pshuflw XMM3,m128[RBP],3 ;
pshufw MM1,MM2,3 ;
pshufw MM3,m64[RBP],3 ;
pslldq XMM1,0x18 ;
psllw MM1,MM2 ;
psllw MM1,m64[RBP] ;
psllw XMM1,XMM2 ;
psllw XMM1,m128[RBP] ;
psllw MM1,0x15 ;
psllw XMM1,0x15 ;
pslld MM1,MM2 ;
pslld MM1,m64[RBP] ;
pslld XMM1,XMM2 ;
pslld XMM1,m128[RBP] ;
pslld MM1,0x15 ;
pslld XMM1,0x15 ;
psllq MM1,MM2 ;
psllq MM1,m64[RBP] ;
psllq XMM1,XMM2 ;
psllq XMM1,m128[RBP] ;
psllq MM1,0x15 ;
psllq XMM1,0x15 ;
psraw MM1,MM2 ;
psraw MM1,m64[RBP] ;
psraw XMM1,XMM2 ;
psraw XMM1,m128[RBP] ;
psraw MM1,0x15 ;
psraw XMM1,0x15 ;
psrad MM1,MM2 ;
psrad MM1,m64[RBP] ;
psrad XMM1,XMM2 ;
psrad XMM1,m128[RBP] ;
psrad MM1,0x15 ;
psrad XMM1,0x15 ;
psrldq XMM1,0x18 ;
psrlw MM1,MM2 ;
psrlw MM1,m64[RBP] ;
psrlw XMM1,XMM2 ;
psrlw XMM1,m128[RBP] ;
psrlw MM1,0x15 ;
psrlw XMM1,0x15 ;
psrld MM1,MM2 ;
psrld MM1,m64[RBP] ;
psrld XMM1,XMM2 ;
psrld XMM1,m128[RBP] ;
psrld MM1,0x15 ;
psrld XMM1,0x15 ;
psrlq MM1,MM2 ;
psrlq MM1,m64[RBP] ;
psrlq XMM1,XMM2 ;
psrlq XMM1,m128[RBP] ;
psrlq MM1,0x15 ;
psrlq XMM1,0x15 ;
psubb MM1,MM2 ;
psubb MM1,m64[RBP] ;
psubb XMM1,XMM2 ;
psubb XMM1,m128[RBP] ;
psubw MM1,MM2 ;
psubw MM1,m64[RBP] ;
psubw XMM1,XMM2 ;
psubw XMM1,m128[RBP] ;
psubd MM1,MM2 ;
psubd MM1,m64[RBP] ;
psubd XMM1,XMM2 ;
psubd XMM1,m128[RBP] ;
psubq MM1,MM2 ;
psubq MM1,m64[RBP] ;
psubq XMM1,XMM2 ;
psubq XMM1,m128[RBP] ;
psubsb MM1,MM2 ;
psubsb MM1,m64[RBP] ;
psubsb XMM1,XMM2 ;
psubsb XMM1,m128[RBP] ;
psubsw MM1,MM2 ;
psubsw MM1,m64[RBP] ;
psubsw XMM1,XMM2 ;
psubsw XMM1,m128[RBP] ;
psubusb MM1,MM2 ;
psubusb MM1,m64[RBP] ;
psubusb XMM1,XMM2 ;
psubusb XMM1,m128[RBP] ;
psubusw MM1,MM2 ;
psubusw MM1,m64[RBP] ;
psubusw XMM1,XMM2 ;
psubusw XMM1,m128[RBP] ;
punpckhbw MM1,MM2 ;
punpckhbw MM1,m64[RBP] ;
punpckhbw XMM1,XMM2 ;
punpckhbw XMM1,m128[RBP] ;
punpckhwd MM1,MM2 ;
punpckhwd MM1,m64[RBP] ;
punpckhwd XMM1,XMM2 ;
punpckhwd XMM1,m128[RBP] ;
punpckhdq MM1,MM2 ;
punpckhdq MM1,m64[RBP] ;
punpckhdq XMM1,XMM2 ;
punpckhdq XMM1,m128[RBP] ;
punpckhqdq XMM1,XMM2 ;
punpckhqdq XMM1,m128[RBP] ;
punpcklbw MM1,MM2 ;
punpcklbw MM1,m64[RBP] ;
punpcklbw XMM1,XMM2 ;
punpcklbw XMM1,m128[RBP] ;
punpcklwd MM1,MM2 ;
punpcklwd MM1,m64[RBP] ;
punpcklwd XMM1,XMM2 ;
punpcklwd XMM1,m128[RBP] ;
punpckldq MM1,MM2 ;
punpckldq MM1,m64[RBP] ;
punpckldq XMM1,XMM2 ;
punpckldq XMM1,m128[RBP] ;
punpcklqdq XMM1,XMM2 ;
punpcklqdq XMM1,m128[RBP] ;
pxor MM1,MM2 ;
pxor MM1,m64[RBP] ;
pxor XMM1,XMM2 ;
pxor XMM1,m128[RBP] ;
rcpps XMM1,XMM2 ;
rcpps XMM1,m128[RBP] ;
rcpss XMM1,XMM2 ;
rcpss XMM1,m32[RBP] ;
rsqrtps XMM1,XMM2 ;
rsqrtps XMM1,m128[RBP] ;
rsqrtss XMM1,XMM2 ;
rsqrtss XMM1,m32[RBP] ;
shufpd XMM1,XMM2,3 ;
shufpd XMM1,m128[RBP],4 ;
shufps XMM1,XMM2,3 ;
shufps XMM1,m128[RBP],4 ;
ucomisd XMM4,XMM6 ;
ucomisd XMM5,m64[RBP] ;
ucomiss XMM6,XMM7 ;
ucomiss XMM7,m32[RBP] ;
unpckhpd XMM4,XMM6 ;
unpckhpd XMM5,m128[RBP] ;
unpckhps XMM4,XMM6 ;
unpckhps XMM5,m128[RBP] ;
unpcklpd XMM4,XMM6 ;
unpcklpd XMM5,m128[RBP] ;
unpcklps XMM4,XMM6 ;
unpcklps XMM5,m128[RBP] ;
xorpd XMM1,XMM2 ;
xorpd XMM1,m128[RBP] ;
xorps XMM1,XMM2 ;
xorps XMM1,m128[RBP] ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
//printf("data[%d] = 0x%02x, should be 0x%02x\n", i, p[i], data[i]);
assert(p[i] == data[i]);
}
}
/****************************************************/
void test15()
{
int m32;
long m64;
M128 m128;
ubyte *p;
static ubyte data[] =
[
0x0F,0x0F,0xDC,0xBF, // pavgusb MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xBF, // pavgusb MM3,-028h[RBP]
0x0F,0x0F,0xDC,0x1D, // pf2id MM3,MM4
0x0F,0x0F,0x5D,0xD8,0x1D, // pf2id MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xAE, // pfacc MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xAE, // pfacc MM3,-028h[RBP]
0x0F,0x0F,0xDC,0x9E, // pfadd MM3,MM4
0x0F,0x0F,0x5D,0xD8,0x9E, // pfadd MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xB0, // pfcmpeq MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xB0, // pfcmpeq MM3,-028h[RBP]
0x0F,0x0F,0xDC,0x90, // pfcmpge MM3,MM4
0x0F,0x0F,0x5D,0xD8,0x90, // pfcmpge MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xA0, // pfcmpgt MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xA0, // pfcmpgt MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xA4, // pfmax MM3,MM4
0x0F,0x0F,0x5D,0xD8,0x94, // pfmin MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xB4, // pfmul MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xB4, // pfmul MM3,-028h[RBP]
0x0F,0x0F,0xDC,0x8A, // pfnacc MM3,MM4
0x0F,0x0F,0x5D,0xD8,0x8E, // pfpnacc MM3,-028h[RBP]
0x0F,0x0F,0xDC,0x96, // pfrcp MM3,MM4
0x0F,0x0F,0x5D,0xD8,0x96, // pfrcp MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xA6, // pfrcpit1 MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xA6, // pfrcpit1 MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xB6, // pfrcpit2 MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xB6, // pfrcpit2 MM3,-028h[RBP]
0x0F,0x0F,0xDC,0x97, // pfrsqrt MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xA7, // pfrsqit1 MM3,-028h[RBP]
0x0F,0x0F,0xDC,0x9A, // pfsub MM3,MM4
0x0F,0x0F,0x5D,0xD8,0x9A, // pfsub MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xAA, // pfsubr MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xAA, // pfsubr MM3,-028h[RBP]
0x0F,0x0F,0xDC,0x0D, // pi2fd MM3,MM4
0x0F,0x0F,0x5D,0xD8,0x0D, // pi2fd MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xB7, // pmulhrw MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xB7, // pmulhrw MM3,-028h[RBP]
0x0F,0x0F,0xDC,0xBB, // pswapd MM3,MM4
0x0F,0x0F,0x5D,0xD8,0xBB, // pswapd MM3,-028h[RBP]
];
int i;
asm
{
call L1 ;
pavgusb MM3,MM4 ;
pavgusb MM3,m64[RBP] ;
pf2id MM3,MM4 ;
pf2id MM3,m64[RBP] ;
pfacc MM3,MM4 ;
pfacc MM3,m64[RBP] ;
pfadd MM3,MM4 ;
pfadd MM3,m64[RBP] ;
pfcmpeq MM3,MM4 ;
pfcmpeq MM3,m64[RBP] ;
pfcmpge MM3,MM4 ;
pfcmpge MM3,m64[RBP] ;
pfcmpgt MM3,MM4 ;
pfcmpgt MM3,m64[RBP] ;
pfmax MM3,MM4 ;
pfmin MM3,m64[RBP] ;
pfmul MM3,MM4 ;
pfmul MM3,m64[RBP] ;
pfnacc MM3,MM4 ;
pfpnacc MM3,m64[RBP] ;
pfrcp MM3,MM4 ;
pfrcp MM3,m64[RBP] ;
pfrcpit1 MM3,MM4 ;
pfrcpit1 MM3,m64[RBP] ;
pfrcpit2 MM3,MM4 ;
pfrcpit2 MM3,m64[RBP] ;
pfrsqrt MM3,MM4 ;
pfrsqit1 MM3,m64[RBP] ;
pfsub MM3,MM4 ;
pfsub MM3,m64[RBP] ;
pfsubr MM3,MM4 ;
pfsubr MM3,m64[RBP] ;
pi2fd MM3,MM4 ;
pi2fd MM3,m64[RBP] ;
pmulhrw MM3,MM4 ;
pmulhrw MM3,m64[RBP] ;
pswapd MM3,MM4 ;
pswapd MM3,m64[RBP] ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
struct S17 { char x[6]; }
__gshared S17 xx17;
void test17()
{
ubyte *p;
static ubyte data[] =
[
0x0F, 0x01, 0x10, // lgdt [EAX]
0x0F, 0x01, 0x18, // lidt [EAX]
0x0F, 0x01, 0x00, // sgdt [EAX]
0x0F, 0x01, 0x08, // sidt [EAX]
];
int i;
asm
{
call L1 ;
lgdt [RAX] ;
lidt [RAX] ;
sgdt [RAX] ;
sidt [RAX] ;
lgdt xx17 ;
lidt xx17 ;
sgdt xx17 ;
sidt xx17 ;
L1:
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void test18()
{
ubyte *p;
static ubyte data[] =
[
0xDB, 0xF1, // fcomi ST,ST(1)
0xDB, 0xF0, // fcomi ST,ST(0)
0xDB, 0xF2, // fcomi ST,ST(2)
0xDF, 0xF1, // fcomip ST,ST(1)
0xDF, 0xF0, // fcomip ST,ST(0)
0xDF, 0xF2, // fcomip ST,ST(2)
0xDB, 0xE9, // fucomi ST,ST(1)
0xDB, 0xE8, // fucomi ST,ST(0)
0xDB, 0xEB, // fucomi ST,ST(3)
0xDF, 0xE9, // fucomip ST,ST(1)
0xDF, 0xED, // fucomip ST,ST(5)
0xDF, 0xEC, // fucomip ST,ST(4)
];
int i;
asm
{
call L1 ;
fcomi ;
fcomi ST(0) ;
fcomi ST,ST(2) ;
fcomip ;
fcomip ST(0) ;
fcomip ST,ST(2) ;
fucomi ;
fucomi ST(0) ;
fucomi ST,ST(3) ;
fucomip ;
fucomip ST(5) ;
fucomip ST,ST(4) ;
L1:
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
extern (C) {
void foo19() { }
}
void test19()
{ void function() fp;
ulong x;
ulong *p;
asm
{
lea RAX, qword ptr [foo19];
mov fp, RAX;
mov x, RAX;
mov p, RAX;
call fp;
}
(*fp)();
}
/****************************************************/
/+
void test20()
{
ubyte *p;
static ubyte data[] =
[
0x9B, 0xDB, 0xE0, // feni
0xDB, 0xE0, // fneni
0x9B, 0xDB, 0xE1, // fdisi
0xDB, 0xE1, // fndisi
0x9B, 0xDB, 0xE2, // fclex
0xDB, 0xE2, // fnclex
0x9B, 0xDB, 0xE3, // finit
0xDB, 0xE3, // fninit
0xDB, 0xE4, // fsetpm
];
int i;
asm
{
call L1 ;
feni ;
fneni ;
fdisi ;
fndisi ;
finit ;
fninit ;
fclex ;
fnclex ;
finit ;
fninit ;
fsetpm ;
L1:
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
+/
/****************************************************/
void test21()
{
ubyte *p;
static ubyte data[] =
[
0xE4, 0x06, // in AL,6
0x66, 0xE5, 0x07, // in AX,7
0xE5, 0x08, // in EAX,8
0xEC, // in AL,DX
0x66, 0xED, // in AX,DX
0xED, // in EAX,DX
0xE6, 0x06, // out 6,AL
0x66, 0xE7, 0x07, // out 7,AX
0xE7, 0x08, // out 8,EAX
0xEE, // out DX,AL
0x66, 0xEF, // out DX,AX
0xEF, // out DX,EAX
];
int i;
asm
{
call L1 ;
in AL,6 ;
in AX,7 ;
in EAX,8 ;
in AL,DX ;
in AX,DX ;
in EAX,DX ;
out 6,AL ;
out 7,AX ;
out 8,EAX ;
out DX,AL ;
out DX,AX ;
out DX,EAX ;
L1:
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void test22()
{
ubyte *p;
static ubyte data[] =
[
0x0F, 0xC7, 0x4D, 0xE0, // cmpxchg8b
0x48, 0x0F, 0xC7, 0x4D, 0xF0 // cmpxchg16b
];
int i;
M64 m64;
M128 m128;
asm
{
call L1 ;
cmpxchg8b m64 ;
cmpxchg16b m128 ;
L1:
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void test23()
{
short m16;
int m32;
long m64;
M128 m128;
ubyte *p;
static ubyte data[] =
[
0xD9, 0xC9, // fxch ST(1), ST(0)
0xDF, 0x5D, 0xD0, // fistp word ptr -030h[RBP]
0xDB, 0x5D, 0xD4, // fistp dword ptr -02Ch[RBP]
0xDF, 0x7D, 0xD8, // fistp long64 ptr -028h[RBP]
0xDF, 0x4D, 0xD0, // fisttp short ptr -030h[RBP]
0xDB, 0x4D, 0xD4, // fisttp word ptr -02Ch[RBP]
0xDD, 0x4D, 0xD8, // fisttp long64 ptr -028h[RBP]
0x0F, 0x01, 0xC8, // monitor
0x0F, 0x01, 0xC9, // mwait
0x66, 0x0F, 0xD0, 0xCA, // addsubpd XMM1,XMM2
0x66, 0x0F, 0xD0, 0x4D, 0xE0, // addsubpd XMM1,-020h[RBP]
0xF2, 0x0F, 0xD0, 0xCA, // addsubps XMM1,XMM2
0xF2, 0x0F, 0xD0, 0x4D, 0xE0, // addsubps XMM1,-020h[RBP]
0x66, 0x0F, 0x7C, 0xCA, // haddpd XMM1,XMM2
0x66, 0x0F, 0x7C, 0x4D, 0xE0, // haddpd XMM1,-020h[RBP]
0xF2, 0x0F, 0x7C, 0xCA, // haddps XMM1,XMM2
0xF2, 0x0F, 0x7C, 0x4D, 0xE0, // haddps XMM1,-020h[RBP]
0x66, 0x0F, 0x7D, 0xCA, // hsubpd XMM1,XMM2
0x66, 0x0F, 0x7D, 0x4D, 0xE0, // hsubpd XMM1,-020h[RBP]
0xF2, 0x0F, 0x7D, 0xCA, // hsubps XMM1,XMM2
0xF2, 0x0F, 0x7D, 0x4D, 0xE0, // hsubps XMM1,-020h[RBP]
0xF2, 0x0F, 0xF0, 0x4D, 0xE0, // lddqu XMM1,-020h[RBP]
0xF2, 0x0F, 0x12, 0xCA, // movddup XMM1,XMM2
0xF2, 0x0F, 0x12, 0x4D, 0xD8, // movddup XMM1,-028h[RBP]
0xF3, 0x0F, 0x16, 0xCA, // movshdup XMM1,XMM2
0xF3, 0x0F, 0x16, 0x4D, 0xE0, // movshdup XMM1,-020h[RBP]
0xF3, 0x0F, 0x12, 0xCA, // movsldup XMM1,XMM2
0xF3, 0x0F, 0x12, 0x4D, 0xE0, // movsldup XMM1,-020h[RBP]
];
int i;
asm
{
call L1 ;
fxch ST(1), ST(0) ;
fistp m16[RBP] ;
fistp m32[RBP] ;
fistp m64[RBP] ;
fisttp m16[RBP] ;
fisttp m32[RBP] ;
fisttp m64[RBP] ;
monitor ;
mwait ;
addsubpd XMM1,XMM2 ;
addsubpd XMM1,m128[RBP] ;
addsubps XMM1,XMM2 ;
addsubps XMM1,m128[RBP] ;
haddpd XMM1,XMM2 ;
haddpd XMM1,m128[RBP] ;
haddps XMM1,XMM2 ;
haddps XMM1,m128[RBP] ;
hsubpd XMM1,XMM2 ;
hsubpd XMM1,m128[RBP] ;
hsubps XMM1,XMM2 ;
hsubps XMM1,m128[RBP] ;
lddqu XMM1,m128[RBP] ;
movddup XMM1,XMM2 ;
movddup XMM1,m64[RBP] ;
movshdup XMM1,XMM2 ;
movshdup XMM1,m128[RBP] ;
movsldup XMM1,XMM2 ;
movsldup XMM1,m128[RBP] ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void test24()
{
ushort i;
asm
{
lea AX, i;
mov i, AX;
}
assert(cast(ushort)&i == i);
}
/****************************************************/
void test25()
{
short m16;
int m32;
long m64;
M128 m128;
ubyte *p;
static ubyte data[] =
[
0x66, 0x0F, 0x7E, 0xC1, // movd ECX,XMM0
0x66, 0x0F, 0x7E, 0xC9, // movd ECX,XMM1
0x66, 0x0F, 0x7E, 0xD1, // movd ECX,XMM2
0x66, 0x0F, 0x7E, 0xD9, // movd ECX,XMM3
0x66, 0x0F, 0x7E, 0xE1, // movd ECX,XMM4
0x66, 0x0F, 0x7E, 0xE9, // movd ECX,XMM5
0x66, 0x0F, 0x7E, 0xF1, // movd ECX,XMM6
0x66, 0x0F, 0x7E, 0xF9, // movd ECX,XMM7
0x0F, 0x7E, 0xC1, // movd ECX,MM0
0x0F, 0x7E, 0xC9, // movd ECX,MM1
0x0F, 0x7E, 0xD1, // movd ECX,MM2
0x0F, 0x7E, 0xD9, // movd ECX,MM3
0x0F, 0x7E, 0xE1, // movd ECX,MM4
0x0F, 0x7E, 0xE9, // movd ECX,MM5
0x0F, 0x7E, 0xF1, // movd ECX,MM6
0x0F, 0x7E, 0xF9, // movd ECX,MM7
0x66, 0x0F, 0x6E, 0xC1, // movd XMM0,ECX
0x66, 0x0F, 0x6E, 0xC9, // movd XMM1,ECX
0x66, 0x0F, 0x6E, 0xD1, // movd XMM2,ECX
0x66, 0x0F, 0x6E, 0xD9, // movd XMM3,ECX
0x66, 0x0F, 0x6E, 0xE1, // movd XMM4,ECX
0x66, 0x0F, 0x6E, 0xE9, // movd XMM5,ECX
0x66, 0x0F, 0x6E, 0xF1, // movd XMM6,ECX
0x66, 0x0F, 0x6E, 0xF9, // movd XMM7,ECX
0x0F, 0x6E, 0xC1, // movd MM0,ECX
0x0F, 0x6E, 0xC9, // movd MM1,ECX
0x0F, 0x6E, 0xD1, // movd MM2,ECX
0x0F, 0x6E, 0xD9, // movd MM3,ECX
0x0F, 0x6E, 0xE1, // movd MM4,ECX
0x0F, 0x6E, 0xE9, // movd MM5,ECX
0x0F, 0x6E, 0xF1, // movd MM6,ECX
0x0F, 0x6E, 0xF9, // movd MM7,ECX
0x66, 0x0F, 0x7E, 0xC8, // movd EAX,XMM1
0x66, 0x0F, 0x7E, 0xCB, // movd EBX,XMM1
0x66, 0x0F, 0x7E, 0xC9, // movd ECX,XMM1
0x66, 0x0F, 0x7E, 0xCA, // movd EDX,XMM1
0x66, 0x0F, 0x7E, 0xCE, // movd ESI,XMM1
0x66, 0x0F, 0x7E, 0xCF, // movd EDI,XMM1
0x66, 0x0F, 0x7E, 0xCD, // movd EBP,XMM1
0x66, 0x0F, 0x7E, 0xCC, // movd ESP,XMM1
0x0F, 0x7E, 0xC8, // movd EAX,MM1
0x0F, 0x7E, 0xCB, // movd EBX,MM1
0x0F, 0x7E, 0xC9, // movd ECX,MM1
0x0F, 0x7E, 0xCA, // movd EDX,MM1
0x0F, 0x7E, 0xCE, // movd ESI,MM1
0x0F, 0x7E, 0xCF, // movd EDI,MM1
0x0F, 0x7E, 0xCD, // movd EBP,MM1
0x0F, 0x7E, 0xCC, // movd ESP,MM1
0x66, 0x0F, 0x6E, 0xC8, // movd XMM1,EAX
0x66, 0x0F, 0x6E, 0xCB, // movd XMM1,EBX
0x66, 0x0F, 0x6E, 0xC9, // movd XMM1,ECX
0x66, 0x0F, 0x6E, 0xCA, // movd XMM1,EDX
0x66, 0x0F, 0x6E, 0xCE, // movd XMM1,ESI
0x66, 0x0F, 0x6E, 0xCF, // movd XMM1,EDI
0x66, 0x0F, 0x6E, 0xCD, // movd XMM1,EBP
0x66, 0x0F, 0x6E, 0xCC, // movd XMM1,ESP
0x0F, 0x6E, 0xC8, // movd MM1,EAX
0x0F, 0x6E, 0xCB, // movd MM1,EBX
0x0F, 0x6E, 0xC9, // movd MM1,ECX
0x0F, 0x6E, 0xCA, // movd MM1,EDX
0x0F, 0x6E, 0xCE, // movd MM1,ESI
0x0F, 0x6E, 0xCF, // movd MM1,EDI
0x0F, 0x6E, 0xCD, // movd MM1,EBP
0x0F, 0x6E, 0xCC, // movd MM1,ESP
];
int i;
asm
{
call L1 ;
movd ECX, XMM0;
movd ECX, XMM1;
movd ECX, XMM2;
movd ECX, XMM3;
movd ECX, XMM4;
movd ECX, XMM5;
movd ECX, XMM6;
movd ECX, XMM7;
movd ECX, MM0;
movd ECX, MM1;
movd ECX, MM2;
movd ECX, MM3;
movd ECX, MM4;
movd ECX, MM5;
movd ECX, MM6;
movd ECX, MM7;
movd XMM0, ECX;
movd XMM1, ECX;
movd XMM2, ECX;
movd XMM3, ECX;
movd XMM4, ECX;
movd XMM5, ECX;
movd XMM6, ECX;
movd XMM7, ECX;
movd MM0, ECX;
movd MM1, ECX;
movd MM2, ECX;
movd MM3, ECX;
movd MM4, ECX;
movd MM5, ECX;
movd MM6, ECX;
movd MM7, ECX;
movd EAX, XMM1;
movd EBX, XMM1;
movd ECX, XMM1;
movd EDX, XMM1;
movd ESI, XMM1;
movd EDI, XMM1;
movd EBP, XMM1;
movd ESP, XMM1;
movd EAX, MM1;
movd EBX, MM1;
movd ECX, MM1;
movd EDX, MM1;
movd ESI, MM1;
movd EDI, MM1;
movd EBP, MM1;
movd ESP, MM1;
movd XMM1, EAX;
movd XMM1, EBX;
movd XMM1, ECX;
movd XMM1, EDX;
movd XMM1, ESI;
movd XMM1, EDI;
movd XMM1, EBP;
movd XMM1, ESP;
movd MM1, EAX;
movd MM1, EBX;
movd MM1, ECX;
movd MM1, EDX;
movd MM1, ESI;
movd MM1, EDI;
movd MM1, EBP;
movd MM1, ESP;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void fn26(ref byte val)
{
asm
{
mov RAX, val;
inc byte ptr [RAX];
}
}
void test26()
{
byte b;
//printf( "%i\n", b );
assert(b == 0);
fn26(b);
//printf( "%i\n", b );
assert(b == 1);
}
/****************************************************/
void test27()
{
static const ubyte[16] a =
[0, 1, 2, 3, 4, 5, 6, 7, 8 ,9, 0xA, 0xB, 0xC, 0xD, 0xE, 0xF];
version (Windows)
{
asm
{
movdqu XMM0, a;
pslldq XMM0, 2;
}
}
}
/****************************************************/
/*
PASS:
cfloat z;
cfloat[1] z;
double z;
double[1] b;
long z;
long[1] z;
FAIL: (bad type/size of operands 'movq')
byte[8] z;
char[8] z;
dchar[2] z;
float[2] z;
int[2] z;
short[4] z;
wchar[4] z;
XPASS: (too small, but accecpted by DMD)
cfloat[0] z;
double[0] z;
long[0] z;
*/
void test28()
{
// version (Windows)
// {
cfloat[4] z = void;
static const ubyte[8] A = [3, 4, 9, 0, 1, 3, 7, 2];
ubyte[8] b;
asm{
movq MM0, z;
movq MM0, A;
movq b, MM0;
}
for(size_t i = 0; i < A.length; i++)
{
if(A[i] != b[i])
{
assert(0);
}
}
// }
}
/****************************************************/
/+
shared int[5] bar29 = [3, 4, 5, 6, 7];
void test29()
{
int* x;
asm
{
push offsetof bar29;
pop EAX;
mov x, EAX;
}
assert(*x == 3);
asm
{
mov EAX, offsetof bar29;
mov x, EAX;
}
assert(*x == 3);
}
+/
/****************************************************/
const int CONST_OFFSET30 = 10;
void foo30()
{
asm
{
mov EDX, 10;
mov EAX, [RDX + CONST_OFFSET30];
}
}
void test30()
{
}
/****************************************************/
void test31()
{
ubyte *p;
static ubyte data[] =
[
0xF7, 0xD8, // neg EAX
0x74, 0x04, // je L8
0xF7, 0xD8, // neg EAX
0x75, 0xFC, // jne L4
0xFF, 0xC0, // inc EAX
];
int i;
asm
{
call L1 ;
neg EAX;
je L2;
L3:
neg EAX;
jne L3;
L2:
inc EAX;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void infiniteAsmLoops()
{
/* This crashes DMD 0.162: */
for (;;) asm { inc EAX; }
/* It doesn't seem to matter what you use. These all crash: */
//for (;;) asm { mov EAX, EBX; }
//for (;;) asm { xor EAX, EAX; }
//for (;;) asm { push 0; pop RAX; }
//for (;;) asm { jmp infiniteAsmLoops; }
/* This is a workaround: */
for (bool a = true; a;) asm { hlt; } // compiles
/* But this isn't: */
//for (const bool a = true; a;) asm{ hlt; } // crashes DMD
/* It's not restricted to for-statements: */
//while(1) asm { hlt; } // crashes DMD
/* This compiles: */
{
bool a = true;
while(a) asm { hlt; }
}
/* But again, this doesn't: */
/*
{
const bool a = true; // note the const
while(a) asm { hlt; }
}
//*/
//do { asm { hlt; } } while (1); // crashes DMD
/* This, of course, compiles: */
{
bool a = true;
do asm { hlt; } while (a);
}
/* But predicably, this doesn't: */
/*
{
const bool a = true;
do asm { hlt; } while (a);
}
//**/
/* Not even hand-coding the loop works: */
/*
{
label:
asm { hlt; } // commenting out this line to make it compile
goto label;
}
//*/
/* Unless you go all the way: (i.e. this compiles) */
asm
{
L1:
hlt;
jmp L1;
}
/* or like this (also compiles): */
static void test()
{
asm { naked; hlt; jmp test; }
}
test();
/* Wait... it gets weirder: */
/* This also doesn't compile: */
/*
for (;;)
{
printf("\n");
asm { hlt; }
}
//*/
/* But this does: */
//*
for (;;)
{
asm { hlt; }
printf("\n");
}
//*/
/* The same loop that doesn't compile above
* /does/ compile after previous one:
*/
//*
for (;;)
{
printf("\n");
asm { hlt; }
}
//*/
/* Note: this one is at the end because it seems to also trigger the
* "now it works" event of the loop above.
*/
/* There has to be /something/ in that asm block: */
for (;;) asm {} // compiles
}
void test32()
{
}
/****************************************************/
void test33()
{
int x = 1;
alias x y;
asm
{
mov EAX, x;
mov EAX, y;
}
}
/****************************************************/
int test34()
{
asm{
jmp label;
}
return 0;
label:
return 1;
}
/****************************************************/
/+
void foo35() { printf("hello\n"); }
void test35()
{
void function() p;
ulong q;
asm
{
mov ECX, foo35 ;
mov q, ECX ;
lea EDX, foo35 ;
mov p, EDX ;
}
assert(p == &foo35);
assert(q == *cast(ulong *)p);
}
/****************************************************/
void func36()
{
}
int test36()
{
void* a = &func36;
ulong* b = cast(ulong*) a;
ulong f = *b;
ulong g;
asm{
mov RAX, func36;
mov g, RAX;
}
if(f != g){
assert(0);
}
}
+/
/****************************************************/
void a37(X...)(X expr)
{
alias expr[0] var1;
asm {
fld double ptr expr[0];
fstp double ptr var1;
}
}
void test37()
{
a37(3.6);
}
/****************************************************/
int f38(X...)(X x)
{
asm {
mov EAX, int ptr x[1];
}
}
int g38(X...)(X x)
{
asm {
mov EAX, x[1];
}
}
void test38()
{
assert(456 == f38(123, 456));
assert(456 == g38(123, 456));
}
/****************************************************/
void test39()
{
goto end;
const byte z = 35;
asm { db z; }
end: ;
}
/****************************************************/
void test40()
{
printf("");
const string s = "abcdefghi";
asm
{ jmp L1;
ds s;
L1:;
}
end: ;
}
/****************************************************/
void test41()
{
ubyte *p;
static ubyte data[] =
[
0x66,0x0F,0x28,0x0C,0x06, // movapd XMM1,[RAX][RSI]
0x66,0x0F,0x28,0x0C,0x06, // movapd XMM1,[RAX][RSI]
0x66,0x0F,0x28,0x0C,0x46, // movapd XMM1,[RAX*2][RSI]
0x66,0x0F,0x28,0x0C,0x86, // movapd XMM1,[RAX*4][RSI]
0x66,0x0F,0x28,0x0C,0xC6, // movapd XMM1,[RAX*8][RSI]
];
int i;
asm
{
call L1 ;
movapd XMM1, [RSI+RAX];
movapd XMM1, [RSI+1*RAX];
movapd XMM1, [RSI+2*RAX];
movapd XMM1, [RSI+4*RAX];
movapd XMM1, [RSI+8*RAX];
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
enum
{
enumeration42 = 1,
}
void test42()
{
asm
{
mov EAX, enumeration42;
}
}
/****************************************************/
void foo43()
{
asm {lea EAX, [0*4+EAX]; }
asm {lea EAX, [4*0+EAX]; }
asm {lea EAX, [EAX+4*0]; }
asm {lea EAX, [0+EAX]; }
asm {lea EAX, [7*7+EAX]; }
}
void test43()
{
}
/****************************************************/
enum n1 = 42;
enum { n2 = 42 }
uint retN1() {
asm {
mov EAX,n1; // No! - mov EAX,-4[EBP]
}
}
uint retN2() {
asm {
mov EAX,n2; // OK - mov EAX,02Ah
}
}
void test44()
{
assert(retN1() == 42);
assert(retN2() == 42);
}
/****************************************************/
void test45()
{
ubyte *p;
static ubyte data[] =
[
0xDA, 0xC0, // fcmovb ST(0)
0xDA, 0xC1, // fcmovb
0xDA, 0xCA, // fcmove ST(2)
0xDA, 0xD3, // fcmovbe ST(3)
0xDA, 0xDC, // fcmovu ST(4)
0xDB, 0xC5, // fcmovnb ST(5)
0xDB, 0xCE, // fcmovne ST(6)
0xDB, 0xD7, // fcmovnbe ST(7)
0xDB, 0xD9, // fcmovnu
];
int i;
asm
{
call L1 ;
fcmovb ST, ST(0);
fcmovb ST, ST(1);
fcmove ST, ST(2);
fcmovbe ST, ST(3);
fcmovu ST, ST(4);
fcmovnb ST, ST(5);
fcmovne ST, ST(6);
fcmovnbe ST, ST(7);
fcmovnu ST, ST(1);
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void test46()
{
ubyte *p;
static ubyte data[] =
[
0x66, 0x0F, 0x3A, 0x41, 0xCA, 0x08, // dppd XMM1,XMM2,8
0x66, 0x0F, 0x3A, 0x40, 0xDC, 0x07, // dpps XMM3,XMM4,7
0x66, 0x0F, 0x50, 0xF3, // movmskpd ESI,XMM3
0x66, 0x0F, 0x50, 0xC7, // movmskpd EAX,XMM7
0x0F, 0x50, 0xC7, // movmskps EAX,XMM7
0x0F, 0xD7, 0xC7, // pmovmskb EAX,MM7
0x66, 0x0F, 0xD7, 0xC7, // pmovmskb EAX,XMM7
];
int i;
asm
{
call L1 ;
dppd XMM1,XMM2,8 ;
dpps XMM3,XMM4,7 ;
movmskpd ESI,XMM3 ;
movmskpd EAX,XMM7 ;
movmskps EAX,XMM7 ;
pmovmskb EAX,MM7 ;
pmovmskb EAX,XMM7 ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
/+
struct Foo47
{
float x,y;
}
void bar47(Foo47 f)
{
int i;
asm
{
mov EAX, offsetof f;
mov i, EAX;
}
printf("%d\n",i);
assert(i == 8);
}
void test47()
{
Foo47 f;
bar47(f);
}
+/
/****************************************************/
void func48(void delegate () callback)
{
callback();
}
void test48()
{
func48(() { asm{ mov EAX,EAX; }; });
}
/****************************************************/
void test49()
{
ubyte *p;
static ubyte data[] =
[
0x00, 0xC0, // add AL,AL
0x00, 0xD8, // add AL,BL
0x00, 0xC8, // add AL,CL
0x00, 0xD0, // add AL,DL
0x00, 0xE0, // add AL,AH
0x00, 0xF8, // add AL,BH
0x00, 0xE8, // add AL,CH
0x00, 0xF0, // add AL,DH
0x00, 0xC4, // add AH,AL
0x00, 0xDC, // add AH,BL
0x00, 0xCC, // add AH,CL
0x00, 0xD4, // add AH,DL
0x00, 0xE4, // add AH,AH
0x00, 0xFC, // add AH,BH
0x00, 0xEC, // add AH,CH
0x00, 0xF4, // add AH,DH
0x00, 0xC3, // add BL,AL
0x00, 0xDB, // add BL,BL
0x00, 0xCB, // add BL,CL
0x00, 0xD3, // add BL,DL
0x00, 0xE3, // add BL,AH
0x00, 0xFB, // add BL,BH
0x00, 0xEB, // add BL,CH
0x00, 0xF3, // add BL,DH
0x00, 0xC7, // add BH,AL
0x00, 0xDF, // add BH,BL
0x00, 0xCF, // add BH,CL
0x00, 0xD7, // add BH,DL
0x00, 0xE7, // add BH,AH
0x00, 0xFF, // add BH,BH
0x00, 0xEF, // add BH,CH
0x00, 0xF7, // add BH,DH
0x00, 0xC1, // add CL,AL
0x00, 0xD9, // add CL,BL
0x00, 0xC9, // add CL,CL
0x00, 0xD1, // add CL,DL
0x00, 0xE1, // add CL,AH
0x00, 0xF9, // add CL,BH
0x00, 0xE9, // add CL,CH
0x00, 0xF1, // add CL,DH
0x00, 0xC5, // add CH,AL
0x00, 0xDD, // add CH,BL
0x00, 0xCD, // add CH,CL
0x00, 0xD5, // add CH,DL
0x00, 0xE5, // add CH,AH
0x00, 0xFD, // add CH,BH
0x00, 0xED, // add CH,CH
0x00, 0xF5, // add CH,DH
0x00, 0xC2, // add DL,AL
0x00, 0xDA, // add DL,BL
0x00, 0xCA, // add DL,CL
0x00, 0xD2, // add DL,DL
0x00, 0xE2, // add DL,AH
0x00, 0xFA, // add DL,BH
0x00, 0xEA, // add DL,CH
0x00, 0xF2, // add DL,DH
0x00, 0xC6, // add DH,AL
0x00, 0xDE, // add DH,BL
0x00, 0xCE, // add DH,CL
0x00, 0xD6, // add DH,DL
0x00, 0xE6, // add DH,AH
0x00, 0xFE, // add DH,BH
0x00, 0xEE, // add DH,CH
0x00, 0xF6, // add DH,DH
0x66, 0x01, 0xC0, // add AX,AX
0x66, 0x01, 0xD8, // add AX,BX
0x66, 0x01, 0xC8, // add AX,CX
0x66, 0x01, 0xD0, // add AX,DX
0x66, 0x01, 0xF0, // add AX,SI
0x66, 0x01, 0xF8, // add AX,DI
0x66, 0x01, 0xE8, // add AX,BP
0x66, 0x01, 0xE0, // add AX,SP
0x66, 0x01, 0xC3, // add BX,AX
0x66, 0x01, 0xDB, // add BX,BX
0x66, 0x01, 0xCB, // add BX,CX
0x66, 0x01, 0xD3, // add BX,DX
0x66, 0x01, 0xF3, // add BX,SI
0x66, 0x01, 0xFB, // add BX,DI
0x66, 0x01, 0xEB, // add BX,BP
0x66, 0x01, 0xE3, // add BX,SP
0x66, 0x01, 0xC1, // add CX,AX
0x66, 0x01, 0xD9, // add CX,BX
0x66, 0x01, 0xC9, // add CX,CX
0x66, 0x01, 0xD1, // add CX,DX
0x66, 0x01, 0xF1, // add CX,SI
0x66, 0x01, 0xF9, // add CX,DI
0x66, 0x01, 0xE9, // add CX,BP
0x66, 0x01, 0xE1, // add CX,SP
0x66, 0x01, 0xC2, // add DX,AX
0x66, 0x01, 0xDA, // add DX,BX
0x66, 0x01, 0xCA, // add DX,CX
0x66, 0x01, 0xD2, // add DX,DX
0x66, 0x01, 0xF2, // add DX,SI
0x66, 0x01, 0xFA, // add DX,DI
0x66, 0x01, 0xEA, // add DX,BP
0x66, 0x01, 0xE2, // add DX,SP
0x66, 0x01, 0xC6, // add SI,AX
0x66, 0x01, 0xDE, // add SI,BX
0x66, 0x01, 0xCE, // add SI,CX
0x66, 0x01, 0xD6, // add SI,DX
0x66, 0x01, 0xF6, // add SI,SI
0x66, 0x01, 0xFE, // add SI,DI
0x66, 0x01, 0xEE, // add SI,BP
0x66, 0x01, 0xE6, // add SI,SP
0x66, 0x01, 0xC7, // add DI,AX
0x66, 0x01, 0xDF, // add DI,BX
0x66, 0x01, 0xCF, // add DI,CX
0x66, 0x01, 0xD7, // add DI,DX
0x66, 0x01, 0xF7, // add DI,SI
0x66, 0x01, 0xFF, // add DI,DI
0x66, 0x01, 0xEF, // add DI,BP
0x66, 0x01, 0xE7, // add DI,SP
0x66, 0x01, 0xC5, // add BP,AX
0x66, 0x01, 0xDD, // add BP,BX
0x66, 0x01, 0xCD, // add BP,CX
0x66, 0x01, 0xD5, // add BP,DX
0x66, 0x01, 0xF5, // add BP,SI
0x66, 0x01, 0xFD, // add BP,DI
0x66, 0x01, 0xED, // add BP,BP
0x66, 0x01, 0xE5, // add BP,SP
0x66, 0x01, 0xC4, // add SP,AX
0x66, 0x01, 0xDC, // add SP,BX
0x66, 0x01, 0xCC, // add SP,CX
0x66, 0x01, 0xD4, // add SP,DX
0x66, 0x01, 0xF4, // add SP,SI
0x66, 0x01, 0xFC, // add SP,DI
0x66, 0x01, 0xEC, // add SP,BP
0x66, 0x01, 0xE4, // add SP,SP
0x01, 0xC0, // add EAX,EAX
0x01, 0xD8, // add EAX,EBX
0x01, 0xC8, // add EAX,ECX
0x01, 0xD0, // add EAX,EDX
0x01, 0xF0, // add EAX,ESI
0x01, 0xF8, // add EAX,EDI
0x01, 0xE8, // add EAX,EBP
0x01, 0xE0, // add EAX,ESP
0x01, 0xC3, // add EBX,EAX
0x01, 0xDB, // add EBX,EBX
0x01, 0xCB, // add EBX,ECX
0x01, 0xD3, // add EBX,EDX
0x01, 0xF3, // add EBX,ESI
0x01, 0xFB, // add EBX,EDI
0x01, 0xEB, // add EBX,EBP
0x01, 0xE3, // add EBX,ESP
0x01, 0xC1, // add ECX,EAX
0x01, 0xD9, // add ECX,EBX
0x01, 0xC9, // add ECX,ECX
0x01, 0xD1, // add ECX,EDX
0x01, 0xF1, // add ECX,ESI
0x01, 0xF9, // add ECX,EDI
0x01, 0xE9, // add ECX,EBP
0x01, 0xE1, // add ECX,ESP
0x01, 0xC2, // add EDX,EAX
0x01, 0xDA, // add EDX,EBX
0x01, 0xCA, // add EDX,ECX
0x01, 0xD2, // add EDX,EDX
0x01, 0xF2, // add EDX,ESI
0x01, 0xFA, // add EDX,EDI
0x01, 0xEA, // add EDX,EBP
0x01, 0xE2, // add EDX,ESP
0x01, 0xC6, // add ESI,EAX
0x01, 0xDE, // add ESI,EBX
0x01, 0xCE, // add ESI,ECX
0x01, 0xD6, // add ESI,EDX
0x01, 0xF6, // add ESI,ESI
0x01, 0xFE, // add ESI,EDI
0x01, 0xEE, // add ESI,EBP
0x01, 0xE6, // add ESI,ESP
0x01, 0xC7, // add EDI,EAX
0x01, 0xDF, // add EDI,EBX
0x01, 0xCF, // add EDI,ECX
0x01, 0xD7, // add EDI,EDX
0x01, 0xF7, // add EDI,ESI
0x01, 0xFF, // add EDI,EDI
0x01, 0xEF, // add EDI,EBP
0x01, 0xE7, // add EDI,ESP
0x01, 0xC5, // add EBP,EAX
0x01, 0xDD, // add EBP,EBX
0x01, 0xCD, // add EBP,ECX
0x01, 0xD5, // add EBP,EDX
0x01, 0xF5, // add EBP,ESI
0x01, 0xFD, // add EBP,EDI
0x01, 0xED, // add EBP,EBP
0x01, 0xE5, // add EBP,ESP
0x01, 0xC4, // add ESP,EAX
0x01, 0xDC, // add ESP,EBX
0x01, 0xCC, // add ESP,ECX
0x01, 0xD4, // add ESP,EDX
0x01, 0xF4, // add ESP,ESI
0x01, 0xFC, // add ESP,EDI
0x01, 0xEC, // add ESP,EBP
0x01, 0xE4, // add ESP,ESP
];
int i;
asm
{
call L1 ;
add AL,AL ;
add AL,BL ;
add AL,CL ;
add AL,DL ;
add AL,AH ;
add AL,BH ;
add AL,CH ;
add AL,DH ;
add AH,AL ;
add AH,BL ;
add AH,CL ;
add AH,DL ;
add AH,AH ;
add AH,BH ;
add AH,CH ;
add AH,DH ;
add BL,AL ;
add BL,BL ;
add BL,CL ;
add BL,DL ;
add BL,AH ;
add BL,BH ;
add BL,CH ;
add BL,DH ;
add BH,AL ;
add BH,BL ;
add BH,CL ;
add BH,DL ;
add BH,AH ;
add BH,BH ;
add BH,CH ;
add BH,DH ;
add CL,AL ;
add CL,BL ;
add CL,CL ;
add CL,DL ;
add CL,AH ;
add CL,BH ;
add CL,CH ;
add CL,DH ;
add CH,AL ;
add CH,BL ;
add CH,CL ;
add CH,DL ;
add CH,AH ;
add CH,BH ;
add CH,CH ;
add CH,DH ;
add DL,AL ;
add DL,BL ;
add DL,CL ;
add DL,DL ;
add DL,AH ;
add DL,BH ;
add DL,CH ;
add DL,DH ;
add DH,AL ;
add DH,BL ;
add DH,CL ;
add DH,DL ;
add DH,AH ;
add DH,BH ;
add DH,CH ;
add DH,DH ;
add AX,AX ;
add AX,BX ;
add AX,CX ;
add AX,DX ;
add AX,SI ;
add AX,DI ;
add AX,BP ;
add AX,SP ;
add BX,AX ;
add BX,BX ;
add BX,CX ;
add BX,DX ;
add BX,SI ;
add BX,DI ;
add BX,BP ;
add BX,SP ;
add CX,AX ;
add CX,BX ;
add CX,CX ;
add CX,DX ;
add CX,SI ;
add CX,DI ;
add CX,BP ;
add CX,SP ;
add DX,AX ;
add DX,BX ;
add DX,CX ;
add DX,DX ;
add DX,SI ;
add DX,DI ;
add DX,BP ;
add DX,SP ;
add SI,AX ;
add SI,BX ;
add SI,CX ;
add SI,DX ;
add SI,SI ;
add SI,DI ;
add SI,BP ;
add SI,SP ;
add DI,AX ;
add DI,BX ;
add DI,CX ;
add DI,DX ;
add DI,SI ;
add DI,DI ;
add DI,BP ;
add DI,SP ;
add BP,AX ;
add BP,BX ;
add BP,CX ;
add BP,DX ;
add BP,SI ;
add BP,DI ;
add BP,BP ;
add BP,SP ;
add SP,AX ;
add SP,BX ;
add SP,CX ;
add SP,DX ;
add SP,SI ;
add SP,DI ;
add SP,BP ;
add SP,SP ;
add EAX,EAX ;
add EAX,EBX ;
add EAX,ECX ;
add EAX,EDX ;
add EAX,ESI ;
add EAX,EDI ;
add EAX,EBP ;
add EAX,ESP ;
add EBX,EAX ;
add EBX,EBX ;
add EBX,ECX ;
add EBX,EDX ;
add EBX,ESI ;
add EBX,EDI ;
add EBX,EBP ;
add EBX,ESP ;
add ECX,EAX ;
add ECX,EBX ;
add ECX,ECX ;
add ECX,EDX ;
add ECX,ESI ;
add ECX,EDI ;
add ECX,EBP ;
add ECX,ESP ;
add EDX,EAX ;
add EDX,EBX ;
add EDX,ECX ;
add EDX,EDX ;
add EDX,ESI ;
add EDX,EDI ;
add EDX,EBP ;
add EDX,ESP ;
add ESI,EAX ;
add ESI,EBX ;
add ESI,ECX ;
add ESI,EDX ;
add ESI,ESI ;
add ESI,EDI ;
add ESI,EBP ;
add ESI,ESP ;
add EDI,EAX ;
add EDI,EBX ;
add EDI,ECX ;
add EDI,EDX ;
add EDI,ESI ;
add EDI,EDI ;
add EDI,EBP ;
add EDI,ESP ;
add EBP,EAX ;
add EBP,EBX ;
add EBP,ECX ;
add EBP,EDX ;
add EBP,ESI ;
add EBP,EDI ;
add EBP,EBP ;
add EBP,ESP ;
add ESP,EAX ;
add ESP,EBX ;
add ESP,ECX ;
add ESP,EDX ;
add ESP,ESI ;
add ESP,EDI ;
add ESP,EBP ;
add ESP,ESP ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
void test50()
{
ubyte *p;
static ubyte data[] =
[
0x66, 0x98, // cbw
0xF8, // clc
0xFC, // cld
0xFA, // cli
0xF5, // cmc
0xA6, // cmpsb
0x66, 0xA7, // cmpsw
0xA7, // cmpsd
0x66, 0x99, // cwd
// 0x27, // daa
// 0x2F, // das
0xFF, 0xC8, // dec EAX
0xF6, 0xF1, // div CL
0x66, 0xF7, 0xF3, // div BX
0xF7, 0xF2, // div EDX
0xF4, // hlt
0xF6, 0xFB, // idiv BL
0x66, 0xF7, 0xFA, // idiv DX
0xF7, 0xFE, // idiv ESI
0xF6, 0xEB, // imul BL
0x66, 0xF7, 0xEA, // imul DX
0xF7, 0xEE, // imul ESI
0xEC, // in AL,DX
0x66, 0xED, // in AX,DX
0xFF, 0xC3, // inc EBX
0xCC, // int 3
0xCD, 0x67, // int 067h
// 0xCE, // into
0x66, 0xCF, // iret
0x77, 0xFC, // ja L30
0x77, 0xFA, // ja L30
0x73, 0xF8, // jae L30
0x73, 0xF6, // jae L30
0x73, 0xF4, // jae L30
0x72, 0xF2, // jb L30
0x72, 0xF0, // jb L30
0x76, 0xEE, // jbe L30
0x76, 0xEC, // jbe L30
0x72, 0xEA, // jb L30
// 0x67, 0xE3, 0xE7, // jcxz L30
0x90, 0x90, 0x90, // nop;nop;nop
0x74, 0xE5, // je L30
0x74, 0xE3, // je L30
0x7F, 0xE1, // jg L30
0x7F, 0xDF, // jg L30
0x7D, 0xDD, // jge L30
0x7D, 0xDB, // jge L30
0x7C, 0xD9, // jl L30
0x7C, 0xD7, // jl L30
0x7E, 0xD5, // jle L30
0x7E, 0xD3, // jle L30
0xEB, 0xD1, // jmp short L30
0x75, 0xCF, // jne L30
0x75, 0xCD, // jne L30
0x71, 0xCB, // jno L30
0x79, 0xC9, // jns L30
0x7B, 0xC7, // jnp L30
0x7B, 0xC5, // jnp L30
0x70, 0xC3, // jo L30
0x7A, 0xC1, // jp L30
0x7A, 0xBF, // jp L30
0x78, 0xBD, // js L30
0x9F, // lahf
// 0xC5, 0x30, // lds ESI,[EAX]
0x90, 0x90, // nop;nop
0x8B, 0xFB, // mov EDI,EBX
// 0xC4, 0x29, // les EBP,[ECX]
0x90, 0x90, // nop;nop
0xF0, // lock
0xAC, // lodsb
0x66, 0xAD, // lodsw
0xAD, // lodsd
0xE2, 0xAF, // loop L30
0xE1, 0xAD, // loope L30
0xE1, 0xAB, // loope L30
0xE0, 0xA9, // loopne L30
0xE0, 0xA7, // loopne L30
0xA4, // movsb
0x66, 0xA5, // movsw
0xA5, // movsd
0xF6, 0xE4, // mul AH
0x66, 0xF7, 0xE1, // mul CX
0xF7, 0xE5, // mul EBP
0x90, // nop
0xF7, 0xD7, // not EDI
0x66, 0xE7, 0x44, // out 044h,AX
0xEE, // out DX,AL
0x66, 0x9D, // popf
0x66, 0x9C, // pushf
0xD1, 0xDB, // rcr EBX,1
0xF3, // rep
0xF3, // rep
0xF2, // repne
0xF3, // rep
0xF2, // repne
0xC3, // ret
0xC2, 0x04, 0x00, // ret 4
0xD1, 0xC1, // rol ECX,1
0xD1, 0xCA, // ror EDX,1
0x9E, // sahf
0xD1, 0xE5, // shl EBP,1
0xD1, 0xE4, // shl ESP,1
0xD1, 0xFF, // sar EDI,1
0xAE, // scasb
0x66, 0xAF, // scasw
0xAF, // scasd
0xD1, 0xEE, // shr ESI,1
0xFD, // std
0xF9, // stc
0xFB, // sti
0xAA, // stosb
0x66, 0xAB, // stosw
0xAB, // stosd
0x9B, // wait
0x91, // xchg EAX,ECX
0xD7, // xlat
];
int i;
asm
{
call L1 ;
cbw ;
clc ;
cld ;
cli ;
cmc ;
cmpsb ;
cmpsw ;
cmpsd ;
cwd ;
//daa ;
//das ;
dec EAX ;
div CL ;
div BX ;
div EDX ;
hlt ;
idiv BL ;
idiv DX ;
idiv ESI ;
imul BL ;
imul DX ;
imul ESI ;
in AL,DX ;
in AX,DX ;
inc EBX ;
int 3 ;
int 0x67 ;
//into ;
L10: iret ;
ja L10 ;
jnbe L10 ;
jae L10 ;
jnb L10 ;
jnc L10 ;
jb L10 ;
jnae L10 ;
jbe L10 ;
jna L10 ;
jc L10 ;
nop;nop;nop; // jcxz L10;
je L10 ;
jz L10 ;
jg L10 ;
jnle L10 ;
jge L10 ;
jnl L10 ;
jl L10 ;
jnge L10 ;
jle L10 ;
jng L10 ;
jmp short L10 ;
jne L10 ;
jnz L10 ;
jno L10 ;
jns L10 ;
jnp L10 ;
jpo L10 ;
jo L10 ;
jp L10 ;
jpe L10 ;
js L10 ;
lahf ;
nop;nop; //lds ESI,[EAX];
lea EDI,[EBX];
nop;nop; //les EBP,[ECX];
lock ;
lodsb ;
lodsw ;
lodsd ;
loop L10 ;
loope L10 ;
loopz L10 ;
loopnz L10 ;
loopne L10 ;
movsb ;
movsw ;
movsd ;
mul AH ;
mul CX ;
mul EBP ;
nop ;
not EDI ;
out 0x44,AX ;
out DX,AL ;
popf ;
pushf ;
rcr EBX,1 ;
rep ;
repe ;
repne ;
repz ;
repnz ;
ret ;
ret 4 ;
rol ECX,1 ;
ror EDX,1 ;
sahf ;
sal EBP,1 ;
shl ESP,1 ;
sar EDI,1 ;
scasb ;
scasw ;
scasd ;
shr ESI,1 ;
std ;
stc ;
sti ;
stosb ;
stosw ;
stosd ;
wait ;
xchg EAX,ECX ;
xlat ;
L1: ;
pop RBX ;
mov p[RBP],RBX ;
}
for (i = 0; i < data.length; i++)
{
assert(p[i] == data[i]);
}
}
/****************************************************/
class Test51
{
void test(int n)
{ asm {
mov RAX, this;
}
}
}
/****************************************************/
void test52()
{ int x;
ubyte* p;
static ubyte data[] =
[
0xF6, 0xD8, // neg AL
0x66, 0xF7, 0xD8, // neg AX
0xF7, 0xD8, // neg EAX
0x48, 0xF7, 0xD8, // neg RAX
0xF6, 0xDC, // neg AH
0x41, 0xF6, 0xDC, // neg R12B
0x66, 0x41, 0xF7, 0xDC, // neg 12D
0x41, 0xF7, 0xDC, // neg R12D
0x49, 0xF7, 0xDB, // neg R11
// 0xF6, 0x1D, 0x00, 0x00, 0x00, 0x00, // neg byte ptr _D6iasm641bg@PC32[RIP]
//0x66, 0xF7, 0x1D, 0x00, 0x00, 0x00, 0x00, // neg word ptr _D6iasm641ws@PC32[RIP]
// 0xF7, 0x1D, 0x00, 0x00, 0x00, 0x00, // neg dword ptr _D6iasm641ii@PC32[RIP]
// 0x48, 0xF7, 0x1D, 0x00, 0x00, 0x00, 0x00, // neg qword ptr _D6iasm641ll@PC32[RIP]
0xF7, 0x5D, 0xD0, // neg dword ptr -8[RBP]
0xF6, 0x1B, // neg byte ptr [RBX]
0xF6, 0x1B, // neg byte ptr [RBX]
0x49, 0xF7, 0xD8, // neg R8
];
asm
{
call L1 ;
neg AL ;
neg AX ;
neg EAX ;
neg RAX ;
neg AH ;
neg R12B ;
neg R12W ;
neg R12D ;
neg R11 ;
// neg b ;
// neg w ;
// neg i ;
// neg l ;
neg x ;
neg [EBX] ;
neg [RBX] ;
neg R8 ;
L1: pop RAX ;
mov p[RBP],RAX ;
}
foreach (i,b; data)
{
//printf("data[%d] = 0x%02x, should be 0x%02x\n", i, p[i], b);
assert(p[i] == b);
}
}
/****************************************************/
void test53()
{ int x;
ubyte* p;
static ubyte data[] =
[
0x48, 0x8D, 0x04, 0x00, // lea RAX,[RAX][RAX]
0x48, 0x8D, 0x04, 0x08, // lea RAX,[RCX][RAX]
0x48, 0x8D, 0x04, 0x10, // lea RAX,[RDX][RAX]
0x48, 0x8D, 0x04, 0x18, // lea RAX,[RBX][RAX]
0x48, 0x8D, 0x04, 0x28, // lea RAX,[RBP][RAX]
0x48, 0x8D, 0x04, 0x30, // lea RAX,[RSI][RAX]
0x48, 0x8D, 0x04, 0x38, // lea RAX,[RDI][RAX]
0x4A, 0x8D, 0x04, 0x00, // lea RAX,[R8][RAX]
0x4A, 0x8D, 0x04, 0x08, // lea RAX,[R9][RAX]
0x4A, 0x8D, 0x04, 0x10, // lea RAX,[R10][RAX]
0x4A, 0x8D, 0x04, 0x18, // lea RAX,[R11][RAX]
0x4A, 0x8D, 0x04, 0x20, // lea RAX,[R12][RAX]
0x4A, 0x8D, 0x04, 0x28, // lea RAX,[R13][RAX]
0x4A, 0x8D, 0x04, 0x30, // lea RAX,[R14][RAX]
0x4A, 0x8D, 0x04, 0x38, // lea RAX,[R15][RAX]
0x48, 0x8D, 0x04, 0x00, // lea RAX,[RAX][RAX]
0x48, 0x8D, 0x04, 0x01, // lea RAX,[RAX][RCX]
0x48, 0x8D, 0x04, 0x02, // lea RAX,[RAX][RDX]
0x48, 0x8D, 0x04, 0x03, // lea RAX,[RAX][RBX]
0x48, 0x8D, 0x04, 0x04, // lea RAX,[RAX][RSP]
0x48, 0x8D, 0x44, 0x05, 0x00, // lea RAX,0[RAX][RBP]
0x48, 0x8D, 0x04, 0x06, // lea RAX,[RAX][RSI]
0x48, 0x8D, 0x04, 0x07, // lea RAX,[RAX][RDI]
0x49, 0x8D, 0x04, 0x00, // lea RAX,[RAX][R8]
0x49, 0x8D, 0x04, 0x01, // lea RAX,[RAX][R9]
0x49, 0x8D, 0x04, 0x02, // lea RAX,[RAX][R10]
0x49, 0x8D, 0x04, 0x03, // lea RAX,[RAX][R11]
0x49, 0x8D, 0x04, 0x04, // lea RAX,[RAX][R12]
0x49, 0x8D, 0x44, 0x05, 0x00, // lea RAX,0[RAX][R13]
0x49, 0x8D, 0x04, 0x06, // lea RAX,[RAX][R14]
0x49, 0x8D, 0x04, 0x07, // lea RAX,[RAX][R15]
0x4B, 0x8D, 0x04, 0x24, // lea RAX,[R12][R12]
0x4B, 0x8D, 0x44, 0x25, 0x00, // lea RAX,0[R12][R13]
0x4B, 0x8D, 0x04, 0x26, // lea RAX,[R12][R14]
0x4B, 0x8D, 0x04, 0x2C, // lea RAX,[R13][R12]
0x4B, 0x8D, 0x44, 0x2D, 0x00, // lea RAX,0[R13][R13]
0x4B, 0x8D, 0x04, 0x2E, // lea RAX,[R13][R14]
0x4B, 0x8D, 0x04, 0x34, // lea RAX,[R14][R12]
0x4B, 0x8D, 0x44, 0x35, 0x00, // lea RAX,0[R14][R13]
0x4B, 0x8D, 0x04, 0x36, // lea RAX,[R14][R14]
0x48, 0x8D, 0x44, 0x01, 0x12, // lea RAX,012h[RAX][RCX]
0x48, 0x8D, 0x84, 0x01, 0x34, 0x12, 0x00, 0x00, // lea RAX,01234h[RAX][RCX]
0x48, 0x8D, 0x84, 0x01, 0x78, 0x56, 0x34, 0x12, // lea RAX,012345678h[RAX][RCX]
0x48, 0x8D, 0x44, 0x05, 0x12, // lea RAX,012h[RAX][RBP]
0x48, 0x8D, 0x84, 0x05, 0x34, 0x12, 0x00, 0x00, // lea RAX,01234h[RAX][RBP]
0x48, 0x8D, 0x84, 0x05, 0x78, 0x56, 0x34, 0x12, // lea RAX,012345678h[RAX][RBP]
0x49, 0x8D, 0x44, 0x05, 0x12, // lea RAX,012h[RAX][R13]
0x49, 0x8D, 0x84, 0x05, 0x34, 0x12, 0x00, 0x00, // lea RAX,01234h[RAX][R13]
0x49, 0x8D, 0x84, 0x05, 0x78, 0x56, 0x34, 0x12, // lea RAX,012345678h[RAX][R13]
];
asm
{
call L1 ;
// Right
lea RAX, [RAX+RAX];
lea RAX, [RAX+RCX];
lea RAX, [RAX+RDX];
lea RAX, [RAX+RBX];
//lea RAX, [RAX+RSP]; RSP can't be on the right
lea RAX, [RAX+RBP];
lea RAX, [RAX+RSI];
lea RAX, [RAX+RDI];
lea RAX, [RAX+R8];
lea RAX, [RAX+R9];
lea RAX, [RAX+R10];
lea RAX, [RAX+R11];
lea RAX, [RAX+R12];
lea RAX, [RAX+R13];
lea RAX, [RAX+R14];
lea RAX, [RAX+R15];
// Left
lea RAX, [RAX+RAX];
lea RAX, [RCX+RAX];
lea RAX, [RDX+RAX];
lea RAX, [RBX+RAX];
lea RAX, [RSP+RAX];
lea RAX, [RBP+RAX]; // Good gets disp+8 correctly
lea RAX, [RSI+RAX];
lea RAX, [RDI+RAX];
lea RAX, [R8+RAX];
lea RAX, [R9+RAX];
lea RAX, [R10+RAX];
lea RAX, [R11+RAX];
lea RAX, [R12+RAX];
lea RAX, [R13+RAX]; // Good disp+8
lea RAX, [R14+RAX];
lea RAX, [R15+RAX];
// Right and Left
lea RAX, [R12+R12];
lea RAX, [R13+R12];
lea RAX, [R14+R12];
lea RAX, [R12+R13];
lea RAX, [R13+R13];
lea RAX, [R14+R13];
lea RAX, [R12+R14];
lea RAX, [R13+R14];
lea RAX, [R14+R14];
// Disp8/32 checks
lea RAX, [RCX+RAX+0x12];
lea RAX, [RCX+RAX+0x1234];
lea RAX, [RCX+RAX+0x1234_5678];
lea RAX, [RBP+RAX+0x12];
lea RAX, [RBP+RAX+0x1234];
lea RAX, [RBP+RAX+0x1234_5678];
lea RAX, [R13+RAX+0x12];
lea RAX, [R13+RAX+0x1234];
lea RAX, [R13+RAX+0x1234_5678];
L1: pop RAX ;
mov p[RBP],RAX ;
}
foreach (i,b; data)
{
//printf("data[%d] = 0x%02x, should be 0x%02x\n", i, p[i], b);
assert(p[i] == b);
}
}
/****************************************************/
void test54()
{ int x;
ubyte* p;
static ubyte data[] =
[
0xFE, 0xC8, // dec AL
0xFE, 0xCC, // dec AH
0x66, 0xFF, 0xC8, // dec AX
0xFF, 0xC8, // dec EAX
0x48, 0xFF, 0xC8, // dec RAX
0x49, 0xFF, 0xCA, // dec R10
0xFE, 0xC0, // inc AL
0xFE, 0xC4, // inc AH
0x66, 0xFF, 0xC0, // inc AX
0xFF, 0xC0, // inc EAX
0x48, 0xFF, 0xC0, // inc RAX
0x49, 0xFF, 0xC2, // inc R10
0x66, 0x44, 0x0F, 0xA4, 0xC0, 0x04, // shld AX, R8W, 4
0x66, 0x44, 0x0F, 0xA5, 0xC0, // shld AX, R8W, CL
0x44, 0x0F, 0xA4, 0xC0, 0x04, // shld EAX, R8D, 4
0x44, 0x0F, 0xA5, 0xC0, // shld EAX, R8D, CL
0x4C, 0x0F, 0xA4, 0xC0, 0x04, // shld RAX, R8 , 4
0x4C, 0x0F, 0xA5, 0xC0, // shld RAX, R8 , CL
0x66, 0x44, 0x0F, 0xAC, 0xC0, 0x04, // shrd AX, R8W, 4
0x66, 0x44, 0x0F, 0xAD, 0xC0, // shrd AX, R8W, CL
0x44, 0x0F, 0xAC, 0xC0, 0x04, // shrd EAX, R8D, 4
0x44, 0x0F, 0xAD, 0xC0, // shrd EAX, R8D, CL
0x4C, 0x0F, 0xAC, 0xC0, 0x04, // shrd RAX, R8 , 4
0x4C, 0x0F, 0xAD, 0xC0 // shrd RAX, R8 , CL
];
asm
{
call L1;
dec AL;
dec AH;
dec AX;
dec EAX;
dec RAX;
dec R10;
inc AL;
inc AH;
inc AX;
inc EAX;
inc RAX;
inc R10;
shld AX, R8W, 4;
shld AX, R8W, CL;
shld EAX, R8D, 4;
shld EAX, R8D, CL;
shld RAX, R8 , 4;
shld RAX, R8 , CL;
shrd AX, R8W, 4;
shrd AX, R8W, CL;
shrd EAX, R8D, 4;
shrd EAX, R8D, CL;
shrd RAX, R8 , 4;
shrd RAX, R8 , CL;
L1: pop RAX;
mov p[RBP],RAX;
}
foreach (i,b; data)
{
//printf("data[%d] = 0x%02x, should be 0x%02x\n", i, p[i], b);
assert(p[i] == b);
}
}
/****************************************************/
void test55()
{ int x;
ubyte* p;
enum NOP = 0x9090_9090_9090_9090;
static ubyte data[] =
[
0x0F, 0x87, 0xFF, 0xFF, 0, 0, // ja $ + 0xFFFF
0x72, 0x18, // jb Lb
0x0F, 0x82, 0x92, 0x00, 0, 0, // jc Lc
0x0F, 0x84, 0x0C, 0x01, 0, 0, // je Le
0xEB, 0x0A, // jmp Lb
0xE9, 0x85, 0x00, 0x00, 0, // jmp Lc
0xE9, 0x00, 0x01, 0x00, 0, // jmp Le
];
asm
{
call L1;
ja $+0x0_FFFF;
jb Lb;
jc Lc;
je Le;
jmp Lb;
jmp Lc;
jmp Le;
Lb: dq NOP,NOP,NOP,NOP; // 32
dq NOP,NOP,NOP,NOP; // 64
dq NOP,NOP,NOP,NOP; // 96
dq NOP,NOP,NOP,NOP; // 128
Lc: dq NOP,NOP,NOP,NOP; // 160
dq NOP,NOP,NOP,NOP; // 192
dq NOP,NOP,NOP,NOP; // 224
dq NOP,NOP,NOP,NOP; // 256
Le: nop;
L1: pop RAX;
mov p[RBP],RAX;
}
foreach (i,b; data)
{
//printf("data[%d] = 0x%02x, should be 0x%02x\n", i, p[i], b);
assert(p[i] == b);
}
}
/****************************************************/
void test56()
{ int x;
x = foo56();
assert(x == 42);
}
int foo56()
{
asm
{ naked;
xor EAX,EAX;
jz bar56;
ret;
}
}
void bar56()
{
asm
{ naked;
mov EAX, 42;
ret;
}
}
/****************************************************/
/* ======================= SSSE3 ======================= */
void test57()
{
ubyte* p;
M64 m64;
M128 m128;
static ubyte data[] =
[
0x0F, 0x3A, 0x0F, 0xCA, 0x03, // palignr MM1, MM2, 3
0x66, 0x0F, 0x3A, 0x0F, 0xCA, 0x03, // palignr XMM1, XMM2, 3
0x0F, 0x3A, 0x0F, 0x5D, 0xC8, 0x03, // palignr MM3, -0x38[RBP], 3
0x66, 0x0F, 0x3A, 0x0F, 0x5D, 0xD0, 0x03, // palignr XMM3, -0x30[RBP], 3
0x0F, 0x38, 0x02, 0xCA, // phaddd MM1, MM2
0x66, 0x0F, 0x38, 0x02, 0xCA, // phaddd XMM1, XMM2
0x0F, 0x38, 0x02, 0x5D, 0xC8, // phaddd MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x02, 0x5D, 0xD0, // phaddd XMM3, -0x30[RBP]
0x0F, 0x38, 0x01, 0xCA, // phaddw MM1, MM2
0x66, 0x0F, 0x38, 0x01, 0xCA, // phaddw XMM1, XMM2
0x0F, 0x38, 0x01, 0x5D, 0xC8, // phaddw MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x01, 0x5D, 0xD0, // phaddw XMM3, -0x30[RBP]
0x0F, 0x38, 0x03, 0xCA, // phaddsw MM1, MM2
0x66, 0x0F, 0x38, 0x03, 0xCA, // phaddsw XMM1, XMM2
0x0F, 0x38, 0x03, 0x5D, 0xC8, // phaddsw MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x03, 0x5D, 0xD0, // phaddsw XMM3, -0x30[RBP]
0x0F, 0x38, 0x06, 0xCA, // phsubd MM1, MM2
0x66, 0x0F, 0x38, 0x06, 0xCA, // phsubd XMM1, XMM2
0x0F, 0x38, 0x06, 0x5D, 0xC8, // phsubd MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x06, 0x5D, 0xD0, // phsubd XMM3, -0x30[RBP]
0x0F, 0x38, 0x05, 0xCA, // phsubw MM1, MM2
0x66, 0x0F, 0x38, 0x05, 0xCA, // phsubw XMM1, XMM2
0x0F, 0x38, 0x05, 0x5D, 0xC8, // phsubw MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x05, 0x5D, 0xD0, // phsubw XMM3, -0x30[RBP]
0x0F, 0x38, 0x07, 0xCA, // phsubsw MM1, MM2
0x66, 0x0F, 0x38, 0x07, 0xCA, // phsubsw XMM1, XMM2
0x0F, 0x38, 0x07, 0x5D, 0xC8, // phsubsw MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x07, 0x5D, 0xD0, // phsubsw XMM3, -0x30[RBP]
0x0F, 0x38, 0x04, 0xCA, // pmaddubsw MM1, MM2
0x66, 0x0F, 0x38, 0x04, 0xCA, // pmaddubsw XMM1, XMM2
0x0F, 0x38, 0x04, 0x5D, 0xC8, // pmaddubsw MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x04, 0x5D, 0xD0, // pmaddubsw XMM3, -0x30[RBP]
0x0F, 0x38, 0x0B, 0xCA, // pmulhrsw MM1, MM2
0x66, 0x0F, 0x38, 0x0B, 0xCA, // pmulhrsw XMM1, XMM2
0x0F, 0x38, 0x0B, 0x5D, 0xC8, // pmulhrsw MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x0B, 0x5D, 0xD0, // pmulhrsw XMM3, -0x30[RBP]
0x0F, 0x38, 0x00, 0xCA, // pshufb MM1, MM2
0x66, 0x0F, 0x38, 0x00, 0xCA, // pshufb XMM1, XMM2
0x0F, 0x38, 0x00, 0x5D, 0xC8, // pshufb MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x00, 0x5D, 0xD0, // pshufb XMM3, -0x30[RBP]
0x0F, 0x38, 0x1C, 0xCA, // pabsb MM1, MM2
0x66, 0x0F, 0x38, 0x1C, 0xCA, // pabsb XMM1, XMM2
0x0F, 0x38, 0x1C, 0x5D, 0xC8, // pabsb MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x1C, 0x5D, 0xD0, // pabsb XMM3, -0x30[RBP]
0x0F, 0x38, 0x1E, 0xCA, // pabsd MM1, MM2
0x66, 0x0F, 0x38, 0x1E, 0xCA, // pabsd XMM1, XMM2
0x0F, 0x38, 0x1E, 0x5D, 0xC8, // pabsd MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x1E, 0x5D, 0xD0, // pabsd XMM3, -0x30[RBP]
0x0F, 0x38, 0x1D, 0xCA, // pabsw MM1, MM2
0x66, 0x0F, 0x38, 0x1D, 0xCA, // pabsw XMM1, XMM2
0x0F, 0x38, 0x1D, 0x5D, 0xC8, // pabsw MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x1D, 0x5D, 0xD0, // pabsw XMM3, -0x30[RBP]
0x0F, 0x38, 0x08, 0xCA, // psignb MM1, MM2
0x66, 0x0F, 0x38, 0x08, 0xCA, // psignb XMM1, XMM2
0x0F, 0x38, 0x08, 0x5D, 0xC8, // psignb MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x08, 0x5D, 0xD0, // psignb XMM3, -0x30[RBP]
0x0F, 0x38, 0x0A, 0xCA, // psignd MM1, MM2
0x66, 0x0F, 0x38, 0x0A, 0xCA, // psignd XMM1, XMM2
0x0F, 0x38, 0x0A, 0x5D, 0xC8, // psignd MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x0A, 0x5D, 0xD0, // psignd XMM3, -0x30[RBP]
0x0F, 0x38, 0x09, 0xCA, // psignw MM1, MM2
0x66, 0x0F, 0x38, 0x09, 0xCA, // psignw XMM1, XMM2
0x0F, 0x38, 0x09, 0x5D, 0xC8, // psignw MM3, -0x38[RBP]
0x66, 0x0F, 0x38, 0x09, 0x5D, 0xD0, // psignw XMM3, -0x30[RBP]
];
asm
{
call L1;
palignr MM1, MM2, 3;
palignr XMM1, XMM2, 3;
palignr MM3, m64 , 3;
palignr XMM3, m128, 3;
phaddd MM1, MM2;
phaddd XMM1, XMM2;
phaddd MM3, m64;
phaddd XMM3, m128;
phaddw MM1, MM2;
phaddw XMM1, XMM2;
phaddw MM3, m64;
phaddw XMM3, m128;
phaddsw MM1, MM2;
phaddsw XMM1, XMM2;
phaddsw MM3, m64;
phaddsw XMM3, m128;
phsubd MM1, MM2;
phsubd XMM1, XMM2;
phsubd MM3, m64;
phsubd XMM3, m128;
phsubw MM1, MM2;
phsubw XMM1, XMM2;
phsubw MM3, m64;
phsubw XMM3, m128;
phsubsw MM1, MM2;
phsubsw XMM1, XMM2;
phsubsw MM3, m64;
phsubsw XMM3, m128;
pmaddubsw MM1, MM2;
pmaddubsw XMM1, XMM2;
pmaddubsw MM3, m64;
pmaddubsw XMM3, m128;
pmulhrsw MM1, MM2;
pmulhrsw XMM1, XMM2;
pmulhrsw MM3, m64;
pmulhrsw XMM3, m128;
pshufb MM1, MM2;
pshufb XMM1, XMM2;
pshufb MM3, m64;
pshufb XMM3, m128;
pabsb MM1, MM2;
pabsb XMM1, XMM2;
pabsb MM3, m64;
pabsb XMM3, m128;
pabsd MM1, MM2;
pabsd XMM1, XMM2;
pabsd MM3, m64;
pabsd XMM3, m128;
pabsw MM1, MM2;
pabsw XMM1, XMM2;
pabsw MM3, m64;
pabsw XMM3, m128;
psignb MM1, MM2;
psignb XMM1, XMM2;
psignb MM3, m64;
psignb XMM3, m128;
psignd MM1, MM2;
psignd XMM1, XMM2;
psignd MM3, m64;
psignd XMM3, m128;
psignw MM1, MM2;
psignw XMM1, XMM2;
psignw MM3, m64;
psignw XMM3, m128;
L1: pop RAX;
mov p[RBP],RAX;
}
foreach (i,b; data)
{
//printf("data[%d] = 0x%02x, should be 0x%02x\n", i, p[i], b);
assert(p[i] == b);
}
}
/****************************************************/
/* ======================= SSE4.1 ======================= */
void test58()
{
ubyte* p;
byte m8;
short m16;
int m32;
M64 m64;
M128 m128;
static ubyte data[] =
[
0x66, 0x0F, 0x3A, 0x0D, 0xCA, 3,// blendpd XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x0D, 0x5D, 0xD0, 3,// blendpd XMM3,XMMWORD PTR [RBP-0x30],0x3
0x66, 0x0F, 0x3A, 0x0C, 0xCA, 3,// blendps XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x0C, 0x5D, 0xD0, 3,// blendps XMM3,XMMWORD PTR [RBP-0x30],0x3
0x66, 0x0F, 0x38, 0x15, 0xCA, // blendvpd XMM1,XMM2,XMM0
0x66, 0x0F, 0x38, 0x15, 0x5D, 0xD0, // blendvpd XMM3,XMMWORD PTR [RBP-0x30],XMM0
0x66, 0x0F, 0x38, 0x14, 0xCA, // blendvps XMM1,XMM2,XMM0
0x66, 0x0F, 0x38, 0x14, 0x5D, 0xD0, // blendvps XMM3,XMMWORD PTR [RBP-0x30],XMM0
0x66, 0x0F, 0x3A, 0x41, 0xCA, 3,// dppd XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x41, 0x5D, 0xD0, 3,// dppd XMM3,XMMWORD PTR [RBP-0x30],0x3
0x66, 0x0F, 0x3A, 0x40, 0xCA, 3,// dpps XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x40, 0x5D, 0xD0, 3,// dpps XMM3,XMMWORD PTR [RBP-0x30],0x3
0x66, 0x0F, 0x3A, 0x17, 0xD2, 3,// extractps EDX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x17, 0x55, 0xBC, 3,// extractps DWORD PTR [RBP-0x44],XMM2,0x3
0x66, 0x0F, 0x3A, 0x21, 0xCA, 3,// insertps XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x21, 0x5D, 0xBC, 3,// insertps XMM3,DWORD PTR [RBP-0x44],0x3
0x66, 0x0F, 0x38, 0x2A, 0x4D, 0xD0, // movntdqa XMM1,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x3A, 0x42, 0xCA, 3,// mpsadbw XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x42, 0x5D, 0xD0, 3,// mpsadbw XMM3,XMMWORD PTR [RBP-0x30],0x3
0x66, 0x0F, 0x38, 0x2B, 0xCA, // packusdw XMM1,XMM2
0x66, 0x0F, 0x38, 0x2B, 0x5D, 0xD0, // packusdw XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x10, 0xCA, // pblendvb XMM1,XMM2,XMM0
0x66, 0x0F, 0x38, 0x10, 0x5D, 0xD0, // pblendvb XMM3,XMMWORD PTR [RBP-0x30],XMM0
0x66, 0x0F, 0x3A, 0x0E, 0xCA, 3,// pblendw XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x0E, 0x5D, 0xD0, 3,// pblendw XMM3,XMMWORD PTR [RBP-0x30],0x3
0x66, 0x0F, 0x38, 0x29, 0xCA, // pcmpeqq XMM1,XMM2
0x66, 0x0F, 0x38, 0x29, 0x5D, 0xD0, // pcmpeqq XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x3A, 0x14, 0xD0, 3,// pextrb EAX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x14, 0xD3, 3,// pextrb EBX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x14, 0xD1, 3,// pextrb ECX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x14, 0xD2, 3,// pextrb EDX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x14, 0xD0, 3,// pextrb EAX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x14, 0xD3, 3,// pextrb EBX,XMM2,0x3
0x66, 0x41, 0x0F, 0x3A, 0x14, 0xD0, 3,// pextrb R8D,XMM2,0x3
0x66, 0x41, 0x0F, 0x3A, 0x14, 0xD2, 3,// pextrb R10D,XMM2,0x3
0x66, 0x0F, 0x3A, 0x14, 0x5D, 0xB8, 3,// pextrb BYTE PTR [RBP-0x48],XMM3,0x3
0x66, 0x0F, 0x3A, 0x16, 0xD0, 3,// pextrd EAX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x16, 0xD3, 3,// pextrd EBX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x16, 0xD1, 3,// pextrd ECX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x16, 0xD2, 3,// pextrd EDX,XMM2,0x3
0x66, 0x0F, 0x3A, 0x16, 0x5D, 0xBC, 3,// pextrd DWORD PTR [RBP-0x44],XMM3,0x3
0x66, 0x48, 0x0F, 0x3A, 0x16, 0xD0, 3,// pextrq RAX,XMM2,0x3
0x66, 0x48, 0x0F, 0x3A, 0x16, 0xD3, 3,// pextrq RBX,XMM2,0x3
0x66, 0x48, 0x0F, 0x3A, 0x16, 0xD1, 3,// pextrq RCX,XMM2,0x3
0x66, 0x48, 0x0F, 0x3A, 0x16, 0xD2, 3,// pextrq RDX,XMM2,0x3
0x66, 0x48, 0x0F, 0x3A, 0x16, 0x5D, 0xC0, 3,// pextrq QWORD PTR [RBP-0x40],XMM3,0x3
0x66, 0x0F, 0xC5, 0xC2, 3,// pextrw EAX,XMM2,0x3
0x66, 0x0F, 0xC5, 0xDA, 3,// pextrw EBX,XMM2,0x3
0x66, 0x0F, 0xC5, 0xCA, 3,// pextrw ECX,XMM2,0x3
0x66, 0x0F, 0xC5, 0xD2, 3,// pextrw EDX,XMM2,0x3
0x66, 0x0F, 0xC5, 0xC2, 3,// pextrw EAX,XMM2,0x3
0x66, 0x0F, 0xC5, 0xDA, 3,// pextrw EBX,XMM2,0x3
0x66, 0x44, 0x0F, 0xC5, 0xC2, 3,// pextrw R8D,XMM2,0x3
0x66, 0x44, 0x0F, 0xC5, 0xD2, 3,// pextrw R10D,XMM2,0x3
0x66, 0x0F, 0x3A, 0x15, 0x5D, 0xBA, 3,// pextrw WORD PTR [RBP-0x46],XMM3,0x3
0x66, 0x0F, 0x38, 0x41, 0xCA, // phminposuw XMM1,XMM2
0x66, 0x0F, 0x38, 0x41, 0x5D, 0xD0, // phminposuw XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x3A, 0x20, 0xC8, 3,// pinsrb XMM1,EAX,0x3
0x66, 0x0F, 0x3A, 0x20, 0xCB, 3,// pinsrb XMM1,EBX,0x3
0x66, 0x0F, 0x3A, 0x20, 0xC9, 3,// pinsrb XMM1,ECX,0x3
0x66, 0x0F, 0x3A, 0x20, 0xCA, 3,// pinsrb XMM1,EDX,0x3
0x66, 0x0F, 0x3A, 0x20, 0x5D, 0xB8, 3,// pinsrb XMM3,BYTE PTR [RBP-0x48],0x3
0x66, 0x0F, 0x3A, 0x22, 0xC8, 3,// pinsrd XMM1,EAX,0x3
0x66, 0x0F, 0x3A, 0x22, 0xCB, 3,// pinsrd XMM1,EBX,0x3
0x66, 0x0F, 0x3A, 0x22, 0xC9, 3,// pinsrd XMM1,ECX,0x3
0x66, 0x0F, 0x3A, 0x22, 0xCA, 3,// pinsrd XMM1,EDX,0x3
0x66, 0x0F, 0x3A, 0x22, 0x5D, 0xBC, 3,// pinsrd XMM3,DWORD PTR [RBP-0x44],0x3
0x66, 0x48, 0x0F, 0x3A, 0x22, 0xC8, 3,// pinsrq XMM1,RAX,0x3
0x66, 0x48, 0x0F, 0x3A, 0x22, 0xCB, 3,// pinsrq XMM1,RBX,0x3
0x66, 0x48, 0x0F, 0x3A, 0x22, 0xC9, 3,// pinsrq XMM1,RCX,0x3
0x66, 0x48, 0x0F, 0x3A, 0x22, 0xCA, 3,// pinsrq XMM1,RDX,0x3
0x66, 0x48, 0x0F, 0x3A, 0x22, 0x5D, 0xC0, 3,// pinsrq XMM3,QWORD PTR [RBP-0x40],0x3
0x66, 0x0F, 0x38, 0x3C, 0xCA, // pmaxsb XMM1,XMM2
0x66, 0x0F, 0x38, 0x3C, 0x5D, 0xD0, // pmaxsb XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x3D, 0xCA, // pmaxsd XMM1,XMM2
0x66, 0x0F, 0x38, 0x3D, 0x5D, 0xD0, // pmaxsd XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x3F, 0xCA, // pmaxud XMM1,XMM2
0x66, 0x0F, 0x38, 0x3F, 0x5D, 0xD0, // pmaxud XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x3E, 0xCA, // pmaxuw XMM1,XMM2
0x66, 0x0F, 0x38, 0x3E, 0x5D, 0xD0, // pmaxuw XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x38, 0xCA, // pminsb XMM1,XMM2
0x66, 0x0F, 0x38, 0x38, 0x5D, 0xD0, // pminsb XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x39, 0xCA, // pminsd XMM1,XMM2
0x66, 0x0F, 0x38, 0x39, 0x5D, 0xD0, // pminsd XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x3B, 0xCA, // pminud XMM1,XMM2
0x66, 0x0F, 0x38, 0x3B, 0x5D, 0xD0, // pminud XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x3A, 0xCA, // pminuw XMM1,XMM2
0x66, 0x0F, 0x38, 0x3A, 0x5D, 0xD0, // pminuw XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x20, 0xCA, // pmovsxbw XMM1,XMM2
0x66, 0x0F, 0x38, 0x20, 0x5D, 0xC0, // pmovsxbw XMM3,QWORD PTR [RBP-0x40]
0x66, 0x0F, 0x38, 0x21, 0xCA, // pmovsxbd XMM1,XMM2
0x66, 0x0F, 0x38, 0x21, 0x5D, 0xBC, // pmovsxbd XMM3,DWORD PTR [RBP-0x44]
0x66, 0x0F, 0x38, 0x22, 0xCA, // pmovsxbq XMM1,XMM2
0x66, 0x0F, 0x38, 0x22, 0x5D, 0xBA, // pmovsxbq XMM3,WORD PTR [RBP-0x46]
0x66, 0x0F, 0x38, 0x23, 0xCA, // pmovsxwd XMM1,XMM2
0x66, 0x0F, 0x38, 0x23, 0x5D, 0xC0, // pmovsxwd XMM3,QWORD PTR [RBP-0x40]
0x66, 0x0F, 0x38, 0x24, 0xCA, // pmovsxwq XMM1,XMM2
0x66, 0x0F, 0x38, 0x24, 0x5D, 0xBC, // pmovsxwq XMM3,DWORD PTR [RBP-0x44]
0x66, 0x0F, 0x38, 0x25, 0xCA, // pmovsxdq XMM1,XMM2
0x66, 0x0F, 0x38, 0x25, 0x5D, 0xC0, // pmovsxdq XMM3,QWORD PTR [RBP-0x40]
0x66, 0x0F, 0x38, 0x30, 0xCA, // pmovzxbw XMM1,XMM2
0x66, 0x0F, 0x38, 0x30, 0x5D, 0xC0, // pmovzxbw XMM3,QWORD PTR [RBP-0x40]
0x66, 0x0F, 0x38, 0x31, 0xCA, // pmovzxbd XMM1,XMM2
0x66, 0x0F, 0x38, 0x31, 0x5D, 0xBC, // pmovzxbd XMM3,DWORD PTR [RBP-0x44]
0x66, 0x0F, 0x38, 0x32, 0xCA, // pmovzxbq XMM1,XMM2
0x66, 0x0F, 0x38, 0x32, 0x5D, 0xBA, // pmovzxbq XMM3,WORD PTR [RBP-0x46]
0x66, 0x0F, 0x38, 0x33, 0xCA, // pmovzxwd XMM1,XMM2
0x66, 0x0F, 0x38, 0x33, 0x5D, 0xC0, // pmovzxwd XMM3,QWORD PTR [RBP-0x40]
0x66, 0x0F, 0x38, 0x34, 0xCA, // pmovzxwq XMM1,XMM2
0x66, 0x0F, 0x38, 0x34, 0x5D, 0xBC, // pmovzxwq XMM3,DWORD PTR [RBP-0x44]
0x66, 0x0F, 0x38, 0x35, 0xCA, // pmovzxdq XMM1,XMM2
0x66, 0x0F, 0x38, 0x35, 0x5D, 0xC0, // pmovzxdq XMM3,QWORD PTR [RBP-0x40]
0x66, 0x0F, 0x38, 0x28, 0xCA, // pmuldq XMM1,XMM2
0x66, 0x0F, 0x38, 0x28, 0x5D, 0xD0, // pmuldq XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x40, 0xCA, // pmulld XMM1,XMM2
0x66, 0x0F, 0x38, 0x40, 0x5D, 0xD0, // pmulld XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x38, 0x17, 0xCA, // ptest XMM1,XMM2
0x66, 0x0F, 0x38, 0x17, 0x5D, 0xD0, // ptest XMM3,XMMWORD PTR [RBP-0x30]
0x66, 0x0F, 0x3A, 0x09, 0xCA, 3,// roundpd XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x09, 0x5D, 0xD0, 3,// roundpd XMM3,XMMWORD PTR [RBP-0x30],0x3
0x66, 0x0F, 0x3A, 0x08, 0xCA, 3,// roundps XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x08, 0x5D, 0xD0, 3,// roundps XMM3,XMMWORD PTR [RBP-0x30],0x3
0x66, 0x0F, 0x3A, 0x0B, 0xCA, 3,// roundsd XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x0B, 0x5D, 0xC0, 3,// roundsd XMM3,QWORD PTR [RBP-0x40],0x3
0x66, 0x0F, 0x3A, 0x0A, 0xCA, 3,// roundss XMM1,XMM2,0x3
0x66, 0x0F, 0x3A, 0x0A, 0x4D, 0xBC, 3,// roundss xmm1,dword ptr [rbp-0x44],0x3
];
asm
{
call L1;
blendpd XMM1, XMM2, 3;
blendpd XMM3, m128, 3;
blendps XMM1, XMM2, 3;
blendps XMM3, m128, 3;
blendvpd XMM1, XMM2, XMM0;
blendvpd XMM3, m128, XMM0;
blendvps XMM1, XMM2, XMM0;
blendvps XMM3, m128, XMM0;
dppd XMM1, XMM2, 3;
dppd XMM3, m128, 3;
dpps XMM1, XMM2, 3;
dpps XMM3, m128, 3;
extractps EDX, XMM2, 3;
extractps m32, XMM2, 3;
insertps XMM1, XMM2, 3;
insertps XMM3, m32, 3;
movntdqa XMM1, m128;
mpsadbw XMM1, XMM2, 3;
mpsadbw XMM3, m128, 3;
packusdw XMM1, XMM2;
packusdw XMM3, m128;
pblendvb XMM1, XMM2, XMM0;
pblendvb XMM3, m128, XMM0;
pblendw XMM1, XMM2, 3;
pblendw XMM3, m128, 3;
pcmpeqq XMM1, XMM2;
pcmpeqq XMM3, m128;
pextrb EAX, XMM2, 3;
pextrb EBX, XMM2, 3;
pextrb ECX, XMM2, 3;
pextrb EDX, XMM2, 3;
pextrb RAX, XMM2, 3;
pextrb RBX, XMM2, 3;
pextrb R8 , XMM2, 3;
pextrb R10, XMM2, 3;
pextrb m8, XMM3, 3;
pextrd EAX, XMM2, 3;
pextrd EBX, XMM2, 3;
pextrd ECX, XMM2, 3;
pextrd EDX, XMM2, 3;
pextrd m32, XMM3, 3;
pextrq RAX, XMM2, 3;
pextrq RBX, XMM2, 3;
pextrq RCX, XMM2, 3;
pextrq RDX, XMM2, 3;
pextrq m64, XMM3, 3;
pextrw EAX, XMM2, 3;
pextrw EBX, XMM2, 3;
pextrw ECX, XMM2, 3;
pextrw EDX, XMM2, 3;
pextrw RAX, XMM2, 3;
pextrw RBX, XMM2, 3;
pextrw R8 , XMM2, 3;
pextrw R10, XMM2, 3;
pextrw m16, XMM3, 3;
phminposuw XMM1, XMM2;
phminposuw XMM3, m128;
pinsrb XMM1, EAX, 3;
pinsrb XMM1, EBX, 3;
pinsrb XMM1, ECX, 3;
pinsrb XMM1, EDX, 3;
pinsrb XMM3, m8, 3;
pinsrd XMM1, EAX, 3;
pinsrd XMM1, EBX, 3;
pinsrd XMM1, ECX, 3;
pinsrd XMM1, EDX, 3;
pinsrd XMM3, m32, 3;
pinsrq XMM1, RAX, 3;
pinsrq XMM1, RBX, 3;
pinsrq XMM1, RCX, 3;
pinsrq XMM1, RDX, 3;
pinsrq XMM3, m64, 3;
pmaxsb XMM1, XMM2;
pmaxsb XMM3, m128;
pmaxsd XMM1, XMM2;
pmaxsd XMM3, m128;
pmaxud XMM1, XMM2;
pmaxud XMM3, m128;
pmaxuw XMM1, XMM2;
pmaxuw XMM3, m128;
pminsb XMM1, XMM2;
pminsb XMM3, m128;
pminsd XMM1, XMM2;
pminsd XMM3, m128;
pminud XMM1, XMM2;
pminud XMM3, m128;
pminuw XMM1, XMM2;
pminuw XMM3, m128;
pmovsxbw XMM1, XMM2;
pmovsxbw XMM3, m64;
pmovsxbd XMM1, XMM2;
pmovsxbd XMM3, m32;
pmovsxbq XMM1, XMM2;
pmovsxbq XMM3, m16;
pmovsxwd XMM1, XMM2;
pmovsxwd XMM3, m64;
pmovsxwq XMM1, XMM2;
pmovsxwq XMM3, m32;
pmovsxdq XMM1, XMM2;
pmovsxdq XMM3, m64;
pmovzxbw XMM1, XMM2;
pmovzxbw XMM3, m64;
pmovzxbd XMM1, XMM2;
pmovzxbd XMM3, m32;
pmovzxbq XMM1, XMM2;
pmovzxbq XMM3, m16;
pmovzxwd XMM1, XMM2;
pmovzxwd XMM3, m64;
pmovzxwq XMM1, XMM2;
pmovzxwq XMM3, m32;
pmovzxdq XMM1, XMM2;
pmovzxdq XMM3, m64;
pmuldq XMM1, XMM2;
pmuldq XMM3, m128;
pmulld XMM1, XMM2;
pmulld XMM3, m128;
ptest XMM1, XMM2;
ptest XMM3, m128;
roundpd XMM1, XMM2, 3;
roundpd XMM3, m128, 3;
roundps XMM1, XMM2, 3;
roundps XMM3, m128, 3;
roundsd XMM1, XMM2, 3;
roundsd XMM3, m64, 3;
roundss XMM1, XMM2, 3;
roundss XMM1, m32, 3;
L1: pop RAX;
mov p[RBP],RAX;
}
foreach (i,b; data)
{
//printf("data[%d] = 0x%02x, should be 0x%02x\n", i, p[i], b);
assert(p[i] == b);
}
}
/****************************************************/
int main()
{
printf("Testing iasm64.d\n");
test1();
test2();
test3();
test4();
test5();
test6();
//test7(); TODO 16bit seg
test8();
//test9(); Fails
//test10(); Fails
test11();
test12();
test13();
test14();
test15();
//test16(); // add this one from \cbx\test\iasm.c ?
test17();
test18();
test19();
//test20(); 8087
test21();
test22();
test23();
test24();
test25();
test26();
test27();
test28();
//test29(); offsetof?
test30();
test31();
test32();
test33();
test34();
//test35(); RIP addressing?
//test36(); RIP addressing?
test37();
test38();
test39();
test40();
test41();
test42();
test43();
test44();
test45();
test46();
//test47(); RIP addressing?
test48();
test49();
test50();
//Test51
test52();
test53();
test54();
test55();
test56();
test57();
test58();
printf("Success\n");
return 0;
}
}
else
{
int main() { return 0; }
}
|
D
|
module b;
void test()
{
}
|
D
|
/*
* hunt-proton: AMQP Protocol library for D programming language.
*
* Copyright (C) 2018-2019 HuntLabs
*
* Website: https://www.huntlabs.net/
*
* Licensed under the Apache-2.0 License.
*
*/
module hunt.proton.engine.impl.TransportLink;
import hunt.proton.amqp.UnsignedInteger;
import hunt.proton.amqp.transport.Flow;
import hunt.proton.engine.Event;
import hunt.proton.engine.impl.ReceiverImpl;
import hunt.proton.engine.impl.TransportReceiver;
import hunt.proton.engine.impl.SenderImpl;
import hunt.proton.engine.impl.TransportSender;
import hunt.proton.engine.impl.TransportDelivery;
import hunt.proton.engine.impl.LinkImpl;
class TransportLink
{
private UnsignedInteger _localHandle;
private string _name;
private UnsignedInteger _remoteHandle;
private UnsignedInteger _deliveryCount;
private UnsignedInteger _linkCredit ;//= UnsignedInteger.ZERO;
private Object _link;
private UnsignedInteger _remoteDeliveryCount;
private UnsignedInteger _remoteLinkCredit;
private bool _detachReceived;
private bool _attachSent;
this(Object link)
{
_link = link;
_linkCredit = UnsignedInteger.ZERO;
_name = (cast(LinkImpl)link).getName();
}
static TransportLink createTransportLink(Object link)
{
ReceiverImpl r = cast(ReceiverImpl)link;
if (r !is null)
{
TransportReceiver tr = new TransportReceiver(r);
r.setTransportLink(tr);
return cast(TransportLink) tr;
}
else
{
SenderImpl s = cast(SenderImpl) link;
TransportSender ts = new TransportSender(s);
s.setTransportLink(ts);
return cast(TransportLink) ts;
}
}
void unbind()
{
clearLocalHandle();
clearRemoteHandle();
}
public UnsignedInteger getLocalHandle()
{
return _localHandle;
}
public void setLocalHandle(UnsignedInteger localHandle)
{
if (_localHandle is null) {
(cast(LinkImpl)_link).incref();
}
_localHandle = localHandle;
}
public bool isLocalHandleSet()
{
return _localHandle !is null;
}
public string getName()
{
return _name;
}
public void setName(string name)
{
_name = name;
}
public void clearLocalHandle()
{
if (_localHandle !is null) {
(cast(LinkImpl)_link).decref();
}
_localHandle = null;
}
public UnsignedInteger getRemoteHandle()
{
return _remoteHandle;
}
public void setRemoteHandle(UnsignedInteger remoteHandle)
{
if (_remoteHandle is null) {
(cast(LinkImpl)_link).incref();
}
_remoteHandle = remoteHandle;
}
public void clearRemoteHandle()
{
if (_remoteHandle !is null) {
(cast(LinkImpl)_link).decref();
}
_remoteHandle = null;
}
public UnsignedInteger getDeliveryCount()
{
return _deliveryCount;
}
public UnsignedInteger getLinkCredit()
{
return _linkCredit;
}
public void addCredit(int credits)
{
_linkCredit = UnsignedInteger.valueOf(_linkCredit.intValue() + credits);
}
public bool hasCredit()
{
return getLinkCredit() > (UnsignedInteger.ZERO);
}
public Object getLink()
{
return _link;
}
void handleFlow(Flow flow)
{
_remoteDeliveryCount = flow.getDeliveryCount();
_remoteLinkCredit = flow.getLinkCredit();
(cast(LinkImpl)_link).getConnectionImpl().put(Type.LINK_FLOW, _link);
}
void setLinkCredit(UnsignedInteger linkCredit)
{
_linkCredit = linkCredit;
}
public void setDeliveryCount(UnsignedInteger deliveryCount)
{
_deliveryCount = deliveryCount;
}
public void settled(TransportDelivery transportDelivery)
{
(cast(LinkImpl)getLink()).getSession().getTransportSession().settled(transportDelivery);
}
UnsignedInteger getRemoteDeliveryCount()
{
return _remoteDeliveryCount;
}
UnsignedInteger getRemoteLinkCredit()
{
return _remoteLinkCredit;
}
public void setRemoteLinkCredit(UnsignedInteger remoteLinkCredit)
{
_remoteLinkCredit = remoteLinkCredit;
}
void decrementLinkCredit()
{
_linkCredit = _linkCredit.subtract(UnsignedInteger.ONE);
}
void incrementDeliveryCount()
{
_deliveryCount = _deliveryCount.add(UnsignedInteger.ONE);
}
public void receivedDetach()
{
_detachReceived = true;
}
public bool detachReceived()
{
return _detachReceived;
}
public bool attachSent()
{
return _attachSent;
}
public void sentAttach()
{
_attachSent = true;
}
public void setRemoteDeliveryCount(UnsignedInteger remoteDeliveryCount)
{
_remoteDeliveryCount = remoteDeliveryCount;
}
}
|
D
|
/Users/bilalshahid/Developer/Qaida/build/Qaida.build/Debug-iphonesimulator/Qaida.build/Objects-normal/x86_64/QaidaViewController.o : /Users/bilalshahid/Developer/Qaida/Qaida/AppDelegate.swift /Users/bilalshahid/Developer/Qaida/Qaida/Lessons/lessonsCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/Takhti/GridViewCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaCollectionViewCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/Takhti/GridViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/Lessons/LessonsViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/User.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaClass.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaDatatoArray.swift /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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.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/CoreAudio.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.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/bilalshahid/Developer/Qaida/build/Qaida.build/Debug-iphonesimulator/Qaida.build/Objects-normal/x86_64/QaidaViewController~partial.swiftmodule : /Users/bilalshahid/Developer/Qaida/Qaida/AppDelegate.swift /Users/bilalshahid/Developer/Qaida/Qaida/Lessons/lessonsCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/Takhti/GridViewCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaCollectionViewCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/Takhti/GridViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/Lessons/LessonsViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/User.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaClass.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaDatatoArray.swift /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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.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/CoreAudio.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.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/bilalshahid/Developer/Qaida/build/Qaida.build/Debug-iphonesimulator/Qaida.build/Objects-normal/x86_64/QaidaViewController~partial.swiftdoc : /Users/bilalshahid/Developer/Qaida/Qaida/AppDelegate.swift /Users/bilalshahid/Developer/Qaida/Qaida/Lessons/lessonsCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/Takhti/GridViewCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaCollectionViewCell.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/Takhti/GridViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/Lessons/LessonsViewController.swift /Users/bilalshahid/Developer/Qaida/Qaida/User.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaClass.swift /Users/bilalshahid/Developer/Qaida/Qaida/QaidaDatatoArray.swift /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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.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/CoreAudio.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.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/*
TEST_OUTPUT:
---
fail_compilation/fail2350.d(8): Error: function `fail2350.test2350` naked assembly functions with contracts are not supported
---
*/
void test2350()
in
{
}
body
{
asm { naked; }
}
|
D
|
/**
* Handles target-specific parameters
*
* In order to allow for cross compilation, when the compiler produces a binary
* for a different platform than it is running on, target information needs
* to be abstracted. This is done in this module, primarily through `Target`.
*
* Note:
* While DMD itself does not support cross-compilation, GDC and LDC do.
* Hence, this module is (sometimes heavily) modified by them,
* and contributors should review how their changes affect them.
*
* See_Also:
* - $(LINK2 https://wiki.osdev.org/Target_Triplet, Target Triplets)
* - $(LINK2 https://github.com/ldc-developers/ldc, LDC repository)
* - $(LINK2 https://github.com/D-Programming-GDC/gcc, GDC repository)
*
* Copyright: Copyright (C) 1999-2021 by The D Language Foundation, All Rights Reserved
* Authors: $(LINK2 http://www.digitalmars.com, Walter Bright)
* License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0)
* Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/target.d, _target.d)
* Documentation: https://dlang.org/phobos/dmd_target.html
* Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/target.d
*/
module dmd.target;
import dmd.argtypes_x86;
import dmd.argtypes_sysv_x64;
import core.stdc.string : strlen;
import dmd.cond;
import dmd.cppmangle;
import dmd.cppmanglewin;
import dmd.dclass;
import dmd.declaration;
import dmd.dscope;
import dmd.dstruct;
import dmd.dsymbol;
import dmd.expression;
import dmd.func;
import dmd.globals;
import dmd.id;
import dmd.identifier;
import dmd.mtype;
import dmd.statement;
import dmd.typesem;
import dmd.tokens : TOK;
import dmd.root.ctfloat;
import dmd.root.outbuffer;
import dmd.root.string : toDString;
enum CPU
{
x87,
mmx,
sse,
sse2,
sse3,
ssse3,
sse4_1,
sse4_2,
avx, // AVX1 instruction set
avx2, // AVX2 instruction set
avx512, // AVX-512 instruction set
// Special values that don't survive past the command line processing
baseline, // (default) the minimum capability CPU
native // the machine the compiler is being run on
}
Target.OS defaultTargetOS()
{
version (Windows)
return Target.OS.Windows;
else version (linux)
return Target.OS.linux;
else version (OSX)
return Target.OS.OSX;
else version (FreeBSD)
return Target.OS.FreeBSD;
else version (OpenBSD)
return Target.OS.OpenBSD;
else version (Solaris)
return Target.OS.Solaris;
else version (DragonFlyBSD)
return Target.OS.DragonFlyBSD;
else
static assert(0, "unknown TARGET");
}
////////////////////////////////////////////////////////////////////////////////
/**
* Describes a back-end target. At present it is incomplete, but in the future
* it should grow to contain most or all target machine and target O/S specific
* information.
*
* In many cases, calls to sizeof() can't be used directly for getting data type
* sizes since cross compiling is supported and would end up using the host
* sizes rather than the target sizes.
*/
extern (C++) struct Target
{
/// Bit decoding of the Target.OS
enum OS : ubyte
{
/* These are mutually exclusive; one and only one is set.
* Match spelling and casing of corresponding version identifiers
*/
Freestanding = 0,
linux = 1,
Windows = 2,
OSX = 4,
OpenBSD = 8,
FreeBSD = 0x10,
Solaris = 0x20,
DragonFlyBSD = 0x40,
// Combination masks
all = linux | Windows | OSX | OpenBSD | FreeBSD | Solaris | DragonFlyBSD,
Posix = linux | OSX | OpenBSD | FreeBSD | Solaris | DragonFlyBSD,
}
OS os = defaultTargetOS();
// D ABI
ubyte ptrsize; /// size of a pointer in bytes
ubyte realsize; /// size a real consumes in memory
ubyte realpad; /// padding added to the CPU real size to bring it up to realsize
ubyte realalignsize; /// alignment for reals
ubyte classinfosize; /// size of `ClassInfo`
ulong maxStaticDataSize; /// maximum size of static data
/// C ABI
TargetC c;
/// C++ ABI
TargetCPP cpp;
/// Objective-C ABI
TargetObjC objc;
/// Architecture name
const(char)[] architectureName;
CPU cpu = CPU.baseline; // CPU instruction set to target
bool is64bit = (size_t.sizeof == 8); // generate 64 bit code for x86_64; true by default for 64 bit dmd
bool isLP64; // pointers are 64 bits
// Environmental
const(char)[] obj_ext; /// extension for object files
const(char)[] lib_ext; /// extension for static library files
const(char)[] dll_ext; /// extension for dynamic library files
bool run_noext; /// allow -run sources without extensions
bool mscoff = false; // for Win32: write MsCoff object files instead of OMF
/**
* Values representing all properties for floating point types
*/
extern (C++) struct FPTypeProperties(T)
{
real_t max; /// largest representable value that's not infinity
real_t min_normal; /// smallest representable normalized value that's not 0
real_t nan; /// NaN value
real_t infinity; /// infinity value
real_t epsilon; /// smallest increment to the value 1
d_int64 dig = T.dig; /// number of decimal digits of precision
d_int64 mant_dig = T.mant_dig; /// number of bits in mantissa
d_int64 max_exp = T.max_exp; /// maximum int value such that 2$(SUPERSCRIPT `max_exp-1`) is representable
d_int64 min_exp = T.min_exp; /// minimum int value such that 2$(SUPERSCRIPT `min_exp-1`) is representable as a normalized value
d_int64 max_10_exp = T.max_10_exp; /// maximum int value such that 10$(SUPERSCRIPT `max_10_exp` is representable)
d_int64 min_10_exp = T.min_10_exp; /// minimum int value such that 10$(SUPERSCRIPT `min_10_exp`) is representable as a normalized value
extern (D) void initialize()
{
max = T.max;
min_normal = T.min_normal;
nan = T.nan;
infinity = T.infinity;
epsilon = T.epsilon;
}
}
FPTypeProperties!float FloatProperties; ///
FPTypeProperties!double DoubleProperties; ///
FPTypeProperties!real_t RealProperties; ///
private Type tvalist; // cached lazy result of va_listType()
private const(Param)* params; // cached reference to global.params
/**
* Initialize the Target
*/
extern (C++) void _init(ref const Param params)
{
this.params = ¶ms;
FloatProperties.initialize();
DoubleProperties.initialize();
RealProperties.initialize();
// These have default values for 32 bit code, they get
// adjusted for 64 bit code.
ptrsize = 4;
classinfosize = 0x4C; // 76
/* gcc uses int.max for 32 bit compilations, and long.max for 64 bit ones.
* Set to int.max for both, because the rest of the compiler cannot handle
* 2^64-1 without some pervasive rework. The trouble is that much of the
* front and back end uses 32 bit ints for sizes and offsets. Since C++
* silently truncates 64 bit ints to 32, finding all these dependencies will be a problem.
*/
maxStaticDataSize = int.max;
if (isLP64)
{
ptrsize = 8;
classinfosize = 0x98; // 152
}
if (os & (Target.OS.linux | Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.DragonFlyBSD | Target.OS.Solaris))
{
realsize = 12;
realpad = 2;
realalignsize = 4;
}
else if (os == Target.OS.OSX)
{
realsize = 16;
realpad = 6;
realalignsize = 16;
}
else if (os == Target.OS.Windows)
{
realsize = 10;
realpad = 0;
realalignsize = 2;
if (ptrsize == 4)
{
/* Optlink cannot deal with individual data chunks
* larger than 16Mb
*/
maxStaticDataSize = 0x100_0000; // 16Mb
}
}
else
assert(0);
if (is64bit)
{
if (os & (Target.OS.linux | Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.DragonFlyBSD | Target.OS.Solaris))
{
realsize = 16;
realpad = 6;
realalignsize = 16;
}
else if (os == OS.Windows)
{
mscoff = true;
}
}
c.initialize(params, this);
cpp.initialize(params, this);
objc.initialize(params, this);
if (is64bit)
architectureName = "X86_64";
else
architectureName = "X86";
if (os == Target.OS.Windows)
{
obj_ext = "obj";
lib_ext = "lib";
dll_ext = "dll";
run_noext = false;
}
else if (os & (Target.OS.linux | Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.DragonFlyBSD | Target.OS.Solaris | Target.OS.OSX))
{
obj_ext = "o";
lib_ext = "a";
if (os == Target.OS.OSX)
dll_ext = "dylib";
else
dll_ext = "so";
run_noext = true;
}
else
assert(0, "unknown environment");
}
/**
* Determine the instruction set to be used
*/
void setCPU()
{
if(!isXmmSupported())
{
cpu = CPU.x87; // cannot support other instruction sets
return;
}
switch (cpu)
{
case CPU.baseline:
cpu = CPU.sse2;
break;
case CPU.native:
{
import core.cpuid;
cpu = core.cpuid.avx2 ? CPU.avx2 :
core.cpuid.avx ? CPU.avx :
CPU.sse2;
break;
}
default:
break;
}
}
/**
* Add predefined global identifiers that are determied by the target
*/
void addPredefinedGlobalIdentifiers() const
{
alias predef = VersionCondition.addPredefinedGlobalIdent;
if (cpu >= CPU.sse2)
{
predef("D_SIMD");
if (cpu >= CPU.avx)
predef("D_AVX");
if (cpu >= CPU.avx2)
predef("D_AVX2");
}
if (os & OS.Posix)
predef("Posix");
if (os & (OS.linux | OS.FreeBSD | OS.OpenBSD | OS.DragonFlyBSD | OS.Solaris))
predef("ELFv1");
switch (os)
{
case OS.Freestanding: { predef("FreeStanding"); break; }
case OS.linux: { predef("linux"); break; }
case OS.Windows: { predef("Windows"); break; }
case OS.OpenBSD: { predef("OpenBSD"); break; }
case OS.DragonFlyBSD: { predef("DragonFlyBSD"); break; }
case OS.Solaris: { predef("Solaris"); break; }
case OS.OSX:
{
predef("OSX");
// For legacy compatibility
predef("darwin");
break;
}
case OS.FreeBSD:
{
predef("FreeBSD");
predef("FreeBSD_" ~ target.FreeBSDMajor);
break;
}
default: assert(0);
}
c.addRuntimePredefinedGlobalIdent();
cpp.addRuntimePredefinedGlobalIdent();
if (is64bit)
{
VersionCondition.addPredefinedGlobalIdent("D_InlineAsm_X86_64");
VersionCondition.addPredefinedGlobalIdent("X86_64");
if (os & OS.Windows)
{
VersionCondition.addPredefinedGlobalIdent("Win64");
}
}
else
{
VersionCondition.addPredefinedGlobalIdent("D_InlineAsm"); //legacy
VersionCondition.addPredefinedGlobalIdent("D_InlineAsm_X86");
VersionCondition.addPredefinedGlobalIdent("X86");
if (os == OS.Windows)
{
VersionCondition.addPredefinedGlobalIdent("Win32");
}
}
if (isLP64)
VersionCondition.addPredefinedGlobalIdent("D_LP64");
}
/**
* Deinitializes the global state of the compiler.
*
* This can be used to restore the state set by `_init` to its original
* state.
*/
void deinitialize()
{
this = this.init;
}
/**
* Requested target memory alignment size of the given type.
* Params:
* type = type to inspect
* Returns:
* alignment in bytes
*/
extern (C++) uint alignsize(Type type)
{
assert(type.isTypeBasic());
switch (type.ty)
{
case Tfloat80:
case Timaginary80:
case Tcomplex80:
return target.realalignsize;
case Tcomplex32:
if (os & Target.OS.Posix)
return 4;
break;
case Tint64:
case Tuns64:
case Tfloat64:
case Timaginary64:
case Tcomplex64:
if (os & Target.OS.Posix)
return is64bit ? 8 : 4;
break;
default:
break;
}
return cast(uint)type.size(Loc.initial);
}
/**
* Requested target field alignment size of the given type.
* Params:
* type = type to inspect
* Returns:
* alignment in bytes
*/
extern (C++) uint fieldalign(Type type)
{
const size = type.alignsize();
if ((is64bit || os == Target.OS.OSX) && (size == 16 || size == 32))
return size;
return (8 < size) ? 8 : size;
}
/**
* Type for the `va_list` type for the target; e.g., required for `_argptr`
* declarations.
* NOTE: For Posix/x86_64 this returns the type which will really
* be used for passing an argument of type va_list.
* Returns:
* `Type` that represents `va_list`.
*/
extern (C++) Type va_listType(const ref Loc loc, Scope* sc)
{
if (tvalist)
return tvalist;
if (os == Target.OS.Windows)
{
tvalist = Type.tchar.pointerTo();
}
else if (os & Target.OS.Posix)
{
if (is64bit)
{
tvalist = new TypeIdentifier(Loc.initial, Identifier.idPool("__va_list_tag")).pointerTo();
tvalist = typeSemantic(tvalist, loc, sc);
}
else
{
tvalist = Type.tchar.pointerTo();
}
}
else
{
assert(0);
}
return tvalist;
}
/**
* Checks whether the target supports a vector type.
* Params:
* sz = vector type size in bytes
* type = vector element type
* Returns:
* 0 vector type is supported,
* 1 vector type is not supported on the target at all
* 2 vector element type is not supported
* 3 vector size is not supported
*/
extern (C++) int isVectorTypeSupported(int sz, Type type)
{
if (!isXmmSupported())
return 1; // not supported
switch (type.ty)
{
case Tvoid:
case Tint8:
case Tuns8:
case Tint16:
case Tuns16:
case Tint32:
case Tuns32:
case Tfloat32:
case Tint64:
case Tuns64:
case Tfloat64:
break;
default:
return 2; // wrong base type
}
// Whether a vector is really supported depends on the CPU being targeted.
if (sz == 16)
{
final switch (type.ty)
{
case Tint32:
case Tuns32:
case Tfloat32:
if (cpu < CPU.sse)
return 3; // no SSE vector support
break;
case Tvoid:
case Tint8:
case Tuns8:
case Tint16:
case Tuns16:
case Tint64:
case Tuns64:
case Tfloat64:
if (cpu < CPU.sse2)
return 3; // no SSE2 vector support
break;
}
}
else if (sz == 32)
{
if (cpu < CPU.avx)
return 3; // no AVX vector support
}
else
return 3; // wrong size
return 0;
}
/**
* Checks whether the target supports the given operation for vectors.
* Params:
* type = target type of operation
* op = the unary or binary op being done on the `type`
* t2 = type of second operand if `op` is a binary operation
* Returns:
* true if the operation is supported or type is not a vector
*/
extern (C++) bool isVectorOpSupported(Type type, uint op, Type t2 = null)
{
import dmd.tokens;
if (type.ty != Tvector)
return true; // not a vector op
auto tvec = cast(TypeVector) type;
const vecsize = cast(int)tvec.basetype.size();
const elemty = cast(int)tvec.elementType().ty;
// Only operations on these sizes are supported (see isVectorTypeSupported)
if (vecsize != 16 && vecsize != 32)
return false;
bool supported = false;
switch (op)
{
case TOK.uadd:
// Expression is a no-op, supported everywhere.
supported = tvec.isscalar();
break;
case TOK.negate:
if (vecsize == 16)
{
// float[4] negate needs SSE support ({V}SUBPS)
if (elemty == Tfloat32 && cpu >= CPU.sse)
supported = true;
// double[2] negate needs SSE2 support ({V}SUBPD)
else if (elemty == Tfloat64 && cpu >= CPU.sse2)
supported = true;
// (u)byte[16]/short[8]/int[4]/long[2] negate needs SSE2 support ({V}PSUB[BWDQ])
else if (tvec.isintegral() && cpu >= CPU.sse2)
supported = true;
}
else if (vecsize == 32)
{
// float[8]/double[4] negate needs AVX support (VSUBP[SD])
if (tvec.isfloating() && cpu >= CPU.avx)
supported = true;
// (u)byte[32]/short[16]/int[8]/long[4] negate needs AVX2 support (VPSUB[BWDQ])
else if (tvec.isintegral() && cpu >= CPU.avx2)
supported = true;
}
break;
case TOK.lessThan, TOK.greaterThan, TOK.lessOrEqual, TOK.greaterOrEqual, TOK.equal, TOK.notEqual, TOK.identity, TOK.notIdentity:
supported = false;
break;
case TOK.leftShift, TOK.leftShiftAssign, TOK.rightShift, TOK.rightShiftAssign, TOK.unsignedRightShift, TOK.unsignedRightShiftAssign:
supported = false;
break;
case TOK.add, TOK.addAssign, TOK.min, TOK.minAssign:
if (vecsize == 16)
{
// float[4] add/sub needs SSE support ({V}ADDPS, {V}SUBPS)
if (elemty == Tfloat32 && cpu >= CPU.sse)
supported = true;
// double[2] add/sub needs SSE2 support ({V}ADDPD, {V}SUBPD)
else if (elemty == Tfloat64 && cpu >= CPU.sse2)
supported = true;
// (u)byte[16]/short[8]/int[4]/long[2] add/sub needs SSE2 support ({V}PADD[BWDQ], {V}PSUB[BWDQ])
else if (tvec.isintegral() && cpu >= CPU.sse2)
supported = true;
}
else if (vecsize == 32)
{
// float[8]/double[4] add/sub needs AVX support (VADDP[SD], VSUBP[SD])
if (tvec.isfloating() && cpu >= CPU.avx)
supported = true;
// (u)byte[32]/short[16]/int[8]/long[4] add/sub needs AVX2 support (VPADD[BWDQ], VPSUB[BWDQ])
else if (tvec.isintegral() && cpu >= CPU.avx2)
supported = true;
}
break;
case TOK.mul, TOK.mulAssign:
if (vecsize == 16)
{
// float[4] multiply needs SSE support ({V}MULPS)
if (elemty == Tfloat32 && cpu >= CPU.sse)
supported = true;
// double[2] multiply needs SSE2 support ({V}MULPD)
else if (elemty == Tfloat64 && cpu >= CPU.sse2)
supported = true;
// (u)short[8] multiply needs SSE2 support ({V}PMULLW)
else if ((elemty == Tint16 || elemty == Tuns16) && cpu >= CPU.sse2)
supported = true;
// (u)int[4] multiply needs SSE4.1 support ({V}PMULLD)
else if ((elemty == Tint32 || elemty == Tuns32) && cpu >= CPU.sse4_1)
supported = true;
}
else if (vecsize == 32)
{
// float[8]/double[4] multiply needs AVX support (VMULP[SD])
if (tvec.isfloating() && cpu >= CPU.avx)
supported = true;
// (u)short[16] multiply needs AVX2 support (VPMULLW)
else if ((elemty == Tint16 || elemty == Tuns16) && cpu >= CPU.avx2)
supported = true;
// (u)int[8] multiply needs AVX2 support (VPMULLD)
else if ((elemty == Tint32 || elemty == Tuns32) && cpu >= CPU.avx2)
supported = true;
}
break;
case TOK.div, TOK.divAssign:
if (vecsize == 16)
{
// float[4] divide needs SSE support ({V}DIVPS)
if (elemty == Tfloat32 && cpu >= CPU.sse)
supported = true;
// double[2] divide needs SSE2 support ({V}DIVPD)
else if (elemty == Tfloat64 && cpu >= CPU.sse2)
supported = true;
}
else if (vecsize == 32)
{
// float[8]/double[4] multiply needs AVX support (VDIVP[SD])
if (tvec.isfloating() && cpu >= CPU.avx)
supported = true;
}
break;
case TOK.mod, TOK.modAssign:
supported = false;
break;
case TOK.and, TOK.andAssign, TOK.or, TOK.orAssign, TOK.xor, TOK.xorAssign:
// (u)byte[16]/short[8]/int[4]/long[2] bitwise ops needs SSE2 support ({V}PAND, {V}POR, {V}PXOR)
if (vecsize == 16 && tvec.isintegral() && cpu >= CPU.sse2)
supported = true;
// (u)byte[32]/short[16]/int[8]/long[4] bitwise ops needs AVX2 support (VPAND, VPOR, VPXOR)
else if (vecsize == 32 && tvec.isintegral() && cpu >= CPU.avx2)
supported = true;
break;
case TOK.not:
supported = false;
break;
case TOK.tilde:
// (u)byte[16]/short[8]/int[4]/long[2] logical exclusive needs SSE2 support ({V}PXOR)
if (vecsize == 16 && tvec.isintegral() && cpu >= CPU.sse2)
supported = true;
// (u)byte[32]/short[16]/int[8]/long[4] logical exclusive needs AVX2 support (VPXOR)
else if (vecsize == 32 && tvec.isintegral() && cpu >= CPU.avx2)
supported = true;
break;
case TOK.pow, TOK.powAssign:
supported = false;
break;
default:
// import std.stdio : stderr, writeln;
// stderr.writeln(op);
assert(0, "unhandled op " ~ Token.toString(cast(TOK)op));
}
return supported;
}
/**
* Default system linkage for the target.
* Returns:
* `LINK` to use for `extern(System)`
*/
extern (C++) LINK systemLinkage()
{
return os == Target.OS.Windows ? LINK.windows : LINK.c;
}
/**
* Describes how an argument type is passed to a function on target.
* Params:
* t = type to break down
* Returns:
* tuple of types if type is passed in one or more registers
* empty tuple if type is always passed on the stack
* null if the type is a `void` or argtypes aren't supported by the target
*/
extern (C++) TypeTuple toArgTypes(Type t)
{
if (is64bit)
{
// no argTypes for Win64 yet
return isPOSIX ? toArgTypes_sysv_x64(t) : null;
}
return toArgTypes_x86(t);
}
/**
* Determine return style of function - whether in registers or
* through a hidden pointer to the caller's stack.
* Params:
* tf = function type to check
* needsThis = true if the function type is for a non-static member function
* Returns:
* true if return value from function is on the stack
*/
extern (C++) bool isReturnOnStack(TypeFunction tf, bool needsThis)
{
if (tf.isref)
{
//printf(" ref false\n");
return false; // returns a pointer
}
Type tn = tf.next;
if (auto te = tn.isTypeEnum())
{
if (te.sym.isSpecial())
{
// Special enums with target-specific return style
if (te.sym.ident == Id.__c_complex_float)
tn = Type.tcomplex32.castMod(tn.mod);
else if (te.sym.ident == Id.__c_complex_double)
tn = Type.tcomplex64.castMod(tn.mod);
else if (te.sym.ident == Id.__c_complex_real)
tn = Type.tcomplex80.castMod(tn.mod);
}
}
tn = tn.toBasetype();
//printf("tn = %s\n", tn.toChars());
d_uns64 sz = tn.size();
Type tns = tn;
if (os == Target.OS.Windows && is64bit)
{
// http://msdn.microsoft.com/en-us/library/7572ztz4.aspx
if (tns.ty == Tcomplex32)
return true;
if (tns.isscalar())
return false;
tns = tns.baseElemOf();
if (tns.ty == Tstruct)
{
StructDeclaration sd = (cast(TypeStruct)tns).sym;
if (tf.linkage == LINK.cpp && needsThis)
return true;
if (!sd.isPOD() || sz > 8)
return true;
if (sd.fields.dim == 0)
return true;
}
if (sz <= 16 && !(sz & (sz - 1)))
return false;
return true;
}
else if (os == Target.OS.Windows && mscoff)
{
Type tb = tns.baseElemOf();
if (tb.ty == Tstruct)
{
if (tf.linkage == LINK.cpp && needsThis)
return true;
}
}
else if (is64bit && isPOSIX)
{
TypeTuple tt = .toArgTypes_sysv_x64(tn);
if (!tt)
return false; // void
else
return !tt.arguments.dim;
}
Lagain:
if (tns.ty == Tsarray)
{
tns = tns.baseElemOf();
if (tns.ty != Tstruct)
{
L2:
if (os == Target.OS.linux && tf.linkage != LINK.d && !is64bit)
{
// 32 bit C/C++ structs always on stack
}
else
{
switch (sz)
{
case 1:
case 2:
case 4:
case 8:
//printf(" sarray false\n");
return false; // return small structs in regs
// (not 3 byte structs!)
default:
break;
}
}
//printf(" sarray true\n");
return true;
}
}
if (tns.ty == Tstruct)
{
StructDeclaration sd = (cast(TypeStruct)tns).sym;
if (os == Target.OS.linux && tf.linkage != LINK.d && !is64bit)
{
//printf(" 2 true\n");
return true; // 32 bit C/C++ structs always on stack
}
if (os == Target.OS.Windows && tf.linkage == LINK.cpp && !is64bit &&
sd.isPOD() && sd.ctor)
{
// win32 returns otherwise POD structs with ctors via memory
return true;
}
if (sd.numArgTypes() == 1)
{
tns = sd.argType(0);
if (tns.ty != Tstruct)
goto L2;
goto Lagain;
}
else if (is64bit && sd.numArgTypes() == 0)
return true;
else if (sd.isPOD())
{
switch (sz)
{
case 1:
case 2:
case 4:
case 8:
//printf(" 3 false\n");
return false; // return small structs in regs
// (not 3 byte structs!)
case 16:
if (os & Target.OS.Posix && is64bit)
return false;
break;
default:
break;
}
}
//printf(" 3 true\n");
return true;
}
else if (os & Target.OS.Posix &&
(tf.linkage == LINK.c || tf.linkage == LINK.cpp) &&
tns.iscomplex())
{
if (tns.ty == Tcomplex32)
return false; // in EDX:EAX, not ST1:ST0
else
return true;
}
else if (os == Target.OS.Windows &&
!is64bit &&
tf.linkage == LINK.cpp &&
tf.isfloating())
{
/* See DMC++ function exp2_retmethod()
* https://github.com/DigitalMars/Compiler/blob/master/dm/src/dmc/dexp2.d#L149
*/
return true;
}
else
{
//assert(sz <= 16);
//printf(" 4 false\n");
return false;
}
}
/***
* Determine the size a value of type `t` will be when it
* is passed on the function parameter stack.
* Params:
* loc = location to use for error messages
* t = type of parameter
* Returns:
* size used on parameter stack
*/
extern (C++) ulong parameterSize(const ref Loc loc, Type t)
{
if (!is64bit &&
(os & (Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.OSX)))
{
/* These platforms use clang, which regards a struct
* with size 0 as being of size 0 on the parameter stack,
* even while sizeof(struct) is 1.
* It's an ABI incompatibility with gcc.
*/
if (t.ty == Tstruct)
{
auto ts = cast(TypeStruct)t;
if (ts.sym.hasNoFields)
return 0;
}
}
const sz = t.size(loc);
return is64bit ? (sz + 7) & ~7 : (sz + 3) & ~3;
}
/**
* Decides whether an `in` parameter of the specified POD type is to be
* passed by reference or by value. To be used with `-preview=in` only!
* Params:
* t = type of the `in` parameter, must be a POD
* Returns:
* `true` if the `in` parameter is to be passed by reference
*/
extern (C++) bool preferPassByRef(Type t)
{
const size = t.size();
if (is64bit)
{
if (os == Target.OS.Windows)
{
// Win64 special case: by-value for slices and delegates due to
// high number of usages in druntime/Phobos (compiled without
// -preview=in but supposed to link against -preview=in code)
const ty = t.toBasetype().ty;
if (ty == Tarray || ty == Tdelegate)
return false;
// If size is larger than 8 or not a power-of-2, the Win64 ABI
// would require a hidden reference anyway.
return size > 8
|| (size > 0 && (size & (size - 1)) != 0);
}
else // SysV x86_64 ABI
{
// Prefer a ref if the POD cannot be passed in registers, i.e.,
// would be passed on the stack, *and* the size is > 16.
if (size <= 16)
return false;
TypeTuple getArgTypes()
{
import dmd.aggregate : Sizeok;
if (auto ts = t.toBasetype().isTypeStruct())
{
auto sd = ts.sym;
assert(sd.sizeok == Sizeok.done);
return sd.argTypes;
}
return toArgTypes(t);
}
TypeTuple argTypes = getArgTypes();
assert(argTypes !is null, "size == 0 should already be handled");
return argTypes.arguments.length == 0; // cannot be passed in registers
}
}
else // 32-bit x86 ABI
{
// Prefer a ref if the size is > 2 machine words.
return size > 8;
}
}
// this guarantees `getTargetInfo` and `allTargetInfos` remain in sync
private enum TargetInfoKeys
{
cppRuntimeLibrary,
cppStd,
floatAbi,
objectFormat,
}
/**
* Get targetInfo by key
* Params:
* name = name of targetInfo to get
* loc = location to use for error messages
* Returns:
* Expression for the requested targetInfo
*/
extern (C++) Expression getTargetInfo(const(char)* name, const ref Loc loc)
{
StringExp stringExp(const(char)[] sval)
{
return new StringExp(loc, sval);
}
switch (name.toDString) with (TargetInfoKeys)
{
case objectFormat.stringof:
if (os == Target.OS.Windows)
return stringExp(mscoff ? "coff" : "omf");
else if (os == Target.OS.OSX)
return stringExp("macho");
else
return stringExp("elf");
case floatAbi.stringof:
return stringExp("hard");
case cppRuntimeLibrary.stringof:
if (os == Target.OS.Windows)
{
if (mscoff)
return stringExp(params.mscrtlib);
return stringExp("snn");
}
return stringExp("");
case cppStd.stringof:
return new IntegerExp(params.cplusplus);
default:
return null;
}
}
/**
* Params:
* tf = type of function being called
* Returns: `true` if the callee invokes destructors for arguments.
*/
extern (C++) bool isCalleeDestroyingArgs(TypeFunction tf)
{
// On windows, the callee destroys arguments always regardless of function linkage,
// and regardless of whether the caller or callee cleans the stack.
return os == Target.OS.Windows ||
// C++ on non-Windows platforms has the caller destroying the arguments
tf.linkage != LINK.cpp;
}
/**
* Returns true if the implementation for object monitors is always defined
* in the D runtime library (rt/monitor_.d).
* Params:
* fd = function with `synchronized` storage class.
* fbody = entire function body of `fd`
* Returns:
* `false` if the target backend handles synchronizing monitors.
*/
extern (C++) bool libraryObjectMonitors(FuncDeclaration fd, Statement fbody)
{
if (!is64bit && os == Target.OS.Windows && !fd.isStatic() && !fbody.usesEH() && !params.trace)
{
/* The back end uses the "jmonitor" hack for syncing;
* no need to do the sync in the library.
*/
return false;
}
return true;
}
////////////////////////////////////////////////////////////////////////////
/* All functions after this point are extern (D), as they are only relevant
* for targets of DMD, and should not be used in front-end code.
*/
/******************
* Returns:
* true if xmm usage is supported
*/
extern (D) bool isXmmSupported()
{
return is64bit || os == Target.OS.OSX;
}
/**
* Returns:
* true if generating code for POSIX
*/
extern (D) @property bool isPOSIX() scope const nothrow @nogc
out(result) { assert(result || os == Target.OS.Windows); }
do
{
return (os & Target.OS.Posix) != 0;
}
/**
* Returns:
* FreeBSD major version string being targeted.
*/
extern (D) @property string FreeBSDMajor() scope const nothrow @nogc
in { assert(os == Target.OS.FreeBSD); }
do
{
// FIXME: Need better a way to statically set the major FreeBSD version?
version (TARGET_FREEBSD12) return "12";
else version (TARGET_FREEBSD11) return "11";
else version (TARGET_FREEBSD10) return "10";
else version (FreeBSD_12) return "12";
else version (FreeBSD_11) return "11";
else version (FreeBSD_10) return "10";
// FIXME: Need a way to dynamically set the major FreeBSD version?
else /* default supported */ return "11";
}
}
////////////////////////////////////////////////////////////////////////////////
/**
* Functions and variables specific to interfacing with extern(C) ABI.
*/
struct TargetC
{
enum Runtime : ubyte
{
Unspecified,
Bionic,
DigitalMars,
Glibc,
Microsoft,
Musl,
Newlib,
UClibc,
WASI,
}
ubyte longsize; /// size of a C `long` or `unsigned long` type
ubyte long_doublesize; /// size of a C `long double`
ubyte wchar_tsize; /// size of a C `wchar_t` type
Runtime runtime; /// vendor of the C runtime to link against
extern (D) void initialize(ref const Param params, ref const Target target)
{
const os = target.os;
if (os & (Target.OS.linux | Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.DragonFlyBSD | Target.OS.Solaris))
longsize = 4;
else if (os == Target.OS.OSX)
longsize = 4;
else if (os == Target.OS.Windows)
longsize = 4;
else
assert(0);
if (target.is64bit)
{
if (os & (Target.OS.linux | Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.DragonFlyBSD | Target.OS.Solaris))
longsize = 8;
else if (os == Target.OS.OSX)
longsize = 8;
}
if (target.is64bit && os == Target.OS.Windows)
long_doublesize = 8;
else
long_doublesize = target.realsize;
if (os == Target.OS.Windows)
wchar_tsize = 2;
else
wchar_tsize = 4;
if (os == Target.OS.Windows)
runtime = target.mscoff ? Runtime.Microsoft : Runtime.DigitalMars;
else if (os == Target.OS.linux)
{
// Note: This should be done with a target triplet, to support cross compilation.
// However DMD currently does not support it, so this is a simple
// fix to make DMD compile on Musl-based systems such as Alpine.
// See https://github.com/dlang/dmd/pull/8020
// And https://wiki.osdev.org/Target_Triplet
version (CRuntime_Musl)
runtime = Runtime.Musl;
else
runtime = Runtime.Glibc;
}
}
void addRuntimePredefinedGlobalIdent() const
{
alias predef = VersionCondition.addPredefinedGlobalIdent;
with (Runtime) switch (runtime)
{
default:
case Unspecified: return;
case Bionic: return predef("CRuntime_Bionic");
case DigitalMars: return predef("CRuntime_DigitalMars");
case Glibc: return predef("CRuntime_Glibc");
case Microsoft: return predef("CRuntime_Microsoft");
case Musl: return predef("CRuntime_Musl");
case Newlib: return predef("CRuntime_Newlib");
case UClibc: return predef("CRuntime_UClibc");
case WASI: return predef("CRuntime_WASI");
}
}
}
////////////////////////////////////////////////////////////////////////////////
/**
* Functions and variables specific to interface with extern(C++) ABI.
*/
struct TargetCPP
{
enum Runtime : ubyte
{
Unspecified,
Clang,
DigitalMars,
Gcc,
Microsoft,
Sun
}
bool reverseOverloads; /// set if overloaded functions are grouped and in reverse order (such as in dmc and cl)
bool exceptions; /// set if catching C++ exceptions is supported
bool twoDtorInVtable; /// target C++ ABI puts deleting and non-deleting destructor into vtable
bool wrapDtorInExternD; /// set if C++ dtors require a D wrapper to be callable from runtime
Runtime runtime; /// vendor of the C++ runtime to link against
extern (D) void initialize(ref const Param params, ref const Target target)
{
const os = target.os;
if (os & (Target.OS.linux | Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.DragonFlyBSD | Target.OS.Solaris))
twoDtorInVtable = true;
else if (os == Target.OS.OSX)
twoDtorInVtable = true;
else if (os == Target.OS.Windows)
reverseOverloads = true;
else
assert(0);
exceptions = (os & Target.OS.Posix) != 0;
if (os == Target.OS.Windows)
runtime = target.mscoff ? Runtime.Microsoft : Runtime.DigitalMars;
else if (os & (Target.OS.linux | Target.OS.DragonFlyBSD))
runtime = Runtime.Gcc;
else if (os & (Target.OS.OSX | Target.OS.FreeBSD | Target.OS.OpenBSD))
runtime = Runtime.Clang;
else if (os == Target.OS.Solaris)
runtime = Runtime.Sun;
else
assert(0);
// C++ and D ABI incompatible on all (?) x86 32-bit platforms
wrapDtorInExternD = !target.is64bit;
}
/**
* Mangle the given symbol for C++ ABI.
* Params:
* s = declaration with C++ linkage
* Returns:
* string mangling of symbol
*/
extern (C++) const(char)* toMangle(Dsymbol s)
{
if (target.os & (Target.OS.linux | Target.OS.OSX | Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.Solaris | Target.OS.DragonFlyBSD))
return toCppMangleItanium(s);
if (target.os == Target.OS.Windows)
return toCppMangleMSVC(s);
else
assert(0, "fix this");
}
/**
* Get RTTI mangling of the given class declaration for C++ ABI.
* Params:
* cd = class with C++ linkage
* Returns:
* string mangling of C++ typeinfo
*/
extern (C++) const(char)* typeInfoMangle(ClassDeclaration cd)
{
if (target.os & (Target.OS.linux | Target.OS.OSX | Target.OS.FreeBSD | Target.OS.OpenBSD | Target.OS.Solaris | Target.OS.DragonFlyBSD))
return cppTypeInfoMangleItanium(cd);
if (target.os == Target.OS.Windows)
return cppTypeInfoMangleMSVC(cd);
else
assert(0, "fix this");
}
/**
* Get mangle name of a this-adjusting thunk to the given function
* declaration for C++ ABI.
* Params:
* fd = function with C++ linkage
* offset = call offset to the vptr
* Returns:
* string mangling of C++ thunk, or null if unhandled
*/
extern (C++) const(char)* thunkMangle(FuncDeclaration fd, int offset)
{
return null;
}
/**
* Gets vendor-specific type mangling for C++ ABI.
* Params:
* t = type to inspect
* Returns:
* string if type is mangled specially on target
* null if unhandled
*/
extern (C++) const(char)* typeMangle(Type t)
{
return null;
}
/**
* Get the type that will really be used for passing the given argument
* to an `extern(C++)` function.
* Params:
* p = parameter to be passed.
* Returns:
* `Type` to use for parameter `p`.
*/
extern (C++) Type parameterType(Parameter p)
{
Type t = p.type.merge2();
if (p.isReference())
t = t.referenceTo();
else if (p.storageClass & STC.lazy_)
{
// Mangle as delegate
Type td = new TypeFunction(ParameterList(), t, LINK.d);
td = new TypeDelegate(td);
t = merge(t);
}
return t;
}
/**
* Checks whether type is a vendor-specific fundamental type.
* Params:
* t = type to inspect
* isFundamental = where to store result
* Returns:
* true if isFundamental was set by function
*/
extern (C++) bool fundamentalType(const Type t, ref bool isFundamental)
{
return false;
}
/**
* Get the starting offset position for fields of an `extern(C++)` class
* that is derived from the given base class.
* Params:
* baseClass = base class with C++ linkage
* Returns:
* starting offset to lay out derived class fields
*/
extern (C++) uint derivedClassOffset(ClassDeclaration baseClass)
{
// MSVC adds padding between base and derived fields if required.
if (target.os == Target.OS.Windows)
return (baseClass.structsize + baseClass.alignsize - 1) & ~(baseClass.alignsize - 1);
else
return baseClass.structsize;
}
void addRuntimePredefinedGlobalIdent() const
{
alias predef = VersionCondition.addPredefinedGlobalIdent;
with (Runtime) switch (runtime)
{
default:
case Unspecified: return;
case Clang: return predef("CppRuntime_Clang");
case DigitalMars: return predef("CppRuntime_DigitalMars");
case Gcc: return predef("CppRuntime_Gcc");
case Microsoft: return predef("CppRuntime_Microsoft");
case Sun: return predef("CppRuntime_Sun");
}
}
}
////////////////////////////////////////////////////////////////////////////////
/**
* Functions and variables specific to interface with extern(Objective-C) ABI.
*/
struct TargetObjC
{
bool supported; /// set if compiler can interface with Objective-C
extern (D) void initialize(ref const Param params, ref const Target target)
{
if (target.os == Target.OS.OSX && target.is64bit)
supported = true;
}
}
////////////////////////////////////////////////////////////////////////////////
extern (C++) __gshared Target target;
|
D
|
///
module nanogui.button;
/*
NanoGUI was developed by Wenzel Jakob <wenzel.jakob@epfl.ch>.
The widget drawing code is based on the NanoVG demo application
by Mikko Mononen.
All rights reserved. Use of this source code is governed by a
BSD-style license that can be found in the LICENSE.txt file.
*/
import std.container.array : Array;
import std.typecons : RefCounted;
import nanogui.widget;
import nanogui.common;
/**
* Defines the [Normal/Toggle/Radio/Popup] `nanogui.Button` widget.
*/
class Button : Widget
{
public:
/// Flags to specify the button behavior (can be combined with binary OR)
enum Flags
{
NormalButton = (1 << 0), ///< A normal Button.
RadioButton = (1 << 1), ///< A radio Button.
ToggleButton = (1 << 2), ///< A toggle Button.
PopupButton = (1 << 3) ///< A popup Button.
}
/// The available icon positions.
enum IconPosition
{
Left, ///< Button icon on the far left.
LeftCentered, ///< Button icon on the left, centered (depends on caption text length).
RightCentered,///< Button icon on the right, centered (depends on caption text length).
Right ///< Button icon on the far right.
}
/**
* Creates a button attached to the specified parent.
*
* Params:
* parent = The `nanogui.Widget` this Button will be attached to.
* caption = The name of the button (default `"Untitled"`).
*/
this(Widget parent, string caption = "Untitled")
{
super(parent);
mCaption = caption;
mIcon = 0;
mImage = NVGImage();
mIconPosition = IconPosition.LeftCentered;
mPushed = false;
mFlags = Flags.NormalButton;
mBackgroundColor = Color(0, 0, 0, 0);
mTextColor = Color(0, 0, 0, 0);
}
/**
* Creates a button attached to the specified parent.
*
* Params:
* parent = The `nanogui.Widget` this Button will be attached to.
* caption = The name of the button (default `"Untitled"`).
* icon = The icon to display with this Button. See `nanogui.Button.mIcon`.
*/
this(Widget parent, string caption, dchar icon)
{
this(parent, caption);
mIcon = icon;
}
/**
* Creates a button attached to the specified parent.
*
* Params:
* parent = The `nanogui.Widget` this Button will be attached to.
* caption = The name of the button (default `"Untitled"`).
* image = The image to display with this Button. See `nanogui.Button.mImage`.
*/
this(Widget parent, string caption, ref const(NVGImage) image)
{
this(parent, caption);
mImage = NVGImage(image);
}
/// Returns the caption of this Button.
final string caption() const { return mCaption; }
/// Sets the caption of this Button.
final void caption(string caption) { mCaption = caption; }
/// Returns the background color of this Button.
final Color backgroundColor() const { return mBackgroundColor; }
/// Sets the background color of this Button.
final void backgroundColor(const Color backgroundColor) { mBackgroundColor = backgroundColor; }
/// Returns the text color of the caption of this Button.
final Color textColor() const { return mTextColor; }
/// Sets the text color of the caption of this Button.
final void textColor(const Color textColor) { mTextColor = textColor; }
/// Returns the icon of this Button. See `nanogui.Button.mIcon`.
final dchar icon() const { return mIcon; }
/// Sets the icon of this Button. See `nanogui.Button.mIcon`.
final void icon(int icon) { mIcon = icon; }
/// The current flags of this Button (see `nanogui.Button.Flags` for options).
final int flags() const { return mFlags; }
/// Sets the flags of this Button (see `nanogui.Button.Flags` for options).
final void flags(int buttonFlags) { mFlags = buttonFlags; }
/// The position of the icon for this Button.
final IconPosition iconPosition() const { return mIconPosition; }
/// Sets the position of the icon for this Button.
final void iconPosition(IconPosition iconPosition) { mIconPosition = iconPosition; }
/// Whether or not this Button is currently pushed.
final bool pushed() const { return mPushed; }
/// Sets whether or not this Button is currently pushed.
final void pushed(bool pushed) { mPushed = pushed; }
/// The current callback to execute (for any type of button).
final void delegate() callback() const { return mCallback; }
/// Set the push callback (for any type of button).
final void callback(void delegate() callback) { mCallback = callback; }
/// The current callback to execute (for toggle buttons).
final void delegate(bool) changeCallback() const { return mChangeCallback; }
/// Set the change callback (for toggle buttons).
final void changeCallback(void delegate(bool) callback) { mChangeCallback = callback; }
/// Set the button group (for radio buttons).
final void buttonGroup(ButtonGroup buttonGroup) { mButtonGroup = buttonGroup; }
/// The current button group (for radio buttons).
final buttonGroup() { return mButtonGroup; }
/// The preferred size of this Button.
override Vector2i preferredSize(NanoContext ctx) const
{
int fontSize = mFontSize == -1 ? mTheme.mButtonFontSize : mFontSize;
ctx.fontSize(fontSize);
ctx.fontFace("sans-bold");
const tw = ctx.textBounds(0,0, mCaption, null);
float iw = 0.0f, ih = fontSize;
if (mIcon)
{
ih *= icon_scale();
ctx.fontFace("icons");
ctx.fontSize(ih);
iw = ctx.textBounds(0, 0, [mIcon], null)
+ mSize.y * 0.15f;
}
else if (mImage.valid)
{
int w, h;
ih *= 0.9f;
ctx.imageSize(mImage, w, h);
iw = w * ih / h;
}
return Vector2i(cast(int)(tw + iw) + 20, fontSize + 10);
}
/// The callback that is called when any type of mouse button event is issued to this Button.
override bool mouseButtonEvent(Vector2i p, MouseButton button, bool down, int modifiers)
{
Widget.mouseButtonEvent(p, button, down, modifiers);
/* Temporarily increase the reference count of the button in case the
button causes the parent window to be destructed */
auto self = this;
if (button == MouseButton.Left && mEnabled)
{
bool pushedBackup = mPushed;
if (down)
{
if (mFlags & Flags.RadioButton)
{
if (mButtonGroup.empty)
{
foreach (widget; parent.children)
{
auto b = cast(Button) widget;
if (b != this && b && (b.flags & Flags.RadioButton) && b.mPushed)
{
b.mPushed = false;
if (b.mChangeCallback)
b.mChangeCallback(false);
}
}
} else {
foreach (b; mButtonGroup)
{
if (b != this && (b.flags & Flags.RadioButton) && b.mPushed)
{
b.mPushed = false;
if (b.mChangeCallback)
b.mChangeCallback(false);
}
}
}
}
if (mFlags & Flags.PopupButton)
{
foreach (widget; parent.children)
{
auto b = cast(Button) widget;
if (b != this && b && (b.flags & Flags.PopupButton) && b.mPushed)
{
b.mPushed = false;
if (b.mChangeCallback)
b.mChangeCallback(false);
}
}
}
if (mFlags & Flags.ToggleButton)
mPushed = !mPushed;
else
mPushed = true;
} else if (mPushed)
{
if (contains(p) && mCallback)
mCallback();
if (mFlags & Flags.NormalButton)
mPushed = false;
}
if (pushedBackup != mPushed && mChangeCallback)
mChangeCallback(mPushed);
return true;
}
return false;
}
/// Responsible for drawing the Button.
override void draw(ref NanoContext ctx)
{
super.draw(ctx);
auto gradTop = mTheme.mButtonGradientTopUnfocused;
auto gradBot = mTheme.mButtonGradientBotUnfocused;
if (mPushed)
{
gradTop = mTheme.mButtonGradientTopPushed;
gradBot = mTheme.mButtonGradientBotPushed;
}
else if (mMouseFocus && mEnabled)
{
gradTop = mTheme.mButtonGradientTopFocused;
gradBot = mTheme.mButtonGradientBotFocused;
}
ctx.beginPath;
ctx.roundedRect(mPos.x + 1, mPos.y + 1.0f, mSize.x - 2,
mSize.y - 2, mTheme.mButtonCornerRadius - 1);
if (mBackgroundColor.w != 0)
{
ctx.fillColor(Color(mBackgroundColor.rgb, 1.0f));
ctx.fill;
if (mPushed)
{
gradTop.a = gradBot.a = 0.8f;
}
else
{
const v = 1 - mBackgroundColor.w;
gradTop.a = gradBot.a = mEnabled ? v : v * .5f + .5f;
}
}
NVGPaint bg = ctx.linearGradient(mPos.x, mPos.y, mPos.x,
mPos.y + mSize.y, gradTop, gradBot);
ctx.fillPaint(bg);
ctx.fill;
ctx.beginPath;
ctx.strokeWidth(1.0f);
ctx.roundedRect(mPos.x + 0.5f, mPos.y + (mPushed ? 0.5f : 1.5f), mSize.x - 1,
mSize.y - 1 - (mPushed ? 0.0f : 1.0f), mTheme.mButtonCornerRadius);
ctx.strokeColor(mTheme.mBorderLight);
ctx.stroke;
ctx.beginPath;
ctx.roundedRect(mPos.x + 0.5f, mPos.y + 0.5f, mSize.x - 1,
mSize.y - 2, mTheme.mButtonCornerRadius);
ctx.strokeColor(mTheme.mBorderDark);
ctx.stroke;
int fontSize = mFontSize == -1 ? mTheme.mButtonFontSize : mFontSize;
ctx.fontSize(fontSize);
ctx.fontFace("sans-bold");
const tw = ctx.textBounds(0,0, mCaption, null);
Vector2f center = mPos + cast(Vector2f) mSize * 0.5f;
auto textPos = Vector2f(center.x - tw * 0.5f, center.y - 1);
auto textColor =
mTextColor.w == 0 ? mTheme.mTextColor : mTextColor;
if (!mEnabled)
textColor = mTheme.mDisabledTextColor;
float iw, ih;
float d = (mPushed ? 1.0f : 0.0f);
if (mIcon)
{
ih = fontSize*icon_scale;
ctx.fontSize(ih);
ctx.fontFace("icons");
iw = ctx.textBounds(0, 0, [mIcon], null);
} else if (mImage.valid)
{
int w, h;
ctx.imageSize(mImage, w, h);
import std.algorithm : min;
ih = min(h*0.9f, height);
iw = w * ih / h;
}
import std.math : isNaN;
if (!iw.isNaN)
{
if (mCaption != "")
iw += mSize.y * 0.15f;
ctx.fillColor(textColor);
NVGTextAlign algn;
algn.left = true;
algn.middle = true;
ctx.textAlign(algn);
Vector2f iconPos = center;
iconPos.y -= 1;
if (mIconPosition == IconPosition.LeftCentered)
{
iconPos.x -= (tw + iw) * 0.5f;
textPos.x += iw * 0.5f;
}
else if (mIconPosition == IconPosition.RightCentered)
{
textPos.x -= iw * 0.5f;
iconPos.x += tw * 0.5f;
}
else if (mIconPosition == IconPosition.Left)
{
iconPos.x = mPos.x + 8;
}
else if (mIconPosition == IconPosition.Right)
{
iconPos.x = mPos.x + mSize.x - iw - 8;
}
if (mIcon)
{
ctx.text(iconPos.x, iconPos.y + d + 1, [mIcon]);
}
else
{
NVGPaint imgPaint = ctx.imagePattern(
iconPos.x, iconPos.y + d - ih/2, iw, ih, 0, mImage, mEnabled ? 0.5f : 0.25f);
ctx.fillPaint(imgPaint);
ctx.fill;
}
}
ctx.fontSize(fontSize);
ctx.fontFace("sans-bold");
NVGTextAlign algn;
algn.left = true;
algn.middle = true;
ctx.textAlign(algn);
ctx.fillColor(mTheme.mTextColorShadow);
ctx.text(textPos.x, textPos.y + d, mCaption,);
ctx.fillColor(textColor);
ctx.text(textPos.x, textPos.y + d + 1, mCaption);
}
// // Saves the state of this Button provided the given Serializer.
//override void save(Serializer &s) const;
// // Sets the state of this Button provided the given Serializer.
//override bool load(Serializer &s);
protected:
/// The caption of this Button.
string mCaption;
/// The icon to display with this Button (`0` means icon is represented by mImage).
dchar mIcon;
/// The icon to display with this Button (it's used if mIcon is `0` and mImage.valid
/// returns `true`).
NVGImage mImage;
/// The position to draw the icon at.
IconPosition mIconPosition;
/// Whether or not this Button is currently pushed.
bool mPushed;
/// The current flags of this button (see `nanogui.Button.Flags` for options).
int mFlags;
/// The background color of this Button.
Color mBackgroundColor;
/// The color of the caption text of this Button.
Color mTextColor;
/// The callback issued for all types of buttons.
void delegate() mCallback;
/// The callback issued for toggle buttons.
void delegate(bool) mChangeCallback;
/// The button group for radio buttons.
ButtonGroup mButtonGroup;
}
alias ButtonGroup = RefCounted!(Array!Button);
|
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.extension.nv.texture_expand_normal;
private
{
import derelict.opengl.gltypes;
import derelict.opengl.gl;
import derelict.util.wrapper;
}
private bool enabled = false;
struct NVTextureExpandNormal
{
static bool load(char[] extString)
{
if(extString.findStr("GL_NV_texture_expand_normal") == -1)
return false;
enabled = true;
return true;
}
static bool isEnabled()
{
return enabled;
}
}
version(DerelictGL_NoExtensionLoaders)
{
}
else
{
static this()
{
DerelictGL.registerExtensionLoader(&NVTextureExpandNormal.load);
}
}
enum : GLenum
{
GL_TEXTURE_UNSIGNED_REMAP_MODE_NV = 0x888F
}
|
D
|
/**
* Context speciailization support.
*
* Copyright: <a href="http://www.boost.org/LICENSE_1_0.txt">Boost License 1.0</a>.
* Authors: $(LINK2 http://cattermole.co.nz, Richard Andrew Cattermole)
*/
module std.experimental.ui.context_features;
public import std.experimental.ui.context_features.vram;
|
D
|
// ************************************************************
// EXIT
// ************************************************************
INSTANCE DIA_Maria_EXIT (C_INFO)
{
npc = BAU_910_Maria;
nr = 999;
condition = DIA_Maria_EXIT_Condition;
information = DIA_Maria_EXIT_Info;
permanent = TRUE;
description = DIALOG_ENDE;
};
FUNC INT DIA_Maria_EXIT_Condition()
{
return TRUE;
};
FUNC VOID DIA_Maria_EXIT_Info()
{
AI_StopProcessInfos (self);
};
// ************************************************************
// Hallo
// ************************************************************
instance DIA_Maria_Hallo (C_INFO)
{
npc = BAU_910_Maria;
nr = 1;
condition = DIA_Maria_Hallo_Condition;
information = DIA_Maria_Hallo_Info;
permanent = FALSE;
description = "Kim jesteś?";
};
func int DIA_Maria_Hallo_Condition ()
{
return TRUE;
};
func void DIA_Maria_Hallo_Info ()
{
AI_Output (other, self, "DIA_Maria_Hallo_15_00"); //Kim jesteś?
AI_Output (self, other, "DIA_Maria_Hallo_17_01"); //Mam na imię Maria i jestem żoną Onara.
AI_Output (self, other, "DIA_Maria_Hallo_17_02"); //Czego tu szukasz?
};
// ************************************************************
// Umsehen
// ************************************************************
instance DIA_Maria_Umsehen (C_INFO)
{
npc = BAU_910_Maria;
nr = 2;
condition = DIA_Maria_Umsehen_Condition;
information = DIA_Maria_Umsehen_Info;
permanent = FALSE;
description = "Chciałem się po prostu rozejrzeć...";
};
func int DIA_Maria_Umsehen_Condition ()
{
if (Npc_KnowsInfo (other, DIA_Maria_Hallo))
{
return TRUE;
};
};
func void DIA_Maria_Umsehen_Info ()
{
AI_Output (other, self, "DIA_Maria_Umsehen_15_00"); //Chciałem się po prostu rozejrzeć...
AI_Output (self, other, "DIA_Maria_Umsehen_17_01"); //Odkąd znaleźli się tutaj ci wszyscy mężczyźni, w domu nie można mieć ani chwili spokoju.
AI_Output (self, other, "DIA_Maria_Umsehen_17_02"); //Wszędzie jest ich pełno.
};
// ************************************************************
// Umsehen
// ************************************************************
instance DIA_Maria_Soeldner (C_INFO)
{
npc = BAU_910_Maria;
nr = 3;
condition = DIA_Maria_Soeldner_Condition;
information = DIA_Maria_Soeldner_Info;
permanent = FALSE;
description = "Czy obecność najemników jest dla ciebie kłopotliwa?";
};
func int DIA_Maria_Soeldner_Condition ()
{
if (Npc_KnowsInfo (other, DIA_Maria_Umsehen))
{
return TRUE;
};
};
func void DIA_Maria_Soeldner_Info ()
{
AI_Output (other, self, "DIA_Maria_Soeldner_15_00"); //Czy obecność najemników jest dla ciebie kłopotliwa?
if ((hero.guild == GIL_SLD) || (hero.guild == GIL_DJG))
{
AI_Output (self, other, "DIA_Maria_Soeldner_17_01"); //Hm, zapomnij o tym, co przed chwilą powiedziałam. W końcu chodzi przecież o nasze bezpieczeństwo.
}
else
{
AI_Output (self, other, "DIA_Maria_Soeldner_17_02"); //Przynajmniej dopóki tu są, nie musimy się obawiać o własne życie.
};
AI_Output (self, other, "DIA_Maria_Soeldner_17_03"); //Zanim ich tu sprowadziliśmy, ciągle mieliśmy na głowie straż. Tylko że zamiast nas chronić, plądrowali naszą spiżarnię.
AI_Output (self, other, "DIA_Maria_Soeldner_17_04"); //Zabrali nam większość tegorocznych zbiorów i kilka owiec. Nie zrobili nic, żeby nam się odwdzięczyć.
AI_Output (self, other, "DIA_Maria_Soeldner_17_05"); //Kilku z tych łotrów posunęło się nawet do kradzieży.
if (hero.guild == GIL_MIL)
{
AI_Output (self, other, "DIA_Maria_Soeldner_17_06"); //Nie zrozum mnie źle, żołnierzu. Wiem, są wśród was również uczciwe osoby.
};
};
// ************************************************************
// Mission
// ************************************************************
instance DIA_Maria_Mission (C_INFO)
{
npc = BAU_910_Maria;
nr = 4;
condition = DIA_Maria_Mission_Condition;
information = DIA_Maria_Mission_Info;
permanent = FALSE;
description = "A można wiedzieć, co ci ukradli?";
};
func int DIA_Maria_Mission_Condition ()
{
if (Npc_KnowsInfo (other, DIA_Maria_Soeldner))
&& (MIS_Maria_BringPlate != LOG_SUCCESS)
{
return TRUE;
};
};
func void DIA_Maria_Mission_Info ()
{
AI_Output (other, self, "DIA_Maria_Mission_15_00"); //A można wiedzieć, co ci ukradli?
AI_Output (self, other, "DIA_Maria_Mission_17_01"); //Przede wszystkim złoto i srebro. Zabrali też mój prezent ślubny, złoty talerz.
if (other.guild != GIL_MIL)
{
AI_Output (self, other, "DIA_Maria_Mission_17_02"); //Założę się, że teraz leży zakurzony w kufrze jakiegoś strażnika.
};
MIS_Maria_BringPlate = LOG_RUNNING;
};
// ************************************************************
// BringPlate
// ************************************************************
instance DIA_Maria_BringPlate (C_INFO)
{
npc = BAU_910_Maria;
nr = 5;
condition = DIA_Maria_BringPlate_Condition;
information = DIA_Maria_BringPlate_Info;
permanent = FALSE;
description = "Mam przy sobie złoty talerz. Czy to twoja własność?";
};
func int DIA_Maria_BringPlate_Condition ()
{
if (Npc_HasItems (other, ItMi_MariasGoldPlate) > 0)
{
return TRUE;
};
};
func void DIA_Maria_BringPlate_Info ()
{
B_GiveInvItems (other, self, ItMi_MariasGoldPlate, 1);
AI_Output (other, self, "DIA_Maria_BringPlate_15_00"); //Mam przy sobie złoty talerz. Czy to twoja własność?
AI_Output (self, other, "DIA_Maria_BringPlate_17_01"); //Tak! To on! Stokrotne dzięki!
MIS_Maria_BringPlate = LOG_SUCCESS;
B_GivePlayerXP (XP_Maria_Teller);
};
// ************************************************************
// BringPlate
// ************************************************************
var int Maria_Belohnung;
// ---------------------
instance DIA_Maria_Belohnung (C_INFO)
{
npc = BAU_910_Maria;
nr = 6;
condition = DIA_Maria_Belohnung_Condition;
information = DIA_Maria_Belohnung_Info;
permanent = TRUE;
description = "A jak będzie z moją nagrodą?";
};
func int DIA_Maria_Belohnung_Condition ()
{
if (MIS_Maria_BringPlate == LOG_SUCCESS)
&& (Maria_Belohnung == FALSE)
{
return TRUE;
};
};
func void DIA_Maria_Belohnung_Info ()
{
AI_Output (other, self, "DIA_Maria_Belohnung_15_00"); //A jak będzie z moją nagrodą?
if (other.guild == GIL_SLD)
|| (Npc_KnowsInfo (other, DIA_Onar_HowMuch))
{
AI_Output (self, other, "DIA_Maria_Belohnung_17_01"); //Jesteś najemnikiem na służbie u mojego męża, prawda?
AI_Output (other, self, "DIA_Maria_Belohnung_15_02"); //Zgadza się.
AI_Output (self, other, "DIA_Maria_Belohnung_17_03"); //Ile ci płaci mój mąż?
B_Say_Gold (other, self, SOLD);
AI_Output (self, other, "DIA_Maria_Belohnung_17_04"); //To za mało. Idź do niego i poproś o podwyżkę.
AI_Output (other, self, "DIA_Maria_Belohnung_15_05"); //Sądzisz, że na to przystanie?
AI_Output (self, other, "DIA_Maria_Belohnung_17_06"); //Wierz mi, wie, co go czeka, jeśli się nie zgodzi.
Maria_MehrGold = TRUE;
Maria_Belohnung = TRUE;
}
else if (other.guild == GIL_NONE)
{
AI_Output (self, other, "DIA_Maria_Belohnung_17_07"); //Czy chcesz się zatrudnić na naszej farmie jako najemnik?
Info_ClearChoices (DIA_Maria_Belohnung);
Info_AddChoice (DIA_Maria_Belohnung, "Nie, nie bardzo.", DIA_Maria_Belohnung_Gold);
Info_AddChoice (DIA_Maria_Belohnung, "Tak.", DIA_Maria_Belohnung_SOLD);
}
else
{
B_GiveInvItems (self, other, itmi_gold, 50);
Maria_Belohnung = TRUE;
AI_Output (self, other, "DIA_Maria_Belohnung_17_08"); //Proszę, weź to. Zasłużyłeś sobie.
};
};
func void DIA_Maria_Belohnung_Gold()
{
AI_Output (other, self, "DIA_Maria_Belohnung_Gold_15_00"); //Nie, nie bardzo.
B_GiveInvItems (self, other, itmi_gold, 50);
Maria_Belohnung = TRUE;
AI_Output (self, other, "DIA_Maria_Belohnung_Gold_17_01"); //Więc przyjmij w nagrodę to złoto. Zasłużyłeś na nie.
Info_ClearChoices (DIA_Maria_Belohnung);
};
func void DIA_Maria_Belohnung_SOLD()
{
AI_Output (other, self, "DIA_Maria_Belohnung_SOLD_15_00"); //Tak.
AI_Output (self, other, "DIA_Maria_Belohnung_SOLD_17_01"); //Dobrze, jeśli zatrudnisz się u nas jako najemnik, dopilnuję, abyś dostał godziwą zapłatę.
AI_Output (self, other, "DIA_Maria_Belohnung_SOLD_17_02"); //Wróć tutaj, kiedy już uzgodnisz z moim mężem kwestię wynagrodzenia.
Info_ClearChoices (DIA_Maria_Belohnung);
};
// ************************************************************
// AboutOnar
// ************************************************************
instance DIA_Maria_AboutOnar (C_INFO)
{
npc = BAU_910_Maria;
nr = 7;
condition = DIA_Maria_AboutOnar_Condition;
information = DIA_Maria_AboutOnar_Info;
permanent = FALSE;
description = "Opowiedz mi o Onarze.";
};
func int DIA_Maria_AboutOnar_Condition ()
{
if (Npc_KnowsInfo (other, DIA_Maria_Hallo))
{
return TRUE;
};
};
func void DIA_Maria_AboutOnar_Info ()
{
AI_Output (other, self, "DIA_Maria_AboutOnar_15_00"); //Opowiedz mi o Onarze.
AI_Output (self, other, "DIA_Maria_AboutOnar_17_01"); //To dobry człowiek. Trochę zrzędliwy i strasznie niecierpliwy, ale w końcu każdy ma jakieś wady.
AI_Output (self, other, "DIA_Maria_AboutOnar_17_02"); //Kiedyś powiedziałam mężowi: czemu pozwalasz żołnierzom z miasta tak się traktować?
AI_Output (self, other, "DIA_Maria_AboutOnar_17_03"); //Zrób coś! Tak właśnie powiedziałam.
AI_Output (self, other, "DIA_Maria_AboutOnar_17_04"); //Postanowiliśmy zatrudnić najemników. Teraz czuję się tutaj jak na wojnie.
AI_Output (self, other, "DIA_Maria_AboutOnar_17_05"); //Ale w końcu to JEST wojna, czyż nie?
};
// ************************************************************
// PERM
// ************************************************************
instance DIA_Maria_PERM (C_INFO)
{
npc = BAU_910_Maria;
nr = 8;
condition = DIA_Maria_PERM_Condition;
information = DIA_Maria_PERM_Info;
permanent = FALSE;
description = "Czy ostatnio zdarzyło się tu coś interesującego?";
};
func int DIA_Maria_PERM_Condition ()
{
if (Npc_KnowsInfo (other, DIA_Maria_Hallo))
{
return TRUE;
};
};
func void DIA_Maria_PERM_Info ()
{
AI_Output (other, self, "DIA_Maria_PERM_15_00"); //Czy ostatnio zdarzyło się tu coś interesującego?
if (Kapitel <= 2)
{
AI_Output (self, other, "DIA_Maria_PERM_17_01"); //Przechodziła tędy grupa paladynów.
AI_Output (self, other, "DIA_Maria_PERM_17_02"); //Najpierw sądziliśmy, że będą chcieli zaatakować farmę, ale okazało się, że zmierzali do Górniczej Doliny.
}
if (Kapitel == 3)
{
AI_Output (self, other, "DIA_Maria_PERM_17_03"); //Kilka nocy temu Wasili wypłoszył złodzieja. Poza tym nie działo się tutaj nic godnego uwagi.
};
if (Kapitel >= 4)
{
AI_Output (self, other, "DIA_Maria_PERM_17_04"); //Odkąd najemnicy opuścili nasz dom, zrobiło się tutaj znacznie ciszej.
};
};
// ************************************************************
// PICK POCKET
// ************************************************************
INSTANCE DIA_Maria_PICKPOCKET (C_INFO)
{
npc = BAU_910_Maria;
nr = 900;
condition = DIA_Maria_PICKPOCKET_Condition;
information = DIA_Maria_PICKPOCKET_Info;
permanent = TRUE;
description = Pickpocket_60_Female;
};
FUNC INT DIA_Maria_PICKPOCKET_Condition()
{
C_Beklauen (60, 110);
};
FUNC VOID DIA_Maria_PICKPOCKET_Info()
{
Info_ClearChoices (DIA_Maria_PICKPOCKET);
Info_AddChoice (DIA_Maria_PICKPOCKET, DIALOG_BACK ,DIA_Maria_PICKPOCKET_BACK);
Info_AddChoice (DIA_Maria_PICKPOCKET, DIALOG_PICKPOCKET ,DIA_Maria_PICKPOCKET_DoIt);
};
func void DIA_Maria_PICKPOCKET_DoIt()
{
B_Beklauen ();
Info_ClearChoices (DIA_Maria_PICKPOCKET);
};
func void DIA_Maria_PICKPOCKET_BACK()
{
Info_ClearChoices (DIA_Maria_PICKPOCKET);
};
|
D
|
mechanical device that attaches to a garden hose for watering lawn or garden
|
D
|
/*
* Brew Library by erik wikforss
*/
module brew.gio;
import brew.gstr;
import gio.File;
import gtkc.gio;
alias gio.File.File GioFile;
/**
* Gets the base name (the last component of the path) for a given GFile.
* If called for the top level of a system (such as the filesystem root
* or a uri like sftp://host/) it will return a single directory separator
* (and on Windows, possibly a drive letter).
* The base name is a byte string (not UTF-8). It has no defined encoding
* or rules other than it may not contain zero bytes. If you want to use
* filenames in a user interface you should use the display name that you
* can get by requesting the G_FILE_ATTRIBUTE_STANDARD_DISPLAY_NAME
* attribute with g_file_query_info().
* This call does no blocking I/O.
* Returns: string containing the GFile's base name, or NULL if given GFile is invalid. The returned string should be freed with g_free() when no longer needed.
*/
wstring getBasenameW(GioFile f) { return GStr.toWString(g_file_get_basename(f.getFileStruct)); }
/**
* Gets the local pathname for GFile, if one exists.
* This call does no blocking I/O.
* Returns: string containing the GFile's path, or NULL if no such path exists. The returned string should be freed with g_free() when no longer needed.
*/
wstring getPathW(GioFile f) { return GStr.toWString(g_file_get_path(f.getFileStruct)); }
|
D
|
module stdext.ddocmacros;
import std.traits;
import std.range;
import std.ascii;
import std.string;
// version = LOG;
version(LOG) import std.stdio;
C[][] ddocArgs(C,S)(ref S src)
{
C[][] args;
C[] arg;
if(!src.empty && src.front.isWhite)
src.popFront;
int parens = 0;
while(!src.empty)
{
auto c = src.front;
src.popFront;
switch(c)
{
case ')':
if(parens == 0)
{
args ~= arg;
return args;
}
parens--;
goto default;
case '(':
parens++;
goto default;
case ',':
if(parens == 0)
{
args ~= arg;
arg = arg.init;
if(!src.empty && src.front.isWhite)
src.popFront;
break;
}
goto default;
default:
arg ~= c;
break;
}
}
version(LOG) writeln("ddocArgs = ", args);
return args;
}
K ddocIdent(K, S)(ref S src)
{
alias C = ElementEncodingType!S;
K id;
while(!src.empty)
{
C c = src.front;
if(isAlpha(c) || c == '_' || isDigit(c))
{
id ~= c;
src.popFront;
}
else
break;
}
version(LOG) writeln("ddocIdent = ", id);
return id;
}
C[] joinArgs(C)(C[][] args, size_t first)
{
C[] s; // use joiner?
if(args.length > first)
{
s = args[first];
foreach(a; args[first + 1 .. $])
{
s ~= ',';
s ~= a;
}
}
return s;
}
struct RangeStack(R)
{
alias E = ElementType!R;
alias C = ElementEncodingType!R;
R[] stack;
C[][][] arguments;
@property bool empty() const { return stack.empty; }
@property E front() const { return stack[$-1].front; }
@property void popFront()
{
stack[$-1].popFront;
if(stack[$-1].empty)
{
stack.length--;
arguments.length--;
}
}
void push(ref R r, C[][] args)
{
version(LOG) writeln("push = ", r);
if(!r.empty)
{
stack ~= r.save;
arguments ~= args;
}
}
R getArg(dchar n)
{
if(arguments.empty)
return null;
if(n == '0')
return joinArgs(arguments[$-1], 0);
if(n == '+')
return joinArgs(arguments[$-1], 1);
size_t a = n - '0';
if(a <= arguments[$-1].length)
return arguments[$-1][a - 1];
return null;
}
}
S ddocExpand(S,AA)(S s, AA defs, bool keepUnknown) if(isInputRange!S)
{
alias C = ElementEncodingType!S;
alias K = KeyType!AA;
alias V = ValueType!AA;
RangeStack!S src;
src.push(s, null);
S res;
while(!src.empty)
{
auto c = src.front;
src.popFront;
switch(c)
{
case '$':
auto d = src.front;
if(d == '(')
{
src.popFront;
auto id = ddocIdent!(K)(src);
auto args = ddocArgs!C(src);
if(auto p = id in defs)
{
src.push(*p, args);
}
else if(keepUnknown)
{
res ~= c;
res ~= d;
res ~= id;
string keepArgs = " $0)";
src.push(keepArgs, args);
}
break;
}
else if(isAlpha(d))
{
auto id = ddocIdent!(K)(src);
if(auto p = id in defs)
{
src.push(*p, null);
}
else if(keepUnknown)
{
res ~= c;
res ~= id;
}
break;
}
else if(isDigit(d) || d == '+')
{
auto arg = src.getArg(d);
src.popFront;
src.push(arg, null);
break;
}
goto default;
default:
res ~= c;
break;
}
}
return res;
}
string phobosDdocExpand(string txt)
{
string[string] macros =
[
"D" : "`$0`",
"LINK" : "$0",
"LINK2" : "$2",
"XREF" : "$2",
"UL" : "\n$0",
"LI" : "\n* $0",
];
return ddocExpand(txt, macros, true);
}
unittest
{
import std.stdio;
string txt = "$(D d-code)";
string[string] macros = [ "D" : "$0", "LINK" : `<a href="$1">$+</a>` ];
string res = ddocExpand(txt, macros);
version(LOG) writeln(res);
assert(strip(res) == "d-code");
res = ddocExpand("link = $(LINK 1,2, 3,4)", macros);
version(LOG) writeln(res);
assert(strip(res) == `link = <a href="1">2,3,4</a>`);
}
version(unittest) {}
void main() {}
|
D
|
module ppl.resolve.ResolveAssert;
import ppl.internal;
final class ResolveAssert {
private:
Module module_;
ResolveModule resolver;
FoldUnreferenced foldUnreferenced;
public:
this(ResolveModule resolver) {
this.resolver = resolver;
this.module_ = resolver.module_;
this.foldUnreferenced = resolver.foldUnreferenced;
}
void resolve(Assert n) {
/// Note: Assert is always unresolved because it needs
/// to be converted into a call to __assert
/// This should be imported implicitly
assert(findImportByCanonicalName("core::assert", n));
/// Wait until we know what the type is
Type type = n.expr().getType();
if(type.isUnknown) return;
if(n.expr().comptime()==CT.UNRESOLVED) {
/// Wait for it to be resolved one way or the other
return;
}
if(n.expr().comptime()==CT.YES) {
auto ctc = n.expr().as!CompileTimeConstant;
if(ctc) {
if(ctc.isTrue()) {
/// Just remove the assertion
foldUnreferenced.fold(n);
} else {
/// Assertion failed. Call __assert with false
rewriteAsCallToAssert(n, type);
}
return;
} else {
if(resolver.isStalemate) {
module_.addError(n, "Could not resolve comptime assert", true);
}
/// Wait for expr to resolve
return;
}
}
rewriteAsCallToAssert(n, type);
}
private:
/// Rewrite to:
///
/// call __assert
/// bool (assert result)
/// string (module name)
/// int (line number)
void rewriteAsCallToAssert(Assert n, Type exprType) {
auto parent = n.parent;
auto b = module_.nodeBuilder;
auto c = b.call("__assert", null);
/// value
Expression value;
if(exprType.isPtr) {
value = b.binary(Operator.BOOL_NE, n.expr(), LiteralNull.makeConst(exprType));
} else if(exprType.isBool) {
value = n.expr();
} else {
value = b.binary(Operator.BOOL_NE, n.expr(), LiteralNumber.makeConst("0", TYPE_INT));
}
c.add(value);
/// string
//c.add(b.string_(module_.moduleNameLiteral));
c.add(module_.moduleNameLiteral.copy());
/// line
c.add(LiteralNumber.makeConst((n.line+1).to!string, TYPE_INT));
foldUnreferenced.fold(n, c);
}
}
|
D
|
// Compiler implementation of the D programming language
// Copyright (c) 1999-2015 by Digital Mars
// All Rights Reserved
// written by Walter Bright
// http://www.digitalmars.com
// Distributed under the Boost Software License, Version 1.0.
// http://www.boost.org/LICENSE_1_0.txt
module ddmd.dinifile;
import core.stdc.ctype, core.stdc.stdlib, core.stdc.string, core.sys.posix.stdlib, core.sys.windows.windows;
import ddmd.globals, ddmd.root.file, ddmd.root.filename, ddmd.root.outbuffer, ddmd.root.port, ddmd.root.stringtable;
version (Windows) extern (C) int putenv(const char*);
private enum LOG = false;
/*****************************
* Find the config file
* Input:
* argv0 program name (argv[0])
* inifile .ini file name
* Returns:
* file path of the config file or NULL
* Note: this is a memory leak
*/
extern (C++) const(char)* findConfFile(const(char)* argv0, const(char)* inifile)
{
static if (LOG)
{
printf("findinifile(argv0 = '%s', inifile = '%s')\n", argv0, inifile);
}
if (FileName.absolute(inifile))
return inifile;
if (FileName.exists(inifile))
return inifile;
/* Look for inifile in the following sequence of places:
* o current directory
* o home directory
* o exe directory (windows)
* o directory off of argv0
* o SYSCONFDIR (default=/etc/) (non-windows)
*/
const(char)* filename = FileName.combine(getenv("HOME"), inifile);
if (FileName.exists(filename))
return filename;
version (Windows)
{
// This fix by Tim Matthews
char[MAX_PATH + 1] resolved_name;
if (GetModuleFileNameA(null, resolved_name.ptr, MAX_PATH + 1) && FileName.exists(resolved_name.ptr))
{
filename = FileName.replaceName(resolved_name.ptr, inifile);
if (FileName.exists(filename))
return filename;
}
}
filename = FileName.replaceName(argv0, inifile);
if (FileName.exists(filename))
return filename;
static if (__linux__ || __APPLE__ || __FreeBSD__ || __OpenBSD__ || __sun)
{
// Search PATH for argv0
const(char)* p = getenv("PATH");
static if (LOG)
{
printf("\tPATH='%s'\n", p);
}
Strings* paths = FileName.splitPath(p);
const(char)* abspath = FileName.searchPath(paths, argv0, false);
if (abspath)
{
const(char)* absname = FileName.replaceName(abspath, inifile);
if (FileName.exists(absname))
return absname;
}
// Resolve symbolic links
filename = FileName.canonicalName(abspath ? abspath : argv0);
if (filename)
{
filename = FileName.replaceName(filename, inifile);
if (FileName.exists(filename))
return filename;
}
// Search /etc/ for inifile
enum SYSCONFDIR = "/etc/dmd.conf";
assert(SYSCONFDIR !is null && strlen(SYSCONFDIR));
filename = FileName.combine(SYSCONFDIR, inifile);
}
// __linux__ || __APPLE__ || __FreeBSD__ || __OpenBSD__ || __sun
return filename;
}
/**********************************
* Read from environment, looking for cached value first.
*/
extern (C++) const(char)* readFromEnv(StringTable* environment, const(char)* name)
{
size_t len = strlen(name);
StringValue* sv = environment.lookup(name, len);
if (sv)
return cast(const(char)*)sv.ptrvalue; // get cached value
return getenv(name);
}
/*********************************
* Write to our copy of the environment, not the real environment
*/
extern (C++) static void writeToEnv(StringTable* environment, char* nameEqValue)
{
char* p = strchr(nameEqValue, '=');
assert(p);
StringValue* sv = environment.update(nameEqValue, p - nameEqValue);
sv.ptrvalue = cast(void*)(p + 1);
}
/************************************
* Update real enviroment with our copy.
*/
extern (C++) static int envput(StringValue* sv)
{
const(char)* name = sv.toDchars();
size_t namelen = strlen(name);
const(char)* value = cast(const(char)*)sv.ptrvalue;
size_t valuelen = strlen(value);
char* s = cast(char*)malloc(namelen + 1 + valuelen + 1);
assert(s);
memcpy(s, name, namelen);
s[namelen] = '=';
memcpy(s + namelen + 1, value, valuelen);
s[namelen + 1 + valuelen] = 0;
//printf("envput('%s')\n", s);
putenv(s);
return 0; // do all of them
}
extern (C++) void updateRealEnvironment(StringTable* environment)
{
environment.apply(&envput);
}
/*****************************
* Read and analyze .ini file.
* Write the entries into environment as
* well as any entries in one of the specified section(s).
*
* Params:
* environment = our own cache of the program environment
* path = what @P will expand to
* buffer[len] = contents of configuration file
* sections[] = section namesdimension of array of section names
*/
extern (C++) void parseConfFile(StringTable* environment, const(char)* path, size_t length, ubyte* buffer, Strings* sections)
{
// Parse into lines
bool envsection = true; // default is to read
OutBuffer buf;
bool eof = false;
for (size_t i = 0; i < length && !eof; i++)
{
Lstart:
size_t linestart = i;
for (; i < length; i++)
{
switch (buffer[i])
{
case '\r':
break;
case '\n':
// Skip if it was preceded by '\r'
if (i && buffer[i - 1] == '\r')
{
i++;
goto Lstart;
}
break;
case 0:
case 0x1A:
eof = true;
break;
default:
continue;
}
break;
}
buf.reset();
// First, expand the macros.
// Macros are bracketed by % characters.
for (size_t k = 0; k < i - linestart; k++)
{
// The line is buffer[linestart..i]
char* line = cast(char*)&buffer[linestart];
if (line[k] == '%')
{
for (size_t j = k + 1; j < i - linestart; j++)
{
if (line[j] != '%')
continue;
if (j - k == 3 && Port.memicmp(&line[k + 1], "@P", 2) == 0)
{
// %@P% is special meaning the path to the .ini file
const(char)* p = path;
if (!*p)
p = ".";
buf.writestring(p);
}
else
{
size_t len2 = j - k;
char* p = cast(char*)malloc(len2);
len2--;
memcpy(p, &line[k + 1], len2);
p[len2] = 0;
Port.strupr(p);
const(char)* penv = readFromEnv(environment, p);
if (penv)
buf.writestring(penv);
free(p);
}
k = j;
goto L1;
}
}
buf.writeByte(line[k]);
L1:
}
// Remove trailing spaces
while (buf.offset && isspace(buf.data[buf.offset - 1]))
buf.offset--;
char* p = buf.peekString();
// The expanded line is in p.
// Now parse it for meaning.
p = skipspace(p);
switch (*p)
{
case ';':
// comment
case 0:
// blank
break;
case '[':
// look for [Environment]
p = skipspace(p + 1);
char* pn;
for (pn = p; isalnum(cast(char)*pn); pn++)
{
}
if (*skipspace(pn) != ']')
{
// malformed [sectionname], so just say we're not in a section
envsection = false;
break;
}
/* Seach sectionnamev[] for p..pn and set envsection to true if it's there
*/
for (size_t j = 0; 1; ++j)
{
if (j == sections.dim)
{
// Didn't find it
envsection = false;
break;
}
const(char)* sectionname = (*sections)[j];
size_t len = strlen(sectionname);
if (pn - p == len && Port.memicmp(p, sectionname, len) == 0)
{
envsection = true;
break;
}
}
break;
default:
if (envsection)
{
char* pn = p;
// Convert name to upper case;
// remove spaces bracketing =
for (p = pn; *p; p++)
{
if (islower(cast(char)*p))
*p &= ~0x20;
else if (isspace(cast(char)*p))
{
memmove(p, p + 1, strlen(p));
p--;
}
else if (p[0] == '?' && p[1] == '=')
{
*p = '\0';
if (readFromEnv(environment, pn))
{
pn = null;
break;
}
// remove the '?' and resume parsing starting from
// '=' again so the regular variable format is
// parsed
memmove(p, p + 1, strlen(p + 1) + 1);
p--;
}
else if (*p == '=')
{
p++;
while (isspace(cast(char)*p))
memmove(p, p + 1, strlen(p));
break;
}
}
if (pn)
{
writeToEnv(environment, strdup(pn));
static if (LOG)
{
printf("\tputenv('%s')\n", pn);
//printf("getenv(\"TEST\") = '%s'\n",getenv("TEST"));
}
}
}
break;
}
}
}
/********************
* Skip spaces.
*/
extern (C++) char* skipspace(char* p)
{
while (isspace(cast(char)*p))
p++;
return p;
}
|
D
|
/Users/kk/Desktop/ACC/DerivedData/ACC/Build/Intermediates/ACC.build/Debug-iphoneos/ACC.build/Objects-normal/armv7/Gyroscop.o : /Users/kk/Desktop/ACC/ACC/Accelerometer.swift /Users/kk/Desktop/ACC/ACC/ViewController.swift /Users/kk/Desktop/ACC/ACC/Gyroscop.swift /Users/kk/Desktop/ACC/ACC/AppDelegate.swift /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreData.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/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreLocation.swiftmodule
/Users/kk/Desktop/ACC/DerivedData/ACC/Build/Intermediates/ACC.build/Debug-iphoneos/ACC.build/Objects-normal/armv7/Gyroscop~partial.swiftmodule : /Users/kk/Desktop/ACC/ACC/Accelerometer.swift /Users/kk/Desktop/ACC/ACC/ViewController.swift /Users/kk/Desktop/ACC/ACC/Gyroscop.swift /Users/kk/Desktop/ACC/ACC/AppDelegate.swift /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreData.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/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreLocation.swiftmodule
/Users/kk/Desktop/ACC/DerivedData/ACC/Build/Intermediates/ACC.build/Debug-iphoneos/ACC.build/Objects-normal/armv7/Gyroscop~partial.swiftdoc : /Users/kk/Desktop/ACC/ACC/Accelerometer.swift /Users/kk/Desktop/ACC/ACC/ViewController.swift /Users/kk/Desktop/ACC/ACC/Gyroscop.swift /Users/kk/Desktop/ACC/ACC/AppDelegate.swift /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreData.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/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreLocation.swiftmodule
|
D
|
/**
* A library bitfields utility
*
* Copyright: Copyright (C) 1999-2023 by The D Language Foundation, All Rights Reserved
* Authors: Dennis Korpel
* License: $(LINK2 https://www.boost.org/LICENSE_1_0.txt, Boost License 1.0)
* Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/common/bitfields.d, common/bitfields.d)
* Documentation: https://dlang.org/phobos/dmd_common_bitfields.html
* Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/common/bitfields.d
*/
module dmd.common.bitfields;
/**
* Generate code for bit fields inside a struct/class body
* Params:
* S = type of a struct with only boolean fields, which should become bit fields
* T = type of bit fields variable, must have enough bits to store all booleans
* Returns: D code with a bit fields variable and getter / setter functions
*/
extern (D) string generateBitFields(S, T)()
if (__traits(isUnsigned, T))
{
string result = "extern (C++) pure nothrow @nogc @safe final {";
enum structName = __traits(identifier, S);
string initialValue = "";
foreach (size_t i, mem; __traits(allMembers, S))
{
static assert(is(typeof(__traits(getMember, S, mem)) == bool));
static assert(i < T.sizeof * 8, "too many fields for bit field storage of type `"~T.stringof~"`");
enum mask = "(1 << "~i.stringof~")";
result ~= "
/// set or get the corresponding "~structName~" member
bool "~mem~"() const scope { return !!(bitFields & "~mask~"); }
/// ditto
bool "~mem~"(bool v)
{
v ? (bitFields |= "~mask~") : (bitFields &= ~"~mask~");
return v;
}";
initialValue = (__traits(getMember, S.init, mem) ? "1" : "0") ~ initialValue;
}
return result ~ "}\n private "~T.stringof~" bitFields = 0b" ~ initialValue ~ ";\n";
}
///
unittest
{
static struct B
{
bool x;
bool y;
bool z = 1;
}
static struct S
{
mixin(generateBitFields!(B, ubyte));
}
S s;
assert(!s.x);
s.x = true;
assert(s.x);
s.x = false;
assert(!s.x);
s.y = true;
assert(s.y);
assert(!s.x);
assert(s.z);
}
|
D
|
/Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/App.build/boot.swift.o : /Users/lb/Documents/Project/LearnVapor/Sources/App/configure.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/Models/Todo.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/app.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/Controllers/TodoController.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/routes.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/boot.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/SQL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/FluentSQL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOOpenSSL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOTLS.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/SQLite.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/FluentSQLite.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Authentication.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Validation.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 /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Vapor.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/WebSocket.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOWebSocket.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 /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/TemplateKit.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Fluent.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOSHA1/include/c_nio_sha1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/asn1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/tls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/md5.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509.h /usr/local/Cellar/libressl/2.7.4/include/openssl/sha.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rsa.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOZlib/include/c_nio_zlib.h /usr/local/Cellar/libressl/2.7.4/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/hmac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ec.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/cpp_magic.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rand.h /usr/local/Cellar/libressl/2.7.4/include/openssl/conf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/lhash.h /usr/local/Cellar/libressl/2.7.4/include/openssl/stack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/safestack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-ssl.git--4203122085816746094/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bn.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIODarwin/include/c_nio_darwin.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bio.h /usr/local/Cellar/libressl/2.7.4/include/openssl/crypto.h /usr/local/Cellar/libressl/2.7.4/include/openssl/srtp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/evp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.7.4/include/openssl/buffer.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.7.4/include/openssl/err.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/c-atomics.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.7.4/include/openssl/objects.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslv.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOLinux/include/c_nio_linux.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509_vfy.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-zlib-support.git--4783613459776704231/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-ssl-support.git--7591788603050871532/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CBase32/include/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CBcrypt/include/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/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/App.build/boot~partial.swiftmodule : /Users/lb/Documents/Project/LearnVapor/Sources/App/configure.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/Models/Todo.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/app.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/Controllers/TodoController.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/routes.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/boot.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/SQL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/FluentSQL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOOpenSSL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOTLS.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/SQLite.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/FluentSQLite.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Authentication.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Validation.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 /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Vapor.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/WebSocket.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOWebSocket.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 /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/TemplateKit.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Fluent.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOSHA1/include/c_nio_sha1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/asn1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/tls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/md5.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509.h /usr/local/Cellar/libressl/2.7.4/include/openssl/sha.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rsa.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOZlib/include/c_nio_zlib.h /usr/local/Cellar/libressl/2.7.4/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/hmac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ec.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/cpp_magic.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rand.h /usr/local/Cellar/libressl/2.7.4/include/openssl/conf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/lhash.h /usr/local/Cellar/libressl/2.7.4/include/openssl/stack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/safestack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-ssl.git--4203122085816746094/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bn.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIODarwin/include/c_nio_darwin.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bio.h /usr/local/Cellar/libressl/2.7.4/include/openssl/crypto.h /usr/local/Cellar/libressl/2.7.4/include/openssl/srtp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/evp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.7.4/include/openssl/buffer.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.7.4/include/openssl/err.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/c-atomics.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.7.4/include/openssl/objects.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslv.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOLinux/include/c_nio_linux.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509_vfy.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-zlib-support.git--4783613459776704231/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-ssl-support.git--7591788603050871532/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CBase32/include/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CBcrypt/include/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/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/App.build/boot~partial.swiftdoc : /Users/lb/Documents/Project/LearnVapor/Sources/App/configure.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/Models/Todo.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/app.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/Controllers/TodoController.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/routes.swift /Users/lb/Documents/Project/LearnVapor/Sources/App/boot.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/SQL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/FluentSQL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOOpenSSL.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOTLS.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/SQLite.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/FluentSQLite.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/URLEncodedForm.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Authentication.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Validation.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 /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Vapor.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/WebSocket.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOWebSocket.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 /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/TemplateKit.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Fluent.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOSHA1/include/c_nio_sha1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/asn1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/tls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem2.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.7.4/include/openssl/md5.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509.h /usr/local/Cellar/libressl/2.7.4/include/openssl/sha.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rsa.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOZlib/include/c_nio_zlib.h /usr/local/Cellar/libressl/2.7.4/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/hmac.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ec.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/cpp_magic.h /usr/local/Cellar/libressl/2.7.4/include/openssl/rand.h /usr/local/Cellar/libressl/2.7.4/include/openssl/conf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.7.4/include/openssl/dh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.7.4/include/openssl/lhash.h /usr/local/Cellar/libressl/2.7.4/include/openssl/stack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/safestack.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ssl.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-ssl.git--4203122085816746094/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.7.4/include/openssl/pem.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bn.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIODarwin/include/c_nio_darwin.h /usr/local/Cellar/libressl/2.7.4/include/openssl/bio.h /usr/local/Cellar/libressl/2.7.4/include/openssl/crypto.h /usr/local/Cellar/libressl/2.7.4/include/openssl/srtp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/evp.h /usr/local/Cellar/libressl/2.7.4/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.7.4/include/openssl/buffer.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /usr/local/Cellar/libressl/2.7.4/include/openssl/err.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/c-atomics.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.7.4/include/openssl/objects.h /usr/local/Cellar/libressl/2.7.4/include/openssl/opensslv.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOLinux/include/c_nio_linux.h /usr/local/Cellar/libressl/2.7.4/include/openssl/x509_vfy.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-zlib-support.git--4783613459776704231/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-ssl-support.git--7591788603050871532/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CBase32/include/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/checkouts/crypto.git--6549914863907898371/Sources/CBcrypt/include/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
|
struct Item { string name; int weight, value; }
immutable Item[] items = [
{"apple", 39, 40}, {"banana", 27, 60},
{"beer", 52, 10}, {"book", 30, 10},
{"camera", 32, 30}, {"cheese", 23, 30},
{"compass", 13, 35}, {"glucose", 15, 60},
{"map", 9, 150}, {"note-case", 22, 80},
{"sandwich", 50, 160}, {"socks", 4, 50},
{"sunglasses", 7, 20}, {"suntan cream", 11, 70},
{"t-shirt", 24, 15}, {"tin", 68, 45},
{"towel", 18, 12}, {"trousers", 48, 10},
{"umbrella", 73, 40}, {"water", 153, 200},
{"waterproof overclothes", 43, 75},
{"waterproof trousers", 42, 70}];
struct Solution { uint bits; int value; }
static assert(items.length <= Solution.bits.sizeof * 8);
void solve(in int weight, in int idx, ref Solution s)
pure nothrow @nogc @safe {
if (idx < 0) {
s.bits = s.value = 0;
return;
}
if (weight < items[idx].weight) {
solve(weight, idx - 1, s);
return;
}
Solution v1, v2;
solve(weight, idx - 1, v1);
solve(weight - items[idx].weight, idx - 1, v2);
v2.value += items[idx].value;
v2.bits |= (1 << idx);
s = (v1.value >= v2.value) ? v1 : v2;
}
void main() @safe {
import std.stdio;
auto s = Solution(0, 0);
solve(400, items.length - 1, s);
writeln("Items:");
int w = 0;
foreach (immutable i, immutable it; items)
if (s.bits & (1 << i)) {
writeln(" ", it.name);
w += it.weight;
}
writefln("\nTotal value: %d; weight: %d", s.value, w);
}
|
D
|
/home/zbf/workspace/git/RTAP/target/debug/deps/uuid-a575efa99d8f95e3.rmeta: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/adapter/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/adapter/core_support/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/builder.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/core_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/std_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/prelude.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/core_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/std_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/v4.rs
/home/zbf/workspace/git/RTAP/target/debug/deps/libuuid-a575efa99d8f95e3.rlib: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/adapter/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/adapter/core_support/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/builder.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/core_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/std_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/prelude.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/core_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/std_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/v4.rs
/home/zbf/workspace/git/RTAP/target/debug/deps/uuid-a575efa99d8f95e3.d: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/adapter/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/adapter/core_support/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/builder.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/mod.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/core_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/std_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/prelude.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/core_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/std_support.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/v4.rs
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/lib.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/adapter/mod.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/adapter/core_support/mod.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/builder.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/mod.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/core_support.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/parser/std_support.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/prelude.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/core_support.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/std_support.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/uuid-0.7.4/src/v4.rs:
|
D
|
# FIXED
source/NFC-A.obj: ../source/NFC-A.c
source/NFC-A.obj: C:/ti/ccsv7/ccs_base/msp430/include/msp430.h
source/NFC-A.obj: C:/ti/ccsv7/ccs_base/msp430/include/msp430fr5994.h
source/NFC-A.obj: C:/ti/ccsv7/ccs_base/msp430/include/in430.h
source/NFC-A.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-msp430_16.9.4.LTS/include/intrinsics.h
source/NFC-A.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-msp430_16.9.4.LTS/include/intrinsics_legacy_undefs.h
source/NFC-A.obj: C:/ti/ccsv7/ccs_base/msp430/include/legacy.h
source/NFC-A.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-msp430_16.9.4.LTS/include/stdbool.h
source/NFC-A.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-msp430_16.9.4.LTS/include/stdint.h
source/NFC-A.obj: C:/Users/Nathaniel/workspace_v7/DLP_7970ABP/headers/mcu.h
source/NFC-A.obj: C:/Users/Nathaniel/workspace_v7/DLP_7970ABP/headers/spi.h
source/NFC-A.obj: C:/Users/Nathaniel/workspace_v7/DLP_7970ABP/headers/NFC-A.h
source/NFC-A.obj: C:/Users/Nathaniel/workspace_v7/DLP_7970ABP/headers/timer.h
../source/NFC-A.c:
C:/ti/ccsv7/ccs_base/msp430/include/msp430.h:
C:/ti/ccsv7/ccs_base/msp430/include/msp430fr5994.h:
C:/ti/ccsv7/ccs_base/msp430/include/in430.h:
C:/ti/ccsv7/tools/compiler/ti-cgt-msp430_16.9.4.LTS/include/intrinsics.h:
C:/ti/ccsv7/tools/compiler/ti-cgt-msp430_16.9.4.LTS/include/intrinsics_legacy_undefs.h:
C:/ti/ccsv7/ccs_base/msp430/include/legacy.h:
C:/ti/ccsv7/tools/compiler/ti-cgt-msp430_16.9.4.LTS/include/stdbool.h:
C:/ti/ccsv7/tools/compiler/ti-cgt-msp430_16.9.4.LTS/include/stdint.h:
C:/Users/Nathaniel/workspace_v7/DLP_7970ABP/headers/mcu.h:
C:/Users/Nathaniel/workspace_v7/DLP_7970ABP/headers/spi.h:
C:/Users/Nathaniel/workspace_v7/DLP_7970ABP/headers/NFC-A.h:
C:/Users/Nathaniel/workspace_v7/DLP_7970ABP/headers/timer.h:
|
D
|
instance DIA_MELVIN_EXIT(C_INFO)
{
npc = vlk_582_melvin;
nr = 999;
condition = dia_melvin_exit_condition;
information = dia_melvin_exit_info;
permanent = 1;
description = DIALOG_ENDE;
};
func int dia_melvin_exit_condition()
{
return 1;
};
func void dia_melvin_exit_info()
{
AI_StopProcessInfos(self);
};
instance DIA_MELVIN_HELLO(C_INFO)
{
npc = vlk_582_melvin;
nr = 1;
condition = dia_melvin_hello_condition;
information = dia_melvin_hello_info;
permanent = 0;
description = "Привет! Ты не похож на послушника. Ты из этого лагеря?";
};
func int dia_melvin_hello_condition()
{
if(KAPITEL < 4)
{
return 1;
};
};
func void dia_melvin_hello_info()
{
AI_Output(other,self,"DIA_Melvin_Hello_15_00"); //Привет! Ты не похож на послушника. Ты из этого лагеря?
AI_Output(self,other,"DIA_Melvin_Hello_03_01"); //Да! Неделя прошла с тех пор, как я покинул Старый лагерь. Я предлагал моему другу Дасти пойти со мной, он засомневался и сказал, что подождет еще немного.
GETNEWGUY_STARTED = TRUE;
Log_CreateTopic(CH1_RECRUITDUSTY,LOG_MISSION);
Log_SetTopicStatus(CH1_RECRUITDUSTY,LOG_RUNNING);
b_logentry(CH1_RECRUITDUSTY,"Рудокоп Мелвин присоединился к Братству. Его друг Дасти остался в Старом лагере. Но он постоянно думает о том, чтобы тоже уйти в Болотный лагерь.");
};
instance DIA_MELVIN_METDUSTY(C_INFO)
{
npc = vlk_582_melvin;
nr = 1;
condition = dia_melvin_metdusty_condition;
information = dia_melvin_metdusty_info;
permanent = 0;
description = "Я знаю Дасти. Разговаривал с ним совсем недавно.";
};
func int dia_melvin_metdusty_condition()
{
var C_NPC dusty;
dusty = Hlp_GetNpc(vlk_524_dusty);
if(Npc_KnowsInfo(hero,dia_melvin_hello) && (Npc_GetDistToWP(dusty,"PSI_12_HUT_EX_TEACH2") >= 1000) && (GETNEWGUY_DUSTY_JOINED == FALSE) && Npc_KnowsInfo(hero,dia_dusty_hello))
{
return 1;
};
};
func void dia_melvin_metdusty_info()
{
AI_Output(other,self,"DIA_Melvin_MetDusty_15_00"); //Я знаю Дасти. Разговаривал с ним совсем недавно.
AI_Output(self,other,"DIA_Melvin_MetDusty_03_01"); //Если ты увидишь его, передай, что он зря остался там. Здесь же гораздо лучше, чем в Старом лагере, где стражники издеваются над бедными рудокопами. Надеюсь, ему тоже здесь понравится.
AI_Output(other,self,"DIA_Melvin_MetDusty_15_02"); //Ну, если увижу, передам, конечно.
};
instance DIA_MELVIN_METDUSTY2(C_INFO)
{
npc = vlk_582_melvin;
nr = 1;
condition = dia_melvin_metdusty2_condition;
information = dia_melvin_metdusty2_info;
permanent = 0;
description = "Cо мной пришел человек...";
};
func int dia_melvin_metdusty2_condition()
{
var C_NPC dusty;
dusty = Hlp_GetNpc(vlk_524_dusty);
if(!Npc_KnowsInfo(hero,dia_baaltondral_loyality) && (Npc_GetDistToWP(dusty,"PSI_12_HUT_EX_TEACH2") < 1000) && (GETNEWGUY_DUSTY_JOINED == FALSE) && Npc_KnowsInfo(hero,dia_melvin_hello))
{
return 1;
};
};
func void dia_melvin_metdusty2_info()
{
var C_NPC dusty;
dusty = Hlp_GetNpc(vlk_524_dusty);
dusty.aivar[AIV_PARTYMEMBER] = FALSE;
dusty.flags = 0;
AI_Output(other,self,"DIA_Melvin_MetDusty_15_03"); //Cо мной пришел человек...
AI_Output(self,other,"SVM_3_YeahWellDone"); //Да! Отлично!
if(c_bodystatecontains(self,BS_SIT))
{
AI_Standup(self);
c_stoplookat(self);
};
AI_TurnToNPC(self,dusty);
AI_PlayAni(self,"T_COMEOVERHERE");
AI_Output(self,NULL,"SVM_3_SectGreetings"); //Пробудись!
b_logentry(CH1_RECRUITDUSTY,"Дасти присоединился к Болотному лагерю. Я выполнил свое задание.");
Log_SetTopicStatus(CH1_RECRUITDUSTY,LOG_SUCCESS);
b_givexp(XP_DELIVEREDDUSTY);
GETNEWGUY_DUSTY_JOINED = TRUE;
GETNEWGUY_STARTED = LOG_SUCCESS;
dusty.guild = GIL_NOV;
Npc_SetTrueGuild(dusty,GIL_NOV);
AI_StopProcessInfos(self);
};
|
D
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.