code
stringlengths 3
10M
| language
stringclasses 31
values |
|---|---|
// Written in the D programming language.
/**
This module contains opengl based drawing buffer implementation.
To enable OpenGL support, build with version(USE_OPENGL);
Synopsis:
----
import dlangui.graphics.gldrawbuf;
----
Copyright: Vadim Lopatin, 2014
License: Boost License 1.0
Authors: Vadim Lopatin, coolreader.org@gmail.com
*/
module dlangui.graphics.gldrawbuf;
version (USE_OPENGL) {
import dlangui.graphics.drawbuf;
import dlangui.core.logger;
private import dlangui.graphics.glsupport;
private import std.algorithm;
/// drawing buffer - image container which allows to perform some drawing operations
class GLDrawBuf : DrawBuf {
// width
protected int _dx;
// height
protected int _dy;
protected bool _framebuffer; // not yet supported
protected uint _framebufferId; // not yet supported
protected Scene _scene;
/// get current scene (exists only between beforeDrawing() and afterDrawing() calls)
@property Scene scene() { return _scene; }
this(int dx, int dy, bool framebuffer = false) {
_dx = dx;
_dy = dy;
_framebuffer = framebuffer;
}
/// returns current width
@property override int width() { return _dx; }
/// returns current height
@property override int height() { return _dy; }
/// reserved for hardware-accelerated drawing - begins drawing batch
override void beforeDrawing() {
_alpha = 0;
if (_scene !is null) {
_scene.reset();
}
_scene = new Scene();
}
/// reserved for hardware-accelerated drawing - ends drawing batch
override void afterDrawing() {
setOrthoProjection(_dx, _dy);
_scene.draw();
flushGL();
destroy(_scene);
_scene = null;
}
/// resize buffer
override void resize(int width, int height) {
_dx = width;
_dy = height;
}
/// fill the whole buffer with solid color (no clipping applied)
override void fill(uint color) {
assert(_scene !is null);
_scene.add(new SolidRectSceneItem(Rect(0, 0, _dx, _dy), applyAlpha(color)));
}
/// fill rectangle with solid color (clipping is applied)
override void fillRect(Rect rc, uint color) {
assert(_scene !is null);
_scene.add(new SolidRectSceneItem(rc, applyAlpha(color)));
}
/// draw 8bit alpha image - usually font glyph using specified color (clipping is applied)
override void drawGlyph(int x, int y, Glyph * glyph, uint color) {
assert(_scene !is null);
Rect dstrect = Rect(x,y, x + glyph.blackBoxX, y + glyph.blackBoxY);
Rect srcrect = Rect(0, 0, glyph.blackBoxX, glyph.blackBoxY);
//Log.v("GLDrawBuf.drawGlyph dst=", dstrect, " src=", srcrect, " color=", color);
if (applyClipping(dstrect, srcrect)) {
if (!glGlyphCache.get(glyph.id))
glGlyphCache.put(glyph);
_scene.add(new GlyphSceneItem(glyph.id, dstrect, srcrect, applyAlpha(color), null));
}
}
/// draw source buffer rectangle contents to destination buffer
override void drawFragment(int x, int y, DrawBuf src, Rect srcrect) {
assert(_scene !is null);
Rect dstrect = Rect(x, y, x + srcrect.width, y + srcrect.height);
//Log.v("GLDrawBuf.frawFragment dst=", dstrect, " src=", srcrect);
if (applyClipping(dstrect, srcrect)) {
if (!glImageCache.get(src.id))
glImageCache.put(src);
_scene.add(new TextureSceneItem(src.id, dstrect, srcrect, applyAlpha(0xFFFFFF), 0, null, 0));
}
}
/// draw source buffer rectangle contents to destination buffer rectangle applying rescaling
override void drawRescaled(Rect dstrect, DrawBuf src, Rect srcrect) {
assert(_scene !is null);
//Log.v("GLDrawBuf.frawRescaled dst=", dstrect, " src=", srcrect);
if (applyClipping(dstrect, srcrect)) {
if (!glImageCache.get(src.id))
glImageCache.put(src);
_scene.add(new TextureSceneItem(src.id, dstrect, srcrect, applyAlpha(0xFFFFFF), 0, null, 0));
}
}
/// cleanup resources
override void clear() {
if (_framebuffer) {
// TODO: delete framebuffer
}
}
~this() { clear(); }
}
/// base class for all drawing scene items.
class SceneItem {
abstract void draw();
}
/// Drawing scene (operations sheduled for drawing)
class Scene {
private SceneItem[] _items;
this() {
activeSceneCount++;
}
~this() {
activeSceneCount--;
}
/// add new scene item to scene
void add(SceneItem item) {
_items ~= item;
}
/// draws all scene items and removes them from list
void draw() {
foreach(SceneItem item; _items)
item.draw();
reset();
}
/// resets scene for new drawing - deletes all items
void reset() {
foreach(ref SceneItem item; _items) {
destroy(item);
item = null;
}
_items.length = 0;
}
}
private __gshared int activeSceneCount = 0;
bool hasActiveScene() {
return activeSceneCount > 0;
}
immutable int MIN_TEX_SIZE = 64;
immutable int MAX_TEX_SIZE = 4096;
private int nearestPOT(int n) {
for (int i = MIN_TEX_SIZE; i <= MAX_TEX_SIZE; i *= 2) {
if (n <= i)
return i;
}
return MIN_TEX_SIZE;
}
/// object deletion listener callback function type
void onObjectDestroyedCallback(uint pobject) {
glImageCache.onCachedObjectDeleted(pobject);
}
/// object deletion listener callback function type
void onGlyphDestroyedCallback(uint pobject) {
glGlyphCache.onCachedObjectDeleted(pobject);
}
private __gshared GLImageCache glImageCache;
private __gshared GLGlyphCache glGlyphCache;
shared static this() {
glImageCache = new GLImageCache();
glGlyphCache = new GLGlyphCache();
}
void LVGLClearImageCache() {
glImageCache.clear();
glGlyphCache.clear();
}
/// OpenGL texture cache for ColorDrawBuf objects
private class GLImageCache {
static class GLImageCacheItem {
private GLImageCachePage _page;
@property GLImageCachePage page() { return _page; }
uint _objectId;
Rect _rc;
bool _deleted;
this(GLImageCachePage page, uint objectId) { _page = page; _objectId = objectId; }
};
static class GLImageCachePage {
private GLImageCache _cache;
private int _tdx;
private int _tdy;
private ColorDrawBuf _drawbuf;
private int _currentLine;
private int _nextLine;
private int _x;
private bool _closed;
private bool _needUpdateTexture;
private uint _textureId;
private int _itemCount;
this(GLImageCache cache, int dx, int dy) {
_cache = cache;
Log.v("created image cache page ", dx, "x", dy);
_tdx = nearestPOT(dx);
_tdy = nearestPOT(dy);
_itemCount = 0;
}
~this() {
if (_drawbuf) {
destroy(_drawbuf);
_drawbuf = null;
}
if (_textureId != 0) {
deleteTexture(_textureId);
_textureId = 0;
}
}
void updateTexture() {
if (_drawbuf is null)
return; // no draw buffer!!!
if (_textureId == 0) {
//CRLog::debug("updateTexture - new texture");
_textureId = genTexture();
if (!_textureId)
return;
}
//CRLog::debug("updateTexture - setting image %dx%d", _drawbuf.width, _drawbuf.height);
uint * pixels = _drawbuf.scanLine(0);
if (!setTextureImage(_textureId, _drawbuf.width, _drawbuf.height, cast(ubyte*)pixels)) {
deleteTexture(_textureId);
_textureId = 0;
return;
}
_needUpdateTexture = false;
if (_closed) {
destroy(_drawbuf);
_drawbuf = null;
}
}
void convertPixelFormat(GLImageCacheItem item) {
Rect rc = item._rc;
for (int y = rc.top - 1; y <= rc.bottom; y++) {
uint * row = _drawbuf.scanLine(y);
for (int x = rc.left - 1; x <= rc.right; x++) {
uint cl = row[x];
// invert A
cl ^= 0xFF000000;
// swap R and B
uint r = (cl & 0x00FF0000) >> 16;
uint b = (cl & 0x000000FF) << 16;
row[x] = (cl & 0xFF00FF00) | r | b;
}
}
}
GLImageCacheItem reserveSpace(uint objectId, int width, int height) {
GLImageCacheItem cacheItem = new GLImageCacheItem(this, objectId);
if (_closed)
return null;
// next line if necessary
if (_x + width + 2 > _tdx) {
// move to next line
_currentLine = _nextLine;
_x = 0;
}
// check if no room left for glyph height
if (_currentLine + height + 2 > _tdy) {
_closed = true;
return null;
}
cacheItem._rc = Rect(_x + 1, _currentLine + 1, _x + width + 1, _currentLine + height + 1);
if (height && width) {
if (_nextLine < _currentLine + height + 2)
_nextLine = _currentLine + height + 2;
if (!_drawbuf) {
_drawbuf = new ColorDrawBuf(_tdx, _tdy);
//_drawbuf.SetBackgroundColor(0x000000);
//_drawbuf.SetTextColor(0xFFFFFF);
_drawbuf.fill(0xFF000000);
}
_x += width + 1;
_needUpdateTexture = true;
}
_itemCount++;
return cacheItem;
}
int deleteItem(GLImageCacheItem item) {
_itemCount--;
return _itemCount;
}
GLImageCacheItem addItem(DrawBuf buf) {
GLImageCacheItem cacheItem = reserveSpace(buf.id, buf.width, buf.height);
if (cacheItem is null)
return null;
buf.onDestroyCallback = &onObjectDestroyedCallback;
_drawbuf.drawImage(cacheItem._rc.left, cacheItem._rc.top, buf);
convertPixelFormat(cacheItem);
_needUpdateTexture = true;
return cacheItem;
}
void drawItem(GLImageCacheItem item, Rect dstrc, Rect srcrc, uint color, uint options, Rect * clip, int rotationAngle) {
//CRLog::trace("drawing item at %d,%d %dx%d <= %d,%d %dx%d ", x, y, dx, dy, srcx, srcy, srcdx, srcdy);
if (_needUpdateTexture)
updateTexture();
if (_textureId != 0) {
if (!isTexture(_textureId)) {
Log.e("Invalid texture ", _textureId);
return;
}
//rotationAngle = 0;
int rx = dstrc.middlex;
int ry = dstrc.middley;
if (rotationAngle) {
//rotationAngle = 0;
//setRotation(rx, ry, rotationAngle);
}
// convert coordinates to cached texture
srcrc.offset(item._rc.left, item._rc.top);
if (clip) {
int srcw = srcrc.width();
int srch = srcrc.height();
int dstw = dstrc.width();
int dsth = dstrc.height();
if (dstw) {
srcrc.left += clip.left * srcw / dstw;
srcrc.right -= clip.right * srcw / dstw;
}
if (dsth) {
srcrc.top += clip.top * srch / dsth;
srcrc.bottom -= clip.bottom * srch / dsth;
}
dstrc.left += clip.left;
dstrc.right -= clip.right;
dstrc.top += clip.top;
dstrc.bottom -= clip.bottom;
}
if (!dstrc.empty)
drawColorAndTextureRect(_textureId, _tdx, _tdy, srcrc, dstrc, color, srcrc.width() != dstrc.width() || srcrc.height() != dstrc.height());
//drawColorAndTextureRect(vertices, texcoords, color, _textureId);
if (rotationAngle) {
// unset rotation
setRotation(rx, ry, 0);
// glMatrixMode(GL_PROJECTION);
// glPopMatrix();
// checkError("pop matrix");
}
}
}
void close() {
_closed = true;
if (_needUpdateTexture)
updateTexture();
}
}
private GLImageCacheItem[uint] _map;
private GLImageCachePage[] _pages;
private GLImageCachePage _activePage;
private int tdx;
private int tdy;
private void removePage(GLImageCachePage page) {
if (_activePage == page)
_activePage = null;
for (int i = 0; i < _pages.length; i++)
if (_pages[i] == page) {
_pages.remove(i);
break;
}
destroy(page);
}
private void updateTextureSize() {
if (!tdx) {
// TODO
tdx = tdy = 1024; //getMaxTextureSize();
if (tdx > 1024)
tdx = tdy = 1024;
}
}
this() {
}
~this() {
clear();
}
/// returns true if object exists in cache
bool get(uint obj) {
if (obj in _map)
return true;
return false;
}
/// put new object to cache
void put(DrawBuf img) {
updateTextureSize();
GLImageCacheItem res = null;
if (img.width <= tdx / 3 && img.height < tdy / 3) {
// trying to reuse common page for small images
if (_activePage is null) {
_activePage = new GLImageCachePage(this, tdx, tdy);
_pages ~= _activePage;
}
res = _activePage.addItem(img);
if (!res) {
_activePage = new GLImageCachePage(this, tdx, tdy);
_pages ~= _activePage;
res = _activePage.addItem(img);
}
} else {
// use separate page for big image
GLImageCachePage page = new GLImageCachePage(this, img.width, img.height);
_pages ~= page;
res = page.addItem(img);
page.close();
}
_map[img.id] = res;
}
/// clears cache
void clear() {
for (int i = 0; i < _pages.length; i++) {
destroy(_pages[i]);
_pages[i] = null;
}
_pages.clear();
_map.clear();
}
/// draw cached item
void drawItem(uint objectId, Rect dstrc, Rect srcrc, uint color, int options, Rect * clip, int rotationAngle) {
if (objectId in _map) {
GLImageCacheItem item = _map[objectId];
item.page.drawItem(item, dstrc, srcrc, color, options, clip, rotationAngle);
}
}
/// handle cached object deletion, mark as deleted
void onCachedObjectDeleted(uint objectId) {
if (objectId in _map) {
GLImageCacheItem item = _map[objectId];
if (hasActiveScene()) {
item._deleted = true;
} else {
int itemsLeft = item.page.deleteItem(item);
//CRLog::trace("itemsLeft = %d", itemsLeft);
if (itemsLeft <= 0) {
//CRLog::trace("removing page");
removePage(item.page);
}
_map.remove(objectId);
delete item;
}
}
}
/// remove deleted items - remove page if contains only deleted items
void removeDeletedItems() {
uint[] list;
foreach (GLImageCacheItem item; _map) {
if (item._deleted)
list ~= item._objectId;
}
for (int i = 0 ; i < list.length; i++) {
onCachedObjectDeleted(list[i]);
}
}
};
private class TextureSceneItem : SceneItem {
private uint objectId;
//CacheableObject * img;
private Rect dstrc;
private Rect srcrc;
private uint color;
private uint options;
private Rect * clip;
private int rotationAngle;
override void draw() {
if (glImageCache)
glImageCache.drawItem(objectId, dstrc, srcrc, color, options, clip, rotationAngle);
}
this(uint _objectId, Rect _dstrc, Rect _srcrc, uint _color, uint _options, Rect * _clip, int _rotationAngle)
{
objectId = _objectId;
dstrc = _dstrc;
srcrc = _srcrc;
color = _color;
options = _options;
clip = _clip;
rotationAngle = _rotationAngle;
}
~this() {
}
};
/// by some reason ALPHA texture does not work as expected
private immutable USE_RGBA_TEXTURE_FOR_GLYPHS = true;
private class GLGlyphCache {
static class GLGlyphCacheItem {
GLGlyphCachePage _page;
public:
@property GLGlyphCachePage page() { return _page; }
uint _objectId;
// image size
Rect _rc;
bool _deleted;
this(GLGlyphCachePage page, uint objectId) { _page = page; _objectId = objectId; }
};
static class GLGlyphCachePage {
private GLGlyphCache _cache;
private int _tdx;
private int _tdy;
private GrayDrawBuf _drawbuf;
private int _currentLine;
private int _nextLine;
private int _x;
private bool _closed;
private bool _needUpdateTexture;
private uint _textureId;
private int _itemCount;
this(GLGlyphCache cache, int dx, int dy) {
_cache = cache;
Log.v("created image cache page ", dx, "x", dy);
_tdx = nearestPOT(dx);
_tdy = nearestPOT(dy);
_itemCount = 0;
}
~this() {
if (_drawbuf) {
destroy(_drawbuf);
_drawbuf = null;
}
if (_textureId != 0) {
deleteTexture(_textureId);
_textureId = 0;
}
}
static if (USE_RGBA_TEXTURE_FOR_GLYPHS) {
uint[] _rgbaBuffer;
}
void updateTexture() {
if (_drawbuf is null)
return; // no draw buffer!!!
if (_textureId == 0) {
//CRLog::debug("updateTexture - new texture");
_textureId = genTexture();
if (!_textureId)
return;
}
//CRLog::debug("updateTexture - setting image %dx%d", _drawbuf.width, _drawbuf.height);
ubyte * pixels = _drawbuf.scanLine(0);
static if (USE_RGBA_TEXTURE_FOR_GLYPHS) {
int len = _drawbuf.width * _drawbuf.height;
_rgbaBuffer.length = len;
for (int i = 0; i < len; i++)
_rgbaBuffer[i] = ((cast(uint)pixels[i]) << 24) | 0x00FFFFFF;
if (!setTextureImage(_textureId, _drawbuf.width, _drawbuf.height, cast(ubyte*)_rgbaBuffer.ptr)) {
deleteTexture(_textureId);
_textureId = 0;
return;
}
} else {
if (!setTextureImageAlpha(_textureId, _drawbuf.width, _drawbuf.height, pixels)) {
deleteTexture(_textureId);
_textureId = 0;
return;
}
}
_needUpdateTexture = false;
if (_closed) {
destroy(_drawbuf);
_drawbuf = null;
}
}
GLGlyphCacheItem reserveSpace(uint objectId, int width, int height) {
GLGlyphCacheItem cacheItem = new GLGlyphCacheItem(this, objectId);
if (_closed)
return null;
// next line if necessary
if (_x + width + 2 > _tdx) {
// move to next line
_currentLine = _nextLine;
_x = 0;
}
// check if no room left for glyph height
if (_currentLine + height + 2 > _tdy) {
_closed = true;
return null;
}
cacheItem._rc = Rect(_x + 1, _currentLine + 1, _x + width + 1, _currentLine + height + 1);
if (height && width) {
if (_nextLine < _currentLine + height + 2)
_nextLine = _currentLine + height + 2;
if (!_drawbuf) {
_drawbuf = new GrayDrawBuf(_tdx, _tdy);
//_drawbuf.SetBackgroundColor(0x000000);
//_drawbuf.SetTextColor(0xFFFFFF);
_drawbuf.fill(0x00000000);
}
_x += width + 1;
_needUpdateTexture = true;
}
_itemCount++;
return cacheItem;
}
int deleteItem(GLGlyphCacheItem item) {
_itemCount--;
return _itemCount;
}
GLGlyphCacheItem addItem(Glyph * glyph) {
GLGlyphCacheItem cacheItem = reserveSpace(glyph.id, glyph.blackBoxX, glyph.blackBoxY);
if (cacheItem is null)
return null;
_drawbuf.drawGlyph(cacheItem._rc.left, cacheItem._rc.top, glyph, 0xFFFFFF);
_needUpdateTexture = true;
return cacheItem;
}
void drawItem(GLGlyphCacheItem item, Rect dstrc, Rect srcrc, uint color, Rect * clip) {
//CRLog::trace("drawing item at %d,%d %dx%d <= %d,%d %dx%d ", x, y, dx, dy, srcx, srcy, srcdx, srcdy);
if (_needUpdateTexture)
updateTexture();
if (_textureId != 0) {
if (!isTexture(_textureId)) {
Log.e("Invalid texture ", _textureId);
return;
}
// convert coordinates to cached texture
srcrc.offset(item._rc.left, item._rc.top);
if (clip) {
int srcw = srcrc.width();
int srch = srcrc.height();
int dstw = dstrc.width();
int dsth = dstrc.height();
if (dstw) {
srcrc.left += clip.left * srcw / dstw;
srcrc.right -= clip.right * srcw / dstw;
}
if (dsth) {
srcrc.top += clip.top * srch / dsth;
srcrc.bottom -= clip.bottom * srch / dsth;
}
dstrc.left += clip.left;
dstrc.right -= clip.right;
dstrc.top += clip.top;
dstrc.bottom -= clip.bottom;
}
if (!dstrc.empty) {
//Log.d("drawing glyph with color ", color);
drawColorAndTextureRect(_textureId, _tdx, _tdy, srcrc, dstrc, color, false);
}
}
}
void close() {
_closed = true;
if (_needUpdateTexture)
updateTexture();
static if (USE_RGBA_TEXTURE_FOR_GLYPHS) {
_rgbaBuffer = null;
}
}
}
GLGlyphCacheItem[uint] _map;
GLGlyphCachePage[] _pages;
GLGlyphCachePage _activePage;
int tdx;
int tdy;
void removePage(GLGlyphCachePage page) {
if (_activePage == page)
_activePage = null;
for (int i = 0; i < _pages.length; i++)
if (_pages[i] == page) {
_pages.remove(i);
break;
}
destroy(page);
}
private void updateTextureSize() {
if (!tdx) {
// TODO
tdx = tdy = 1024; //getMaxTextureSize();
if (tdx > 1024)
tdx = tdy = 1024;
}
}
this() {
}
~this() {
clear();
}
/// check if item is in cache
bool get(uint obj) {
if (obj in _map)
return true;
return false;
}
/// put new item to cache
void put(Glyph * glyph) {
updateTextureSize();
GLGlyphCacheItem res = null;
if (_activePage is null) {
_activePage = new GLGlyphCachePage(this, tdx, tdy);
_pages ~= _activePage;
}
res = _activePage.addItem(glyph);
if (!res) {
_activePage = new GLGlyphCachePage(this, tdx, tdy);
_pages ~= _activePage;
res = _activePage.addItem(glyph);
}
_map[glyph.id] = res;
}
void clear() {
for (int i = 0; i < _pages.length; i++) {
destroy(_pages[i]);
_pages[i] = null;
}
_pages.clear();
_map.clear();
}
/// draw cached item
void drawItem(uint objectId, Rect dstrc, Rect srcrc, uint color, Rect * clip) {
GLGlyphCacheItem * item = objectId in _map;
if (item)
item.page.drawItem(*item, dstrc, srcrc, color, clip);
}
/// handle cached object deletion, mark as deleted
void onCachedObjectDeleted(uint objectId) {
if (objectId in _map) {
GLGlyphCacheItem item = _map[objectId];
if (hasActiveScene()) {
item._deleted = true;
} else {
int itemsLeft = item.page.deleteItem(item);
//CRLog::trace("itemsLeft = %d", itemsLeft);
if (itemsLeft <= 0) {
//CRLog::trace("removing page");
removePage(item.page);
}
_map.remove(objectId);
delete item;
}
}
}
/// remove deleted items - remove page if contains only deleted items
void removeDeletedItems() {
uint[] list;
foreach (GLGlyphCacheItem item; _map) {
if (item._deleted)
list ~= item._objectId;
}
for (int i = 0 ; i < list.length; i++) {
onCachedObjectDeleted(list[i]);
}
}
};
class SolidRectSceneItem : SceneItem {
Rect _rc;
uint _color;
this(Rect rc, uint color) {
_rc = rc;
_color = color;
}
override void draw() {
drawSolidFillRect(_rc, _color, _color, _color, _color);
}
}
private class GlyphSceneItem : SceneItem {
uint objectId;
Rect dstrc;
Rect srcrc;
uint color;
Rect * clip;
public:
override void draw() {
if (glGlyphCache)
glGlyphCache.drawItem(objectId, dstrc, srcrc, color, clip);
}
this(uint _objectId, Rect _dstrc, Rect _srcrc, uint _color, Rect * _clip)
{
objectId = _objectId;
dstrc = _dstrc;
srcrc = _srcrc;
color = _color;
clip = _clip;
}
~this() {
}
}
}
|
D
|
/Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/SessionDelegate.o : /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Image.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Filter.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Result.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Accelerate.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/os.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Kingfisher.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/SessionDelegate~partial.swiftmodule : /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Image.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Filter.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Result.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Accelerate.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/os.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Kingfisher.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/SessionDelegate~partial.swiftdoc : /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Image.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Filter.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Result.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Accelerate.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/os.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Kingfisher.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/**
* Contains all implicitly declared types and variables.
*
* Copyright: Copyright Digital Mars 2000 - 2011.
* License: $(WEB www.boost.org/LICENSE_1_0.txt, Boost License 1.0).
* Authors: Walter Bright, Sean Kelly
*
* Copyright Digital Mars 2000 - 2011.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE or copy at
* http://www.boost.org/LICENSE_1_0.txt)
*/
module object;
private
{
extern(C) void rt_finalize(void *ptr, bool det=true);
}
alias typeof(int.sizeof) size_t;
alias typeof(cast(void*)0 - cast(void*)0) ptrdiff_t;
alias ptrdiff_t sizediff_t; //For backwards compatibility only.
alias size_t hash_t; //For backwards compatibility only.
alias bool equals_t; //For backwards compatibility only.
alias immutable(char)[] string;
alias immutable(wchar)[] wstring;
alias immutable(dchar)[] dstring;
class Object
{
string toString();
size_t toHash() @trusted nothrow;
int opCmp(Object o);
bool opEquals(Object o);
interface Monitor
{
void lock();
void unlock();
}
static Object factory(string classname);
}
bool opEquals(const Object lhs, const Object rhs);
bool opEquals(Object lhs, Object rhs);
void setSameMutex(shared Object ownee, shared Object owner);
struct Interface
{
TypeInfo_Class classinfo;
void*[] vtbl;
size_t offset; // offset to Interface 'this' from Object 'this'
}
struct OffsetTypeInfo
{
size_t offset;
TypeInfo ti;
}
class TypeInfo
{
override string toString() const pure @safe nothrow;
override size_t toHash() @trusted const;
override int opCmp(Object o);
override bool opEquals(Object o);
size_t getHash(in void* p) @trusted nothrow const;
bool equals(in void* p1, in void* p2) const;
int compare(in void* p1, in void* p2) const;
@property size_t tsize() nothrow pure const @safe @nogc;
void swap(void* p1, void* p2) const;
@property inout(TypeInfo) next() nothrow pure inout @nogc;
const(void)[] init() nothrow pure const @safe @nogc; // TODO: make this a property, but may need to be renamed to diambiguate with T.init...
@property uint flags() nothrow pure const @safe @nogc;
// 1: // has possible pointers into GC memory
const(OffsetTypeInfo)[] offTi() const;
void destroy(void* p) const;
void postblit(void* p) const;
@property size_t talign() nothrow pure const @safe @nogc;
version (X86_64) int argTypes(out TypeInfo arg1, out TypeInfo arg2) @safe nothrow;
@property immutable(void)* rtInfo() nothrow pure const @safe @nogc;
}
class TypeInfo_Typedef : TypeInfo
{
TypeInfo base;
string name;
void[] m_init;
}
class TypeInfo_Enum : TypeInfo_Typedef
{
}
class TypeInfo_Pointer : TypeInfo
{
TypeInfo m_next;
}
class TypeInfo_Array : TypeInfo
{
override string toString() const;
override bool opEquals(Object o);
override size_t getHash(in void* p) @trusted const;
override bool equals(in void* p1, in void* p2) const;
override int compare(in void* p1, in void* p2) const;
override @property size_t tsize() nothrow pure const;
override void swap(void* p1, void* p2) const;
override @property inout(TypeInfo) next() nothrow pure inout;
override @property uint flags() nothrow pure const;
override @property size_t talign() nothrow pure const;
version (X86_64) override int argTypes(out TypeInfo arg1, out TypeInfo arg2);
TypeInfo value;
}
class TypeInfo_StaticArray : TypeInfo
{
TypeInfo value;
size_t len;
}
class TypeInfo_AssociativeArray : TypeInfo
{
TypeInfo value;
TypeInfo key;
}
class TypeInfo_Vector : TypeInfo
{
TypeInfo base;
}
class TypeInfo_Function : TypeInfo
{
TypeInfo next;
string deco;
}
class TypeInfo_Delegate : TypeInfo
{
TypeInfo next;
string deco;
}
class TypeInfo_Class : TypeInfo
{
@property auto info() @safe nothrow pure const { return this; }
@property auto typeinfo() @safe nothrow pure const { return this; }
byte[] init; // class static initializer
string name; // class name
void*[] vtbl; // virtual function pointer table
Interface[] interfaces;
TypeInfo_Class base;
void* destructor;
void function(Object) classInvariant;
enum ClassFlags : uint
{
isCOMclass = 0x1,
noPointers = 0x2,
hasOffTi = 0x4,
hasCtor = 0x8,
hasGetMembers = 0x10,
hasTypeInfo = 0x20,
isAbstract = 0x40,
isCPPclass = 0x80,
hasDtor = 0x100,
}
ClassFlags m_flags;
void* deallocator;
OffsetTypeInfo[] m_offTi;
void* defaultConstructor;
immutable(void)* m_rtInfo; // data for precise GC
static const(TypeInfo_Class) find(in char[] classname);
Object create() const;
}
alias TypeInfo_Class ClassInfo;
class TypeInfo_Interface : TypeInfo
{
ClassInfo info;
}
class TypeInfo_Struct : TypeInfo
{
string name;
void[] m_init;
@safe pure nothrow
{
uint function(in void*) xtoHash;
bool function(in void*, in void*) xopEquals;
int function(in void*, in void*) xopCmp;
string function(in void*) xtoString;
enum StructFlags : uint
{
hasPointers = 0x1,
}
StructFlags m_flags;
}
void function(void*) xdtor;
void function(void*) xpostblit;
uint m_align;
version (X86_64)
{
TypeInfo m_arg1;
TypeInfo m_arg2;
}
immutable(void)* m_rtInfo;
}
class TypeInfo_Tuple : TypeInfo
{
TypeInfo[] elements;
}
class TypeInfo_Const : TypeInfo
{
TypeInfo next;
}
class TypeInfo_Invariant : TypeInfo_Const
{
}
class TypeInfo_Shared : TypeInfo_Const
{
}
class TypeInfo_Inout : TypeInfo_Const
{
}
abstract class MemberInfo
{
@property string name() nothrow pure;
}
class MemberInfo_field : MemberInfo
{
this(string name, TypeInfo ti, size_t offset);
override @property string name() nothrow pure;
@property TypeInfo typeInfo() nothrow pure;
@property size_t offset() nothrow pure;
}
class MemberInfo_function : MemberInfo
{
enum
{
Virtual = 1,
Member = 2,
Static = 4,
}
this(string name, TypeInfo ti, void* fp, uint flags);
override @property string name() nothrow pure;
@property TypeInfo typeInfo() nothrow pure;
@property void* fp() nothrow pure;
@property uint flags() nothrow pure;
}
struct ModuleInfo
{
uint _flags;
uint _index;
version (all)
{
deprecated("ModuleInfo cannot be copy-assigned because it is a variable-sized struct.")
void opAssign(in ModuleInfo m) { _flags = m._flags; _index = m._index; }
}
else
{
@disable this();
@disable this(this) const;
}
const:
@property uint index() nothrow pure;
@property uint flags() nothrow pure;
@property void function() tlsctor() nothrow pure;
@property void function() tlsdtor() nothrow pure;
@property void* xgetMembers() nothrow pure;
@property void function() ctor() nothrow pure;
@property void function() dtor() nothrow pure;
@property void function() ictor() nothrow pure;
@property void function() unitTest() nothrow pure;
@property immutable(ModuleInfo*)[] importedModules() nothrow pure;
@property TypeInfo_Class[] localClasses() nothrow pure;
@property string name() nothrow pure;
static int opApply(scope int delegate(ModuleInfo*) dg);
}
class Throwable : Object
{
interface TraceInfo
{
int opApply(scope int delegate(ref const(char[]))) const;
int opApply(scope int delegate(ref size_t, ref const(char[]))) const;
string toString() const;
}
string msg;
string file;
size_t line;
TraceInfo info;
Throwable next;
@safe pure nothrow this(string msg, Throwable next = null);
@safe pure nothrow this(string msg, string file, size_t line, Throwable next = null);
override string toString();
void toString(scope void delegate(in char[]) sink) const;
}
class Exception : Throwable
{
@safe pure nothrow this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null)
{
super(msg, file, line, next);
}
@safe pure nothrow this(string msg, Throwable next, string file = __FILE__, size_t line = __LINE__)
{
super(msg, file, line, next);
}
}
class Error : Throwable
{
@safe pure nothrow this(string msg, Throwable next = null)
{
super(msg, next);
bypassedException = null;
}
@safe pure nothrow this(string msg, string file, size_t line, Throwable next = null)
{
super(msg, file, line, next);
bypassedException = null;
}
Throwable bypassedException;
}
extern (C)
{
// from druntime/src/rt/aaA.d
// size_t _aaLen(in void* p) pure nothrow @nogc;
// void* _aaGetX(void** pp, const TypeInfo keyti, in size_t valuesize, in void* pkey);
// inout(void)* _aaGetRvalueX(inout void* p, in TypeInfo keyti, in size_t valuesize, in void* pkey);
inout(void)[] _aaValues(inout void* p, in size_t keysize, in size_t valuesize) pure nothrow;
inout(void)[] _aaKeys(inout void* p, in size_t keysize) pure nothrow;
void* _aaRehash(void** pp, in TypeInfo keyti) pure nothrow;
// extern (D) alias scope int delegate(void *) _dg_t;
// int _aaApply(void* aa, size_t keysize, _dg_t dg);
// extern (D) alias scope int delegate(void *, void *) _dg2_t;
// int _aaApply2(void* aa, size_t keysize, _dg2_t dg);
private struct AARange { void* impl, current; }
AARange _aaRange(void* aa) pure nothrow @nogc;
bool _aaRangeEmpty(AARange r) pure nothrow @nogc;
void* _aaRangeFrontKey(AARange r) pure nothrow @nogc;
void* _aaRangeFrontValue(AARange r) pure nothrow @nogc;
void _aaRangePopFront(ref AARange r) pure nothrow @nogc;
/*
_d_assocarrayliteralTX marked as pure, because aaLiteral can be called from pure code.
This is a typesystem hole, however this is existing hole.
Early compiler didn't check purity of toHash or postblit functions, if key is a UDT thus
copiler allowed to create AA literal with keys, which have impure unsafe toHash methods.
*/
void* _d_assocarrayliteralTX(const TypeInfo_AssociativeArray ti, void[] keys, void[] values) pure;
}
auto aaLiteral(Key, Value, T...)(auto ref T args) if (T.length % 2 == 0)
{
static if(!T.length)
{
return cast(void*)null;
}
else
{
import core.internal.traits;
Key[] keys;
Value[] values;
keys.reserve(T.length / 2);
values.reserve(T.length / 2);
foreach (i; staticIota!(0, args.length / 2))
{
keys ~= args[2*i];
values ~= args[2*i + 1];
}
void[] key_slice;
void[] value_slice;
void *ret;
() @trusted {
key_slice = *cast(void[]*)&keys;
value_slice = *cast(void[]*)&values;
ret = _d_assocarrayliteralTX(typeid(Value[Key]), key_slice, value_slice);
}();
return ret;
}
}
alias AssociativeArray(Key, Value) = Value[Key];
T rehash(T : Value[Key], Value, Key)(T aa)
{
_aaRehash(cast(void**)&aa, typeid(Value[Key]));
return aa;
}
T rehash(T : Value[Key], Value, Key)(T* aa)
{
_aaRehash(cast(void**)aa, typeid(Value[Key]));
return *aa;
}
T rehash(T : shared Value[Key], Value, Key)(T aa)
{
_aaRehash(cast(void**)&aa, typeid(Value[Key]));
return aa;
}
T rehash(T : shared Value[Key], Value, Key)(T* aa)
{
_aaRehash(cast(void**)aa, typeid(Value[Key]));
return *aa;
}
Value[Key] dup(T : Value[Key], Value, Key)(T aa) if (is(typeof({
ref Value get(); // pseudo lvalue of Value
Value[Key] r; r[Key.init] = get();
// bug 10720 - check whether Value is copyable
})))
{
Value[Key] result;
foreach (k, v; aa)
{
result[k] = v;
}
return result;
}
Value[Key] dup(T : Value[Key], Value, Key)(T* aa) if (is(typeof((*aa).dup)))
{
return (*aa).dup;
}
@disable Value[Key] dup(T : Value[Key], Value, Key)(T aa) if (!is(typeof({
ref Value get(); // pseudo lvalue of Value
Value[Key] r; r[Key.init] = get();
// bug 10720 - check whether Value is copyable
})));
Value[Key] dup(T : Value[Key], Value, Key)(T* aa) if (!is(typeof((*aa).dup)));
auto byKey(T : Value[Key], Value, Key)(T aa) pure nothrow @nogc
{
static struct Result
{
AARange r;
pure nothrow @nogc:
@property bool empty() { return _aaRangeEmpty(r); }
@property ref Key front() { return *cast(Key*)_aaRangeFrontKey(r); }
void popFront() { _aaRangePopFront(r); }
@property Result save() { return this; }
}
return Result(_aaRange(cast(void*)aa));
}
auto byKey(T : Value[Key], Value, Key)(T *aa) pure nothrow @nogc
{
return (*aa).byKey();
}
auto byValue(T : Value[Key], Value, Key)(T aa) pure nothrow @nogc
{
static struct Result
{
AARange r;
pure nothrow @nogc:
@property bool empty() { return _aaRangeEmpty(r); }
@property ref Value front() { return *cast(Value*)_aaRangeFrontValue(r); }
void popFront() { _aaRangePopFront(r); }
@property Result save() { return this; }
}
return Result(_aaRange(cast(void*)aa));
}
auto byValue(T : Value[Key], Value, Key)(T *aa) pure nothrow @nogc
{
return (*aa).byValue();
}
Key[] keys(T : Value[Key], Value, Key)(T aa) @property
{
auto a = cast(void[])_aaKeys(cast(inout(void)*)aa, Key.sizeof);
return *cast(Key[]*)&a;
}
Key[] keys(T : Value[Key], Value, Key)(T *aa) @property
{
return (*aa).keys;
}
Value[] values(T : Value[Key], Value, Key)(T aa) @property
{
auto a = cast(void[])_aaValues(cast(inout(void)*)aa, Key.sizeof, Value.sizeof);
return *cast(Value[]*)&a;
}
Value[] values(T : Value[Key], Value, Key)(T *aa) @property
{
return (*aa).values;
}
inout(V) get(K, V)(inout(V[K]) aa, K key, lazy inout(V) defaultValue)
{
auto p = key in aa;
return p ? *p : defaultValue;
}
inout(V) get(K, V)(inout(V[K])* aa, K key, lazy inout(V) defaultValue)
{
return (*aa).get(key, defaultValue);
}
// Explicitly undocumented. It will be removed in March 2015.
deprecated("Please use destroy instead.")
alias clear = destroy;
void destroy(T)(T obj) if (is(T == class))
{
rt_finalize(cast(void*)obj);
}
void destroy(T)(T obj) if (is(T == interface))
{
destroy(cast(Object)obj);
}
void destroy(T)(ref T obj) if (is(T == struct))
{
typeid(T).destroy(&obj);
auto buf = (cast(ubyte*) &obj)[0 .. T.sizeof];
auto init = cast(ubyte[])typeid(T).init();
if(init.ptr is null) // null ptr means initialize to 0s
buf[] = 0;
else
buf[] = init[];
}
void destroy(T : U[n], U, size_t n)(ref T obj) if (!is(T == struct))
{
obj[] = U.init;
}
void destroy(T)(ref T obj)
if (!is(T == struct) && !is(T == interface) && !is(T == class) && !_isStaticArray!T)
{
obj = T.init;
}
template _isStaticArray(T : U[N], U, size_t N)
{
enum bool _isStaticArray = true;
}
template _isStaticArray(T)
{
enum bool _isStaticArray = false;
}
private
{
extern (C) void _d_arrayshrinkfit(TypeInfo ti, void[] arr) nothrow;
extern (C) size_t _d_arraysetcapacity(TypeInfo ti, size_t newcapacity, void *arrptr) pure nothrow;
}
@property size_t capacity(T)(T[] arr) pure nothrow
{
return _d_arraysetcapacity(typeid(T[]), 0, cast(void *)&arr);
}
size_t reserve(T)(ref T[] arr, size_t newcapacity) pure nothrow @trusted
{
return _d_arraysetcapacity(typeid(T[]), newcapacity, cast(void *)&arr);
}
auto ref inout(T[]) assumeSafeAppend(T)(auto ref inout(T[]) arr) nothrow
{
_d_arrayshrinkfit(typeid(T[]), *(cast(void[]*)&arr));
return arr;
}
bool _ArrayEq(T1, T2)(T1[] a1, T2[] a2)
{
if (a1.length != a2.length)
return false;
foreach(i, a; a1)
{ if (a != a2[i])
return false;
}
return true;
}
/**
Calculates the hash value of $(D arg) with $(D seed) initial value.
Result may be non-equals with $(D typeid(T).getHash(&arg))
The $(D seed) value may be used for hash chaining:
----
struct Test
{
int a;
string b;
MyObject c;
size_t toHash() const @safe pure nothrow
{
size_t hash = a.hashOf();
hash = b.hashOf(hash);
size_t h1 = c.myMegaHash();
hash = h1.hashOf(hash); //Mix two hash values
return hash;
}
}
----
*/
size_t hashOf(T)(auto ref T arg, size_t seed = 0)
{
import core.internal.hash;
return core.internal.hash.hashOf(arg, seed);
}
bool _xopEquals(in void* ptr, in void* ptr);
bool _xopCmp(in void* ptr, in void* ptr);
void __ctfeWrite(T...)(auto ref T) {}
void __ctfeWriteln(T...)(auto ref T values) { __ctfeWrite(values, "\n"); }
template RTInfo(T)
{
enum RTInfo = cast(void*)0x12345678;
}
/// Provide the .dup array property.
@property auto dup(T)(T[] a)
if (!is(const(T) : T))
{
import core.internal.traits : Unconst;
static assert(is(T : Unconst!T), "Cannot implicitly convert type "~T.stringof~
" to "~Unconst!T.stringof~" in dup.");
// wrap unsafe _dup in @trusted to preserve @safe postblit
static if (__traits(compiles, (T b) @safe { T a = b; }))
return _trustedDup!(T, Unconst!T)(a);
else
return _dup!(T, Unconst!T)(a);
}
/// ditto
// const overload to support implicit conversion to immutable (unique result, see DIP29)
@property T[] dup(T)(const(T)[] a)
if (is(const(T) : T))
{
// wrap unsafe _dup in @trusted to preserve @safe postblit
static if (__traits(compiles, (T b) @safe { T a = b; }))
return _trustedDup!(const(T), T)(a);
else
return _dup!(const(T), T)(a);
}
/// ditto
@property T[] dup(T:void)(const(T)[] a) @trusted
{
if (__ctfe) assert(0, "Cannot dup a void[] array at compile time.");
return cast(T[])_rawDup(a);
}
/// Provide the .idup array property.
@property immutable(T)[] idup(T)(T[] a)
{
static assert(is(T : immutable(T)), "Cannot implicitly convert type "~T.stringof~
" to immutable in idup.");
// wrap unsafe _dup in @trusted to preserve @safe postblit
static if (__traits(compiles, (T b) @safe { T a = b; }))
return _trustedDup!(T, immutable(T))(a);
else
return _dup!(T, immutable(T))(a);
}
/// ditto
@property immutable(T)[] idup(T:void)(const(T)[] a)
{
return .dup(a);
}
private U[] _trustedDup(T, U)(T[] a) @trusted
{
return _dup!(T, U)(a);
}
private U[] _dup(T, U)(T[] a) // pure nothrow depends on postblit
{
if (__ctfe)
{
U[] res;
foreach (ref e; a)
res ~= e;
return res;
}
a = _rawDup(a);
auto res = *cast(typeof(return)*)&a;
_doPostblit(res);
return res;
}
private extern (C) void[] _d_newarrayU(const TypeInfo ti, size_t length) pure nothrow;
private inout(T)[] _rawDup(T)(inout(T)[] a)
{
import core.stdc.string : memcpy;
void[] arr = _d_newarrayU(typeid(T[]), a.length);
memcpy(arr.ptr, cast(void*)a.ptr, T.sizeof * a.length);
return *cast(inout(T)[]*)&arr;
}
private void _doPostblit(T)(T[] ary)
{
// infer static postblit type, run postblit if any
static if (is(T == struct))
{
import core.internal.traits : Unqual;
alias PostBlitT = typeof(function(void*){T a = T.init, b = a;});
// use typeid(Unqual!T) here to skip TypeInfo_Const/Shared/...
auto postBlit = cast(PostBlitT)typeid(Unqual!T).xpostblit;
if (postBlit !is null)
{
foreach (ref el; ary)
postBlit(cast(void*)&el);
}
}
else if ((&typeid(T).postblit).funcptr !is &TypeInfo.postblit)
{
alias PostBlitT = typeof(delegate(void*){T a = T.init, b = a;});
auto postBlit = cast(PostBlitT)&typeid(T).postblit;
foreach (ref el; ary)
postBlit(cast(void*)&el);
}
}
|
D
|
/***************************************************
CHAPTER 3 ITEMS
***************************************************/
//Ramon Chests (Quest ID: 553)
const int Value_RamonChests = 200;
//#############################################
// Grog
//#############################################
//---------------------------------------------------------------------
// Kertsel Quests Valuables
//---------------------------------------------------------------------
INSTANCE RamonAmulet(C_Item)
{
name = NAME_Amulett;
mainflag = ITEM_KAT_MAGIC;
flags = ITEM_AMULET;
value = 400;
visual = "ItAm_Hp_01.3DS";
visual_skin = 0;
material = MAT_METAL;
on_equip = Equip_RamonAmulet;
on_unequip = UnEquip_RamonAmulet;
description = "Amulet Ramona";
TEXT[2] = NAME_Prot_Fire;
COUNT[2] = 10;
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
FUNC VOID Equip_RamonAmulet()
{
self.protection [PROT_FIRE] += 3;
};
FUNC VOID UnEquip_RamonAmulet()
{
self.protection [PROT_FIRE] -= 3;
};
instance WittenRing(C_Item)
{
name = NAME_Ring;
mainflag = ITEM_KAT_MAGIC;
flags = ITEM_RING;
//trzeba ustalić jakąś wartość dla pierścienia
value = 200;
visual = "ItRi_Prot_Mage_02.3ds";
visual_skin = 0;
material = MAT_METAL;
on_equip = Equip_WittenRing;
on_unequip = UnEquip_WittenRing;
description = "Pierścień Wittena";
//Nie wiem czy mogę sobie pozwolić na nie używanie zmiennych z text.d tylko wpisac po prostu stringa?:) Wychodzi na to samo.. chociaz wiem ze takie rozwiazanie nie jest moze jakos specjalnie uniwersalne :P
TEXT[2] = NAME_Prot_Edge;
COUNT[2] = 5;
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
//oraz optymalne parametry dla niego
FUNC VOID Equip_WittenRing()
{
self.protection [PROT_EDGE] += 5;
};
FUNC VOID UnEquip_WittenRing()
{
self.protection [PROT_EDGE] -= 5;
};
/******************************************************************************************/
INSTANCE RamonChests (C_Item)
{
name = "Jedna ze skrzynek Ramona";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI;
value = Value_GoldChest;
visual = "ItMi_GoldChest.3DS";
material = MAT_METAL;
description = name;
TEXT[5] = NAME_Value;
COUNT[5] = Value_RamonChests;
};
// **************************************************
// Rozdział: 3
// Misja: Drogie talerze
// QUESTID 554
// **************************************************
//orc nadaj jakas wartosc talerzowi
instance KeretselIleums (C_Item)
{
name = "Błyszczący talerz";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI;
value = Value_GoldPlate;
visual = "ItMi_GoldPlate.3DS";
material = MAT_METAL;
description = name;
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
INSTANCE ItFo_Special_Booz(C_Item)
{
name = "Spirytusowa nalewka";
mainflag = ITEM_KAT_FOOD;
flags = ITEM_MULTI;
value = 2*Value_Grog;
visual = "ItMi_Rum_01.3ds";
material = MAT_GLAS;
on_state[0] = UseSpecial_Booz;
scemeName = "POTIONFAST";
description = "Spirytusowa nalewka od Piwosza";
TEXT[1] = NAME_Bonus_HP;
COUNT[1] = HP_Grog;
TEXT[5] = NAME_Value;
COUNT[5] = Value_Grog;
};
FUNC VOID UseSpecial_Booz()
{
Npc_ChangeAttribute (self, ATR_HITPOINTS, HP_Grog);
Mdl_ApplyOverlayMdsTimed(self,"HUMANS_DRUNKEN.MDS",180000);
PrintScreen ("Ale ten samogon ma kopa...", -1,-1,"FONT_OLD_20_WHITE.TGA",3);
};
INSTANCE packageOC (C_Item)
{
name = "Paczka z bronią";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MISSION|ITEM_MULTI;
value = 100;
visual = "NW_CITY_WEAPON_BAG_01.3ds";
material = MAT_LEATHER;
description = name;
text[2] = "Ta paczka jest dobrze";
text[3] = "naoliwiona i pełna";
text[4] = "broni.";
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
INSTANCE Fingers_Lockpick (C_Item)
{
name = "Solidny wytrych";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI;
value = 2*Value_Dietrich;
visual = "ItKe_Lockpick_01.3ds";
material = MAT_METAL;
description = name;
TEXT[4] = NAME_Value; COUNT[4] = Value_Dietrich;
};
INSTANCE AKT(C_Item)
{
name = "Szkic";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MISSION;
value = 60;
visual = "ItWr_Scroll_01.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = UseAKT;
description = name;
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
FUNC VOID UseAKT()
{
var int nDocID;
nDocID = Doc_CreateMap () ; // DocManager
Doc_SetPages ( nDocID, 1 );
Doc_SetPage ( nDocID, 0, "Map_PinUp.tga", 1 ); // 1 -> DO NOT SCALE
Doc_Show ( nDocID );
};
instance Royal_Ring(C_Item)
{
name = NAME_Ring;
mainflag = ITEM_KAT_MAGIC;
flags = ITEM_RING;
value = 500;
visual = "ItRi_Prot_Mage_02.3ds";
visual_skin = 0;
material = MAT_METAL;
description = "Bogato zdobiony pierścień";
//Nie wiem czy mogę sobie pozwolić na nie używanie zmiennych z text.d tylko wpisac po prostu stringa?:) Wychodzi na to samo.. chociaz wiem ze takie rozwiazanie nie jest moze jakos specjalnie uniwersalne :P
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
/********************************************************************************/
// BRIEF AN FEUERMAGIER
/*********************************************************************************/
INSTANCE ItWr_FletcherFake_Letter_01 (C_Item)
{
name = "Zapieczętowane pismo";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MISSION;
value = 0;
visual = "ItWr_Scroll_02.3DS";
material = MAT_LEATHER;
on_state[0] = Usefletcherfakeletter;
scemeName = "MAPSEALED";
description = "Spreparowany list Fletchera";
//TEXT[0] = "";
////COUNT[0] = ;
TEXT[1] = "Złamanie pieczęci byłoby głupotą!";
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
func void Usefletcherfakeletter ()
{
CreateInvItem (hero, ItWr_FletcherFake_Letter_02);
var int nDocID;
nDocID = Doc_Create () ; // DocManager
Doc_SetPages ( nDocID, 1 ); //wieviel Pages
Doc_SetPage ( nDocID, 0, "letters.TGA" , 0 );
Doc_SetFont ( nDocID, -1, "font_10_book.tga" ); // -1 -> all pages
Doc_SetMargins ( nDocID, -1, 50, 50, 50, 50, 1 ); // 0 -> margins are in pixels
Doc_PrintLine ( nDocID, 0, " " );
Doc_PrintLine ( nDocID, 0, "Gomezie," );
Doc_PrintLine ( nDocID, 0, "" );
Doc_SetFont ( nDocID, -1, "font_10_book.TGA" ); // -1 -> all pages
Doc_PrintLines ( nDocID, 0, "." );
Doc_PrintLine ( nDocID, 0, "" );
//TODO: Jakaś treść
Doc_PrintLine ( nDocID, 0, "Loremipsum." );
Doc_PrintLine ( nDocID, 0, "" );
Doc_PrintLine ( nDocID, 0, "" );
Doc_PrintLine ( nDocID, 0, "" );
Doc_PrintLine ( nDocID, 0, "" );
Doc_SetMargins ( nDocID, -1, 200, 50, 50, 50, 1 ); // 0 -> margins are in pixels (Position des Textes von den Ränder des TGAs aus
Doc_PrintLine ( nDocID, 0, "Fletcher." );
Doc_Show ( nDocID );
};
/********************************************************************************/
INSTANCE ItWr_FletcherFake_Letter_02 (C_Item)
{
name = "Otwarty list";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MISSION;
value = 0;
visual = "ItWr_Scroll_01.3DS";
material = MAT_LEATHER;
on_state[0] = Usefletcherfakeletter2;
scemeName = "MAP";
description = "Spreparowany list Fletchera";
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
func void Usefletcherfakeletter2 ()
{
var int nDocID;
nDocID = Doc_Create () ; // DocManager
Doc_SetPages ( nDocID, 1 ); //wieviel Pages
Doc_SetPage ( nDocID, 0, "letters.TGA" , 0 );
Doc_SetFont ( nDocID, -1, "font_10_book.tga" ); // -1 -> all pages
Doc_SetMargins ( nDocID, -1, 50, 50, 50, 50, 1 ); // 0 -> margins are in pixels
Doc_PrintLine ( nDocID, 0, " " );
Doc_PrintLine ( nDocID, 0, "Gomezie," );
Doc_PrintLine ( nDocID, 0, "" );
Doc_SetFont ( nDocID, -1, "font_10_book.TGA" ); // -1 -> all pages
Doc_PrintLines ( nDocID, 0, "." );
Doc_PrintLine ( nDocID, 0, "" );
//TODO: Jakaś treść
Doc_PrintLine ( nDocID, 0, "Loremipsum." );
Doc_PrintLine ( nDocID, 0, "" );
Doc_PrintLine ( nDocID, 0, "" );
Doc_PrintLine ( nDocID, 0, "" );
Doc_PrintLine ( nDocID, 0, "" );
Doc_SetMargins ( nDocID, -1, 200, 50, 50, 50, 1 ); // 0 -> margins are in pixels (Position des Textes von den Ränder des TGAs aus
Doc_PrintLine ( nDocID, 0, "Fletcher." );
Doc_Show ( nDocID );
};
INSTANCE ITKE_GOMEZ_01_2 (C_Item)
{
name = "Klucz";
mainflag = ITEM_KAT_NONE|ITEM_MISSION;
flags = 0;
value = 1;
visual = "ItKe_Key_01.3ds";
material = MAT_METAL;
description = name;
TEXT[1] = "Klucz otwierający jedną ze skrzyń Gomeza.";
TEXT[4] = NAME_Value; COUNT[4] = 1;
};
INSTANCE ITKECOOPERKEY (C_Item)
{
name = "Klucz Coopera";
mainflag = ITEM_KAT_NONE|ITEM_MISSION;
flags = 0;
value = 1;
visual = "ItKe_Key_02.3ds";
material = MAT_METAL;
description = name;
TEXT[1] = "Klucz Coopera";
TEXT[4] = NAME_Value; COUNT[4] = 1;
};
INSTANCE kevin_diary (C_Item)
{
name = "Dziennik";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MISSION;
value = 100;
visual = "ItWr_Book_02_02.3ds";
material = MAT_LEATHER;
scemeName = "MAP";
description = "Dziennik";
TEXT[5] = NAME_Value;
COUNT[5] = value;
on_state[0] = Usekevin_diary;
};
FUNC VOID Usekevin_diary()
{
var int nDocID;
nDocID = Doc_Create () ; // DocManager
Doc_SetPages ( nDocID, 2 ); //wieviel Pages
Doc_SetPage ( nDocID, 0, "Book_Brown_L.tga" , 0 );
Doc_SetPage ( nDocID, 1, "Book_Brown_R.tga" , 0 );
//1.Seite
Doc_SetMargins ( nDocID, 0, 275, 20, 30, 20, 1); // 0 -> margins are in pixels
Doc_SetFont ( nDocID, -1, "font_10_book.tga");
Doc_PrintLine ( nDocID, 0, "Dzień 27");
Doc_PrintLine ( nDocID, 0, "");
Doc_PrintLines ( nDocID, 0, "Odkryłem podziemne przejscie prowadzące poza oboz.");
Doc_PrintLine ( nDocID, 0, "");
Doc_PrintLine ( nDocID, 0, "");
Doc_PrintLine ( nDocID, 0, "");
Doc_PrintLine ( nDocID, 0, "Dzień 31");
Doc_PrintLine ( nDocID, 0, "");
Doc_PrintLines ( nDocID, 0, "Zdobyłem klucz do drzwi prowadzących przez piwnicę magnatów starym korytarzem na terytoria orków, daleko poza obóz.");
/// Doc_PrintLines ( nDocID, 0, "Die Fähigkeiten die göttliche Macht zu kanalisieren wächst in dem Magier. Anfangs keimt sie nur wie ein kleiner Schössling auf dem Feld und man muss ihn pflegen, damit er nicht verkümmert. Doch wenn dieser Schössling erst einmal herangewachsen ist, entfaltet er seine volle Pracht");
//2.Seite
Doc_SetMargins ( nDocID, -1, 30, 20, 275, 20, 1); // 0 -> margins are in pixels (Position des Textes von den Ränder des TGAs aus, links,oben,rechts,unten)// -1 -> all pages
Doc_SetFont ( nDocID, -1, "font_10_book.tga");
Doc_PrintLine ( nDocID, 1, "Dzień 36");
Doc_PrintLine ( nDocID, 1, "");
Doc_PrintLines ( nDocID, 1, "Gomez coś szykuje, muszę dowiedzieć się co się święci...");
Doc_Show ( nDocID );
};
/******************************************************************************************/
INSTANCE BlowPerl (Bow)
{
name = "Perlisty podmuch";
mainflag = ITEM_KAT_FF;
flags = ITEM_BOW|ITEM_MISSION;
material = MAT_WOOD;
value = 100;
damageTotal = 35;
damagetype = DAM_POINT;
munition = ItAmArrow;
cond_atr[2] = ATR_DEXTERITY;
cond_value[2] = 65;
visual = "ItRw_Bow_War_04.mms";
description = name;
TEXT[2] = NAME_Damage; COUNT[2] = damageTotal;
TEXT[3] = NAME_Dex_needed; COUNT[3] = cond_value[2];
TEXT[5] = NAME_Value; COUNT[5] = value;
};
//***************************************
INSTANCE Urgal_Arth (WeaponsMelee)
{
name = "Urgal'Arth";
mainflag = ITEM_KAT_NF;
flags = ITEM_2HD_AXE|ITEM_MULTI;
material = MAT_WOOD;
value = 1200;
damageTotal = 125;
damagetype = DAM_BLUNT;
range = 150;
cond_atr[2] = ATR_STRENGTH;
cond_value[2] = 110;
visual = "ItMw_2H_OrcMace_01.3DS";
description = name;
TEXT[2] = NAME_Damage; COUNT[2] = damageTotal;
TEXT[3] = NAME_Str_needed; COUNT[3] = cond_value[2];
TEXT[4] = NAME_TwoHanded;
TEXT[5] = NAME_Value; COUNT[5] = value;
};
//+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
/*******************
Mapy z ornamentami - Ork trzeba je zrobić graficznie i wrzucić miejsca z zaznaczoną lokacją ornamentów
*******************/
//***********2 mapa*****************
INSTANCE JarvisMap(C_Item)
{
name = "Zniszczona mapa";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MISSION;
value = 100;
visual = "ItWr_Map_01.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = UseJarMap;
description = "Zniszczona mapa od Jarvisa";
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
FUNC VOID UseJarMap()
{
var int nDocID;
nDocID = Doc_CreateMap () ; // DocManager
Doc_SetLevel ( nDocID, "WORLD.ZEN" );
Doc_SetPages ( nDocID, 1 );
Doc_SetPage ( nDocID, 0, "MAP_ORNAMENT_2.tga", 1 ); // 1 -> DO NOT SCALE
Doc_Show ( nDocID );
};
var int map3_read;
var int map4_read;
//*************3 mapa***********
INSTANCE OrnMap3(C_Item)
{
name = "Mapa od Nefariusa";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MISSION;
value = 100;
visual = "ItWr_Map_01.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = UseNefarMap;
description = "Wskazuje miejsce ukrycia ornamentu";
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
FUNC VOID UseNefarMap()
{
var int nDocID;
nDocID = Doc_CreateMap () ; // DocManager
Doc_SetLevel ( nDocID, "WORLD.ZEN" );
Doc_SetPages ( nDocID, 1 );
Doc_SetPage ( nDocID, 0, "MAP_ORNAMENT_3.tga", 1 ); // 1 -> DO NOT SCALE
Doc_Show ( nDocID );
if (map3_read == FALSE)
{
map3_read = TRUE;
map3_readbydick = TRUE;//żeby była pewność, że dick ją przeczytał i wtedy zainicjuje się ten podsłuch strażnikó w miejscu ukrycia 3 kawałka
};
};
/***************************
Ork trzebaby ornamenty zrobi 4, mogą być jak te z NK i niech się nazywają
orn1
orn2
orn3
orn4
Te nazwy będę wykorzystywał w skryptach
*****************************/
PROTOTYPE Proto_ornament (C_Item)
{
name = "Kawałek ornamentu";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI;
value = Value_Münze;
visual = "ItMi_Focus_01.3ds";
material = MAT_METAL;
description = name;
TEXT[4] = NAME_Value; COUNT[4] = value;
};
instance orn1 (Proto_ornament)
{
};
instance orn2 (Proto_ornament)
{
};
instance orn3 (Proto_ornament)
{
};
instance orn4 (Proto_ornament)
{
};
//*************4 mapa***********
INSTANCE OrnMap4(C_Item)
{
name = "Mapa od Nefariusa";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MISSION;
value = 100;
visual = "ItWr_Map_01.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = UseNefarMap4;
description = "Miejsce ukrycia ostatniego ornamentu";
TEXT[5] = NAME_Value;
COUNT[5] = value;
};
FUNC VOID UseNefarMap4()
{
var int nDocID;
nDocID = Doc_CreateMap () ; // DocManager
Doc_SetLevel ( nDocID, "WORLD.ZEN" );
Doc_SetPages ( nDocID, 1 );
Doc_SetPage ( nDocID, 0, "MAP_ORNAMENT_4.tga", 1 ); // 1 -> DO NOT SCALE
Doc_Show ( nDocID );
if (map4_read == FALSE)
{
map4_read = TRUE;
map4_readbydick = TRUE;//gracz może otworzyć mapę, sprawdzić gdzie jest lokacja z ornamentem i ją wywalić, nie trzeba dawać wtedy sprawdzania itema tylko stan zmiennej, tak będzie bezpieczniej dla graczy
};
};
INSTANCE ItKe_Mis_SO_Warehouse1 (C_Item)
{
name = "Klucz do magazynu";
mainflag = ITEM_KAT_NONE;
flags = 0;
value = 1;
visual = "ItKe_Key_01.3ds";
material = MAT_METAL;
description = name;
TEXT[1] = "Klucz do magazynu obok areny.";
TEXT[4] = NAME_Value; COUNT[4] = 1;
};
INSTANCE ItKe_Mis_SO_Warehouse2 (C_Item)
{
name = "Klucz do magazynu";
mainflag = ITEM_KAT_NONE;
flags = 0;
value = 1;
visual = "ItKe_Key_01.3ds";
material = MAT_METAL;
description = name;
TEXT[0] = "Klucz do magazynu na targowisku,";
TEXT[1] = "magazynier był tak głupi,";
TEXT[2] = "że sam mi go sprzedał!";
TEXT[4] = NAME_Value; COUNT[4] = 1;
};
INSTANCE ItKe_Mis_SO_Warehouse2U (C_Item)
{
name = "Klucz";
mainflag = ITEM_KAT_NONE;
flags = 0;
value = 1;
visual = "ItKe_Key_01.3ds";
material = MAT_METAL;
description = name;
TEXT[4] = NAME_Value; COUNT[4] = 1;
};
//Todo" Some nice visuals
INSTANCE ork_oldnote (C_Item)
{
name = "Pismo";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MISSION;
value = 0;
visual = "ItWr_Scroll_01.3DS";
material = MAT_LEATHER;
on_state[0] = Useork_oldnote;
scemeName = "MAP";
description = "Pismo w dziwnym języku.";
};
func void Useork_oldnote ()
{
var int nDocID;
nDocID = Doc_Create () ; // DocManager
Doc_SetPages ( nDocID, 1 ); //wieviel Pages
Doc_SetPage ( nDocID, 0, "LETTERS_FOREIGNLANGUAGE_V1.TGA" , 0 );
Doc_Show ( nDocID );
};
INSTANCE dream_mixture(C_Item)
{
name = "Podejrzana mikstura";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MISSION;
value = 1;
visual = "ItFo_Temp_STRDEX_02.3DS";
material = MAT_GLAS;
description = "Podejrzana mikstura";
TEXT[1] = "Powinienem pokazać ją";
TEXT[2] = "komuś kto zna się.";
TEXT[3] = "na alchemii.";
TEXT[5] = NAME_Value; COUNT[5] = item.value;
};
|
D
|
/**
* Compiler implementation of the
* $(LINK2 http://www.dlang.org, D programming language).
*
* Copyright: Copyright (c) 1999-2016 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 _statement.d)
*/
module ddmd.statement;
import core.stdc.stdarg;
import core.stdc.stdio;
import ddmd.aggregate;
import ddmd.arraytypes;
import ddmd.attrib;
import ddmd.gluelayer;
import ddmd.canthrow;
import ddmd.cond;
import ddmd.dclass;
import ddmd.declaration;
import ddmd.denum;
import ddmd.dimport;
import ddmd.dscope;
import ddmd.dsymbol;
import ddmd.dtemplate;
import ddmd.errors;
import ddmd.expression;
import ddmd.func;
import ddmd.globals;
import ddmd.hdrgen;
import ddmd.id;
import ddmd.identifier;
import ddmd.mtype;
import ddmd.parse;
import ddmd.root.outbuffer;
import ddmd.root.rootobject;
import ddmd.sapply;
import ddmd.sideeffect;
import ddmd.staticassert;
import ddmd.tokens;
import ddmd.visitor;
extern (C++) Identifier fixupLabelName(Scope* sc, Identifier ident)
{
uint flags = (sc.flags & SCOPEcontract);
const id = ident.toChars();
if (flags && flags != SCOPEinvariant && !(id[0] == '_' && id[1] == '_'))
{
/* CTFE requires FuncDeclaration::labtab for the interpretation.
* So fixing the label name inside in/out contracts is necessary
* for the uniqueness in labtab.
*/
const(char)* prefix = flags == SCOPErequire ? "__in_" : "__out_";
OutBuffer buf;
buf.printf("%s%s", prefix, ident.toChars());
ident = Identifier.idPool(buf.peekSlice());
}
return ident;
}
extern (C++) LabelStatement checkLabeledLoop(Scope* sc, Statement statement)
{
if (sc.slabel && sc.slabel.statement == statement)
{
return sc.slabel;
}
return null;
}
/***********************************************************
* Check an assignment is used as a condition.
* Intended to be use before the `semantic` call on `e`.
* Params:
* e = condition expression which is not yet run semantic analysis.
* Returns:
* `e` or ErrorExp.
*/
Expression checkAssignmentAsCondition(Expression e)
{
auto ec = e;
while (ec.op == TOKcomma)
ec = (cast(CommaExp)ec).e2;
if (ec.op == TOKassign)
{
ec.error("assignment cannot be used as a condition, perhaps == was meant?");
return new ErrorExp();
}
return e;
}
/// Return a type identifier reference to 'object.Throwable'
TypeIdentifier getThrowable()
{
auto tid = new TypeIdentifier(Loc(), Id.empty);
tid.addIdent(Id.object);
tid.addIdent(Id.Throwable);
return tid;
}
enum BE : int
{
BEnone = 0,
BEfallthru = 1,
BEthrow = 2,
BEreturn = 4,
BEgoto = 8,
BEhalt = 0x10,
BEbreak = 0x20,
BEcontinue = 0x40,
BEerrthrow = 0x80,
BEany = (BEfallthru | BEthrow | BEreturn | BEgoto | BEhalt),
}
alias BEnone = BE.BEnone;
alias BEfallthru = BE.BEfallthru;
alias BEthrow = BE.BEthrow;
alias BEreturn = BE.BEreturn;
alias BEgoto = BE.BEgoto;
alias BEhalt = BE.BEhalt;
alias BEbreak = BE.BEbreak;
alias BEcontinue = BE.BEcontinue;
alias BEerrthrow = BE.BEerrthrow;
alias BEany = BE.BEany;
/***********************************************************
*/
extern (C++) abstract class Statement : RootObject
{
Loc loc;
final extern (D) this(Loc loc)
{
this.loc = loc;
// If this is an in{} contract scope statement (skip for determining
// inlineStatus of a function body for header content)
}
Statement syntaxCopy()
{
assert(0);
}
override final void print()
{
fprintf(stderr, "%s\n", toChars());
fflush(stderr);
}
override final const(char)* toChars()
{
HdrGenState hgs;
OutBuffer buf;
.toCBuffer(this, &buf, &hgs);
return buf.extractString();
}
final void error(const(char)* format, ...)
{
va_list ap;
va_start(ap, format);
.verror(loc, format, ap);
va_end(ap);
}
final void warning(const(char)* format, ...)
{
va_list ap;
va_start(ap, format);
.vwarning(loc, format, ap);
va_end(ap);
}
final void deprecation(const(char)* format, ...)
{
va_list ap;
va_start(ap, format);
.vdeprecation(loc, format, ap);
va_end(ap);
}
Statement getRelatedLabeled()
{
return this;
}
bool hasBreak()
{
//printf("Statement::hasBreak()\n");
return false;
}
bool hasContinue()
{
return false;
}
/* ============================================== */
// true if statement uses exception handling
final bool usesEH()
{
extern (C++) final class UsesEH : StoppableVisitor
{
alias visit = super.visit;
public:
override void visit(Statement s)
{
}
override void visit(TryCatchStatement s)
{
stop = true;
}
override void visit(TryFinallyStatement s)
{
stop = true;
}
override void visit(OnScopeStatement s)
{
stop = true;
}
override void visit(SynchronizedStatement s)
{
stop = true;
}
}
scope UsesEH ueh = new UsesEH();
return walkPostorder(this, ueh);
}
/* ============================================== */
/* Only valid after semantic analysis
* If 'mustNotThrow' is true, generate an error if it throws
*/
final int blockExit(FuncDeclaration func, bool mustNotThrow)
{
extern (C++) final class BlockExit : Visitor
{
alias visit = super.visit;
public:
FuncDeclaration func;
bool mustNotThrow;
int result;
extern (D) this(FuncDeclaration func, bool mustNotThrow)
{
this.func = func;
this.mustNotThrow = mustNotThrow;
result = BEnone;
}
override void visit(Statement s)
{
printf("Statement::blockExit(%p)\n", s);
printf("%s\n", s.toChars());
assert(0);
}
override void visit(ErrorStatement s)
{
result = BEany;
}
override void visit(ExpStatement s)
{
result = BEfallthru;
if (s.exp)
{
if (s.exp.op == TOKhalt)
{
result = BEhalt;
return;
}
if (s.exp.op == TOKassert)
{
AssertExp a = cast(AssertExp)s.exp;
if (a.e1.isBool(false)) // if it's an assert(0)
{
result = BEhalt;
return;
}
}
if (canThrow(s.exp, func, mustNotThrow))
result |= BEthrow;
}
}
override void visit(CompileStatement s)
{
assert(global.errors);
result = BEfallthru;
}
override void visit(CompoundStatement cs)
{
//printf("CompoundStatement.blockExit(%p) %d result = x%X\n", cs, cs.statements.dim, result);
result = BEfallthru;
Statement slast = null;
foreach (s; *cs.statements)
{
if (s)
{
//printf("result = x%x\n", result);
//printf("s: %s\n", s.toChars());
if (result & BEfallthru && slast)
{
slast = slast.last();
if (slast && (slast.isCaseStatement() || slast.isDefaultStatement()) && (s.isCaseStatement() || s.isDefaultStatement()))
{
// Allow if last case/default was empty
CaseStatement sc = slast.isCaseStatement();
DefaultStatement sd = slast.isDefaultStatement();
if (sc && (!sc.statement.hasCode() || sc.statement.isCaseStatement() || sc.statement.isErrorStatement()))
{
}
else if (sd && (!sd.statement.hasCode() || sd.statement.isCaseStatement() || sd.statement.isErrorStatement()))
{
}
else
{
const(char)* gototype = s.isCaseStatement() ? "case" : "default";
s.error("switch case fallthrough - use 'goto %s;' if intended", gototype);
}
}
}
if (!(result & BEfallthru) && !s.comeFrom())
{
if (s.blockExit(func, mustNotThrow) != BEhalt && s.hasCode())
s.warning("statement is not reachable");
}
else
{
result &= ~BEfallthru;
result |= s.blockExit(func, mustNotThrow);
}
slast = s;
}
}
}
override void visit(UnrolledLoopStatement uls)
{
result = BEfallthru;
foreach (s; *uls.statements)
{
if (s)
{
int r = s.blockExit(func, mustNotThrow);
result |= r & ~(BEbreak | BEcontinue | BEfallthru);
if ((r & (BEfallthru | BEcontinue | BEbreak)) == 0)
result &= ~BEfallthru;
}
}
}
override void visit(ScopeStatement s)
{
//printf("ScopeStatement::blockExit(%p)\n", s->statement);
result = s.statement ? s.statement.blockExit(func, mustNotThrow) : BEfallthru;
}
override void visit(WhileStatement s)
{
assert(global.errors);
result = BEfallthru;
}
override void visit(DoStatement s)
{
if (s._body)
{
result = s._body.blockExit(func, mustNotThrow);
if (result == BEbreak)
{
result = BEfallthru;
return;
}
if (result & BEcontinue)
result |= BEfallthru;
}
else
result = BEfallthru;
if (result & BEfallthru)
{
if (canThrow(s.condition, func, mustNotThrow))
result |= BEthrow;
if (!(result & BEbreak) && s.condition.isBool(true))
result &= ~BEfallthru;
}
result &= ~(BEbreak | BEcontinue);
}
override void visit(ForStatement s)
{
result = BEfallthru;
if (s._init)
{
result = s._init.blockExit(func, mustNotThrow);
if (!(result & BEfallthru))
return;
}
if (s.condition)
{
if (canThrow(s.condition, func, mustNotThrow))
result |= BEthrow;
if (s.condition.isBool(true))
result &= ~BEfallthru;
else if (s.condition.isBool(false))
return;
}
else
result &= ~BEfallthru; // the body must do the exiting
if (s._body)
{
int r = s._body.blockExit(func, mustNotThrow);
if (r & (BEbreak | BEgoto))
result |= BEfallthru;
result |= r & ~(BEfallthru | BEbreak | BEcontinue);
}
if (s.increment && canThrow(s.increment, func, mustNotThrow))
result |= BEthrow;
}
override void visit(ForeachStatement s)
{
result = BEfallthru;
if (canThrow(s.aggr, func, mustNotThrow))
result |= BEthrow;
if (s._body)
result |= s._body.blockExit(func, mustNotThrow) & ~(BEbreak | BEcontinue);
}
override void visit(ForeachRangeStatement s)
{
assert(global.errors);
result = BEfallthru;
}
override void visit(IfStatement s)
{
//printf("IfStatement::blockExit(%p)\n", s);
result = BEnone;
if (canThrow(s.condition, func, mustNotThrow))
result |= BEthrow;
if (s.condition.isBool(true))
{
if (s.ifbody)
result |= s.ifbody.blockExit(func, mustNotThrow);
else
result |= BEfallthru;
}
else if (s.condition.isBool(false))
{
if (s.elsebody)
result |= s.elsebody.blockExit(func, mustNotThrow);
else
result |= BEfallthru;
}
else
{
if (s.ifbody)
result |= s.ifbody.blockExit(func, mustNotThrow);
else
result |= BEfallthru;
if (s.elsebody)
result |= s.elsebody.blockExit(func, mustNotThrow);
else
result |= BEfallthru;
}
//printf("IfStatement::blockExit(%p) = x%x\n", s, result);
}
override void visit(ConditionalStatement s)
{
result = s.ifbody.blockExit(func, mustNotThrow);
if (s.elsebody)
result |= s.elsebody.blockExit(func, mustNotThrow);
}
override void visit(PragmaStatement s)
{
result = BEfallthru;
}
override void visit(StaticAssertStatement s)
{
result = BEfallthru;
}
override void visit(SwitchStatement s)
{
result = BEnone;
if (canThrow(s.condition, func, mustNotThrow))
result |= BEthrow;
if (s._body)
{
result |= s._body.blockExit(func, mustNotThrow);
if (result & BEbreak)
{
result |= BEfallthru;
result &= ~BEbreak;
}
}
else
result |= BEfallthru;
}
override void visit(CaseStatement s)
{
result = s.statement.blockExit(func, mustNotThrow);
}
override void visit(DefaultStatement s)
{
result = s.statement.blockExit(func, mustNotThrow);
}
override void visit(GotoDefaultStatement s)
{
result = BEgoto;
}
override void visit(GotoCaseStatement s)
{
result = BEgoto;
}
override void visit(SwitchErrorStatement s)
{
// Switch errors are non-recoverable
result = BEhalt;
}
override void visit(ReturnStatement s)
{
result = BEreturn;
if (s.exp && canThrow(s.exp, func, mustNotThrow))
result |= BEthrow;
}
override void visit(BreakStatement s)
{
//printf("BreakStatement::blockExit(%p) = x%x\n", s, s->ident ? BEgoto : BEbreak);
result = s.ident ? BEgoto : BEbreak;
}
override void visit(ContinueStatement s)
{
result = s.ident ? BEgoto : BEcontinue;
}
override void visit(SynchronizedStatement s)
{
result = s._body ? s._body.blockExit(func, mustNotThrow) : BEfallthru;
}
override void visit(WithStatement s)
{
result = BEnone;
if (canThrow(s.exp, func, mustNotThrow))
result = BEthrow;
if (s._body)
result |= s._body.blockExit(func, mustNotThrow);
else
result |= BEfallthru;
}
override void visit(TryCatchStatement s)
{
assert(s._body);
result = s._body.blockExit(func, false);
int catchresult = 0;
foreach (c; *s.catches)
{
if (c.type == Type.terror)
continue;
int cresult;
if (c.handler)
cresult = c.handler.blockExit(func, mustNotThrow);
else
cresult = BEfallthru;
/* If we're catching Object, then there is no throwing
*/
Identifier id = c.type.toBasetype().isClassHandle().ident;
if (c.internalCatch && (cresult & BEfallthru))
{
// Bugzilla 11542: leave blockExit flags of the body
cresult &= ~BEfallthru;
}
else if (id == Id.Object || id == Id.Throwable)
{
result &= ~(BEthrow | BEerrthrow);
}
else if (id == Id.Exception)
{
result &= ~BEthrow;
}
catchresult |= cresult;
}
if (mustNotThrow && (result & BEthrow))
{
// now explain why this is nothrow
s._body.blockExit(func, mustNotThrow);
}
result |= catchresult;
}
override void visit(TryFinallyStatement s)
{
result = BEfallthru;
if (s._body)
result = s._body.blockExit(func, false);
// check finally body as well, it may throw (bug #4082)
int finalresult = BEfallthru;
if (s.finalbody)
finalresult = s.finalbody.blockExit(func, false);
// If either body or finalbody halts
if (result == BEhalt)
finalresult = BEnone;
if (finalresult == BEhalt)
result = BEnone;
if (mustNotThrow)
{
// now explain why this is nothrow
if (s._body && (result & BEthrow))
s._body.blockExit(func, mustNotThrow);
if (s.finalbody && (finalresult & BEthrow))
s.finalbody.blockExit(func, mustNotThrow);
}
version (none)
{
// Bugzilla 13201: Mask to prevent spurious warnings for
// destructor call, exit of synchronized statement, etc.
if (result == BEhalt && finalresult != BEhalt && s.finalbody && s.finalbody.hasCode())
{
s.finalbody.warning("statement is not reachable");
}
}
if (!(finalresult & BEfallthru))
result &= ~BEfallthru;
result |= finalresult & ~BEfallthru;
}
override void visit(OnScopeStatement s)
{
// At this point, this statement is just an empty placeholder
result = BEfallthru;
}
override void visit(ThrowStatement s)
{
if (s.internalThrow)
{
// Bugzilla 8675: Allow throwing 'Throwable' object even if mustNotThrow.
result = BEfallthru;
return;
}
Type t = s.exp.type.toBasetype();
ClassDeclaration cd = t.isClassHandle();
assert(cd);
if (cd == ClassDeclaration.errorException || ClassDeclaration.errorException.isBaseOf(cd, null))
{
result = BEerrthrow;
return;
}
if (mustNotThrow)
s.error("%s is thrown but not caught", s.exp.type.toChars());
result = BEthrow;
}
override void visit(GotoStatement s)
{
//printf("GotoStatement::blockExit(%p)\n", s);
result = BEgoto;
}
override void visit(LabelStatement s)
{
//printf("LabelStatement::blockExit(%p)\n", s);
result = s.statement ? s.statement.blockExit(func, mustNotThrow) : BEfallthru;
if (s.breaks)
result |= BEfallthru;
}
override void visit(CompoundAsmStatement s)
{
if (mustNotThrow && !(s.stc & STCnothrow))
s.deprecation("asm statement is assumed to throw - mark it with 'nothrow' if it does not");
// Assume the worst
result = BEfallthru | BEreturn | BEgoto | BEhalt;
if (!(s.stc & STCnothrow))
result |= BEthrow;
}
override void visit(ImportStatement s)
{
result = BEfallthru;
}
}
scope BlockExit be = new BlockExit(func, mustNotThrow);
accept(be);
return be.result;
}
/* ============================================== */
// true if statement 'comes from' somewhere else, like a goto
final bool comeFrom()
{
extern (C++) final class ComeFrom : StoppableVisitor
{
alias visit = super.visit;
public:
override void visit(Statement s)
{
}
override void visit(CaseStatement s)
{
stop = true;
}
override void visit(DefaultStatement s)
{
stop = true;
}
override void visit(LabelStatement s)
{
stop = true;
}
override void visit(AsmStatement s)
{
stop = true;
}
}
scope ComeFrom cf = new ComeFrom();
return walkPostorder(this, cf);
}
/* ============================================== */
// Return true if statement has executable code.
final bool hasCode()
{
extern (C++) final class HasCode : StoppableVisitor
{
alias visit = super.visit;
public:
override void visit(Statement s)
{
stop = true;
}
override void visit(ExpStatement s)
{
stop = s.exp !is null;
}
override void visit(CompoundStatement s)
{
}
override void visit(ScopeStatement s)
{
}
override void visit(ImportStatement s)
{
}
}
scope HasCode hc = new HasCode();
return walkPostorder(this, hc);
}
/****************************************
* If this statement has code that needs to run in a finally clause
* at the end of the current scope, return that code in the form of
* a Statement.
* Output:
* *sentry code executed upon entry to the scope
* *sexception code executed upon exit from the scope via exception
* *sfinally code executed in finally block
*/
Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally)
{
//printf("Statement::scopeCode()\n");
//print();
*sentry = null;
*sexception = null;
*sfinally = null;
return this;
}
/*********************************
* Flatten out the scope by presenting the statement
* as an array of statements.
* Returns NULL if no flattening necessary.
*/
Statements* flatten(Scope* sc)
{
return null;
}
inout(Statement) last() inout nothrow pure
{
return this;
}
// Avoid dynamic_cast
ErrorStatement isErrorStatement()
{
return null;
}
inout(ScopeStatement) isScopeStatement() inout nothrow pure
{
return null;
}
ExpStatement isExpStatement()
{
return null;
}
inout(CompoundStatement) isCompoundStatement() inout nothrow pure
{
return null;
}
inout(ReturnStatement) isReturnStatement() inout nothrow pure
{
return null;
}
IfStatement isIfStatement()
{
return null;
}
CaseStatement isCaseStatement()
{
return null;
}
DefaultStatement isDefaultStatement()
{
return null;
}
LabelStatement isLabelStatement()
{
return null;
}
GotoDefaultStatement isGotoDefaultStatement() pure
{
return null;
}
GotoCaseStatement isGotoCaseStatement() pure
{
return null;
}
inout(BreakStatement) isBreakStatement() inout nothrow pure
{
return null;
}
DtorExpStatement isDtorExpStatement()
{
return null;
}
void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
* Any Statement that fails semantic() or has a component that is an ErrorExp or
* a TypeError should return an ErrorStatement from semantic().
*/
extern (C++) final class ErrorStatement : Statement
{
extern (D) this()
{
super(Loc());
assert(global.gaggedErrors || global.errors);
}
override Statement syntaxCopy()
{
return this;
}
override ErrorStatement isErrorStatement()
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class PeelStatement : Statement
{
Statement s;
extern (D) this(Statement s)
{
super(s.loc);
this.s = s;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
* Convert TemplateMixin members (== Dsymbols) to Statements.
*/
extern (C++) Statement toStatement(Dsymbol s)
{
extern (C++) final class ToStmt : Visitor
{
alias visit = super.visit;
public:
Statement result;
Statement visitMembers(Loc loc, Dsymbols* a)
{
if (!a)
return null;
auto statements = new Statements();
foreach (s; *a)
{
statements.push(toStatement(s));
}
return new CompoundStatement(loc, statements);
}
override void visit(Dsymbol s)
{
.error(Loc(), "Internal Compiler Error: cannot mixin %s %s\n", s.kind(), s.toChars());
result = new ErrorStatement();
}
override void visit(TemplateMixin tm)
{
auto a = new Statements();
foreach (m; *tm.members)
{
Statement s = toStatement(m);
if (s)
a.push(s);
}
result = new CompoundStatement(tm.loc, a);
}
/* An actual declaration symbol will be converted to DeclarationExp
* with ExpStatement.
*/
Statement declStmt(Dsymbol s)
{
auto de = new DeclarationExp(s.loc, s);
de.type = Type.tvoid; // avoid repeated semantic
return new ExpStatement(s.loc, de);
}
override void visit(VarDeclaration d)
{
result = declStmt(d);
}
override void visit(AggregateDeclaration d)
{
result = declStmt(d);
}
override void visit(FuncDeclaration d)
{
result = declStmt(d);
}
override void visit(EnumDeclaration d)
{
result = declStmt(d);
}
override void visit(AliasDeclaration d)
{
result = declStmt(d);
}
override void visit(TemplateDeclaration d)
{
result = declStmt(d);
}
/* All attributes have been already picked by the semantic analysis of
* 'bottom' declarations (function, struct, class, etc).
* So we don't have to copy them.
*/
override void visit(StorageClassDeclaration d)
{
result = visitMembers(d.loc, d.decl);
}
override void visit(DeprecatedDeclaration d)
{
result = visitMembers(d.loc, d.decl);
}
override void visit(LinkDeclaration d)
{
result = visitMembers(d.loc, d.decl);
}
override void visit(ProtDeclaration d)
{
result = visitMembers(d.loc, d.decl);
}
override void visit(AlignDeclaration d)
{
result = visitMembers(d.loc, d.decl);
}
override void visit(UserAttributeDeclaration d)
{
result = visitMembers(d.loc, d.decl);
}
override void visit(StaticAssert s)
{
}
override void visit(Import s)
{
}
override void visit(PragmaDeclaration d)
{
}
override void visit(ConditionalDeclaration d)
{
result = visitMembers(d.loc, d.include(null, null));
}
override void visit(CompileDeclaration d)
{
result = visitMembers(d.loc, d.include(null, null));
}
}
if (!s)
return null;
scope ToStmt v = new ToStmt();
s.accept(v);
return v.result;
}
/***********************************************************
*/
extern (C++) class ExpStatement : Statement
{
Expression exp;
final extern (D) this(Loc loc, Expression exp)
{
super(loc);
this.exp = exp;
}
final extern (D) this(Loc loc, Dsymbol declaration)
{
super(loc);
this.exp = new DeclarationExp(loc, declaration);
}
static ExpStatement create(Loc loc, Expression exp)
{
return new ExpStatement(loc, exp);
}
override Statement syntaxCopy()
{
return new ExpStatement(loc, exp ? exp.syntaxCopy() : null);
}
override final Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally)
{
//printf("ExpStatement::scopeCode()\n");
//print();
*sentry = null;
*sexception = null;
*sfinally = null;
if (exp && exp.op == TOKdeclaration)
{
auto de = cast(DeclarationExp)exp;
auto v = de.declaration.isVarDeclaration();
if (v && !v.isDataseg())
{
if (v.needsScopeDtor())
{
//printf("dtor is: "); v.edtor.print();
*sfinally = new DtorExpStatement(loc, v.edtor, v);
v.storage_class |= STCnodtor; // don't add in dtor again
}
}
}
return this;
}
override final Statements* flatten(Scope* sc)
{
/* Bugzilla 14243: expand template mixin in statement scope
* to handle variable destructors.
*/
if (exp && exp.op == TOKdeclaration)
{
Dsymbol d = (cast(DeclarationExp)exp).declaration;
if (TemplateMixin tm = d.isTemplateMixin())
{
Expression e = exp.semantic(sc);
if (e.op == TOKerror || tm.errors)
{
auto a = new Statements();
a.push(new ErrorStatement());
return a;
}
assert(tm.members);
Statement s = toStatement(tm);
version (none)
{
OutBuffer buf;
buf.doindent = 1;
HdrGenState hgs;
hgs.hdrgen = true;
toCBuffer(s, &buf, &hgs);
printf("tm ==> s = %s\n", buf.peekString());
}
auto a = new Statements();
a.push(s);
return a;
}
}
return null;
}
override final ExpStatement isExpStatement()
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class DtorExpStatement : ExpStatement
{
// Wraps an expression that is the destruction of 'var'
VarDeclaration var;
extern (D) this(Loc loc, Expression exp, VarDeclaration v)
{
super(loc, exp);
this.var = v;
}
override Statement syntaxCopy()
{
return new DtorExpStatement(loc, exp ? exp.syntaxCopy() : null, var);
}
override void accept(Visitor v)
{
v.visit(this);
}
override DtorExpStatement isDtorExpStatement()
{
return this;
}
}
/***********************************************************
*/
extern (C++) final class CompileStatement : Statement
{
Expression exp;
extern (D) this(Loc loc, Expression exp)
{
super(loc);
this.exp = exp;
}
override Statement syntaxCopy()
{
return new CompileStatement(loc, exp.syntaxCopy());
}
override Statements* flatten(Scope* sc)
{
//printf("CompileStatement::flatten() %s\n", exp->toChars());
auto errorStatements()
{
auto a = new Statements();
a.push(new ErrorStatement());
return a;
}
auto se = semanticString(sc, exp, "argument to mixin");
if (!se)
return errorStatements();
se = se.toUTF8(sc);
uint errors = global.errors;
scope Parser p = new Parser(loc, sc._module, se.toStringz(), false);
p.nextToken();
auto a = new Statements();
while (p.token.value != TOKeof)
{
Statement s = p.parseStatement(PSsemi | PScurlyscope);
if (!s || p.errors)
{
assert(!p.errors || global.errors != errors); // make sure we caught all the cases
return errorStatements();
}
a.push(s);
}
return a;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) class CompoundStatement : Statement
{
Statements* statements;
/**
* Construct a `CompoundStatement` using an already existing
* array of `Statement`s
*
* Params:
* loc = Instantiation informations
* s = An array of `Statement`s, that will referenced by this class
*/
final extern (D) this(Loc loc, Statements* s)
{
super(loc);
statements = s;
}
/**
* Construct a `CompoundStatement` from an array of `Statement`s
*
* Params:
* loc = Instantiation informations
* s = A variadic array of `Statement`s, that will copied in this class
* The entries themselves will not be copied.
*/
final extern (D) this(Loc loc, Statement[] sts...)
{
super(loc);
statements = new Statements();
statements.reserve(sts.length);
foreach (s; sts)
statements.push(s);
}
static CompoundStatement create(Loc loc, Statement s1, Statement s2)
{
return new CompoundStatement(loc, s1, s2);
}
override Statement syntaxCopy()
{
auto a = new Statements();
a.setDim(statements.dim);
foreach (i, s; *statements)
{
(*a)[i] = s ? s.syntaxCopy() : null;
}
return new CompoundStatement(loc, a);
}
override Statements* flatten(Scope* sc)
{
return statements;
}
override final inout(ReturnStatement) isReturnStatement() inout nothrow pure
{
ReturnStatement rs = null;
foreach (s; *statements)
{
if (s)
{
rs = cast(ReturnStatement)s.isReturnStatement();
if (rs)
break;
}
}
return cast(inout)rs;
}
override final inout(Statement) last() inout nothrow pure
{
Statement s = null;
for (size_t i = statements.dim; i; --i)
{
s = cast(Statement)(*statements)[i - 1];
if (s)
{
s = cast(Statement)s.last();
if (s)
break;
}
}
return cast(inout)s;
}
override final inout(CompoundStatement) isCompoundStatement() inout nothrow pure
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class CompoundDeclarationStatement : CompoundStatement
{
extern (D) this(Loc loc, Statements* s)
{
super(loc, s);
statements = s;
}
override Statement syntaxCopy()
{
auto a = new Statements();
a.setDim(statements.dim);
foreach (i, s; *statements)
{
(*a)[i] = s ? s.syntaxCopy() : null;
}
return new CompoundDeclarationStatement(loc, a);
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
* The purpose of this is so that continue will go to the next
* of the statements, and break will go to the end of the statements.
*/
extern (C++) final class UnrolledLoopStatement : Statement
{
Statements* statements;
extern (D) this(Loc loc, Statements* s)
{
super(loc);
statements = s;
}
override Statement syntaxCopy()
{
auto a = new Statements();
a.setDim(statements.dim);
foreach (i, s; *statements)
{
(*a)[i] = s ? s.syntaxCopy() : null;
}
return new UnrolledLoopStatement(loc, a);
}
override bool hasBreak()
{
return true;
}
override bool hasContinue()
{
return true;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ScopeStatement : Statement
{
Statement statement;
Loc endloc; // location of closing curly bracket
extern (D) this(Loc loc, Statement s, Loc endloc)
{
super(loc);
this.statement = s;
this.endloc = endloc;
}
override Statement syntaxCopy()
{
return new ScopeStatement(loc, statement ? statement.syntaxCopy() : null, endloc);
}
override inout(ScopeStatement) isScopeStatement() inout nothrow pure
{
return this;
}
override inout(ReturnStatement) isReturnStatement() inout nothrow pure
{
if (statement)
return statement.isReturnStatement();
return null;
}
override bool hasBreak()
{
//printf("ScopeStatement::hasBreak() %s\n", toChars());
return statement ? statement.hasBreak() : false;
}
override bool hasContinue()
{
return statement ? statement.hasContinue() : false;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class WhileStatement : Statement
{
Expression condition;
Statement _body;
Loc endloc; // location of closing curly bracket
extern (D) this(Loc loc, Expression c, Statement b, Loc endloc)
{
super(loc);
condition = c;
_body = b;
this.endloc = endloc;
}
override Statement syntaxCopy()
{
return new WhileStatement(loc,
condition.syntaxCopy(),
_body ? _body.syntaxCopy() : null,
endloc);
}
override bool hasBreak()
{
return true;
}
override bool hasContinue()
{
return true;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class DoStatement : Statement
{
Statement _body;
Expression condition;
Loc endloc; // location of ';' after while
extern (D) this(Loc loc, Statement b, Expression c, Loc endloc)
{
super(loc);
_body = b;
condition = c;
this.endloc = endloc;
}
override Statement syntaxCopy()
{
return new DoStatement(loc,
_body ? _body.syntaxCopy() : null,
condition.syntaxCopy(),
endloc);
}
override bool hasBreak()
{
return true;
}
override bool hasContinue()
{
return true;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ForStatement : Statement
{
Statement _init;
Expression condition;
Expression increment;
Statement _body;
Loc endloc; // location of closing curly bracket
// When wrapped in try/finally clauses, this points to the outermost one,
// which may have an associated label. Internal break/continue statements
// treat that label as referring to this loop.
Statement relatedLabeled;
extern (D) this(Loc loc, Statement _init, Expression condition, Expression increment, Statement _body, Loc endloc)
{
super(loc);
this._init = _init;
this.condition = condition;
this.increment = increment;
this._body = _body;
this.endloc = endloc;
}
override Statement syntaxCopy()
{
return new ForStatement(loc,
_init ? _init.syntaxCopy() : null,
condition ? condition.syntaxCopy() : null,
increment ? increment.syntaxCopy() : null,
_body.syntaxCopy(),
endloc);
}
override Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally)
{
//printf("ForStatement::scopeCode()\n");
Statement.scopeCode(sc, sentry, sexception, sfinally);
return this;
}
override Statement getRelatedLabeled()
{
return relatedLabeled ? relatedLabeled : this;
}
override bool hasBreak()
{
//printf("ForStatement::hasBreak()\n");
return true;
}
override bool hasContinue()
{
return true;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ForeachStatement : Statement
{
TOK op; // TOKforeach or TOKforeach_reverse
Parameters* parameters; // array of Parameter*'s
Expression aggr;
Statement _body;
Loc endloc; // location of closing curly bracket
VarDeclaration key;
VarDeclaration value;
FuncDeclaration func; // function we're lexically in
Statements* cases; // put breaks, continues, gotos and returns here
ScopeStatements* gotos; // forward referenced goto's go here
extern (D) this(Loc loc, TOK op, Parameters* parameters, Expression aggr, Statement _body, Loc endloc)
{
super(loc);
this.op = op;
this.parameters = parameters;
this.aggr = aggr;
this._body = _body;
this.endloc = endloc;
}
override Statement syntaxCopy()
{
return new ForeachStatement(loc, op,
Parameter.arraySyntaxCopy(parameters),
aggr.syntaxCopy(),
_body ? _body.syntaxCopy() : null,
endloc);
}
bool checkForArgTypes()
{
bool result = false;
foreach (p; *parameters)
{
if (!p.type)
{
error("cannot infer type for %s", p.ident.toChars());
p.type = Type.terror;
result = true;
}
}
return result;
}
override bool hasBreak()
{
return true;
}
override bool hasContinue()
{
return true;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ForeachRangeStatement : Statement
{
TOK op; // TOKforeach or TOKforeach_reverse
Parameter prm; // loop index variable
Expression lwr;
Expression upr;
Statement _body;
Loc endloc; // location of closing curly bracket
VarDeclaration key;
extern (D) this(Loc loc, TOK op, Parameter prm, Expression lwr, Expression upr, Statement _body, Loc endloc)
{
super(loc);
this.op = op;
this.prm = prm;
this.lwr = lwr;
this.upr = upr;
this._body = _body;
this.endloc = endloc;
}
override Statement syntaxCopy()
{
return new ForeachRangeStatement(loc, op, prm.syntaxCopy(), lwr.syntaxCopy(), upr.syntaxCopy(), _body ? _body.syntaxCopy() : null, endloc);
}
override bool hasBreak()
{
return true;
}
override bool hasContinue()
{
return true;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class IfStatement : Statement
{
Parameter prm;
Expression condition;
Statement ifbody;
Statement elsebody;
VarDeclaration match; // for MatchExpression results
Loc endloc; // location of closing curly bracket
extern (D) this(Loc loc, Parameter prm, Expression condition, Statement ifbody, Statement elsebody, Loc endloc)
{
super(loc);
this.prm = prm;
this.condition = condition;
this.ifbody = ifbody;
this.elsebody = elsebody;
this.endloc = endloc;
}
override Statement syntaxCopy()
{
return new IfStatement(loc,
prm ? prm.syntaxCopy() : null,
condition.syntaxCopy(),
ifbody ? ifbody.syntaxCopy() : null,
elsebody ? elsebody.syntaxCopy() : null,
endloc);
}
override IfStatement isIfStatement()
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ConditionalStatement : Statement
{
Condition condition;
Statement ifbody;
Statement elsebody;
extern (D) this(Loc loc, Condition condition, Statement ifbody, Statement elsebody)
{
super(loc);
this.condition = condition;
this.ifbody = ifbody;
this.elsebody = elsebody;
}
override Statement syntaxCopy()
{
return new ConditionalStatement(loc, condition.syntaxCopy(), ifbody.syntaxCopy(), elsebody ? elsebody.syntaxCopy() : null);
}
override Statements* flatten(Scope* sc)
{
Statement s;
//printf("ConditionalStatement::flatten()\n");
if (condition.include(sc, null))
{
DebugCondition dc = condition.isDebugCondition();
if (dc)
s = new DebugStatement(loc, ifbody);
else
s = ifbody;
}
else
s = elsebody;
auto a = new Statements();
a.push(s);
return a;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class PragmaStatement : Statement
{
Identifier ident;
Expressions* args; // array of Expression's
Statement _body;
extern (D) this(Loc loc, Identifier ident, Expressions* args, Statement _body)
{
super(loc);
this.ident = ident;
this.args = args;
this._body = _body;
}
override Statement syntaxCopy()
{
return new PragmaStatement(loc, ident, Expression.arraySyntaxCopy(args), _body ? _body.syntaxCopy() : null);
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class StaticAssertStatement : Statement
{
StaticAssert sa;
extern (D) this(StaticAssert sa)
{
super(sa.loc);
this.sa = sa;
}
override Statement syntaxCopy()
{
return new StaticAssertStatement(cast(StaticAssert)sa.syntaxCopy(null));
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class SwitchStatement : Statement
{
Expression condition;
Statement _body;
bool isFinal;
DefaultStatement sdefault;
TryFinallyStatement tf;
GotoCaseStatements gotoCases; // array of unresolved GotoCaseStatement's
CaseStatements* cases; // array of CaseStatement's
int hasNoDefault; // !=0 if no default statement
int hasVars; // !=0 if has variable case values
VarDeclaration lastVar;
extern (D) this(Loc loc, Expression c, Statement b, bool isFinal)
{
super(loc);
this.condition = c;
this._body = b;
this.isFinal = isFinal;
}
override Statement syntaxCopy()
{
return new SwitchStatement(loc, condition.syntaxCopy(), _body.syntaxCopy(), isFinal);
}
override bool hasBreak()
{
return true;
}
final bool checkLabel()
{
bool checkVar(VarDeclaration vd)
{
if (!vd || vd.isDataseg() || (vd.storage_class & STCmanifest))
return false;
VarDeclaration last = lastVar;
while (last && last != vd)
last = last.lastVar;
if (last == vd)
{
// All good, the label's scope has no variables
}
else if (vd.ident == Id.withSym)
{
deprecation("'switch' skips declaration of 'with' temporary at %s", vd.loc.toChars());
return true;
}
else
{
deprecation("'switch' skips declaration of variable %s at %s", vd.toPrettyChars(), vd.loc.toChars());
return true;
}
return false;
}
enum error = true;
if (sdefault && checkVar(sdefault.lastVar))
return !error; // return error once fully deprecated
foreach (scase; *cases)
{
if (scase && checkVar(scase.lastVar))
return !error; // return error once fully deprecated
}
return !error;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class CaseStatement : Statement
{
Expression exp;
Statement statement;
int index; // which case it is (since we sort this)
VarDeclaration lastVar;
extern (D) this(Loc loc, Expression exp, Statement s)
{
super(loc);
this.exp = exp;
this.statement = s;
}
override Statement syntaxCopy()
{
return new CaseStatement(loc, exp.syntaxCopy(), statement.syntaxCopy());
}
override int compare(RootObject obj)
{
// Sort cases so we can do an efficient lookup
CaseStatement cs2 = cast(CaseStatement)obj;
return exp.compare(cs2.exp);
}
override CaseStatement isCaseStatement()
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class CaseRangeStatement : Statement
{
Expression first;
Expression last;
Statement statement;
extern (D) this(Loc loc, Expression first, Expression last, Statement s)
{
super(loc);
this.first = first;
this.last = last;
this.statement = s;
}
override Statement syntaxCopy()
{
return new CaseRangeStatement(loc, first.syntaxCopy(), last.syntaxCopy(), statement.syntaxCopy());
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class DefaultStatement : Statement
{
Statement statement;
VarDeclaration lastVar;
extern (D) this(Loc loc, Statement s)
{
super(loc);
this.statement = s;
}
override Statement syntaxCopy()
{
return new DefaultStatement(loc, statement.syntaxCopy());
}
override DefaultStatement isDefaultStatement()
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class GotoDefaultStatement : Statement
{
SwitchStatement sw;
extern (D) this(Loc loc)
{
super(loc);
}
override Statement syntaxCopy()
{
return new GotoDefaultStatement(loc);
}
override GotoDefaultStatement isGotoDefaultStatement() pure
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class GotoCaseStatement : Statement
{
Expression exp; // null, or which case to goto
CaseStatement cs; // case statement it resolves to
extern (D) this(Loc loc, Expression exp)
{
super(loc);
this.exp = exp;
}
override Statement syntaxCopy()
{
return new GotoCaseStatement(loc, exp ? exp.syntaxCopy() : null);
}
override GotoCaseStatement isGotoCaseStatement() pure
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class SwitchErrorStatement : Statement
{
extern (D) this(Loc loc)
{
super(loc);
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ReturnStatement : Statement
{
Expression exp;
size_t caseDim;
extern (D) this(Loc loc, Expression exp)
{
super(loc);
this.exp = exp;
}
override Statement syntaxCopy()
{
return new ReturnStatement(loc, exp ? exp.syntaxCopy() : null);
}
override inout(ReturnStatement) isReturnStatement() inout nothrow pure
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class BreakStatement : Statement
{
Identifier ident;
extern (D) this(Loc loc, Identifier ident)
{
super(loc);
this.ident = ident;
}
override Statement syntaxCopy()
{
return new BreakStatement(loc, ident);
}
override inout(BreakStatement) isBreakStatement() inout nothrow pure
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ContinueStatement : Statement
{
Identifier ident;
extern (D) this(Loc loc, Identifier ident)
{
super(loc);
this.ident = ident;
}
override Statement syntaxCopy()
{
return new ContinueStatement(loc, ident);
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class SynchronizedStatement : Statement
{
Expression exp;
Statement _body;
extern (D) this(Loc loc, Expression exp, Statement _body)
{
super(loc);
this.exp = exp;
this._body = _body;
}
override Statement syntaxCopy()
{
return new SynchronizedStatement(loc, exp ? exp.syntaxCopy() : null, _body ? _body.syntaxCopy() : null);
}
override bool hasBreak()
{
return false; //true;
}
override bool hasContinue()
{
return false; //true;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class WithStatement : Statement
{
Expression exp;
Statement _body;
VarDeclaration wthis;
Loc endloc;
extern (D) this(Loc loc, Expression exp, Statement _body, Loc endloc)
{
super(loc);
this.exp = exp;
this._body = _body;
this.endloc = endloc;
}
override Statement syntaxCopy()
{
return new WithStatement(loc, exp.syntaxCopy(), _body ? _body.syntaxCopy() : null, endloc);
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class TryCatchStatement : Statement
{
Statement _body;
Catches* catches;
extern (D) this(Loc loc, Statement _body, Catches* catches)
{
super(loc);
this._body = _body;
this.catches = catches;
}
override Statement syntaxCopy()
{
auto a = new Catches();
a.setDim(catches.dim);
foreach (i, c; *catches)
{
(*a)[i] = c.syntaxCopy();
}
return new TryCatchStatement(loc, _body.syntaxCopy(), a);
}
override bool hasBreak()
{
return false;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class Catch : RootObject
{
Loc loc;
Type type;
Identifier ident;
VarDeclaration var;
Statement handler;
bool errors; // set if semantic processing errors
// was generated by the compiler, wasn't present in source code
bool internalCatch;
extern (D) this(Loc loc, Type t, Identifier id, Statement handler)
{
//printf("Catch(%s, loc = %s)\n", id->toChars(), loc.toChars());
this.loc = loc;
this.type = t;
this.ident = id;
this.handler = handler;
}
Catch syntaxCopy()
{
auto c = new Catch(loc, type ? type.syntaxCopy() : getThrowable(), ident, (handler ? handler.syntaxCopy() : null));
c.internalCatch = internalCatch;
return c;
}
}
/***********************************************************
*/
extern (C++) final class TryFinallyStatement : Statement
{
Statement _body;
Statement finalbody;
extern (D) this(Loc loc, Statement _body, Statement finalbody)
{
super(loc);
this._body = _body;
this.finalbody = finalbody;
}
static TryFinallyStatement create(Loc loc, Statement _body, Statement finalbody)
{
return new TryFinallyStatement(loc, _body, finalbody);
}
override Statement syntaxCopy()
{
return new TryFinallyStatement(loc, _body.syntaxCopy(), finalbody.syntaxCopy());
}
override bool hasBreak()
{
return false; //true;
}
override bool hasContinue()
{
return false; //true;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class OnScopeStatement : Statement
{
TOK tok;
Statement statement;
extern (D) this(Loc loc, TOK tok, Statement statement)
{
super(loc);
this.tok = tok;
this.statement = statement;
}
override Statement syntaxCopy()
{
return new OnScopeStatement(loc, tok, statement.syntaxCopy());
}
override Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally)
{
//printf("OnScopeStatement::scopeCode()\n");
//print();
*sentry = null;
*sexception = null;
*sfinally = null;
Statement s = new PeelStatement(statement);
switch (tok)
{
case TOKon_scope_exit:
*sfinally = s;
break;
case TOKon_scope_failure:
*sexception = s;
break;
case TOKon_scope_success:
{
/* Create:
* sentry: bool x = false;
* sexception: x = true;
* sfinally: if (!x) statement;
*/
auto v = copyToTemp(0, "__os", new IntegerExp(Loc(), 0, Type.tbool));
*sentry = new ExpStatement(loc, v);
Expression e = new IntegerExp(Loc(), 1, Type.tbool);
e = new AssignExp(Loc(), new VarExp(Loc(), v), e);
*sexception = new ExpStatement(Loc(), e);
e = new VarExp(Loc(), v);
e = new NotExp(Loc(), e);
*sfinally = new IfStatement(Loc(), null, e, s, null, Loc());
break;
}
default:
assert(0);
}
return null;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ThrowStatement : Statement
{
Expression exp;
// was generated by the compiler, wasn't present in source code
bool internalThrow;
extern (D) this(Loc loc, Expression exp)
{
super(loc);
this.exp = exp;
}
override Statement syntaxCopy()
{
auto s = new ThrowStatement(loc, exp.syntaxCopy());
s.internalThrow = internalThrow;
return s;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class DebugStatement : Statement
{
Statement statement;
extern (D) this(Loc loc, Statement statement)
{
super(loc);
this.statement = statement;
}
override Statement syntaxCopy()
{
return new DebugStatement(loc, statement ? statement.syntaxCopy() : null);
}
override Statements* flatten(Scope* sc)
{
Statements* a = statement ? statement.flatten(sc) : null;
if (a)
{
foreach (ref s; *a)
{
s = new DebugStatement(loc, s);
}
}
return a;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class GotoStatement : Statement
{
Identifier ident;
LabelDsymbol label;
TryFinallyStatement tf;
OnScopeStatement os;
VarDeclaration lastVar;
extern (D) this(Loc loc, Identifier ident)
{
super(loc);
this.ident = ident;
}
override Statement syntaxCopy()
{
return new GotoStatement(loc, ident);
}
final bool checkLabel()
{
if (!label.statement)
{
error("label '%s' is undefined", label.toChars());
return true;
}
if (label.statement.os != os)
{
if (os && os.tok == TOKon_scope_failure && !label.statement.os)
{
// Jump out from scope(failure) block is allowed.
}
else
{
if (label.statement.os)
error("cannot goto in to %s block", Token.toChars(label.statement.os.tok));
else
error("cannot goto out of %s block", Token.toChars(os.tok));
return true;
}
}
if (label.statement.tf != tf)
{
error("cannot goto in or out of finally block");
return true;
}
VarDeclaration vd = label.statement.lastVar;
if (!vd || vd.isDataseg() || (vd.storage_class & STCmanifest))
return false;
VarDeclaration last = lastVar;
while (last && last != vd)
last = last.lastVar;
if (last == vd)
{
// All good, the label's scope has no variables
}
else if (vd.ident == Id.withSym)
{
error("goto skips declaration of with temporary at %s", vd.loc.toChars());
return true;
}
else
{
error("goto skips declaration of variable %s at %s", vd.toPrettyChars(), vd.loc.toChars());
return true;
}
return false;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class LabelStatement : Statement
{
Identifier ident;
Statement statement;
TryFinallyStatement tf;
OnScopeStatement os;
VarDeclaration lastVar;
Statement gotoTarget; // interpret
bool breaks; // someone did a 'break ident'
extern (D) this(Loc loc, Identifier ident, Statement statement)
{
super(loc);
this.ident = ident;
this.statement = statement;
}
override Statement syntaxCopy()
{
return new LabelStatement(loc, ident, statement ? statement.syntaxCopy() : null);
}
override Statements* flatten(Scope* sc)
{
Statements* a = null;
if (statement)
{
a = statement.flatten(sc);
if (a)
{
if (!a.dim)
{
a.push(new ExpStatement(loc, cast(Expression)null));
}
// reuse 'this' LabelStatement
this.statement = (*a)[0];
(*a)[0] = this;
}
}
return a;
}
override Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexit, Statement* sfinally)
{
//printf("LabelStatement::scopeCode()\n");
if (statement)
statement = statement.scopeCode(sc, sentry, sexit, sfinally);
else
{
*sentry = null;
*sexit = null;
*sfinally = null;
}
return this;
}
override LabelStatement isLabelStatement()
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class LabelDsymbol : Dsymbol
{
LabelStatement statement;
extern (D) this(Identifier ident)
{
super(ident);
}
static LabelDsymbol create(Identifier ident)
{
return new LabelDsymbol(ident);
}
// is this a LabelDsymbol()?
override LabelDsymbol isLabel()
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class AsmStatement : Statement
{
Token* tokens;
code* asmcode;
uint asmalign; // alignment of this statement
uint regs; // mask of registers modified (must match regm_t in back end)
bool refparam; // true if function parameter is referenced
bool naked; // true if function is to be naked
extern (D) this(Loc loc, Token* tokens)
{
super(loc);
this.tokens = tokens;
}
override Statement syntaxCopy()
{
return new AsmStatement(loc, tokens);
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
* a complete asm {} block
*/
extern (C++) final class CompoundAsmStatement : CompoundStatement
{
StorageClass stc; // postfix attributes like nothrow/pure/@trusted
extern (D) this(Loc loc, Statements* s, StorageClass stc)
{
super(loc, s);
this.stc = stc;
}
override CompoundAsmStatement syntaxCopy()
{
auto a = new Statements();
a.setDim(statements.dim);
foreach (i, s; *statements)
{
(*a)[i] = s ? s.syntaxCopy() : null;
}
return new CompoundAsmStatement(loc, a, stc);
}
override Statements* flatten(Scope* sc)
{
return null;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class ImportStatement : Statement
{
Dsymbols* imports; // Array of Import's
extern (D) this(Loc loc, Dsymbols* imports)
{
super(loc);
this.imports = imports;
}
override Statement syntaxCopy()
{
auto m = new Dsymbols();
m.setDim(imports.dim);
foreach (i, s; *imports)
{
(*m)[i] = s.syntaxCopy(null);
}
return new ImportStatement(loc, m);
}
override void accept(Visitor v)
{
v.visit(this);
}
}
|
D
|
/*
Boost Software License - Version 1.0 - August 17th, 2003
Permission is hereby granted, free of charge, to any person or organization
obtaining a copy of the software and accompanying documentation covered by
this license (the "Software") to use, reproduce, display, distribute,
execute, and transmit the Software, and to prepare derivative works of the
Software, and to permit third-parties to whom the Software is furnished to
do so, all subject to the following:
The copyright notices in the Software and this entire statement, including
the above license grant, this restriction and the following disclaimer,
must be included in all copies of the Software, in whole or in part, and
all derivative works of the Software, unless such copies or derivative
works are solely in the form of machine-executable object code generated by
a source language processor.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT
SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE
FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE,
ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
DEALINGS IN THE SOFTWARE.
*/
module derelict.util.loader2;
private
{
import derelict.util.sharedlib;
import derelict.util.compat;
}
class SharedLibLoader
{
public:
this(string winLibs, string nixLibs, string macLibs)
{
version(Windows)
{
_libNames = winLibs;
}
else version(OSX)
{
_libNames = macLibs;
}
else version(darwin)
{
_libNames = macLibs;
}
else
{
_libNames = nixLibs;
}
_lib = new SharedLib();
}
void load()
{
load(_libNames);
}
void load(string libNameString)
{
assert(libNameString !is null);
string[] libNames = libNameString.splitStr(",");
foreach(ref string l; libNames)
{
l = l.stripWhiteSpace();
}
load(libNames);
}
void load(string[] libNames)
{
_lib.load(libNames);
loadSymbols();
}
void unload()
{
_lib.unload();
}
bool isLoaded()
{
return _lib.isLoaded;
}
protected:
abstract void loadSymbols();
void* loadSymbol(string name)
{
return _lib.loadSymbol(name);
}
SharedLib lib()
{
return _lib;
}
void bindFunc(void** ptr, string funcName, bool doThrow = true)
{
void* func = lib.loadSymbol(funcName, doThrow);
*ptr = func;
}
private:
string _libNames;
SharedLib _lib;
}
/*
* These templates need to stick around a bit longer, until the macinit stuff
in Derelict SDL gets sorted
*/
package struct Binder(T) {
void opCall(in char[] n, SharedLib lib) {
*fptr = lib.loadSymbol(n);
}
private {
void** fptr;
}
}
template bindFunc(T) {
Binder!(T) bindFunc(inout T a) {
Binder!(T) res;
res.fptr = cast(void**)&a;
return res;
}
}
|
D
|
/**
* String manipulation and comparison utilities.
*
* Copyright: Copyright Sean Kelly 2005 - 2009.
* License: $(HTTP www.boost.org/LICENSE_1_0.txt, Boost License 1.0).
* Authors: Sean Kelly, Walter Bright
* Source: $(DRUNTIMESRC rt/util/_string.d)
*/
module core.internal.string;
pure:
nothrow:
@nogc:
alias UnsignedStringBuf = char[20];
/**
Converts an unsigned integer value to a string of characters.
This implementation is a template so it can be used when compiling with -betterC.
Params:
value = the unsigned integer value to convert
buf = the pre-allocated buffer used to store the result
radix = the numeric base to use in the conversion (defaults to 10)
Returns:
The unsigned integer value as a string of characters
*/
char[] unsignedToTempString()(ulong value, return scope char[] buf, uint radix = 10) @safe
{
if (radix < 2)
// not a valid radix, just return an empty string
return buf[$ .. $];
size_t i = buf.length;
do
{
if (value < radix)
{
ubyte x = cast(ubyte)value;
buf[--i] = cast(char)((x < 10) ? x + '0' : x - 10 + 'a');
break;
}
else
{
ubyte x = cast(ubyte)(value % radix);
value = value / radix;
buf[--i] = cast(char)((x < 10) ? x + '0' : x - 10 + 'a');
}
} while (value);
return buf[i .. $];
}
private struct TempStringNoAlloc()
{
// need to handle 65 bytes for radix of 2 with negative sign.
private char[65] _buf = void;
private ubyte _len;
auto get() return
{
return _buf[$-_len..$];
}
alias get this;
}
/**
Converts an unsigned integer value to a string of characters.
This implementation is a template so it can be used when compiling with -betterC.
Params:
value = the unsigned integer value to convert
radix = the numeric base to use in the conversion (defaults to 10)
Returns:
The unsigned integer value as a string of characters
*/
auto unsignedToTempString()(ulong value, uint radix = 10) @safe
{
TempStringNoAlloc!() result = void;
result._len = unsignedToTempString(value, result._buf, radix).length & 0xff;
return result;
}
unittest
{
UnsignedStringBuf buf;
assert(0.unsignedToTempString(buf, 10) == "0");
assert(1.unsignedToTempString(buf, 10) == "1");
assert(12.unsignedToTempString(buf, 10) == "12");
assert(0x12ABCF .unsignedToTempString(buf, 16) == "12abcf");
assert(long.sizeof.unsignedToTempString(buf, 10) == "8");
assert(uint.max.unsignedToTempString(buf, 10) == "4294967295");
assert(ulong.max.unsignedToTempString(buf, 10) == "18446744073709551615");
// use stack allocated struct version
assert(0.unsignedToTempString(10) == "0");
assert(1.unsignedToTempString == "1");
assert(12.unsignedToTempString == "12");
assert(0x12ABCF .unsignedToTempString(16) == "12abcf");
assert(long.sizeof.unsignedToTempString == "8");
assert(uint.max.unsignedToTempString == "4294967295");
assert(ulong.max.unsignedToTempString == "18446744073709551615");
// test bad radices
assert(100.unsignedToTempString(buf, 1) == "");
assert(100.unsignedToTempString(buf, 0) == "");
}
alias SignedStringBuf = char[20];
char[] signedToTempString(long value, return scope char[] buf, uint radix = 10) @safe
{
bool neg = value < 0;
if (neg)
value = cast(ulong)-value;
auto r = unsignedToTempString(value, buf, radix);
if (neg)
{
// about to do a slice without a bounds check
auto trustedSlice(return char[] r) @trusted { assert(r.ptr > buf.ptr); return (r.ptr-1)[0..r.length+1]; }
r = trustedSlice(r);
r[0] = '-';
}
return r;
}
auto signedToTempString(long value, uint radix = 10) @safe
{
bool neg = value < 0;
if (neg)
value = cast(ulong)-value;
auto r = unsignedToTempString(value, radix);
if (neg)
{
r._len++;
r.get()[0] = '-';
}
return r;
}
unittest
{
SignedStringBuf buf;
assert(0.signedToTempString(buf, 10) == "0");
assert(1.signedToTempString(buf) == "1");
assert((-1).signedToTempString(buf) == "-1");
assert(12.signedToTempString(buf) == "12");
assert((-12).signedToTempString(buf) == "-12");
assert(0x12ABCF .signedToTempString(buf, 16) == "12abcf");
assert((-0x12ABCF) .signedToTempString(buf, 16) == "-12abcf");
assert(long.sizeof.signedToTempString(buf) == "8");
assert(int.max.signedToTempString(buf) == "2147483647");
assert(int.min.signedToTempString(buf) == "-2147483648");
assert(long.max.signedToTempString(buf) == "9223372036854775807");
assert(long.min.signedToTempString(buf) == "-9223372036854775808");
// use stack allocated struct version
assert(0.signedToTempString(10) == "0");
assert(1.signedToTempString == "1");
assert((-1).signedToTempString == "-1");
assert(12.signedToTempString == "12");
assert((-12).signedToTempString == "-12");
assert(0x12ABCF .signedToTempString(16) == "12abcf");
assert((-0x12ABCF) .signedToTempString(16) == "-12abcf");
assert(long.sizeof.signedToTempString == "8");
assert(int.max.signedToTempString == "2147483647");
assert(int.min.signedToTempString == "-2147483648");
assert(long.max.signedToTempString == "9223372036854775807");
assert(long.min.signedToTempString == "-9223372036854775808");
assert(long.max.signedToTempString(2) == "111111111111111111111111111111111111111111111111111111111111111");
assert(long.min.signedToTempString(2) == "-1000000000000000000000000000000000000000000000000000000000000000");
}
/********************************
* Determine number of digits that will result from a
* conversion of value to a string.
* Params:
* value = number to convert
* radix = radix
* Returns:
* number of digits
*/
int numDigits(uint radix = 10)(ulong value) @safe if (radix >= 2 && radix <= 36)
{
int n = 1;
while (1)
{
if (value <= uint.max)
{
uint v = cast(uint)value;
while (1)
{
if (v < radix)
return n;
if (v < radix * radix)
return n + 1;
if (v < radix * radix * radix)
return n + 2;
if (v < radix * radix * radix * radix)
return n + 3;
n += 4;
v /= radix * radix * radix * radix;
}
}
n += 4;
value /= radix * radix * radix * radix;
}
}
unittest
{
assert(0.numDigits == 1);
assert(9.numDigits == 1);
assert(10.numDigits == 2);
assert(99.numDigits == 2);
assert(100.numDigits == 3);
assert(999.numDigits == 3);
assert(1000.numDigits == 4);
assert(9999.numDigits == 4);
assert(10000.numDigits == 5);
assert(99999.numDigits == 5);
assert(uint.max.numDigits == 10);
assert(ulong.max.numDigits == 20);
assert(0.numDigits!2 == 1);
assert(1.numDigits!2 == 1);
assert(2.numDigits!2 == 2);
assert(3.numDigits!2 == 2);
// test bad radices
static assert(!__traits(compiles, 100.numDigits!1()));
static assert(!__traits(compiles, 100.numDigits!0()));
static assert(!__traits(compiles, 100.numDigits!37()));
}
int dstrcmp()( scope const char[] s1, scope const char[] s2 ) @trusted
{
immutable len = s1.length <= s2.length ? s1.length : s2.length;
if (__ctfe)
{
foreach (const u; 0 .. len)
{
if (s1[u] != s2[u])
return s1[u] > s2[u] ? 1 : -1;
}
}
else
{
import core.stdc.string : memcmp;
const ret = memcmp( s1.ptr, s2.ptr, len );
if ( ret )
return ret;
}
return s1.length < s2.length ? -1 : (s1.length > s2.length);
}
|
D
|
<?xml version="1.0" encoding="ASCII" standalone="no"?>
<di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0">
<pageList>
<availablePage>
<emfPageIdentifier href="VAR_5_banking-1151754783.notation#_copSALmGEeKQQp7P9cQvNQ"/>
</availablePage>
</pageList>
<sashModel currentSelection="//@sashModel/@windows.0/@children.0">
<windows>
<children xsi:type="di:TabFolder">
<children>
<emfPageIdentifier href="VAR_5_banking-1151754783.notation#_copSALmGEeKQQp7P9cQvNQ"/>
</children>
</children>
</windows>
</sashModel>
</di:SashWindowsMngr>
|
D
|
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM ROCKTYPE
289.600006 75.1999969 1.79999995 73.1999969 11 19 -31.6000004 145.600006 9338 2.5 2.5 sediments, saprolite
294.399994 82.9000015 1.89999998 472.299988 8 23 -33.5999985 150.600006 1154 2.0999999 2.79999995 sediments
236.600006 78.5 0 7.5 0 35 -17.2000008 131.5 1894 0 0 sediments, red mudstones
246 79.4000015 0 0 15 20 -32 150 1924 4.19999981 4.19999981 extrusives, basalts
|
D
|
#!/usr/bin/env dub
/+dub.sdl:
dependency "dmd" path="../.."
+/
void main()
{
import dmd.astbase;
import dmd.globals;
import dmd.parse;
scope parser = new Parser!ASTBase(null, null, false);
assert(parser !is null);
}
|
D
|
/**
* Compiler implementation of the
* $(LINK2 http://www.dlang.org, D programming language).
*
* Copyright: Copyright (C) 1983-1998 by Symantec
* Copyright (C) 1999-2019 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/backend/ty.d, backend/_ty.d)
*/
module dmd.backend.ty;
// Online documentation: https://dlang.org/phobos/dmd_backend_ty.html
extern (C++):
@nogc:
nothrow:
alias tym_t = uint;
/*****************************************
* Data types.
* (consists of basic type + modifier bits)
*/
// Basic types.
// casttab[][] in exp2.c depends on the order of this
// typromo[] in cpp.c depends on the order too
enum
{
TYbool = 0,
TYchar = 1,
TYschar = 2, // signed char
TYuchar = 3, // unsigned char
TYchar8 = 4,
TYchar16 = 5,
TYshort = 6,
TYwchar_t = 7,
TYushort = 8, // unsigned short
TYenum = 9, // enumeration value
TYint = 0xA,
TYuint = 0xB, // unsigned
TYlong = 0xC,
TYulong = 0xD, // unsigned long
TYdchar = 0xE, // 32 bit Unicode char
TYllong = 0xF, // 64 bit long
TYullong = 0x10, // 64 bit unsigned long
TYfloat = 0x11, // 32 bit real
TYdouble = 0x12, // 64 bit real
// long double is mapped to either of the following at runtime:
TYdouble_alias = 0x13, // 64 bit real (but distinct for overload purposes)
TYldouble = 0x14, // 80 bit real
// Add imaginary and complex types for D and C99
TYifloat = 0x15,
TYidouble = 0x16,
TYildouble = 0x17,
TYcfloat = 0x18,
TYcdouble = 0x19,
TYcldouble = 0x1A,
TYnullptr = 0x1C,
TYnptr = 0x1D, // data segment relative pointer
TYref = 0x24, // reference to another type
TYvoid = 0x25,
TYstruct = 0x26, // watch tyaggregate()
TYarray = 0x27, // watch tyaggregate()
TYnfunc = 0x28, // near C func
TYnpfunc = 0x2A, // near Cpp func
TYnsfunc = 0x2C, // near stdcall func
TYifunc = 0x2E, // interrupt func
TYptr = 0x33, // generic pointer type
TYmfunc = 0x37, // NT C++ member func
TYjfunc = 0x38, // LINK.d D function
TYhfunc = 0x39, // C function with hidden parameter
TYnref = 0x3A, // near reference
TYcent = 0x3C, // 128 bit signed integer
TYucent = 0x3D, // 128 bit unsigned integer
// Used for segmented architectures
TYsptr = 0x1E, // stack segment relative pointer
TYcptr = 0x1F, // code segment relative pointer
TYf16ptr = 0x20, // special OS/2 far16 pointer
TYfptr = 0x21, // far pointer (has segment and offset)
TYhptr = 0x22, // huge pointer (has segment and offset)
TYvptr = 0x23, // __handle pointer (has segment and offset)
TYffunc = 0x29, // far C func
TYfpfunc = 0x2B, // far Cpp func
TYfsfunc = 0x2D, // far stdcall func
TYf16func = 0x34, // _far16 _pascal function
TYnsysfunc = 0x35, // near __syscall func
TYfsysfunc = 0x36, // far __syscall func
TYfref = 0x3B, // far reference
// Used for C++ compiler
TYmemptr = 0x2F, // pointer to member
TYident = 0x30, // type-argument
TYtemplate = 0x31, // unexpanded class template
TYvtshape = 0x32, // virtual function table
// SIMD 16 byte vector types // D type
TYfloat4 = 0x3E, // float[4]
TYdouble2 = 0x3F, // double[2]
TYschar16 = 0x40, // byte[16]
TYuchar16 = 0x41, // ubyte[16]
TYshort8 = 0x42, // short[8]
TYushort8 = 0x43, // ushort[8]
TYlong4 = 0x44, // int[4]
TYulong4 = 0x45, // uint[4]
TYllong2 = 0x46, // long[2]
TYullong2 = 0x47, // ulong[2]
// SIMD 32 byte vector types // D type
TYfloat8 = 0x48, // float[8]
TYdouble4 = 0x49, // double[4]
TYschar32 = 0x4A, // byte[32]
TYuchar32 = 0x4B, // ubyte[32]
TYshort16 = 0x4C, // short[16]
TYushort16 = 0x4D, // ushort[16]
TYlong8 = 0x4E, // int[8]
TYulong8 = 0x4F, // uint[8]
TYllong4 = 0x50, // long[4]
TYullong4 = 0x51, // ulong[4]
// SIMD 64 byte vector types // D type
TYfloat16 = 0x52, // float[16]
TYdouble8 = 0x53, // double[8]
TYschar64 = 0x54, // byte[64]
TYuchar64 = 0x55, // ubyte[64]
TYshort32 = 0x56, // short[32]
TYushort32 = 0x57, // ushort[32]
TYlong16 = 0x58, // int[16]
TYulong16 = 0x59, // uint[16]
TYllong8 = 0x5A, // long[8]
TYullong8 = 0x5B, // ulong[8]
TYsharePtr = 0x5C, // pointer to shared data
TYimmutPtr = 0x5D, // pointer to immutable data
TYfgPtr = 0x5E, // GS: pointer (I32) FS: pointer (I64)
TYMAX = 0x5F,
}
alias TYerror = TYint;
extern __gshared int TYaarray; // D type
// These change depending on memory model
extern __gshared int TYdelegate, TYdarray; // D types
extern __gshared int TYptrdiff, TYsize, TYsize_t;
enum
{
mTYbasic = 0xFF, // bit mask for basic types
// Linkage type
mTYnear = 0x0800,
mTYfar = 0x1000, // seg:offset style pointer
mTYcs = 0x2000, // in code segment
mTYthread = 0x4000,
// Used for symbols going in the __thread_data section for TLS variables for Mach-O 64bit
mTYthreadData = 0x5000,
mTYLINK = 0x7800, // all linkage bits
mTYloadds = 0x08000, // 16 bit Windows LOADDS attribute
mTYexport = 0x10000,
mTYweak = 0x00000,
mTYimport = 0x20000,
mTYnaked = 0x40000,
mTYMOD = 0x78000, // all modifier bits
// Modifiers to basic types
mTYarrayhandle = 0x0,
mTYconst = 0x100,
mTYvolatile = 0x200,
mTYrestrict = 0, // BUG: add for C99
mTYmutable = 0, // need to add support
mTYunaligned = 0, // non-zero for PowerPC
mTYimmutable = 0x00080000, // immutable data
mTYshared = 0x00100000, // shared data
mTYnothrow = 0x00200000, // nothrow function
// SROA types
mTYxmmgpr = 0x00400000, // first slice in XMM register, the other in GPR
mTYgprxmm = 0x00800000, // first slice in GPR register, the other in XMM
// Used only by C/C++ compiler
//#if TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS
mTYnoret = 0x01000000, // function has no return
mTYtransu = 0x01000000, // transparent union
//#else
mTYfar16 = 0x01000000,
//#endif
mTYstdcall = 0x02000000,
mTYfastcall = 0x04000000,
mTYinterrupt = 0x08000000,
mTYcdecl = 0x10000000,
mTYpascal = 0x20000000,
mTYsyscall = 0x40000000,
mTYjava = 0x80000000,
//#if TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS
// mTYTFF = 0xFE000000,
//#else
mTYTFF = 0xFF000000,
//#endif
}
pure
tym_t tybasic(tym_t ty) { return ty & mTYbasic; }
/* Flags in tytab[] array */
extern __gshared uint[256] tytab;
enum
{
TYFLptr = 1,
TYFLreal = 2,
TYFLintegral = 4,
TYFLcomplex = 8,
TYFLimaginary = 0x10,
TYFLuns = 0x20,
TYFLmptr = 0x40,
TYFLfv = 0x80, // TYfptr || TYvptr
TYFLpascal = 0x200, // callee cleans up stack
TYFLrevparam = 0x400, // function parameters are reversed
TYFLnullptr = 0x800,
TYFLshort = 0x1000,
TYFLaggregate = 0x2000,
TYFLfunc = 0x4000,
TYFLref = 0x8000,
TYFLsimd = 0x20000, // SIMD vector type
TYFLfarfunc = 0x100, // __far functions (for segmented architectures)
TYFLxmmreg = 0x10000, // can be put in XMM register
}
/* Array to give the size in bytes of a type, -1 means error */
extern __gshared byte[256] _tysize;
extern __gshared byte[256] _tyalignsize;
// Give size of type
byte tysize(tym_t ty) { return _tysize[ty & 0xFF]; }
byte tyalignsize(tym_t ty) { return _tyalignsize[ty & 0xFF]; }
/* Groupings of types */
uint tyintegral(tym_t ty) { return tytab[ty & 0xFF] & TYFLintegral; }
uint tyarithmetic(tym_t ty) { return tytab[ty & 0xFF] & (TYFLintegral | TYFLreal | TYFLimaginary | TYFLcomplex); }
uint tyaggregate(tym_t ty) { return tytab[ty & 0xFF] & TYFLaggregate; }
uint tyscalar(tym_t ty) { return tytab[ty & 0xFF] & (TYFLintegral | TYFLreal | TYFLimaginary | TYFLcomplex | TYFLptr | TYFLmptr | TYFLnullptr | TYFLref); }
uint tyfloating(tym_t ty) { return tytab[ty & 0xFF] & (TYFLreal | TYFLimaginary | TYFLcomplex); }
uint tyimaginary(tym_t ty) { return tytab[ty & 0xFF] & TYFLimaginary; }
uint tycomplex(tym_t ty) { return tytab[ty & 0xFF] & TYFLcomplex; }
uint tyreal(tym_t ty) { return tytab[ty & 0xFF] & TYFLreal; }
// Fits into 64 bit register
bool ty64reg(tym_t ty) { return tytab[ty & 0xFF] & (TYFLintegral | TYFLptr | TYFLref) && tysize(ty) <= _tysize[TYnptr]; }
// Can go in XMM floating point register
uint tyxmmreg(tym_t ty) { return tytab[ty & 0xFF] & TYFLxmmreg; }
// Is a vector type
bool tyvector(tym_t ty) { return tybasic(ty) >= TYfloat4 && tybasic(ty) <= TYullong4; }
/* Types that are chars or shorts */
uint tyshort(tym_t ty) { return tytab[ty & 0xFF] & TYFLshort; }
/* Detect TYlong or TYulong */
bool tylong(tym_t ty) { return tybasic(ty) == TYlong || tybasic(ty) == TYulong; }
/* Use to detect a pointer type */
uint typtr(tym_t ty) { return tytab[ty & 0xFF] & TYFLptr; }
/* Use to detect a reference type */
uint tyref(tym_t ty) { return tytab[ty & 0xFF] & TYFLref; }
/* Use to detect a pointer type or a member pointer */
uint tymptr(tym_t ty) { return tytab[ty & 0xFF] & (TYFLptr | TYFLmptr); }
// Use to detect a nullptr type or a member pointer
uint tynullptr(tym_t ty) { return tytab[ty & 0xFF] & TYFLnullptr; }
/* Detect TYfptr or TYvptr */
uint tyfv(tym_t ty) { return tytab[ty & 0xFF] & TYFLfv; }
/* All data types that fit in exactly 8 bits */
bool tybyte(tym_t ty) { return tysize(ty) == 1; }
/* Types that fit into a single machine register */
bool tyreg(tym_t ty) { return tysize(ty) <= _tysize[TYnptr]; }
/* Detect function type */
uint tyfunc(tym_t ty) { return tytab[ty & 0xFF] & TYFLfunc; }
/* Detect function type where parameters are pushed left to right */
uint tyrevfunc(tym_t ty) { return tytab[ty & 0xFF] & TYFLrevparam; }
/* Detect uint types */
uint tyuns(tym_t ty) { return tytab[ty & 0xFF] & (TYFLuns | TYFLptr); }
/* Target dependent info */
alias TYoffset = TYuint; // offset to an address
/* Detect cpp function type (callee cleans up stack) */
uint typfunc(tym_t ty) { return tytab[ty & 0xFF] & TYFLpascal; }
/* Array to convert a type to its unsigned equivalent */
extern __gshared tym_t[256] tytouns;
tym_t touns(tym_t ty) { return tytouns[ty & 0xFF]; }
/* Determine if TYffunc or TYfpfunc (a far function) */
uint tyfarfunc(tym_t ty) { return tytab[ty & 0xFF] & TYFLfarfunc; }
// Determine if parameter is a SIMD vector type
uint tysimd(tym_t ty) { return tytab[ty & 0xFF] & TYFLsimd; }
/* Determine relaxed type */
extern __gshared ubyte[TYMAX] _tyrelax;
uint tyrelax(tym_t ty) { return _tyrelax[tybasic(ty)]; }
/* Determine functionally equivalent type */
extern __gshared ubyte[TYMAX] tyequiv;
/* Give an ascii string for a type */
extern (C) { extern __gshared const(char)*[TYMAX] tystring; }
/* Debugger value for type */
extern __gshared ubyte[TYMAX] dttab;
extern __gshared ushort[TYMAX] dttab4;
bool I16() { return _tysize[TYnptr] == 2; }
bool I32() { return _tysize[TYnptr] == 4; }
bool I64() { return _tysize[TYnptr] == 8; }
|
D
|
/**
* Code to do the Data Flow Analysis (doesn't act on the data).
*
* Copyright: Copyright (C) 1985-1998 by Symantec
* Copyright (C) 2000-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/backend/gflow.d, backend/gflow.d)
* Documentation: https://dlang.org/phobos/dmd_backend_gflow.html
* Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/backend/gflow.d
*/
module dmd.backend.gflow;
version (SCPP)
version = COMPILE;
version (MARS)
version = COMPILE;
version (COMPILE)
{
import core.stdc.stdio;
import core.stdc.stdlib;
import core.stdc.string;
import dmd.backend.cc;
import dmd.backend.cdef;
import dmd.backend.code_x86;
import dmd.backend.oper;
import dmd.backend.global;
import dmd.backend.goh;
import dmd.backend.el;
import dmd.backend.outbuf;
import dmd.backend.ty;
import dmd.backend.type;
import dmd.backend.barray;
import dmd.backend.dlist;
import dmd.backend.dvec;
nothrow:
@safe:
void vec_setclear(size_t b, vec_t vs, vec_t vc) { vec_setbit(b, vs); vec_clearbit(b, vc); }
@trusted
bool Eunambig(elem* e) { return OTassign(e.Eoper) && e.EV.E1.Eoper == OPvar; }
@trusted
char symbol_isintab(const Symbol* s) { return sytab[s.Sclass] & SCSS; }
@trusted
void util_free(void* p) { if (p) free(p); }
@trusted
void *util_calloc(uint n, uint size) { void* p = calloc(n, size); assert(!(n * size) || p); return p; }
@trusted
void *util_realloc(void* p, size_t n, size_t size) { void* q = realloc(p, n * size); assert(!(n * size) || q); return q; }
extern (C++):
/* Since many routines are nearly identical, we can combine them with */
/* this flag: */
private enum
{
AE = 1,
CP,
VBE
}
private __gshared
{
int flowxx; // one of the above values
}
/***************** REACHING DEFINITIONS *********************/
/************************************
* Compute reaching definitions (RDs).
* That is, for each block B and each program variable X
* find all elems that could be the last elem that defines
* X along some path to B.
* Binrd = the set of defs reaching the beginning of B.
* Boutrd = the set of defs reaching the end of B.
* Bkillrd = set of defs that are killed by some def in B.
* Bgenrd = set of defs in B that reach the end of B.
*/
@trusted
void flowrd()
{
rdgenkill(); /* Compute Bgen and Bkill for RDs */
if (go.defnod.length == 0) /* if no definition elems */
return; /* no analysis to be done */
/* The transfer equation is: */
/* Bin = union of Bouts of all predecessors of B. */
/* Bout = (Bin - Bkill) | Bgen */
/* Using Ullman's algorithm: */
foreach (b; dfo[])
vec_copy(b.Boutrd, b.Bgen);
bool anychng;
vec_t tmp = vec_calloc(go.defnod.length);
do
{
anychng = false;
foreach (b; dfo[]) // for each block
{
/* Binrd = union of Boutrds of all predecessors of b */
vec_clear(b.Binrd);
if (b.BC != BCcatch /*&& b.BC != BCjcatch*/)
{
/* Set Binrd to 0 to account for:
* i = 0;
* try { i = 1; throw; } catch () { x = i; }
*/
foreach (bp; ListRange(b.Bpred))
vec_orass(b.Binrd,list_block(bp).Boutrd);
}
/* Bout = (Bin - Bkill) | Bgen */
vec_sub(tmp,b.Binrd,b.Bkill);
vec_orass(tmp,b.Bgen);
if (!anychng)
anychng = !vec_equal(tmp,b.Boutrd);
vec_copy(b.Boutrd,tmp);
}
} while (anychng); /* while any changes to Boutrd */
vec_free(tmp);
static if (0)
{
dbg_printf("Reaching definitions\n");
foreach (i, b; dfo[]) // for each block
{
assert(vec_numbits(b.Binrd) == go.defnod.length);
dbg_printf("B%d Bin ", cast(int)i); vec_println(b.Binrd);
dbg_printf(" Bgen "); vec_println(b.Bgen);
dbg_printf(" Bkill "); vec_println(b.Bkill);
dbg_printf(" Bout "); vec_println(b.Boutrd);
}
}
}
/***************************
* Compute Bgen and Bkill for RDs.
*/
@trusted
private void rdgenkill()
{
/* Compute number of definition elems. */
uint num_unambig_def = 0;
uint deftop = 0;
foreach (b; dfo[]) // for each block
if (b.Belem)
{
deftop += numdefelems(b.Belem, num_unambig_def);
}
/* Allocate array of pointers to all definition elems */
/* The elems are in dfo order. */
/* go.defnod[]s consist of a elem pointer and a pointer */
/* to the enclosing block. */
go.defnod.setLength(deftop);
if (deftop == 0)
return;
/* Allocate buffer for the DNunambig vectors
*/
const size_t dim = (deftop + (VECBITS - 1)) >> VECSHIFT;
const sz = (dim + 2) * num_unambig_def;
go.dnunambig.setLength(sz);
go.dnunambig[] = 0;
go.defnod.setLength(deftop);
size_t i = deftop;
foreach_reverse (b; dfo[]) // for each block
if (b.Belem)
asgdefelems(b, b.Belem, go.defnod[], i); // fill in go.defnod[]
assert(i == 0);
initDNunambigVectors(go.defnod[]);
foreach (b; dfo[]) // for each block
{
/* dump any existing vectors */
vec_free(b.Bgen);
vec_free(b.Bkill);
vec_free(b.Binrd);
vec_free(b.Boutrd);
/* calculate and create new vectors */
rdelem(b.Bgen, b.Bkill, b.Belem);
if (b.BC == BCasm)
{
vec_clear(b.Bkill); // KILL nothing
vec_set(b.Bgen); // GEN everything
}
b.Binrd = vec_calloc(deftop);
b.Boutrd = vec_calloc(deftop);
}
}
/**********************
* Compute and return # of definition elems in e.
* Params:
* e = elem tree to search
* num_unambig_def = accumulate the number of unambiguous
* definition elems
* Returns:
* number of definition elems
*/
@trusted
private uint numdefelems(const(elem)* e, ref uint num_unambig_def)
{
uint n = 0;
while (1)
{
assert(e);
if (OTdef(e.Eoper))
{
++n;
if (OTassign(e.Eoper) && e.EV.E1.Eoper == OPvar)
++num_unambig_def;
}
if (OTbinary(e.Eoper))
{
n += numdefelems(e.EV.E1, num_unambig_def);
e = e.EV.E2;
}
else if (OTunary(e.Eoper))
{
e = e.EV.E1;
}
else
break;
}
return n;
}
/**************************
* Load defnod[] array.
* Loaded in order of execution of the elems. Not sure if this is
* necessary.
*/
@trusted
extern (D)
private void asgdefelems(block *b,elem *n, DefNode[] defnod, ref size_t i)
{
assert(b && n);
while (1)
{
const op = n.Eoper;
if (OTdef(op))
{
--i;
defnod[i] = DefNode(n, b, null);
n.Edef = cast(uint)i;
}
else
n.Edef = ~0; // just to ensure it is not in the array
if (ERTOL(n))
{
asgdefelems(b,n.EV.E1,defnod,i);
n = n.EV.E2;
continue;
}
else if (OTbinary(op))
{
asgdefelems(b,n.EV.E2,defnod,i);
n = n.EV.E1;
continue;
}
else if (OTunary(op))
{
n = n.EV.E1;
continue;
}
break;
}
}
/*************************************
* Allocate and initialize DNumambig vectors in go.defnod[]
*/
@trusted
extern (D)
private void initDNunambigVectors(DefNode[] defnod)
{
//printf("initDNunambigVectors()\n");
const size_t numbits = defnod.length;
const size_t dim = (numbits + (VECBITS - 1)) >> VECSHIFT;
size_t j = 0;
foreach (const i; 0 .. defnod.length)
{
elem *e = defnod[i].DNelem;
if (OTassign(e.Eoper) && e.EV.E1.Eoper == OPvar)
{
vec_t v = &go.dnunambig[j] + 2;
assert(vec_dim(v) == 0);
vec_dim(v) = dim;
vec_numbits(v) = numbits;
j += dim + 2;
fillInDNunambig(v, e, defnod[]);
defnod[i].DNunambig = v;
}
}
assert(j <= go.dnunambig.length);
}
/**************************************
* Fill in the DefNode.DNumambig vector.
* Set bits defnod[] indices for entries
* which are completely destroyed when e is
* unambiguously assigned to.
* Params:
* v = vector to fill in
* e = defnod[] entry that is an assignment to a variable
*/
@trusted
extern (D)
private void fillInDNunambig(vec_t v, elem *e, DefNode[] defnod)
{
assert(OTassign(e.Eoper));
elem *t = e.EV.E1;
assert(t.Eoper == OPvar);
Symbol *d = t.EV.Vsym;
targ_size_t toff = t.EV.Voffset;
targ_size_t tsize = (e.Eoper == OPstreq) ? type_size(e.ET) : tysize(t.Ety);
targ_size_t ttop = toff + tsize;
// for all unambig defs in defnod[]
foreach (const i; 0 .. defnod.length)
{
elem *tn = defnod[i].DNelem;
elem *tn1;
targ_size_t tn1size;
if (!OTassign(tn.Eoper))
continue;
// If def of same variable, kill that def
tn1 = tn.EV.E1;
if (tn1.Eoper != OPvar || d != tn1.EV.Vsym)
continue;
// If t completely overlaps tn1
tn1size = (tn.Eoper == OPstreq)
? type_size(tn.ET) : tysize(tn1.Ety);
if (toff <= tn1.EV.Voffset &&
tn1.EV.Voffset + tn1size <= ttop)
{
vec_setbit(cast(uint)i, v);
}
}
}
/*************************************
* Allocate and compute rd GEN and KILL.
* Params:
* GEN = gen vector to create
* KILL = kill vector to create
* n = elem tree to evaluate for GEN and KILL
*/
@trusted
private void rdelem(out vec_t GEN, out vec_t KILL,
elem *n)
{
GEN = vec_calloc(go.defnod.length);
KILL = vec_calloc(go.defnod.length);
if (n)
accumrd(GEN, KILL, n);
}
/**************************************
* Accumulate GEN and KILL vectors for this elem.
*/
@trusted
private void accumrd(vec_t GEN,vec_t KILL,elem *n)
{
assert(GEN && KILL && n);
const op = n.Eoper;
if (OTunary(op))
accumrd(GEN,KILL,n.EV.E1);
else if (OTbinary(op))
{
if (op == OPcolon || op == OPcolon2)
{
vec_t Gl,Kl,Gr,Kr;
rdelem(Gl, Kl, n.EV.E1);
rdelem(Gr, Kr, n.EV.E2);
switch (el_returns(n.EV.E1) * 2 | int(el_returns(n.EV.E2)))
{
case 3: // E1 and E2 return
/* GEN = (GEN - Kl) | Gl |
* (GEN - Kr) | Gr
* KILL |= Kl & Kr
* This simplifies to:
* GEN = GEN | (Gl | Gr) | (GEN - (Kl & Kr)
* KILL |= Kl & Kr
*/
vec_andass(Kl,Kr);
vec_orass(KILL,Kl);
vec_orass(Gl,Gr);
vec_sub(Gr,GEN,Kl); // (GEN - (Kl & Kr)
vec_or(GEN,Gl,Gr);
break;
case 2: // E1 returns
/* GEN = (GEN - Kl) | Gl
* KILL |= Kl
*/
vec_subass(GEN,Kl);
vec_orass(GEN,Gl);
vec_orass(KILL,Kl);
break;
case 1: // E2 returns
/* GEN = (GEN - Kr) | Gr
* KILL |= Kr
*/
vec_subass(GEN,Kr);
vec_orass(GEN,Gr);
vec_orass(KILL,Kr);
break;
case 0: // neither returns
break;
default:
assert(0);
}
vec_free(Gl);
vec_free(Kl);
vec_free(Gr);
vec_free(Kr);
}
else if (op == OPandand || op == OPoror)
{
accumrd(GEN,KILL,n.EV.E1);
vec_t Gr,Kr;
rdelem(Gr, Kr, n.EV.E2);
if (el_returns(n.EV.E2))
vec_orass(GEN,Gr); // GEN |= Gr
vec_free(Gr);
vec_free(Kr);
}
else if (OTrtol(op) && ERTOL(n))
{
accumrd(GEN,KILL,n.EV.E2);
accumrd(GEN,KILL,n.EV.E1);
}
else
{
accumrd(GEN,KILL,n.EV.E1);
accumrd(GEN,KILL,n.EV.E2);
}
}
if (OTdef(op)) /* if definition elem */
updaterd(n,GEN,KILL);
}
/******************** AVAILABLE EXPRESSIONS ***********************/
/************************************
* Compute available expressions (AEs).
* That is, expressions whose result is still current.
* Bin = the set of AEs reaching the beginning of B.
* Bout = the set of AEs reaching the end of B.
*/
@trusted
void flowae()
{
flowxx = AE;
flowaecp(AE);
}
/**************************** COPY PROPAGATION ************************/
/***************************************
* Compute copy propagation info (CPs).
* Very similar to AEs (the same code is used).
* Using RDs for copy propagation is WRONG!
* That is, set of copy statements still valid.
* Bin = the set of CPs reaching the beginning of B.
* Bout = the set of CPs reaching the end of B.
*/
@trusted
void flowcp()
{
flowxx = CP;
flowaecp(CP);
}
/*****************************************
* Common flow analysis routines for Available Expressions and
* Copy Propagation.
* Input:
* flowxx
*/
@trusted
private void flowaecp(int flowxx)
{
aecpgenkill(go, flowxx); // Compute Bgen and Bkill for AEs or CPs
if (go.exptop <= 1) /* if no expressions */
return;
/* The transfer equation is: */
/* Bin = & Bout(all predecessors P of B) */
/* Bout = (Bin - Bkill) | Bgen */
/* Using Ullman's algorithm: */
vec_clear(startblock.Bin);
vec_copy(startblock.Bout,startblock.Bgen); /* these never change */
if (startblock.BC == BCiftrue)
vec_copy(startblock.Bout2,startblock.Bgen2); // these never change
/* For all blocks except startblock */
foreach (b; dfo[1 .. $])
{
vec_set(b.Bin); /* Bin = all expressions */
/* Bout = (Bin - Bkill) | Bgen */
vec_sub(b.Bout,b.Bin,b.Bkill);
vec_orass(b.Bout,b.Bgen);
if (b.BC == BCiftrue)
{
vec_sub(b.Bout2,b.Bin,b.Bkill2);
vec_orass(b.Bout2,b.Bgen2);
}
}
vec_t tmp = vec_calloc(go.exptop);
bool anychng;
do
{
anychng = false;
// For all blocks except startblock
foreach (b; dfo[1 .. $])
{
// Bin = & of Bout of all predecessors
// Bout = (Bin - Bkill) | Bgen
bool first = true;
foreach (bl; ListRange(b.Bpred))
{
block* bp = list_block(bl);
if (bp.BC == BCiftrue && bp.nthSucc(0) != b)
{
if (first)
vec_copy(b.Bin,bp.Bout2);
else
vec_andass(b.Bin,bp.Bout2);
}
else
{
if (first)
vec_copy(b.Bin,bp.Bout);
else
vec_andass(b.Bin,bp.Bout);
}
first = false;
}
assert(!first); // it must have had predecessors
if (b.BC == BCjcatch)
{
/* Set Bin to 0 to account for:
void* pstart = p;
try
{
p = null; // account for this
throw;
}
catch (Throwable o) { assert(p != pstart); }
*/
vec_clear(b.Bin);
}
if (anychng)
{
vec_sub(b.Bout,b.Bin,b.Bkill);
vec_orass(b.Bout,b.Bgen);
}
else
{
vec_sub(tmp,b.Bin,b.Bkill);
vec_orass(tmp,b.Bgen);
if (!vec_equal(tmp,b.Bout))
{ // Swap Bout and tmp instead of
// copying tmp over Bout
vec_t v = tmp;
tmp = b.Bout;
b.Bout = v;
anychng = true;
}
}
if (b.BC == BCiftrue)
{ // Bout2 = (Bin - Bkill2) | Bgen2
if (anychng)
{
vec_sub(b.Bout2,b.Bin,b.Bkill2);
vec_orass(b.Bout2,b.Bgen2);
}
else
{
vec_sub(tmp,b.Bin,b.Bkill2);
vec_orass(tmp,b.Bgen2);
if (!vec_equal(tmp,b.Bout2))
{ // Swap Bout and tmp instead of
// copying tmp over Bout2
vec_t v = tmp;
tmp = b.Bout2;
b.Bout2 = v;
anychng = true;
}
}
}
}
} while (anychng);
vec_free(tmp);
}
/***********************************
* Compute Bgen and Bkill for AEs, CPs, and VBEs.
*/
@trusted
private void aecpgenkill(ref GlobalOptimizer go, int flowxx)
{
block* this_block;
/********************************
* Assign cp elems to go.expnod[] (in order of evaluation).
*/
void asgcpelems(elem *n)
{
while (1)
{
const op = n.Eoper;
if (OTunary(op))
{
n.Eexp = 0;
n = n.EV.E1;
continue;
}
else if (OTbinary(op))
{
if (ERTOL(n))
{
asgcpelems(n.EV.E2);
asgcpelems(n.EV.E1);
}
else
{
asgcpelems(n.EV.E1);
asgcpelems(n.EV.E2);
}
/* look for elem of the form OPvar=OPvar, where they aren't the
* same variable.
* Don't mix XMM and integer registers.
*/
elem* e1;
elem* e2;
if ((op == OPeq || op == OPstreq) &&
(e1 = n.EV.E1).Eoper == OPvar &&
(e2 = n.EV.E2).Eoper == OPvar &&
!((e1.Ety | e2.Ety) & (mTYvolatile | mTYshared)) &&
(!config.fpxmmregs ||
(!tyfloating(e1.EV.Vsym.Stype.Tty) == !tyfloating(e2.EV.Vsym.Stype.Tty))) &&
e1.EV.Vsym != e2.EV.Vsym)
{
n.Eexp = cast(uint)go.expnod.length;
go.expnod.push(n);
}
else
n.Eexp = 0;
}
else
n.Eexp = 0;
return;
}
}
/********************************
* Assign ae and vbe elems to go.expnod[] (in order of evaluation).
*/
bool asgaeelems(elem *n)
{
bool ae;
assert(n);
const op = n.Eoper;
if (OTunary(op))
{
ae = asgaeelems(n.EV.E1);
// Disallow starred references to avoid problems with VBE's
// being hoisted before tests of an invalid pointer.
if (flowxx == VBE && op == OPind)
{
n.Eexp = 0;
return false;
}
}
else if (OTbinary(op))
{
if (ERTOL(n))
ae = asgaeelems(n.EV.E2) & asgaeelems(n.EV.E1);
else
ae = asgaeelems(n.EV.E1) & asgaeelems(n.EV.E2);
}
else
ae = true;
if (ae && OTae(op) && !(n.Ety & (mTYvolatile | mTYshared)) &&
// Disallow struct AEs, because we can't handle CSEs that are structs
tybasic(n.Ety) != TYstruct &&
tybasic(n.Ety) != TYarray)
{
n.Eexp = cast(uint)go.expnod.length; // remember index into go.expnod[]
go.expnod.push(n);
if (flowxx == VBE)
go.expblk.push(this_block);
return true;
}
else
{
n.Eexp = 0;
return false;
}
}
go.expnod.setLength(0); // dump any existing one
go.expnod.push(null);
go.expblk.setLength(0); // dump any existing one
go.expblk.push(null);
foreach (b; dfo[])
{
if (b.Belem)
{
if (flowxx == CP)
asgcpelems(b.Belem);
else
{
this_block = b; // so asgaeelems knows about this
asgaeelems(b.Belem);
}
}
}
go.exptop = cast(uint)go.expnod.length;
if (go.exptop <= 1)
return;
defstarkill(); /* compute go.defkill and go.starkill */
static if (0)
{
assert(vec_numbits(go.defkill) == go.expnod.length);
assert(vec_numbits(go.starkill) == go.expnod.length);
assert(vec_numbits(go.vptrkill) == go.expnod.length);
dbg_printf("defkill "); vec_println(go.defkill);
if (go.starkill)
{ dbg_printf("starkill "); vec_println(go.starkill);}
if (go.vptrkill)
{ dbg_printf("vptrkill "); vec_println(go.vptrkill); }
}
foreach (i, b; dfo[])
{
/* dump any existing vectors */
vec_free(b.Bin);
vec_free(b.Bout);
vec_free(b.Bgen);
vec_free(b.Bkill);
b.Bgen = vec_calloc(go.expnod.length);
b.Bkill = vec_calloc(go.expnod.length);
switch (b.BC)
{
case BCiftrue:
vec_free(b.Bout2);
vec_free(b.Bgen2);
vec_free(b.Bkill2);
elem* e;
for (e = b.Belem; e.Eoper == OPcomma; e = e.EV.E2)
accumaecp(b.Bgen,b.Bkill,e.EV.E1);
if (e.Eoper == OPandand || e.Eoper == OPoror)
{
accumaecp(b.Bgen,b.Bkill,e.EV.E1);
vec_t Kr = vec_calloc(go.expnod.length);
vec_t Gr = vec_calloc(go.expnod.length);
accumaecp(Gr,Kr,e.EV.E2);
// We might or might not have executed E2
// KILL1 = KILL | Kr
// GEN1 = GEN & ((GEN - Kr) | Gr)
// We definitely executed E2
// KILL2 = (KILL - Gr) | Kr
// GEN2 = (GEN - Kr) | Gr
const uint dim = cast(uint)vec_dim(Kr);
vec_t KILL = b.Bkill;
vec_t GEN = b.Bgen;
foreach (j; 0 .. dim)
{
vec_base_t KILL1 = KILL[j] | Kr[j];
vec_base_t GEN1 = GEN[j] & ((GEN[j] & ~Kr[j]) | Gr[j]);
vec_base_t KILL2 = (KILL[j] & ~Gr[j]) | Kr[j];
vec_base_t GEN2 = (GEN[j] & ~Kr[j]) | Gr[j];
KILL[j] = KILL1;
GEN[j] = GEN1;
Kr[j] = KILL2;
Gr[j] = GEN2;
}
if (e.Eoper == OPandand)
{ b.Bkill = Kr;
b.Bgen = Gr;
b.Bkill2 = KILL;
b.Bgen2 = GEN;
}
else
{ b.Bkill = KILL;
b.Bgen = GEN;
b.Bkill2 = Kr;
b.Bgen2 = Gr;
}
}
else
{
accumaecp(b.Bgen,b.Bkill,e);
b.Bgen2 = vec_clone(b.Bgen);
b.Bkill2 = vec_clone(b.Bkill);
}
b.Bout2 = vec_calloc(go.expnod.length);
break;
case BCasm:
vec_set(b.Bkill); // KILL everything
vec_clear(b.Bgen); // GEN nothing
break;
default:
// calculate GEN & KILL vectors
if (b.Belem)
accumaecp(b.Bgen,b.Bkill,b.Belem);
break;
}
static if (0)
{
printf("block %d Bgen ",i); vec_println(b.Bgen);
printf(" Bkill "); vec_println(b.Bkill);
}
b.Bin = vec_calloc(go.expnod.length);
b.Bout = vec_calloc(go.expnod.length);
}
}
/********************************
* Compute defkill, starkill and vptrkill vectors.
* starkill: set of expressions killed when a variable is
* changed that somebody could be pointing to.
* (not needed for cp)
* starkill is a subset of defkill.
* defkill: set of expressions killed by an ambiguous
* definition.
* vptrkill: set of expressions killed by an access to a vptr.
*/
@trusted
private void defstarkill()
{
const exptop = go.exptop;
vec_recycle(go.defkill, exptop);
if (flowxx == CP)
{
vec_recycle(go.starkill, 0);
vec_recycle(go.vptrkill, 0);
}
else
{
vec_recycle(go.starkill, exptop); // and create new ones
vec_recycle(go.vptrkill, exptop); // and create new ones
}
if (!exptop)
return;
auto defkill = go.defkill;
if (flowxx == CP)
{
foreach (i, n; go.expnod[1 .. exptop])
{
const op = n.Eoper;
assert(op == OPeq || op == OPstreq);
assert(n.EV.E1.Eoper==OPvar && n.EV.E2.Eoper==OPvar);
// Set bit in defkill if either the left or the
// right variable is killed by an ambiguous def.
if (Symbol_isAffected(*n.EV.E1.EV.Vsym) ||
Symbol_isAffected(*n.EV.E2.EV.Vsym))
{
vec_setbit(i + 1,defkill);
}
}
}
else
{
auto starkill = go.starkill;
auto vptrkill = go.vptrkill;
foreach (j, n; go.expnod[1 .. exptop])
{
const i = j + 1;
const op = n.Eoper;
switch (op)
{
case OPvar:
if (Symbol_isAffected(*n.EV.Vsym))
vec_setbit(i,defkill);
break;
case OPind: // if a 'starred' ref
if (tybasic(n.EV.E1.Ety) == TYimmutPtr)
break;
goto case OPstrlen;
case OPstrlen:
case OPstrcmp:
case OPmemcmp:
case OPbt: // OPbt is like OPind
vec_setbit(i,defkill);
vec_setbit(i,starkill);
break;
case OPvp_fp:
case OPcvp_fp:
vec_setbit(i,vptrkill);
goto Lunary;
default:
if (OTunary(op))
{
Lunary:
if (vec_testbit(n.EV.E1.Eexp,defkill))
vec_setbit(i,defkill);
if (vec_testbit(n.EV.E1.Eexp,starkill))
vec_setbit(i,starkill);
}
else if (OTbinary(op))
{
if (vec_testbit(n.EV.E1.Eexp,defkill) ||
vec_testbit(n.EV.E2.Eexp,defkill))
vec_setbit(i,defkill);
if (vec_testbit(n.EV.E1.Eexp,starkill) ||
vec_testbit(n.EV.E2.Eexp,starkill))
vec_setbit(i,starkill);
}
break;
}
}
}
}
/********************************
* Compute GEN and KILL vectors only for AEs.
* defkill and starkill are assumed to be already set up correctly.
* go.expnod[] is assumed to be set up correctly.
*/
@trusted
void genkillae()
{
flowxx = AE;
assert(go.exptop > 1);
foreach (b; dfo[])
{
assert(b);
vec_clear(b.Bgen);
vec_clear(b.Bkill);
if (b.Belem)
accumaecp(b.Bgen,b.Bkill,b.Belem);
else if (b.BC == BCasm)
{
vec_set(b.Bkill); // KILL everything
vec_clear(b.Bgen); // GEN nothing
}
}
}
/************************************
* Allocate and compute KILL and GEN vectors for a elem.
* Params:
* gen = GEN vector to create and compute
* kill = KILL vector to create and compute
* e = elem used to conpute GEN and KILL
*/
@trusted
private void aecpelem(out vec_t gen, out vec_t kill, elem *n)
{
gen = vec_calloc(go.exptop);
kill = vec_calloc(go.exptop);
if (n)
{
if (flowxx == VBE)
accumvbe(gen,kill,n);
else
accumaecp(gen,kill,n);
}
}
/*************************************
* Accumulate GEN and KILL sets for AEs and CPs for this elem.
*/
private __gshared
{
vec_t GEN; // use static copies to save on parameter passing
vec_t KILL;
}
@trusted
private void accumaecp(vec_t g,vec_t k,elem *n)
{ vec_t GENsave,KILLsave;
assert(g && k);
GENsave = GEN;
KILLsave = KILL;
GEN = g;
KILL = k;
accumaecpx(n);
GEN = GENsave;
KILL = KILLsave;
}
@trusted
private void accumaecpx(elem *n)
{
elem *t;
assert(n);
elem_debug(n);
const op = n.Eoper;
switch (op)
{
case OPvar:
case OPconst:
case OPrelconst:
if ((flowxx == AE) && n.Eexp)
{ uint b;
debug assert(go.expnod[n.Eexp] == n);
b = n.Eexp;
vec_setclear(b,GEN,KILL);
}
return;
case OPcolon:
case OPcolon2:
{ vec_t Gl,Kl,Gr,Kr;
aecpelem(Gl,Kl, n.EV.E1);
aecpelem(Gr,Kr, n.EV.E2);
/* KILL |= Kl | Kr */
/* GEN =((GEN - Kl) | Gl) & */
/* ((GEN - Kr) | Gr) */
vec_orass(KILL,Kl);
vec_orass(KILL,Kr);
vec_sub(Kl,GEN,Kl);
vec_sub(Kr,GEN,Kr);
vec_orass(Kl,Gl);
vec_orass(Kr,Gr);
vec_and(GEN,Kl,Kr);
vec_free(Gl);
vec_free(Gr);
vec_free(Kl);
vec_free(Kr);
break;
}
case OPandand:
case OPoror:
{ vec_t Gr,Kr;
accumaecpx(n.EV.E1);
aecpelem(Gr,Kr, n.EV.E2);
if (el_returns(n.EV.E2))
{
// KILL |= Kr
// GEN &= (GEN - Kr) | Gr
vec_orass(KILL,Kr);
vec_sub(Kr,GEN,Kr);
vec_orass(Kr,Gr);
vec_andass(GEN,Kr);
}
vec_free(Gr);
vec_free(Kr);
break;
}
case OPddtor:
case OPasm:
assert(!n.Eexp); // no ASM available expressions
vec_set(KILL); // KILL everything
vec_clear(GEN); // GEN nothing
return;
case OPeq:
case OPstreq:
accumaecpx(n.EV.E2);
goto case OPnegass;
case OPnegass:
accumaecpx(n.EV.E1);
t = n.EV.E1;
break;
case OPvp_fp:
case OPcvp_fp: // if vptr access
if ((flowxx == AE) && n.Eexp)
vec_orass(KILL,go.vptrkill); // kill all other vptr accesses
break;
case OPprefetch:
accumaecpx(n.EV.E1); // don't check E2
break;
default:
if (OTunary(op))
{
case OPind: // most common unary operator
accumaecpx(n.EV.E1);
debug assert(!OTassign(op));
}
else if (OTbinary(op))
{
if (OTrtol(op) && ERTOL(n))
{
accumaecpx(n.EV.E2);
accumaecpx(n.EV.E1);
}
else
{
accumaecpx(n.EV.E1);
accumaecpx(n.EV.E2);
}
if (OTassign(op)) // if assignment operator
t = n.EV.E1;
}
break;
}
/* Do copy propagation stuff first */
if (flowxx == CP)
{
if (!OTdef(op)) /* if not def elem */
return;
if (!Eunambig(n)) /* if ambiguous def elem */
{
vec_orass(KILL,go.defkill);
vec_subass(GEN,go.defkill);
}
else /* unambiguous def elem */
{
assert(t.Eoper == OPvar);
Symbol* s = t.EV.Vsym; // ptr to var being def'd
foreach (uint i; 1 .. go.exptop) // for each ae elem
{
elem *e = go.expnod[i];
/* If it could be changed by the definition, */
/* set bit in KILL. */
if (e.EV.E1.EV.Vsym == s || e.EV.E2.EV.Vsym == s)
vec_setclear(i,KILL,GEN);
}
}
/* GEN CP elems */
if (n.Eexp)
{
const uint b = n.Eexp;
vec_setclear(b,GEN,KILL);
}
return;
}
/* Else Available Expression stuff */
if (n.Eexp)
{
const uint b = n.Eexp; // add elem to GEN
assert(go.expnod[b] == n);
vec_setclear(b,GEN,KILL);
}
else if (OTdef(op)) /* else if definition elem */
{
if (!Eunambig(n)) /* if ambiguous def elem */
{
vec_orass(KILL,go.defkill);
vec_subass(GEN,go.defkill);
if (OTcalldef(op))
{
vec_orass(KILL,go.vptrkill);
vec_subass(GEN,go.vptrkill);
}
}
else /* unambiguous def elem */
{
assert(t.Eoper == OPvar);
Symbol* s = t.EV.Vsym; // idx of var being def'd
if (!(s.Sflags & SFLunambig))
{
vec_orass(KILL,go.starkill); /* kill all 'starred' refs */
vec_subass(GEN,go.starkill);
}
foreach (uint i; 1 .. go.exptop) // for each ae elem
{
elem *e = go.expnod[i];
const int eop = e.Eoper;
/* If it could be changed by the definition, */
/* set bit in KILL. */
if (eop == OPvar)
{
if (e.EV.Vsym != s)
continue;
}
else if (OTunary(eop))
{
if (!vec_testbit(e.EV.E1.Eexp,KILL))
continue;
}
else if (OTbinary(eop))
{
if (!vec_testbit(e.EV.E1.Eexp,KILL) &&
!vec_testbit(e.EV.E2.Eexp,KILL))
continue;
}
else
continue;
vec_setclear(i,KILL,GEN);
}
}
/* GEN the lvalue of an assignment operator */
if (OTassign(op) && !OTpost(op) && t.Eexp)
{
uint b = t.Eexp;
vec_setclear(b,GEN,KILL);
}
}
}
/************************* LIVE VARIABLES **********************/
/*********************************
* Do live variable analysis (LVs).
* A variable is 'live' at some point if there is a
* subsequent use of it before a redefinition.
* Binlv = the set of variables live at the beginning of B.
* Boutlv = the set of variables live at the end of B.
* Bgen = set of variables used before any definition in B.
* Bkill = set of variables unambiguously defined before
* any use in B.
* Note that Bgen & Bkill = 0.
*/
@trusted
void flowlv()
{
lvgenkill(); /* compute Bgen and Bkill for LVs. */
//assert(globsym.length); /* should be at least some symbols */
/* Create a vector of all the variables that are live on exit */
/* from the function. */
vec_t livexit = vec_calloc(globsym.length);
foreach (i; 0 .. globsym.length)
{
if (globsym[i].Sflags & SFLlivexit)
vec_setbit(i,livexit);
}
/* The transfer equation is: */
/* Bin = (Bout - Bkill) | Bgen */
/* Bout = union of Bin of all successors to B. */
/* Using Ullman's algorithm: */
foreach (b; dfo[])
{
vec_copy(b.Binlv, b.Bgen); // Binlv = Bgen
}
vec_t tmp = vec_calloc(globsym.length);
uint cnt = 0;
bool anychng;
do
{
anychng = false;
/* For each block B in reverse DFO order */
foreach_reverse (b; dfo[])
{
/* Bout = union of Bins of all successors to B. */
bool first = true;
foreach (bl; ListRange(b.Bsucc))
{
const inlv = list_block(bl).Binlv;
if (first)
vec_copy(b.Boutlv, inlv);
else
vec_orass(b.Boutlv, inlv);
first = false;
}
if (first) /* no successors, Boutlv = livexit */
{ //assert(b.BC==BCret||b.BC==BCretexp||b.BC==BCexit);
vec_copy(b.Boutlv,livexit);
}
/* Bin = (Bout - Bkill) | Bgen */
vec_sub(tmp,b.Boutlv,b.Bkill);
vec_orass(tmp,b.Bgen);
if (!anychng)
anychng = !vec_equal(tmp,b.Binlv);
vec_copy(b.Binlv,tmp);
}
cnt++;
assert(cnt < 50);
} while (anychng);
vec_free(tmp);
vec_free(livexit);
static if (0)
{
printf("Live variables\n");
foreach (i, b; dfo[])
{
printf("B%d IN\t", cast(int)i);
vec_println(b.Binlv);
printf(" GEN\t");
vec_println(b.Bgen);
printf(" KILL\t");
vec_println(b.Bkill);
printf(" OUT\t");
vec_println(b.Boutlv);
}
}
}
/***********************************
* Compute Bgen and Bkill for LVs.
* Allocate Binlv and Boutlv vectors.
*/
@trusted
private void lvgenkill()
{
/* Compute ambigsym, a vector of all variables that could be */
/* referenced by a *e or a call. */
vec_t ambigsym = vec_calloc(globsym.length);
foreach (i; 0 .. globsym.length)
if (!(globsym[i].Sflags & SFLunambig))
vec_setbit(i,ambigsym);
static if (0)
{
printf("ambigsym\n");
foreach (i; 0 .. globsym.length)
{
if (vec_testbit(i, ambigsym))
printf(" [%d] %s\n", i, globsym[i].Sident.ptr);
}
}
foreach (b; dfo[])
{
vec_free(b.Bgen);
vec_free(b.Bkill);
lvelem(b.Bgen,b.Bkill, b.Belem, ambigsym);
if (b.BC == BCasm)
{
vec_set(b.Bgen);
vec_clear(b.Bkill);
}
vec_free(b.Binlv);
vec_free(b.Boutlv);
b.Binlv = vec_calloc(globsym.length);
b.Boutlv = vec_calloc(globsym.length);
}
vec_free(ambigsym);
}
/*****************************
* Allocate and compute KILL and GEN for live variables.
* Params:
* gen = create and fill in
* kill = create and fill in
* e = elem used to fill in gen and kill
* ambigsym = vector of symbols with ambiguous references
*/
@trusted
private void lvelem(out vec_t gen, out vec_t kill, const elem* n, const vec_t ambigsym)
{
gen = vec_calloc(globsym.length);
kill = vec_calloc(globsym.length);
if (n && globsym.length)
accumlv(gen, kill, n, ambigsym);
}
/**********************************************
* Accumulate GEN and KILL sets for LVs for this elem.
*/
@trusted
private void accumlv(vec_t GEN, vec_t KILL, const(elem)* n, const vec_t ambigsym)
{
assert(GEN && KILL && n);
while (1)
{
elem_debug(n);
const op = n.Eoper;
switch (op)
{
case OPvar:
if (symbol_isintab(n.EV.Vsym))
{
const si = n.EV.Vsym.Ssymnum;
assert(cast(uint)si < globsym.length);
if (!vec_testbit(si,KILL)) // if not in KILL
vec_setbit(si,GEN); // put in GEN
}
break;
case OPcolon:
case OPcolon2:
{
vec_t Gl,Kl,Gr,Kr;
lvelem(Gl,Kl, n.EV.E1,ambigsym);
lvelem(Gr,Kr, n.EV.E2,ambigsym);
/* GEN |= (Gl | Gr) - KILL */
/* KILL |= (Kl & Kr) - GEN */
vec_orass(Gl,Gr);
vec_subass(Gl,KILL);
vec_orass(GEN,Gl);
vec_andass(Kl,Kr);
vec_subass(Kl,GEN);
vec_orass(KILL,Kl);
vec_free(Gl);
vec_free(Gr);
vec_free(Kl);
vec_free(Kr);
break;
}
case OPandand:
case OPoror:
{
vec_t Gr,Kr;
accumlv(GEN,KILL,n.EV.E1,ambigsym);
lvelem(Gr,Kr, n.EV.E2,ambigsym);
/* GEN |= Gr - KILL */
/* KILL |= 0 */
vec_subass(Gr,KILL);
vec_orass(GEN,Gr);
vec_free(Gr);
vec_free(Kr);
break;
}
case OPasm:
vec_set(GEN); /* GEN everything not already KILLed */
vec_subass(GEN,KILL);
break;
case OPcall:
case OPcallns:
case OPstrcpy:
case OPmemcpy:
case OPmemset:
debug assert(OTrtol(op));
accumlv(GEN,KILL,n.EV.E2,ambigsym);
accumlv(GEN,KILL,n.EV.E1,ambigsym);
goto L1;
case OPstrcat:
debug assert(!OTrtol(op));
accumlv(GEN,KILL,n.EV.E1,ambigsym);
accumlv(GEN,KILL,n.EV.E2,ambigsym);
L1:
vec_orass(GEN,ambigsym);
vec_subass(GEN,KILL);
break;
case OPeq:
case OPstreq:
{
/* Avoid GENing the lvalue of an = */
accumlv(GEN,KILL,n.EV.E2,ambigsym);
const t = n.EV.E1;
if (t.Eoper != OPvar)
accumlv(GEN,KILL,t.EV.E1,ambigsym);
else /* unambiguous assignment */
{
const s = t.EV.Vsym;
symbol_debug(s);
uint tsz = tysize(t.Ety);
if (op == OPstreq)
tsz = cast(uint)type_size(n.ET);
/* if not GENed already, KILL it */
if (symbol_isintab(s) &&
!vec_testbit(s.Ssymnum,GEN) &&
t.EV.Voffset == 0 &&
tsz == type_size(s.Stype)
)
{
// printf("%s\n", s.Sident);
assert(cast(uint)s.Ssymnum < globsym.length);
vec_setbit(s.Ssymnum,KILL);
}
}
break;
}
case OPmemcmp:
case OPstrcmp:
case OPbt: // much like OPind
accumlv(GEN,KILL,n.EV.E1,ambigsym);
accumlv(GEN,KILL,n.EV.E2,ambigsym);
vec_orass(GEN,ambigsym);
vec_subass(GEN,KILL);
break;
case OPind:
case OPucall:
case OPucallns:
case OPstrlen:
accumlv(GEN,KILL,n.EV.E1,ambigsym);
/* If it was a *p elem, set bits in GEN for all symbols */
/* it could have referenced, but only if bits in KILL */
/* are not already set. */
vec_orass(GEN,ambigsym);
vec_subass(GEN,KILL);
break;
default:
if (OTunary(op))
{
n = n.EV.E1;
continue;
}
else if (OTrtol(op) && ERTOL(n))
{
accumlv(GEN,KILL,n.EV.E2,ambigsym);
/* Note that lvalues of op=,i++,i-- elems */
/* are GENed. */
n = n.EV.E1;
continue;
}
else if (OTbinary(op))
{
accumlv(GEN,KILL,n.EV.E1,ambigsym);
n = n.EV.E2;
continue;
}
break;
}
break;
}
}
/********************* VERY BUSY EXPRESSIONS ********************/
/**********************************************
* Compute very busy expressions(VBEs).
* That is,expressions that are evaluated along
* separate paths.
* Bin = the set of VBEs at the beginning of B.
* Bout = the set of VBEs at the end of B.
* Bgen = set of expressions X+Y such that X+Y is
* evaluated before any def of X or Y.
* Bkill = set of expressions X+Y such that X or Y could
* be defined before X+Y is computed.
* Note that gen and kill are mutually exclusive.
*/
@trusted
void flowvbe()
{
flowxx = VBE;
aecpgenkill(go, VBE); // compute Bgen and Bkill for VBEs
if (go.exptop <= 1) /* if no candidates for VBEs */
return;
/*foreach (uint i; 0 .. go.exptop)
printf("go.expnod[%d] = 0x%x\n",i,go.expnod[i]);*/
/* The transfer equation is: */
/* Bout = & Bin(all successors S of B) */
/* Bin =(Bout - Bkill) | Bgen */
/* Using Ullman's algorithm: */
/*printf("defkill = "); vec_println(go.defkill);
printf("starkill = "); vec_println(go.starkill);*/
foreach (b; dfo[])
{
/*printf("block %p\n",b);
printf("Bgen = "); vec_println(b.Bgen);
printf("Bkill = "); vec_println(b.Bkill);*/
if (b.BC == BCret || b.BC == BCretexp || b.BC == BCexit)
vec_clear(b.Bout);
else
vec_set(b.Bout);
/* Bin = (Bout - Bkill) | Bgen */
vec_sub(b.Bin,b.Bout,b.Bkill);
vec_orass(b.Bin,b.Bgen);
}
vec_t tmp = vec_calloc(go.exptop);
bool anychng;
do
{
anychng = false;
/* for all blocks except return blocks in reverse dfo order */
foreach_reverse (b; dfo[])
{
if (b.BC == BCret || b.BC == BCretexp || b.BC == BCexit)
continue;
/* Bout = & of Bin of all successors */
bool first = true;
foreach (bl; ListRange(b.Bsucc))
{
const vin = list_block(bl).Bin;
if (first)
vec_copy(b.Bout, vin);
else
vec_andass(b.Bout, vin);
first = false;
}
assert(!first); // must have successors
/* Bin = (Bout - Bkill) | Bgen */
vec_sub(tmp,b.Bout,b.Bkill);
vec_orass(tmp,b.Bgen);
if (!anychng)
anychng = !vec_equal(tmp,b.Bin);
vec_copy(b.Bin,tmp);
}
} while (anychng); /* while any changes occurred to any Bin */
vec_free(tmp);
}
/*************************************
* Accumulate GEN and KILL sets for VBEs for this elem.
*/
@trusted
private void accumvbe(vec_t GEN,vec_t KILL,elem *n)
{
elem *t;
assert(GEN && KILL && n);
const op = n.Eoper;
switch (op)
{
case OPcolon:
case OPcolon2:
{
vec_t Gl,Gr,Kl,Kr;
aecpelem(Gl,Kl, n.EV.E1);
aecpelem(Gr,Kr, n.EV.E2);
/* GEN |=((Gr - Kl) | (Gl - Kr)) - KILL */
vec_subass(Gr,Kl);
vec_subass(Gl,Kr);
vec_orass(Gr,Gl);
vec_subass(Gr,KILL);
vec_orass(GEN,Gr);
/* KILL |=(Kl | Kr) - GEN */
vec_orass(Kl,Kr);
vec_subass(Kl,GEN);
vec_orass(KILL,Kl);
vec_free(Gl);
vec_free(Kl);
vec_free(Gr);
vec_free(Kr);
break;
}
case OPandand:
case OPoror:
accumvbe(GEN,KILL,n.EV.E1);
/* WARNING: just so happens that it works this way. */
/* Be careful about (b+c)||(b+c) being VBEs, only the */
/* first should be GENed. Doing things this way instead */
/* of (GEN |= Gr - KILL) and (KILL |= Kr - GEN) will */
/* ensure this. */
accumvbe(GEN,KILL,n.EV.E2);
break;
case OPnegass:
t = n.EV.E1;
if (t.Eoper != OPvar)
{
accumvbe(GEN,KILL,t.EV.E1);
if (OTbinary(t.Eoper))
accumvbe(GEN,KILL,t.EV.E2);
}
break;
case OPcall:
case OPcallns:
accumvbe(GEN,KILL,n.EV.E2);
goto case OPucall;
case OPucall:
case OPucallns:
t = n.EV.E1;
// Do not VBE indirect function calls
if (t.Eoper == OPind)
t = t.EV.E1;
accumvbe(GEN,KILL,t);
break;
case OPasm: // if the dreaded OPasm elem
vec_set(KILL); // KILL everything
vec_subass(KILL,GEN); // except for GENed stuff
return;
default:
if (OTunary(op))
{
t = n.EV.E1;
accumvbe(GEN,KILL,t);
}
else if (ERTOL(n))
{
accumvbe(GEN,KILL,n.EV.E2);
t = n.EV.E1;
// do not GEN the lvalue of an assignment op
if (OTassign(op))
{
t = n.EV.E1;
if (t.Eoper != OPvar)
{
accumvbe(GEN,KILL,t.EV.E1);
if (OTbinary(t.Eoper))
accumvbe(GEN,KILL,t.EV.E2);
}
}
else
accumvbe(GEN,KILL,t);
}
else if (OTbinary(op))
{
/* do not GEN the lvalue of an assignment op */
if (OTassign(op))
{
t = n.EV.E1;
if (t.Eoper != OPvar)
{
accumvbe(GEN,KILL,t.EV.E1);
if (OTbinary(t.Eoper))
accumvbe(GEN,KILL,t.EV.E2);
}
}
else
accumvbe(GEN,KILL,n.EV.E1);
accumvbe(GEN,KILL,n.EV.E2);
}
break;
}
if (n.Eexp) /* if a vbe elem */
{
const int ne = n.Eexp;
assert(go.expnod[ne] == n);
if (!vec_testbit(ne,KILL)) /* if not already KILLed */
{
/* GEN this expression only if it hasn't */
/* already been GENed in this block. */
/* (Don't GEN common subexpressions.) */
if (vec_testbit(ne,GEN))
vec_clearbit(ne,GEN);
else
{
vec_setbit(ne,GEN); /* GEN this expression */
/* GEN all identical expressions */
/* (operators only, as there is no point */
/* to hoisting out variables and constants) */
if (!OTleaf(op))
{
foreach (uint i; 1 .. go.exptop)
{
if (op == go.expnod[i].Eoper &&
i != ne &&
el_match(n,go.expnod[i]))
{
vec_setbit(i,GEN);
assert(!vec_testbit(i,KILL));
}
}
}
}
}
if (op == OPvp_fp || op == OPcvp_fp)
{
vec_orass(KILL,go.vptrkill); /* KILL all vptr accesses */
vec_subass(KILL,GEN); /* except for GENed stuff */
}
}
else if (OTdef(op)) /* if definition elem */
{
if (!Eunambig(n)) /* if ambiguous definition */
{
vec_orass(KILL,go.defkill);
if (OTcalldef(op))
vec_orass(KILL,go.vptrkill);
}
else /* unambiguous definition */
{
assert(t.Eoper == OPvar);
Symbol* s = t.EV.Vsym; // ptr to var being def'd
if (!(s.Sflags & SFLunambig))
vec_orass(KILL,go.starkill);/* kill all 'starred' refs */
foreach (uint i; 1 .. go.exptop) // for each vbe elem
{
elem *e = go.expnod[i];
uint eop = e.Eoper;
/* If it could be changed by the definition, */
/* set bit in KILL. */
if (eop == OPvar)
{
if (e.EV.Vsym != s)
continue;
}
else if (OTbinary(eop))
{
if (!vec_testbit(e.EV.E1.Eexp,KILL) &&
!vec_testbit(e.EV.E2.Eexp,KILL))
continue;
}
else if (OTunary(eop))
{
if (!vec_testbit(e.EV.E1.Eexp,KILL))
continue;
}
else /* OPconst or OPrelconst or OPstring */
continue;
vec_setbit(i,KILL); // KILL it
} /* for */
} /* if */
vec_subass(KILL,GEN);
} /* if */
}
}
|
D
|
/*******************************************
* NSC benutzt Kochkessel *
*******************************************/
FUNC VOID ZS_MineBellows ()
{
PrintDebugNpc (PD_TA_FRAME,"ZS_MineBellows");
B_SetPerception (self);
if (!C_BodyStateContains(self, BS_MOBINTERACT_INTERRUPT))
{
AI_SetWalkmode (self,NPC_WALK); // Walkmode für den Zustand
if ((Hlp_StrCmp(Npc_GetNearestWp (self),self.wp)== 0))
{
AI_GotoWP (self, self.wp);
};
};
};
FUNC VOID ZS_MineBellows_Loop()
{
PrintDebugNpc (PD_TA_LOOP,"ZS_MineBellows_Loop");
AI_UseMob(self,"BELLOW",1); // Benutze den Mob einmal bis zum angegebenen State
AI_UseMob (self,"BELLOW",0); //Verlassen sie bitte ihr Mobsi
};
FUNC VOID ZS_MineBellows_End()
{
PrintDebugNpc (PD_TA_FRAME,"ZS_MineBellows_End");
AI_UseMob (self,"BELLOW",-1); //Verlassen sie bitte ihr Mobsi
};
|
D
|
module component.rotating_triangle;
import derelict.opengl;
import manager.component;
import util.math;
import util.gl;
class RotatingTriangle : IComponent
{
import std.math;
GLProgram program;
double t = 0;
const vertex_count = 15;
string vertex_shader_text =
"#version 330 core\n" ~
"layout (location = 0) in vec2 vPos;\n" ~
"layout (location = 1) in vec3 vCol;\n" ~
"out vec3 color;\n" ~
"uniform mat4 rot;\n" ~
"void main()\n" ~
"{\n" ~
" gl_Position = rot * vec4(vPos, 0.0, 1.0);\n" ~
" color = vCol;\n" ~
"}\n";
string fragment_shader_text =
"#version 330 core\n" ~
"in vec3 color;\n" ~
"out vec4 FragColor;\n" ~
"void main()\n" ~
"{\n" ~
" FragColor = vec4(color, 1.0);\n" ~
"}\n";
uint vao;
void initialize(Context ctx) {
program = create_program(vertex_shader_text,
fragment_shader_text,
["vPos", "vCol"],
["rot"]);
float[vertex_count] vertices =
[
-0.6f, -0.4f, 1f, 0f, 0f,
0.6f, -0.4f, 0f, 1f, 0f,
0.0f, 0.6f, 0f, 0f, 1f
];
vao = program.create_buffer(vertices);
program.describe_attrib(vao, "vPos", 2, 5, 0);
program.describe_attrib(vao, "vCol", 3, 5, 2);
}
void run(Context ctx) {
program.use();
t += ctx.dt;
auto q = Quat!float(V3!float(0, 0, 1), t);
auto m = q.rotation_matrix!double;
program.set_uniform("rot", m.to_gl);
program.draw_array(vao, vertex_count);
}
}
|
D
|
module renderer.renderer;
import std;
import bindbc.opengl;
import bindbc.sdl;
import inmath.linalg;
import glamour.shader;
import glamour.texture;
import glamour.vao;
import glamour.vbo;
import glamour.util;
import renderer.coloredtexturerenderer;
import window;
class Renderer
{
int xres;
int yres;
public this(int xres, int yres)
{
this.xres = xres;
this.yres = yres;
window = getWindow(xres, yres);
shaderSet = dirEntries("shaders", "*.shader", SpanMode.breadth).
map!(dirEntry => tuple(dirEntry.name.chompPrefix("shaders\\")
.chompPrefix("shaders/")
.chomp(".shader"),
new Shader(dirEntry.name))).assocArray;
vao = new VAO();
vao.bind();
}
public void close()
{
foreach (shader; shaderSet.values)
shader.remove();
if (vao !is null)
vao.remove();
}
public void toScreen()
{
SDL_GL_SwapWindow(window);
checkgl!glClearColor(0.0, 0.0, 0.33, 1.0);
checkgl!glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT | GL_STENCIL_BUFFER_BIT);
}
private SDL_Window *window;
private VAO vao;
private Shader[string] shaderSet;
}
|
D
|
import std.stdio;
import std.socket;
import buffer;
import buffer.rpc.client;
mixin(LoadBufferScript!`
message LoginInfo {
string name;
string password;
}
message LoginRetInfo {
int32 id;
string name;
}
`);
ubyte[] TcpRequestHandler(ubyte[] data)
{
TcpSocket socket = new TcpSocket();
socket.blocking = true;
socket.bind(new InternetAddress("127.0.0.1", 0));
socket.connect(new InternetAddress("127.0.0.1", 10000));
socket.send(data);
ubyte[] rec_data = new ubyte[1024];
long len = socket.receive(rec_data);
socket.close();
return rec_data[0..len];
}
void main()
{
Message.settings(1229, CryptType.XTEA, "1234");
Client.bindTcpRequestHandler(data => TcpRequestHandler(data));
LoginRetInfo ret = Client.call!LoginRetInfo("Login", "admin", "123456");
if (ret !is null)
{
writeln(ret.id);
writeln(ret.name);
}
// or:
long userId = Client.call!long("GetUserId", "admin");
writeln(userId);
}
|
D
|
module foo.bar;
import core.vararg;
void writeln(T...)(T)
{
}
pragma (lib, "test");
pragma (msg, "Hello World");
pragma (linkerDirective, "/DEFAULTLIB:test2");
static assert(true, "message");
alias mydbl = double;
alias fl1 = function ()
in
{
}
in (true)
out (; true)
out (r; true)
out
{
}
out(r)
{
}
do
{
return 2;
}
;
alias fl2 = function ()
in (true)
out (; true)
out (r; true)
{
return 2;
}
;
int testmain();
struct S
{
int m;
int n;
}
template Foo(T, int V)
{
void foo(...)
{
static if (is(Object _ : X!TL, alias X, TL...))
{
}
auto x = __traits(hasMember, Object, "noMember");
auto y = is(Object : X!TL, alias X, TL...);
assert(!x && !y, "message");
S s = {1, 2};
auto a = [1, 2, 3];
auto aa = [1:1, 2:2, 3:3];
int n, m;
}
int bar(double d, int x)
{
if (d)
{
d++;
}
else
d--;
asm { naked; }
asm { mov EAX,3; }
for (;;)
{
{
d = d + 1;
}
}
for (int i = 0;
i < 10; i++)
{
{
d = i ? d + 1 : 5;
}
}
char[] s;
foreach (char c; s)
{
d *= 2;
if (d)
break;
else
continue;
}
switch (V)
{
case 1:
{
}
case 2:
{
break;
}
case 3:
{
goto case 1;
}
case 4:
{
goto default;
}
default:
{
d /= 8;
break;
}
}
enum Label
{
A,
B,
C,
}
void fswitch(Label l);
loop:
while (x)
{
x--;
if (x)
break loop;
else
continue loop;
}
do
{
x++;
}
while (x < 10);
try
{
try
{
bar(1, 2);
}
catch(Object o)
{
x++;
}
}
finally
{
x--;
}
try
{
try
bar(1, 2);
catch(Object o)
{
x++;
}
}
finally
x--;
Object o;
synchronized(o) {
x = ~x;
}
synchronized {
x = x < 3;
}
with (o)
{
toString();
}
}
}
static this();
static ~this();
nothrow pure @nogc @safe static this();
nothrow pure @nogc @safe static ~this();
nothrow pure @nogc @safe static this();
nothrow pure @nogc @safe static ~this();
nothrow pure @nogc @safe shared static this();
nothrow pure @nogc @safe shared static ~this();
nothrow pure @nogc @safe shared static this();
nothrow pure @nogc @safe shared static ~this();
interface iFoo
{
}
class xFoo : iFoo
{
}
interface iFoo2
{
}
class xFoo2 : iFoo, iFoo2
{
}
class Foo3
{
this(int a, ...)
{
}
this(int* a)
{
}
}
alias myint = int;
static notquit = 1;
class Test
{
void a();
void b();
void c();
void d();
void e();
void f();
void g();
void h();
void i();
void j();
void k();
void l();
void m();
void n();
void o();
void p();
void q();
void r();
void s();
void t();
void u();
void v();
void w();
void x();
void y();
void z();
void aa();
void bb();
void cc();
void dd();
void ee();
template A(T)
{
}
alias getHUint = A!uint;
alias getHInt = A!int;
alias getHFloat = A!float;
alias getHUlong = A!ulong;
alias getHLong = A!long;
alias getHDouble = A!double;
alias getHByte = A!byte;
alias getHUbyte = A!ubyte;
alias getHShort = A!short;
alias getHUShort = A!ushort;
alias getHReal = A!real;
alias void F();
}
void templ(T)(T val)
{
pragma (msg, "Invalid destination type.");
}
static char[] charArray = ['"', '\''];
class Point
{
auto x = 10;
uint y = 20;
}
template Foo2(bool bar)
{
void test()
{
static if (bar)
{
int i;
}
else
{
}
static if (!bar)
{
}
else
{
}
}
}
template Foo4()
{
void bar()
{
}
}
template Foo4x(T...)
{
}
class Baz4
{
mixin Foo4!() foo;
mixin Foo4x!(int, "str") foox;
alias baz = foo.bar;
}
int test(T)(T t)
{
if (auto o = cast(Object)t)
return 1;
return 0;
}
enum x6 = 1;
bool foo6(int a, int b, int c, int d);
auto foo7(int x)
{
return 5;
}
class D8
{
}
void func8();
T func9(T)() if (true)
{
T i;
scope(exit) i = 1;
scope(success) i = 2;
scope(failure) i = 3;
return i;
}
template V10(T)
{
void func()
{
for (int i, j = 4; i < 3; i++)
{
{
}
}
}
}
int foo11(int function() fn);
int bar11(T)()
{
return foo11(function int()
{
return 0;
}
);
}
struct S6360
{
const pure nothrow @property long weeks1();
const pure nothrow @property long weeks2();
}
struct S12
{
nothrow this(int n)
{
}
nothrow this(string s)
{
}
}
struct T12
{
immutable this()(int args)
{
}
immutable this(A...)(A args)
{
}
}
import core.stdc.stdio : printf, F = FILE;
void foo6591()()
{
import core.stdc.stdio : printf, F = FILE;
}
version (unittest)
{
public {}
extern (C) {}
align {}
}
template Foo10334(T) if (Bar10334!())
{
}
template Foo10334(T) if (Bar10334!100)
{
}
template Foo10334(T) if (Bar10334!3.14)
{
}
template Foo10334(T) if (Bar10334!"str")
{
}
template Foo10334(T) if (Bar10334!1.4i)
{
}
template Foo10334(T) if (Bar10334!null)
{
}
template Foo10334(T) if (Bar10334!true)
{
}
template Foo10334(T) if (Bar10334!false)
{
}
template Foo10334(T) if (Bar10334!'A')
{
}
template Foo10334(T) if (Bar10334!int)
{
}
template Foo10334(T) if (Bar10334!string)
{
}
template Foo10334(T) if (Bar10334!wstring)
{
}
template Foo10334(T) if (Bar10334!dstring)
{
}
template Foo10334(T) if (Bar10334!this)
{
}
template Foo10334(T) if (Bar10334!([1, 2, 3]))
{
}
template Foo10334(T) if (Bar10334!(Baz10334!()))
{
}
template Foo10334(T) if (Bar10334!(Baz10334!T))
{
}
template Foo10334(T) if (Bar10334!(Baz10334!100))
{
}
template Foo10334(T) if (Bar10334!(.foo))
{
}
template Foo10334(T) if (Bar10334!(const(int)))
{
}
template Foo10334(T) if (Bar10334!(shared(T)))
{
}
template Test10334(T...)
{
}
mixin Test10334!int a;
mixin Test10334!(int, long) b;
mixin Test10334!"str" c;
auto clamp12266a(T1, T2, T3)(T1 x, T2 min_val, T3 max_val)
{
return 0;
}
pure clamp12266b(T1, T2, T3)(T1 x, T2 min_val, T3 max_val)
{
return 0;
}
@disable pure clamp12266c(T1, T2, T3)(T1 x, T2 min_val, T3 max_val)
{
return 0;
}
alias Dg13832 = ref int delegate();
class TestClass
{
int aa;
int b1;
int b2;
this(int b1, int b2)
{
this.b1 = b1;
this.b2 = b2;
}
ref foo()
{
return aa;
}
ref retFunc() return
{
return aa;
}
@trusted @nogc @disable ~this();
}
class FooA
{
protected void method42();
@safe ~this();
}
class Bar : FooA
{
override void method42();
}
@trusted double foo();
struct Foo1(size_t Size = 42 / magic())
{
}
size_t magic();
class Foo2A
{
immutable(FooA) Dummy = new immutable(FooA);
private immutable pure nothrow @nogc @safe this()
{
}
}
struct Foo3A(T)
{
@disable this(this);
@disable this();
}
ref @safe int foo(return ref int a);
@safe int* foo(return scope int* a);
ref @safe int* foo(return ref scope int* a);
struct SafeS
{
@safe
{
ref SafeS foo() return;
scope SafeS foo2() return;
ref scope SafeS foo3() return;
int* p;
}
}
void test13x(@(10) int a, @(20) int, @(tuple(30), tuple(40)) int[] arr...);
enum Test14UDA1 ;
struct Test14UDA2
{
string str;
}
Test14UDA2 test14uda3(string name);
struct Test14UDA4(string v)
{
}
void test14x(@(Test14UDA1) int, @Test14UDA2("1") int, @test14uda3("2") int, @(Test14UDA4!"3") int);
void test15x(@(20) void delegate(int) @safe dg);
|
D
|
module alglib.interpolation;
import alglib.ap;
import alglib.internal;
import alglib.misc;
import alglib.linalg;
import alglib.solvers;
import alglib.optimization;
import alglib.specialfunctions;
import alglib.integration;
struct idwinterpolant
{
ae_int_t n;
ae_int_t nx;
ae_int_t d;
double r;
ae_int_t nw;
kdtree tree;
ae_int_t modeltype;
ae_matrix q;
ae_vector xbuf;
ae_vector tbuf;
ae_vector rbuf;
ae_matrix xybuf;
ae_int_t debugsolverfailures;
double debugworstrcond;
double debugbestrcond;
}
struct barycentricinterpolant
{
ae_int_t n;
double sy;
ae_vector x;
ae_vector y;
ae_vector w;
}
struct spline1dinterpolant
{
ae_bool periodic;
ae_int_t n;
ae_int_t k;
ae_int_t continuity;
ae_vector x;
ae_vector c;
}
struct polynomialfitreport
{
double taskrcond;
double rmserror;
double avgerror;
double avgrelerror;
double maxerror;
}
struct barycentricfitreport
{
double taskrcond;
ae_int_t dbest;
double rmserror;
double avgerror;
double avgrelerror;
double maxerror;
}
struct spline1dfitreport
{
double taskrcond;
double rmserror;
double avgerror;
double avgrelerror;
double maxerror;
}
struct lsfitreport
{
double taskrcond;
ae_int_t iterationscount;
ae_int_t varidx;
double rmserror;
double avgerror;
double avgrelerror;
double maxerror;
double wrmserror;
ae_matrix covpar;
ae_vector errpar;
ae_vector errcurve;
ae_vector noise;
double r2;
}
struct lsfitstate
{
ae_int_t optalgo;
ae_int_t m;
ae_int_t k;
double epsf;
double epsx;
ae_int_t maxits;
double stpmax;
ae_bool xrep;
ae_vector s;
ae_vector bndl;
ae_vector bndu;
ae_matrix taskx;
ae_vector tasky;
ae_int_t npoints;
ae_vector taskw;
ae_int_t nweights;
ae_int_t wkind;
ae_int_t wits;
double diffstep;
double teststep;
ae_bool xupdated;
ae_bool needf;
ae_bool needfg;
ae_bool needfgh;
ae_int_t pointindex;
ae_vector x;
ae_vector c;
double f;
ae_vector g;
ae_matrix h;
ae_vector wcur;
ae_vector tmp;
ae_vector tmpf;
ae_matrix tmpjac;
ae_matrix tmpjacw;
double tmpnoise;
matinvreport invrep;
ae_int_t repiterationscount;
ae_int_t repterminationtype;
ae_int_t repvaridx;
double reprmserror;
double repavgerror;
double repavgrelerror;
double repmaxerror;
double repwrmserror;
lsfitreport rep;
minlmstate optstate;
minlmreport optrep;
ae_int_t prevnpt;
ae_int_t prevalgo;
rcommstate rstate;
}
struct pspline2interpolant
{
ae_int_t n;
ae_bool periodic;
ae_vector p;
spline1dinterpolant x;
spline1dinterpolant y;
}
struct pspline3interpolant
{
ae_int_t n;
ae_bool periodic;
ae_vector p;
spline1dinterpolant x;
spline1dinterpolant y;
spline1dinterpolant z;
}
struct rbfmodel
{
ae_int_t ny;
ae_int_t nx;
ae_int_t nc;
ae_int_t nl;
kdtree tree;
ae_matrix xc;
ae_matrix wr;
double rmax;
ae_matrix v;
ae_int_t gridtype;
ae_bool fixrad;
double lambdav;
double radvalue;
double radzvalue;
ae_int_t nlayers;
ae_int_t aterm;
ae_int_t algorithmtype;
double epsort;
double epserr;
ae_int_t maxits;
double h;
ae_int_t n;
ae_matrix x;
ae_matrix y;
ae_vector calcbufxcx;
ae_matrix calcbufx;
ae_vector calcbuftags;
}
struct rbfreport
{
ae_int_t arows;
ae_int_t acols;
ae_int_t annz;
ae_int_t iterationscount;
ae_int_t nmv;
ae_int_t terminationtype;
}
struct spline2dinterpolant
{
ae_int_t k;
ae_int_t stype;
ae_int_t n;
ae_int_t m;
ae_int_t d;
ae_vector x;
ae_vector y;
ae_vector f;
}
struct spline3dinterpolant
{
ae_int_t k;
ae_int_t stype;
ae_int_t n;
ae_int_t m;
ae_int_t l;
ae_int_t d;
ae_vector x;
ae_vector y;
ae_vector z;
ae_vector f;
}
/**
extern(C++,alglib)
{
class _idwinterpolant_owner
{
_idwinterpolant_owner();
_idwinterpolant_owner(const _idwinterpolant_owner &rhs);
_idwinterpolant_owner& operator=(const _idwinterpolant_owner &rhs);
virtual ~_idwinterpolant_owner();
alglib_impl::idwinterpolant* c_ptr();
alglib_impl::idwinterpolant* c_ptr() const;
protected:
alglib_impl::idwinterpolant *p_struct;
}
class idwinterpolant : _idwinterpolant_owner
{
idwinterpolant();
idwinterpolant(const idwinterpolant &rhs);
idwinterpolant& operator=(const idwinterpolant &rhs);
virtual ~idwinterpolant();
}
class _barycentricinterpolant_owner
{
_barycentricinterpolant_owner();
_barycentricinterpolant_owner(const _barycentricinterpolant_owner &rhs);
_barycentricinterpolant_owner& operator=(const _barycentricinterpolant_owner &rhs);
virtual ~_barycentricinterpolant_owner();
alglib_impl::barycentricinterpolant* c_ptr();
alglib_impl::barycentricinterpolant* c_ptr() const;
protected:
alglib_impl::barycentricinterpolant *p_struct;
}
class barycentricinterpolant : _barycentricinterpolant_owner
{
barycentricinterpolant();
barycentricinterpolant(const barycentricinterpolant &rhs);
barycentricinterpolant& operator=(const barycentricinterpolant &rhs);
virtual ~barycentricinterpolant();
}
class _spline1dinterpolant_owner
{
_spline1dinterpolant_owner();
_spline1dinterpolant_owner(const _spline1dinterpolant_owner &rhs);
_spline1dinterpolant_owner& operator=(const _spline1dinterpolant_owner &rhs);
virtual ~_spline1dinterpolant_owner();
alglib_impl::spline1dinterpolant* c_ptr();
alglib_impl::spline1dinterpolant* c_ptr() const;
protected:
alglib_impl::spline1dinterpolant *p_struct;
}
class spline1dinterpolant : _spline1dinterpolant_owner
{
spline1dinterpolant();
spline1dinterpolant(const spline1dinterpolant &rhs);
spline1dinterpolant& operator=(const spline1dinterpolant &rhs);
virtual ~spline1dinterpolant();
}
class _polynomialfitreport_owner
{
_polynomialfitreport_owner();
_polynomialfitreport_owner(const _polynomialfitreport_owner &rhs);
_polynomialfitreport_owner& operator=(const _polynomialfitreport_owner &rhs);
virtual ~_polynomialfitreport_owner();
alglib_impl::polynomialfitreport* c_ptr();
alglib_impl::polynomialfitreport* c_ptr() const;
protected:
alglib_impl::polynomialfitreport *p_struct;
}
class polynomialfitreport : _polynomialfitreport_owner
{
polynomialfitreport();
polynomialfitreport(const polynomialfitreport &rhs);
polynomialfitreport& operator=(const polynomialfitreport &rhs);
virtual ~polynomialfitreport();
double &taskrcond;
double &rmserror;
double &avgerror;
double &avgrelerror;
double &maxerror;
}
class _barycentricfitreport_owner
{
_barycentricfitreport_owner();
_barycentricfitreport_owner(const _barycentricfitreport_owner &rhs);
_barycentricfitreport_owner& operator=(const _barycentricfitreport_owner &rhs);
virtual ~_barycentricfitreport_owner();
alglib_impl::barycentricfitreport* c_ptr();
alglib_impl::barycentricfitreport* c_ptr() const;
protected:
alglib_impl::barycentricfitreport *p_struct;
}
class barycentricfitreport : _barycentricfitreport_owner
{
barycentricfitreport();
barycentricfitreport(const barycentricfitreport &rhs);
barycentricfitreport& operator=(const barycentricfitreport &rhs);
virtual ~barycentricfitreport();
double &taskrcond;
ae_int_t &dbest;
double &rmserror;
double &avgerror;
double &avgrelerror;
double &maxerror;
}
class _spline1dfitreport_owner
{
_spline1dfitreport_owner();
_spline1dfitreport_owner(const _spline1dfitreport_owner &rhs);
_spline1dfitreport_owner& operator=(const _spline1dfitreport_owner &rhs);
virtual ~_spline1dfitreport_owner();
alglib_impl::spline1dfitreport* c_ptr();
alglib_impl::spline1dfitreport* c_ptr() const;
protected:
alglib_impl::spline1dfitreport *p_struct;
}
class spline1dfitreport : _spline1dfitreport_owner
{
spline1dfitreport();
spline1dfitreport(const spline1dfitreport &rhs);
spline1dfitreport& operator=(const spline1dfitreport &rhs);
virtual ~spline1dfitreport();
double &taskrcond;
double &rmserror;
double &avgerror;
double &avgrelerror;
double &maxerror;
}
class _lsfitreport_owner
{
_lsfitreport_owner();
_lsfitreport_owner(const _lsfitreport_owner &rhs);
_lsfitreport_owner& operator=(const _lsfitreport_owner &rhs);
virtual ~_lsfitreport_owner();
alglib_impl::lsfitreport* c_ptr();
alglib_impl::lsfitreport* c_ptr() const;
protected:
alglib_impl::lsfitreport *p_struct;
}
class lsfitreport : _lsfitreport_owner
{
lsfitreport();
lsfitreport(const lsfitreport &rhs);
lsfitreport& operator=(const lsfitreport &rhs);
virtual ~lsfitreport();
double &taskrcond;
ae_int_t &iterationscount;
ae_int_t &varidx;
double &rmserror;
double &avgerror;
double &avgrelerror;
double &maxerror;
double &wrmserror;
real_2d_array covpar;
real_1d_array errpar;
real_1d_array errcurve;
real_1d_array noise;
double &r2;
}
class _lsfitstate_owner
{
_lsfitstate_owner();
_lsfitstate_owner(const _lsfitstate_owner &rhs);
_lsfitstate_owner& operator=(const _lsfitstate_owner &rhs);
virtual ~_lsfitstate_owner();
alglib_impl::lsfitstate* c_ptr();
alglib_impl::lsfitstate* c_ptr() const;
protected:
alglib_impl::lsfitstate *p_struct;
}
class lsfitstate : _lsfitstate_owner
{
lsfitstate();
lsfitstate(const lsfitstate &rhs);
lsfitstate& operator=(const lsfitstate &rhs);
virtual ~lsfitstate();
ae_bool &needf;
ae_bool &needfg;
ae_bool &needfgh;
ae_bool &xupdated;
real_1d_array c;
double &f;
real_1d_array g;
real_2d_array h;
real_1d_array x;
}
class _pspline2interpolant_owner
{
_pspline2interpolant_owner();
_pspline2interpolant_owner(const _pspline2interpolant_owner &rhs);
_pspline2interpolant_owner& operator=(const _pspline2interpolant_owner &rhs);
virtual ~_pspline2interpolant_owner();
alglib_impl::pspline2interpolant* c_ptr();
alglib_impl::pspline2interpolant* c_ptr() const;
protected:
alglib_impl::pspline2interpolant *p_struct;
}
class pspline2interpolant : _pspline2interpolant_owner
{
pspline2interpolant();
pspline2interpolant(const pspline2interpolant &rhs);
pspline2interpolant& operator=(const pspline2interpolant &rhs);
virtual ~pspline2interpolant();
}
class _pspline3interpolant_owner
{
_pspline3interpolant_owner();
_pspline3interpolant_owner(const _pspline3interpolant_owner &rhs);
_pspline3interpolant_owner& operator=(const _pspline3interpolant_owner &rhs);
virtual ~_pspline3interpolant_owner();
alglib_impl::pspline3interpolant* c_ptr();
alglib_impl::pspline3interpolant* c_ptr() const;
protected:
alglib_impl::pspline3interpolant *p_struct;
}
class pspline3interpolant : _pspline3interpolant_owner
{
pspline3interpolant();
pspline3interpolant(const pspline3interpolant &rhs);
pspline3interpolant& operator=(const pspline3interpolant &rhs);
virtual ~pspline3interpolant();
}
class _rbfmodel_owner
{
_rbfmodel_owner();
_rbfmodel_owner(const _rbfmodel_owner &rhs);
_rbfmodel_owner& operator=(const _rbfmodel_owner &rhs);
virtual ~_rbfmodel_owner();
alglib_impl::rbfmodel* c_ptr();
alglib_impl::rbfmodel* c_ptr() const;
protected:
alglib_impl::rbfmodel *p_struct;
}
class rbfmodel : _rbfmodel_owner
{
rbfmodel();
rbfmodel(const rbfmodel &rhs);
rbfmodel& operator=(const rbfmodel &rhs);
virtual ~rbfmodel();
}
class _rbfreport_owner
{
_rbfreport_owner();
_rbfreport_owner(const _rbfreport_owner &rhs);
_rbfreport_owner& operator=(const _rbfreport_owner &rhs);
virtual ~_rbfreport_owner();
alglib_impl::rbfreport* c_ptr();
alglib_impl::rbfreport* c_ptr() const;
protected:
alglib_impl::rbfreport *p_struct;
}
class rbfreport : _rbfreport_owner
{
rbfreport();
rbfreport(const rbfreport &rhs);
rbfreport& operator=(const rbfreport &rhs);
virtual ~rbfreport();
ae_int_t &arows;
ae_int_t &acols;
ae_int_t &annz;
ae_int_t &iterationscount;
ae_int_t &nmv;
ae_int_t &terminationtype;
}
class _spline2dinterpolant_owner
{
_spline2dinterpolant_owner();
_spline2dinterpolant_owner(const _spline2dinterpolant_owner &rhs);
_spline2dinterpolant_owner& operator=(const _spline2dinterpolant_owner &rhs);
virtual ~_spline2dinterpolant_owner();
alglib_impl::spline2dinterpolant* c_ptr();
alglib_impl::spline2dinterpolant* c_ptr() const;
protected:
alglib_impl::spline2dinterpolant *p_struct;
}
class spline2dinterpolant : _spline2dinterpolant_owner
{
spline2dinterpolant();
spline2dinterpolant(const spline2dinterpolant &rhs);
spline2dinterpolant& operator=(const spline2dinterpolant &rhs);
virtual ~spline2dinterpolant();
}
class _spline3dinterpolant_owner
{
_spline3dinterpolant_owner();
_spline3dinterpolant_owner(const _spline3dinterpolant_owner &rhs);
_spline3dinterpolant_owner& operator=(const _spline3dinterpolant_owner &rhs);
virtual ~_spline3dinterpolant_owner();
alglib_impl::spline3dinterpolant* c_ptr();
alglib_impl::spline3dinterpolant* c_ptr() const;
protected:
alglib_impl::spline3dinterpolant *p_struct;
}
class spline3dinterpolant : _spline3dinterpolant_owner
{
spline3dinterpolant();
spline3dinterpolant(const spline3dinterpolant &rhs);
spline3dinterpolant& operator=(const spline3dinterpolant &rhs);
virtual ~spline3dinterpolant();
}
double idwcalc(const idwinterpolant &z, const real_1d_array &x);
void idwbuildmodifiedshepard(const real_2d_array &xy, const ae_int_t n, const ae_int_t nx, const ae_int_t d, const ae_int_t nq, const ae_int_t nw, idwinterpolant &z);
void idwbuildmodifiedshepardr(const real_2d_array &xy, const ae_int_t n, const ae_int_t nx, const double r, idwinterpolant &z);
void idwbuildnoisy(const real_2d_array &xy, const ae_int_t n, const ae_int_t nx, const ae_int_t d, const ae_int_t nq, const ae_int_t nw, idwinterpolant &z);
double barycentriccalc(const barycentricinterpolant &b, const double t);
void barycentricdiff1(const barycentricinterpolant &b, const double t, double &f, double &df);
void barycentricdiff2(const barycentricinterpolant &b, const double t, double &f, double &df, double &d2f);
void barycentriclintransx(const barycentricinterpolant &b, const double ca, const double cb);
void barycentriclintransy(const barycentricinterpolant &b, const double ca, const double cb);
void barycentricunpack(const barycentricinterpolant &b, ae_int_t &n, real_1d_array &x, real_1d_array &y, real_1d_array &w);
void barycentricbuildxyw(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, barycentricinterpolant &b);
void barycentricbuildfloaterhormann(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t d, barycentricinterpolant &b);
void polynomialbar2cheb(const barycentricinterpolant &p, const double a, const double b, real_1d_array &t);
void polynomialcheb2bar(const real_1d_array &t, const ae_int_t n, const double a, const double b, barycentricinterpolant &p);
void polynomialcheb2bar(const real_1d_array &t, const double a, const double b, barycentricinterpolant &p);
void polynomialbar2pow(const barycentricinterpolant &p, const double c, const double s, real_1d_array &a);
void polynomialbar2pow(const barycentricinterpolant &p, real_1d_array &a);
void polynomialpow2bar(const real_1d_array &a, const ae_int_t n, const double c, const double s, barycentricinterpolant &p);
void polynomialpow2bar(const real_1d_array &a, barycentricinterpolant &p);
void polynomialbuild(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, barycentricinterpolant &p);
void polynomialbuild(const real_1d_array &x, const real_1d_array &y, barycentricinterpolant &p);
void polynomialbuildeqdist(const double a, const double b, const real_1d_array &y, const ae_int_t n, barycentricinterpolant &p);
void polynomialbuildeqdist(const double a, const double b, const real_1d_array &y, barycentricinterpolant &p);
void polynomialbuildcheb1(const double a, const double b, const real_1d_array &y, const ae_int_t n, barycentricinterpolant &p);
void polynomialbuildcheb1(const double a, const double b, const real_1d_array &y, barycentricinterpolant &p);
void polynomialbuildcheb2(const double a, const double b, const real_1d_array &y, const ae_int_t n, barycentricinterpolant &p);
void polynomialbuildcheb2(const double a, const double b, const real_1d_array &y, barycentricinterpolant &p);
double polynomialcalceqdist(const double a, const double b, const real_1d_array &f, const ae_int_t n, const double t);
double polynomialcalceqdist(const double a, const double b, const real_1d_array &f, const double t);
double polynomialcalccheb1(const double a, const double b, const real_1d_array &f, const ae_int_t n, const double t);
double polynomialcalccheb1(const double a, const double b, const real_1d_array &f, const double t);
double polynomialcalccheb2(const double a, const double b, const real_1d_array &f, const ae_int_t n, const double t);
double polynomialcalccheb2(const double a, const double b, const real_1d_array &f, const double t);
void spline1dbuildlinear(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, spline1dinterpolant &c);
void spline1dbuildlinear(const real_1d_array &x, const real_1d_array &y, spline1dinterpolant &c);
void spline1dbuildcubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t boundltype, const double boundl, const ae_int_t boundrtype, const double boundr, spline1dinterpolant &c);
void spline1dbuildcubic(const real_1d_array &x, const real_1d_array &y, spline1dinterpolant &c);
void spline1dgriddiffcubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t boundltype, const double boundl, const ae_int_t boundrtype, const double boundr, real_1d_array &d);
void spline1dgriddiffcubic(const real_1d_array &x, const real_1d_array &y, real_1d_array &d);
void spline1dgriddiff2cubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t boundltype, const double boundl, const ae_int_t boundrtype, const double boundr, real_1d_array &d1, real_1d_array &d2);
void spline1dgriddiff2cubic(const real_1d_array &x, const real_1d_array &y, real_1d_array &d1, real_1d_array &d2);
void spline1dconvcubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t boundltype, const double boundl, const ae_int_t boundrtype, const double boundr, const real_1d_array &x2, const ae_int_t n2, real_1d_array &y2);
void spline1dconvcubic(const real_1d_array &x, const real_1d_array &y, const real_1d_array &x2, real_1d_array &y2);
void spline1dconvdiffcubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t boundltype, const double boundl, const ae_int_t boundrtype, const double boundr, const real_1d_array &x2, const ae_int_t n2, real_1d_array &y2, real_1d_array &d2);
void spline1dconvdiffcubic(const real_1d_array &x, const real_1d_array &y, const real_1d_array &x2, real_1d_array &y2, real_1d_array &d2);
void spline1dconvdiff2cubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t boundltype, const double boundl, const ae_int_t boundrtype, const double boundr, const real_1d_array &x2, const ae_int_t n2, real_1d_array &y2, real_1d_array &d2, real_1d_array &dd2);
void spline1dconvdiff2cubic(const real_1d_array &x, const real_1d_array &y, const real_1d_array &x2, real_1d_array &y2, real_1d_array &d2, real_1d_array &dd2);
void spline1dbuildcatmullrom(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t boundtype, const double tension, spline1dinterpolant &c);
void spline1dbuildcatmullrom(const real_1d_array &x, const real_1d_array &y, spline1dinterpolant &c);
void spline1dbuildhermite(const real_1d_array &x, const real_1d_array &y, const real_1d_array &d, const ae_int_t n, spline1dinterpolant &c);
void spline1dbuildhermite(const real_1d_array &x, const real_1d_array &y, const real_1d_array &d, spline1dinterpolant &c);
void spline1dbuildakima(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, spline1dinterpolant &c);
void spline1dbuildakima(const real_1d_array &x, const real_1d_array &y, spline1dinterpolant &c);
double spline1dcalc(const spline1dinterpolant &c, const double x);
void spline1ddiff(const spline1dinterpolant &c, const double x, double &s, double &ds, double &d2s);
void spline1dunpack(const spline1dinterpolant &c, ae_int_t &n, real_2d_array &tbl);
void spline1dlintransx(const spline1dinterpolant &c, const double a, const double b);
void spline1dlintransy(const spline1dinterpolant &c, const double a, const double b);
double spline1dintegrate(const spline1dinterpolant &c, const double x);
void spline1dbuildmonotone(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, spline1dinterpolant &c);
void spline1dbuildmonotone(const real_1d_array &x, const real_1d_array &y, spline1dinterpolant &c);
void lstfitpiecewiselinearrdpfixed(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, real_1d_array &x2, real_1d_array &y2, ae_int_t &nsections);
void lstfitpiecewiselinearrdp(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const double eps, real_1d_array &x2, real_1d_array &y2, ae_int_t &nsections);
void polynomialfit(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, ae_int_t &info, barycentricinterpolant &p, polynomialfitreport &rep);
void smp_polynomialfit(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, ae_int_t &info, barycentricinterpolant &p, polynomialfitreport &rep);
void polynomialfit(const real_1d_array &x, const real_1d_array &y, const ae_int_t m, ae_int_t &info, barycentricinterpolant &p, polynomialfitreport &rep);
void smp_polynomialfit(const real_1d_array &x, const real_1d_array &y, const ae_int_t m, ae_int_t &info, barycentricinterpolant &p, polynomialfitreport &rep);
void polynomialfitwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t k, const ae_int_t m, ae_int_t &info, barycentricinterpolant &p, polynomialfitreport &rep);
void smp_polynomialfitwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t k, const ae_int_t m, ae_int_t &info, barycentricinterpolant &p, polynomialfitreport &rep);
void polynomialfitwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t m, ae_int_t &info, barycentricinterpolant &p, polynomialfitreport &rep);
void smp_polynomialfitwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t m, ae_int_t &info, barycentricinterpolant &p, polynomialfitreport &rep);
double logisticcalc4(const double x, const double a, const double b, const double c, const double d);
double logisticcalc5(const double x, const double a, const double b, const double c, const double d, const double g);
void logisticfit4(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, double &a, double &b, double &c, double &d, lsfitreport &rep);
void logisticfit4ec(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const double cnstrleft, const double cnstrright, double &a, double &b, double &c, double &d, lsfitreport &rep);
void logisticfit5(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, double &a, double &b, double &c, double &d, double &g, lsfitreport &rep);
void logisticfit5ec(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const double cnstrleft, const double cnstrright, double &a, double &b, double &c, double &d, double &g, lsfitreport &rep);
void logisticfit45x(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const double cnstrleft, const double cnstrright, const bool is4pl, const double lambdav, const double epsx, const ae_int_t rscnt, double &a, double &b, double &c, double &d, double &g, lsfitreport &rep);
void barycentricfitfloaterhormannwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t k, const ae_int_t m, ae_int_t &info, barycentricinterpolant &b, barycentricfitreport &rep);
void smp_barycentricfitfloaterhormannwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t k, const ae_int_t m, ae_int_t &info, barycentricinterpolant &b, barycentricfitreport &rep);
void barycentricfitfloaterhormann(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, ae_int_t &info, barycentricinterpolant &b, barycentricfitreport &rep);
void smp_barycentricfitfloaterhormann(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, ae_int_t &info, barycentricinterpolant &b, barycentricfitreport &rep);
void spline1dfitpenalized(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, const double rho, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfitpenalized(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, const double rho, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfitpenalized(const real_1d_array &x, const real_1d_array &y, const ae_int_t m, const double rho, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfitpenalized(const real_1d_array &x, const real_1d_array &y, const ae_int_t m, const double rho, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfitpenalizedw(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const ae_int_t m, const double rho, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfitpenalizedw(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const ae_int_t m, const double rho, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfitpenalizedw(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t m, const double rho, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfitpenalizedw(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t m, const double rho, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfitcubicwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t k, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfitcubicwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t k, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfitcubicwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfitcubicwc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfithermitewc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t k, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfithermitewc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const ae_int_t n, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t k, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfithermitewc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfithermitewc(const real_1d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &xc, const real_1d_array &yc, const integer_1d_array &dc, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfitcubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfitcubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfitcubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfitcubic(const real_1d_array &x, const real_1d_array &y, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfithermite(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfithermite(const real_1d_array &x, const real_1d_array &y, const ae_int_t n, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void spline1dfithermite(const real_1d_array &x, const real_1d_array &y, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void smp_spline1dfithermite(const real_1d_array &x, const real_1d_array &y, const ae_int_t m, ae_int_t &info, spline1dinterpolant &s, spline1dfitreport &rep);
void lsfitlinearw(const real_1d_array &y, const real_1d_array &w, const real_2d_array &fmatrix, const ae_int_t n, const ae_int_t m, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void smp_lsfitlinearw(const real_1d_array &y, const real_1d_array &w, const real_2d_array &fmatrix, const ae_int_t n, const ae_int_t m, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitlinearw(const real_1d_array &y, const real_1d_array &w, const real_2d_array &fmatrix, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void smp_lsfitlinearw(const real_1d_array &y, const real_1d_array &w, const real_2d_array &fmatrix, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitlinearwc(const real_1d_array &y, const real_1d_array &w, const real_2d_array &fmatrix, const real_2d_array &cmatrix, const ae_int_t n, const ae_int_t m, const ae_int_t k, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void smp_lsfitlinearwc(const real_1d_array &y, const real_1d_array &w, const real_2d_array &fmatrix, const real_2d_array &cmatrix, const ae_int_t n, const ae_int_t m, const ae_int_t k, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitlinearwc(const real_1d_array &y, const real_1d_array &w, const real_2d_array &fmatrix, const real_2d_array &cmatrix, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void smp_lsfitlinearwc(const real_1d_array &y, const real_1d_array &w, const real_2d_array &fmatrix, const real_2d_array &cmatrix, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitlinear(const real_1d_array &y, const real_2d_array &fmatrix, const ae_int_t n, const ae_int_t m, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void smp_lsfitlinear(const real_1d_array &y, const real_2d_array &fmatrix, const ae_int_t n, const ae_int_t m, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitlinear(const real_1d_array &y, const real_2d_array &fmatrix, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void smp_lsfitlinear(const real_1d_array &y, const real_2d_array &fmatrix, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitlinearc(const real_1d_array &y, const real_2d_array &fmatrix, const real_2d_array &cmatrix, const ae_int_t n, const ae_int_t m, const ae_int_t k, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void smp_lsfitlinearc(const real_1d_array &y, const real_2d_array &fmatrix, const real_2d_array &cmatrix, const ae_int_t n, const ae_int_t m, const ae_int_t k, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitlinearc(const real_1d_array &y, const real_2d_array &fmatrix, const real_2d_array &cmatrix, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void smp_lsfitlinearc(const real_1d_array &y, const real_2d_array &fmatrix, const real_2d_array &cmatrix, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitcreatewf(const real_2d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &c, const ae_int_t n, const ae_int_t m, const ae_int_t k, const double diffstep, lsfitstate &state);
void lsfitcreatewf(const real_2d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &c, const double diffstep, lsfitstate &state);
void lsfitcreatef(const real_2d_array &x, const real_1d_array &y, const real_1d_array &c, const ae_int_t n, const ae_int_t m, const ae_int_t k, const double diffstep, lsfitstate &state);
void lsfitcreatef(const real_2d_array &x, const real_1d_array &y, const real_1d_array &c, const double diffstep, lsfitstate &state);
void lsfitcreatewfg(const real_2d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &c, const ae_int_t n, const ae_int_t m, const ae_int_t k, const bool cheapfg, lsfitstate &state);
void lsfitcreatewfg(const real_2d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &c, const bool cheapfg, lsfitstate &state);
void lsfitcreatefg(const real_2d_array &x, const real_1d_array &y, const real_1d_array &c, const ae_int_t n, const ae_int_t m, const ae_int_t k, const bool cheapfg, lsfitstate &state);
void lsfitcreatefg(const real_2d_array &x, const real_1d_array &y, const real_1d_array &c, const bool cheapfg, lsfitstate &state);
void lsfitcreatewfgh(const real_2d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &c, const ae_int_t n, const ae_int_t m, const ae_int_t k, lsfitstate &state);
void lsfitcreatewfgh(const real_2d_array &x, const real_1d_array &y, const real_1d_array &w, const real_1d_array &c, lsfitstate &state);
void lsfitcreatefgh(const real_2d_array &x, const real_1d_array &y, const real_1d_array &c, const ae_int_t n, const ae_int_t m, const ae_int_t k, lsfitstate &state);
void lsfitcreatefgh(const real_2d_array &x, const real_1d_array &y, const real_1d_array &c, lsfitstate &state);
void lsfitsetcond(const lsfitstate &state, const double epsf, const double epsx, const ae_int_t maxits);
void lsfitsetstpmax(const lsfitstate &state, const double stpmax);
void lsfitsetxrep(const lsfitstate &state, const bool needxrep);
void lsfitsetscale(const lsfitstate &state, const real_1d_array &s);
void lsfitsetbc(const lsfitstate &state, const real_1d_array &bndl, const real_1d_array &bndu);
bool lsfititeration(const lsfitstate &state);
void lsfitfit(lsfitstate &state,
void* function(const real_1d_array &c, const real_1d_array &x, double &func, void *ptr) func,
void* function(const real_1d_array &c, double func, void *ptr) rep= null,
void *ptr = null);
void lsfitfit(lsfitstate &state,
void* function(const real_1d_array &c, const real_1d_array &x, double &func, void *ptr) func,
void* function(const real_1d_array &c, const real_1d_array &x, double &func, real_1d_array &grad, void *ptr) grad,
void* function(const real_1d_array &c, double func, void *ptr) rep= null,
void *ptr = null);
void lsfitfit(lsfitstate &state,
void* function (const real_1d_array &c, const real_1d_array &x, double &func, void *ptr) func,
void* function(const real_1d_array &c, const real_1d_array &x, double &func, real_1d_array &grad, void *ptr) grad,
void* function(const real_1d_array &c, const real_1d_array &x, double &func, real_1d_array &grad, real_2d_array &hess, void *ptr) hess,
void* function(const real_1d_array &c, double func, void *ptr) rep= null,
void *ptr = null);
void lsfitresults(const lsfitstate &state, ae_int_t &info, real_1d_array &c, lsfitreport &rep);
void lsfitsetgradientcheck(const lsfitstate &state, const double teststep);
void pspline2build(const real_2d_array &xy, const ae_int_t n, const ae_int_t st, const ae_int_t pt, pspline2interpolant &p);
void pspline3build(const real_2d_array &xy, const ae_int_t n, const ae_int_t st, const ae_int_t pt, pspline3interpolant &p);
void pspline2buildperiodic(const real_2d_array &xy, const ae_int_t n, const ae_int_t st, const ae_int_t pt, pspline2interpolant &p);
void pspline3buildperiodic(const real_2d_array &xy, const ae_int_t n, const ae_int_t st, const ae_int_t pt, pspline3interpolant &p);
void pspline2parametervalues(const pspline2interpolant &p, ae_int_t &n, real_1d_array &t);
void pspline3parametervalues(const pspline3interpolant &p, ae_int_t &n, real_1d_array &t);
void pspline2calc(const pspline2interpolant &p, const double t, double &x, double &y);
void pspline3calc(const pspline3interpolant &p, const double t, double &x, double &y, double &z);
void pspline2tangent(const pspline2interpolant &p, const double t, double &x, double &y);
void pspline3tangent(const pspline3interpolant &p, const double t, double &x, double &y, double &z);
void pspline2diff(const pspline2interpolant &p, const double t, double &x, double &dx, double &y, double &dy);
void pspline3diff(const pspline3interpolant &p, const double t, double &x, double &dx, double &y, double &dy, double &z, double &dz);
void pspline2diff2(const pspline2interpolant &p, const double t, double &x, double &dx, double &d2x, double &y, double &dy, double &d2y);
void pspline3diff2(const pspline3interpolant &p, const double t, double &x, double &dx, double &d2x, double &y, double &dy, double &d2y, double &z, double &dz, double &d2z);
double pspline2arclength(const pspline2interpolant &p, const double a, const double b);
double pspline3arclength(const pspline3interpolant &p, const double a, const double b);
void parametricrdpfixed(const real_2d_array &x, const ae_int_t n, const ae_int_t d, const ae_int_t stopm, const double stopeps, real_2d_array &x2, integer_1d_array &idx2, ae_int_t &nsections);
void rbfserialize(rbfmodel &obj, std::string &s_out);
void rbfunserialize(std::string &s_in, rbfmodel &obj);
void rbfcreate(const ae_int_t nx, const ae_int_t ny, rbfmodel &s);
void rbfsetpoints(const rbfmodel &s, const real_2d_array &xy, const ae_int_t n);
void rbfsetpoints(const rbfmodel &s, const real_2d_array &xy);
void rbfsetalgoqnn(const rbfmodel &s, const double q, const double z);
void rbfsetalgoqnn(const rbfmodel &s);
void rbfsetalgomultilayer(const rbfmodel &s, const double rbase, const ae_int_t nlayers, const double lambdav);
void rbfsetalgomultilayer(const rbfmodel &s, const double rbase, const ae_int_t nlayers);
void rbfsetlinterm(const rbfmodel &s);
void rbfsetconstterm(const rbfmodel &s);
void rbfsetzeroterm(const rbfmodel &s);
void rbfbuildmodel(const rbfmodel &s, rbfreport &rep);
double rbfcalc2(const rbfmodel &s, const double x0, const double x1);
double rbfcalc3(const rbfmodel &s, const double x0, const double x1, const double x2);
void rbfcalc(const rbfmodel &s, const real_1d_array &x, real_1d_array &y);
void rbfcalcbuf(const rbfmodel &s, const real_1d_array &x, real_1d_array &y);
void rbfgridcalc2(const rbfmodel &s, const real_1d_array &x0, const ae_int_t n0, const real_1d_array &x1, const ae_int_t n1, real_2d_array &y);
void rbfunpack(const rbfmodel &s, ae_int_t &nx, ae_int_t &ny, real_2d_array &xwr, ae_int_t &nc, real_2d_array &v);
double spline2dcalc(const spline2dinterpolant &c, const double x, const double y);
void spline2ddiff(const spline2dinterpolant &c, const double x, const double y, double &f, double &fx, double &fy, double &fxy);
void spline2dlintransxy(const spline2dinterpolant &c, const double ax, const double bx, const double ay, const double by);
void spline2dlintransf(const spline2dinterpolant &c, const double a, const double b);
void spline2dcopy(const spline2dinterpolant &c, spline2dinterpolant &cc);
void spline2dresamplebicubic(const real_2d_array &a, const ae_int_t oldheight, const ae_int_t oldwidth, real_2d_array &b, const ae_int_t newheight, const ae_int_t newwidth);
void spline2dresamplebilinear(const real_2d_array &a, const ae_int_t oldheight, const ae_int_t oldwidth, real_2d_array &b, const ae_int_t newheight, const ae_int_t newwidth);
void spline2dbuildbilinearv(const real_1d_array &x, const ae_int_t n, const real_1d_array &y, const ae_int_t m, const real_1d_array &f, const ae_int_t d, spline2dinterpolant &c);
void spline2dbuildbicubicv(const real_1d_array &x, const ae_int_t n, const real_1d_array &y, const ae_int_t m, const real_1d_array &f, const ae_int_t d, spline2dinterpolant &c);
void spline2dcalcvbuf(const spline2dinterpolant &c, const double x, const double y, real_1d_array &f);
void spline2dcalcv(const spline2dinterpolant &c, const double x, const double y, real_1d_array &f);
void spline2dunpackv(const spline2dinterpolant &c, ae_int_t &m, ae_int_t &n, ae_int_t &d, real_2d_array &tbl);
void spline2dbuildbilinear(const real_1d_array &x, const real_1d_array &y, const real_2d_array &f, const ae_int_t m, const ae_int_t n, spline2dinterpolant &c);
void spline2dbuildbicubic(const real_1d_array &x, const real_1d_array &y, const real_2d_array &f, const ae_int_t m, const ae_int_t n, spline2dinterpolant &c);
void spline2dunpack(const spline2dinterpolant &c, ae_int_t &m, ae_int_t &n, real_2d_array &tbl);
double spline3dcalc(const spline3dinterpolant &c, const double x, const double y, const double z);
void spline3dlintransxyz(const spline3dinterpolant &c, const double ax, const double bx, const double ay, const double by, const double az, const double bz);
void spline3dlintransf(const spline3dinterpolant &c, const double a, const double b);
void spline3dresampletrilinear(const real_1d_array &a, const ae_int_t oldzcount, const ae_int_t oldycount, const ae_int_t oldxcount, const ae_int_t newzcount, const ae_int_t newycount, const ae_int_t newxcount, real_1d_array &b);
void spline3dbuildtrilinearv(const real_1d_array &x, const ae_int_t n, const real_1d_array &y, const ae_int_t m, const real_1d_array &z, const ae_int_t l, const real_1d_array &f, const ae_int_t d, spline3dinterpolant &c);
void spline3dcalcvbuf(const spline3dinterpolant &c, const double x, const double y, const double z, real_1d_array &f);
void spline3dcalcv(const spline3dinterpolant &c, const double x, const double y, const double z, real_1d_array &f);
void spline3dunpackv(const spline3dinterpolant &c, ae_int_t &n, ae_int_t &m, ae_int_t &l, ae_int_t &d, ae_int_t &stype, real_2d_array &tbl);
}
*/
extern(C)
{
double idwcalc(idwinterpolant* z, /* Real */ ae_vector* x, ae_state *_state);
void idwbuildmodifiedshepard(/* Real */ ae_matrix* xy, ae_int_t n, ae_int_t nx, ae_int_t d, ae_int_t nq, ae_int_t nw, idwinterpolant* z, ae_state *_state);
void idwbuildmodifiedshepardr(/* Real */ ae_matrix* xy, ae_int_t n, ae_int_t nx, double r, idwinterpolant* z, ae_state *_state);
void idwbuildnoisy(/* Real */ ae_matrix* xy, ae_int_t n, ae_int_t nx, ae_int_t d, ae_int_t nq, ae_int_t nw, idwinterpolant* z, ae_state *_state);
void _idwinterpolant_init(void* _p, ae_state *_state);
void _idwinterpolant_init_copy(void* _dst, void* _src, ae_state *_state);
void _idwinterpolant_clear(void* _p);
void _idwinterpolant_destroy(void* _p);
double barycentriccalc(barycentricinterpolant* b, double t, ae_state *_state);
void barycentricdiff1(barycentricinterpolant* b, double t, double* f, double* df, ae_state *_state);
void barycentricdiff2(barycentricinterpolant* b, double t, double* f, double* df, double* d2f, ae_state *_state);
void barycentriclintransx(barycentricinterpolant* b, double ca, double cb, ae_state *_state);
void barycentriclintransy(barycentricinterpolant* b, double ca, double cb, ae_state *_state);
void barycentricunpack(barycentricinterpolant* b, ae_int_t* n, /* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_state *_state);
void barycentricbuildxyw(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, barycentricinterpolant* b, ae_state *_state);
void barycentricbuildfloaterhormann(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t d, barycentricinterpolant* b, ae_state *_state);
void barycentriccopy(barycentricinterpolant* b, barycentricinterpolant* b2, ae_state *_state);
void _barycentricinterpolant_init(void* _p, ae_state *_state);
void _barycentricinterpolant_init_copy(void* _dst, void* _src, ae_state *_state);
void _barycentricinterpolant_clear(void* _p);
void _barycentricinterpolant_destroy(void* _p);
void polynomialbar2cheb(barycentricinterpolant* p, double a, double b, /* Real */ ae_vector* t, ae_state *_state);
void polynomialcheb2bar(/* Real */ ae_vector* t, ae_int_t n, double a, double b, barycentricinterpolant* p, ae_state *_state);
void polynomialbar2pow(barycentricinterpolant* p, double c, double s, /* Real */ ae_vector* a, ae_state *_state);
void polynomialpow2bar(/* Real */ ae_vector* a, ae_int_t n, double c, double s, barycentricinterpolant* p, ae_state *_state);
void polynomialbuild(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, barycentricinterpolant* p, ae_state *_state);
void polynomialbuildeqdist(double a, double b, /* Real */ ae_vector* y, ae_int_t n, barycentricinterpolant* p, ae_state *_state);
void polynomialbuildcheb1(double a, double b, /* Real */ ae_vector* y, ae_int_t n, barycentricinterpolant* p, ae_state *_state);
void polynomialbuildcheb2(double a, double b, /* Real */ ae_vector* y, ae_int_t n, barycentricinterpolant* p, ae_state *_state);
double polynomialcalceqdist(double a, double b, /* Real */ ae_vector* f, ae_int_t n, double t, ae_state *_state);
double polynomialcalccheb1(double a, double b, /* Real */ ae_vector* f, ae_int_t n, double t, ae_state *_state);
double polynomialcalccheb2(double a, double b, /* Real */ ae_vector* f, ae_int_t n, double t, ae_state *_state);
void spline1dbuildlinear(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, spline1dinterpolant* c, ae_state *_state);
void spline1dbuildcubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t boundltype, double boundl, ae_int_t boundrtype, double boundr, spline1dinterpolant* c, ae_state *_state);
void spline1dgriddiffcubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t boundltype, double boundl, ae_int_t boundrtype, double boundr, /* Real */ ae_vector* d, ae_state *_state);
void spline1dgriddiff2cubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t boundltype, double boundl, ae_int_t boundrtype, double boundr, /* Real */ ae_vector* d1, /* Real */ ae_vector* d2, ae_state *_state);
void spline1dconvcubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t boundltype, double boundl, ae_int_t boundrtype, double boundr, /* Real */ ae_vector* x2, ae_int_t n2, /* Real */ ae_vector* y2, ae_state *_state);
void spline1dconvdiffcubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t boundltype, double boundl, ae_int_t boundrtype, double boundr, /* Real */ ae_vector* x2, ae_int_t n2, /* Real */ ae_vector* y2, /* Real */ ae_vector* d2, ae_state *_state);
void spline1dconvdiff2cubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t boundltype, double boundl, ae_int_t boundrtype, double boundr, /* Real */ ae_vector* x2, ae_int_t n2, /* Real */ ae_vector* y2, /* Real */ ae_vector* d2, /* Real */ ae_vector* dd2, ae_state *_state);
void spline1dbuildcatmullrom(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t boundtype, double tension, spline1dinterpolant* c, ae_state *_state);
void spline1dbuildhermite(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* d, ae_int_t n, spline1dinterpolant* c, ae_state *_state);
void spline1dbuildakima(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, spline1dinterpolant* c, ae_state *_state);
double spline1dcalc(spline1dinterpolant* c, double x, ae_state *_state);
void spline1ddiff(spline1dinterpolant* c, double x, double* s, double* ds, double* d2s, ae_state *_state);
void spline1dcopy(spline1dinterpolant* c, spline1dinterpolant* cc, ae_state *_state);
void spline1dunpack(spline1dinterpolant* c, ae_int_t* n, /* Real */ ae_matrix* tbl, ae_state *_state);
void spline1dlintransx(spline1dinterpolant* c, double a, double b, ae_state *_state);
void spline1dlintransy(spline1dinterpolant* c, double a, double b, ae_state *_state);
double spline1dintegrate(spline1dinterpolant* c, double x, ae_state *_state);
void spline1dconvdiffinternal(/* Real */ ae_vector* xold, /* Real */ ae_vector* yold, /* Real */ ae_vector* dold, ae_int_t n, /* Real */ ae_vector* x2, ae_int_t n2, /* Real */ ae_vector* y, ae_bool needy, /* Real */ ae_vector* d1, ae_bool needd1, /* Real */ ae_vector* d2, ae_bool needd2, ae_state *_state);
void spline1drootsandextrema(spline1dinterpolant* c, /* Real */ ae_vector* r, ae_int_t* nr, ae_bool* dr, /* Real */ ae_vector* e, /* Integer */ ae_vector* et, ae_int_t* ne, ae_bool* de, ae_state *_state);
void heapsortdpoints(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* d, ae_int_t n, ae_state *_state);
void solvepolinom2(double p0, double m0, double p1, double m1, double* x0, double* x1, ae_int_t* nr, ae_state *_state);
void solvecubicpolinom(double pa, double ma, double pb, double mb, double a, double b, double* x0, double* x1, double* x2, double* ex0, double* ex1, ae_int_t* nr, ae_int_t* ne, /* Real */ ae_vector* tempdata, ae_state *_state);
ae_int_t bisectmethod(double pa, double ma, double pb, double mb, double a, double b, double* x, ae_state *_state);
void spline1dbuildmonotone(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, spline1dinterpolant* c, ae_state *_state);
void _spline1dinterpolant_init(void* _p, ae_state *_state);
void _spline1dinterpolant_init_copy(void* _dst, void* _src, ae_state *_state);
void _spline1dinterpolant_clear(void* _p);
void _spline1dinterpolant_destroy(void* _p);
void lstfitpiecewiselinearrdpfixed(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, /* Real */ ae_vector* x2, /* Real */ ae_vector* y2, ae_int_t* nsections, ae_state *_state);
void lstfitpiecewiselinearrdp(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, double eps, /* Real */ ae_vector* x2, /* Real */ ae_vector* y2, ae_int_t* nsections, ae_state *_state);
void polynomialfit(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, ae_int_t* info, barycentricinterpolant* p, polynomialfitreport* rep, ae_state *_state);
void _pexec_polynomialfit(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, ae_int_t* info, barycentricinterpolant* p, polynomialfitreport* rep, ae_state *_state);
void polynomialfitwc(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, ae_int_t m, ae_int_t* info, barycentricinterpolant* p, polynomialfitreport* rep, ae_state *_state);
void _pexec_polynomialfitwc(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, ae_int_t m, ae_int_t* info, barycentricinterpolant* p, polynomialfitreport* rep, ae_state *_state);
double logisticcalc4(double x, double a, double b, double c, double d, ae_state *_state);
double logisticcalc5(double x, double a, double b, double c, double d, double g, ae_state *_state);
void logisticfit4(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, double* a, double* b, double* c, double* d, lsfitreport* rep, ae_state *_state);
void logisticfit4ec(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, double cnstrleft, double cnstrright, double* a, double* b, double* c, double* d, lsfitreport* rep, ae_state *_state);
void logisticfit5(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, double* a, double* b, double* c, double* d, double* g, lsfitreport* rep, ae_state *_state);
void logisticfit5ec(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, double cnstrleft, double cnstrright, double* a, double* b, double* c, double* d, double* g, lsfitreport* rep, ae_state *_state);
void logisticfit45x(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, double cnstrleft, double cnstrright, ae_bool is4pl, double lambdav, double epsx, ae_int_t rscnt, double* a, double* b, double* c, double* d, double* g, lsfitreport* rep, ae_state *_state);
void barycentricfitfloaterhormannwc(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, ae_int_t m, ae_int_t* info, barycentricinterpolant* b, barycentricfitreport* rep, ae_state *_state);
void _pexec_barycentricfitfloaterhormannwc(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, ae_int_t m, ae_int_t* info, barycentricinterpolant* b, barycentricfitreport* rep, ae_state *_state);
void barycentricfitfloaterhormann(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, ae_int_t* info, barycentricinterpolant* b, barycentricfitreport* rep, ae_state *_state);
void _pexec_barycentricfitfloaterhormann(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, ae_int_t* info, barycentricinterpolant* b, barycentricfitreport* rep, ae_state *_state);
void spline1dfitpenalized(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, double rho, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void _pexec_spline1dfitpenalized(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, double rho, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void spline1dfitpenalizedw(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, ae_int_t m, double rho, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void _pexec_spline1dfitpenalizedw(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, ae_int_t m, double rho, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void spline1dfitcubicwc(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, ae_int_t m, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void _pexec_spline1dfitcubicwc(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, ae_int_t m, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void spline1dfithermitewc(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, ae_int_t m, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void _pexec_spline1dfithermitewc(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, ae_int_t m, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void spline1dfitcubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void _pexec_spline1dfitcubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void spline1dfithermite(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void _pexec_spline1dfithermite(/* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_int_t n, ae_int_t m, ae_int_t* info, spline1dinterpolant* s, spline1dfitreport* rep, ae_state *_state);
void lsfitlinearw(/* Real */ ae_vector* y, /* Real */ ae_vector* w, /* Real */ ae_matrix* fmatrix, ae_int_t n, ae_int_t m, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void _pexec_lsfitlinearw(/* Real */ ae_vector* y, /* Real */ ae_vector* w, /* Real */ ae_matrix* fmatrix, ae_int_t n, ae_int_t m, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void lsfitlinearwc(/* Real */ ae_vector* y, /* Real */ ae_vector* w, /* Real */ ae_matrix* fmatrix, /* Real */ ae_matrix* cmatrix, ae_int_t n, ae_int_t m, ae_int_t k, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void _pexec_lsfitlinearwc(/* Real */ ae_vector* y, /* Real */ ae_vector* w, /* Real */ ae_matrix* fmatrix, /* Real */ ae_matrix* cmatrix, ae_int_t n, ae_int_t m, ae_int_t k, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void lsfitlinear(/* Real */ ae_vector* y, /* Real */ ae_matrix* fmatrix, ae_int_t n, ae_int_t m, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void _pexec_lsfitlinear(/* Real */ ae_vector* y, /* Real */ ae_matrix* fmatrix, ae_int_t n, ae_int_t m, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void lsfitlinearc(/* Real */ ae_vector* y, /* Real */ ae_matrix* fmatrix, /* Real */ ae_matrix* cmatrix, ae_int_t n, ae_int_t m, ae_int_t k, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void _pexec_lsfitlinearc(/* Real */ ae_vector* y, /* Real */ ae_matrix* fmatrix, /* Real */ ae_matrix* cmatrix, ae_int_t n, ae_int_t m, ae_int_t k, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void lsfitcreatewf(/* Real */ ae_matrix* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, /* Real */ ae_vector* c, ae_int_t n, ae_int_t m, ae_int_t k, double diffstep, lsfitstate* state, ae_state *_state);
void lsfitcreatef(/* Real */ ae_matrix* x, /* Real */ ae_vector* y, /* Real */ ae_vector* c, ae_int_t n, ae_int_t m, ae_int_t k, double diffstep, lsfitstate* state, ae_state *_state);
void lsfitcreatewfg(/* Real */ ae_matrix* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, /* Real */ ae_vector* c, ae_int_t n, ae_int_t m, ae_int_t k, ae_bool cheapfg, lsfitstate* state, ae_state *_state);
void lsfitcreatefg(/* Real */ ae_matrix* x, /* Real */ ae_vector* y, /* Real */ ae_vector* c, ae_int_t n, ae_int_t m, ae_int_t k, ae_bool cheapfg, lsfitstate* state, ae_state *_state);
void lsfitcreatewfgh(/* Real */ ae_matrix* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, /* Real */ ae_vector* c, ae_int_t n, ae_int_t m, ae_int_t k, lsfitstate* state, ae_state *_state);
void lsfitcreatefgh(/* Real */ ae_matrix* x, /* Real */ ae_vector* y, /* Real */ ae_vector* c, ae_int_t n, ae_int_t m, ae_int_t k, lsfitstate* state, ae_state *_state);
void lsfitsetcond(lsfitstate* state, double epsf, double epsx, ae_int_t maxits, ae_state *_state);
void lsfitsetstpmax(lsfitstate* state, double stpmax, ae_state *_state);
void lsfitsetxrep(lsfitstate* state, ae_bool needxrep, ae_state *_state);
void lsfitsetscale(lsfitstate* state, /* Real */ ae_vector* s, ae_state *_state);
void lsfitsetbc(lsfitstate* state, /* Real */ ae_vector* bndl, /* Real */ ae_vector* bndu, ae_state *_state);
ae_bool lsfititeration(lsfitstate* state, ae_state *_state);
void lsfitresults(lsfitstate* state, ae_int_t* info, /* Real */ ae_vector* c, lsfitreport* rep, ae_state *_state);
void lsfitsetgradientcheck(lsfitstate* state, double teststep, ae_state *_state);
void lsfitscalexy(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_vector* w, ae_int_t n, /* Real */ ae_vector* xc, /* Real */ ae_vector* yc, /* Integer */ ae_vector* dc, ae_int_t k, double* xa, double* xb, double* sa, double* sb, /* Real */ ae_vector* xoriginal, /* Real */ ae_vector* yoriginal, ae_state *_state);
void _polynomialfitreport_init(void* _p, ae_state *_state);
void _polynomialfitreport_init_copy(void* _dst, void* _src, ae_state *_state);
void _polynomialfitreport_clear(void* _p);
void _polynomialfitreport_destroy(void* _p);
void _barycentricfitreport_init(void* _p, ae_state *_state);
void _barycentricfitreport_init_copy(void* _dst, void* _src, ae_state *_state);
void _barycentricfitreport_clear(void* _p);
void _barycentricfitreport_destroy(void* _p);
void _spline1dfitreport_init(void* _p, ae_state *_state);
void _spline1dfitreport_init_copy(void* _dst, void* _src, ae_state *_state);
void _spline1dfitreport_clear(void* _p);
void _spline1dfitreport_destroy(void* _p);
void _lsfitreport_init(void* _p, ae_state *_state);
void _lsfitreport_init_copy(void* _dst, void* _src, ae_state *_state);
void _lsfitreport_clear(void* _p);
void _lsfitreport_destroy(void* _p);
void _lsfitstate_init(void* _p, ae_state *_state);
void _lsfitstate_init_copy(void* _dst, void* _src, ae_state *_state);
void _lsfitstate_clear(void* _p);
void _lsfitstate_destroy(void* _p);
void pspline2build(/* Real */ ae_matrix* xy, ae_int_t n, ae_int_t st, ae_int_t pt, pspline2interpolant* p, ae_state *_state);
void pspline3build(/* Real */ ae_matrix* xy, ae_int_t n, ae_int_t st, ae_int_t pt, pspline3interpolant* p, ae_state *_state);
void pspline2buildperiodic(/* Real */ ae_matrix* xy, ae_int_t n, ae_int_t st, ae_int_t pt, pspline2interpolant* p, ae_state *_state);
void pspline3buildperiodic(/* Real */ ae_matrix* xy, ae_int_t n, ae_int_t st, ae_int_t pt, pspline3interpolant* p, ae_state *_state);
void pspline2parametervalues(pspline2interpolant* p, ae_int_t* n, /* Real */ ae_vector* t, ae_state *_state);
void pspline3parametervalues(pspline3interpolant* p, ae_int_t* n, /* Real */ ae_vector* t, ae_state *_state);
void pspline2calc(pspline2interpolant* p, double t, double* x, double* y, ae_state *_state);
void pspline3calc(pspline3interpolant* p, double t, double* x, double* y, double* z, ae_state *_state);
void pspline2tangent(pspline2interpolant* p, double t, double* x, double* y, ae_state *_state);
void pspline3tangent(pspline3interpolant* p, double t, double* x, double* y, double* z, ae_state *_state);
void pspline2diff(pspline2interpolant* p, double t, double* x, double* dx, double* y, double* dy, ae_state *_state);
void pspline3diff(pspline3interpolant* p, double t, double* x, double* dx, double* y, double* dy, double* z, double* dz, ae_state *_state);
void pspline2diff2(pspline2interpolant* p, double t, double* x, double* dx, double* d2x, double* y, double* dy, double* d2y, ae_state *_state);
void pspline3diff2(pspline3interpolant* p, double t, double* x, double* dx, double* d2x, double* y, double* dy, double* d2y, double* z, double* dz, double* d2z, ae_state *_state);
double pspline2arclength(pspline2interpolant* p, double a, double b, ae_state *_state);
double pspline3arclength(pspline3interpolant* p, double a, double b, ae_state *_state);
void parametricrdpfixed(/* Real */ ae_matrix* x, ae_int_t n, ae_int_t d, ae_int_t stopm, double stopeps, /* Real */ ae_matrix* x2, /* Integer */ ae_vector* idx2, ae_int_t* nsections, ae_state *_state);
void _pspline2interpolant_init(void* _p, ae_state *_state);
void _pspline2interpolant_init_copy(void* _dst, void* _src, ae_state *_state);
void _pspline2interpolant_clear(void* _p);
void _pspline2interpolant_destroy(void* _p);
void _pspline3interpolant_init(void* _p, ae_state *_state);
void _pspline3interpolant_init_copy(void* _dst, void* _src, ae_state *_state);
void _pspline3interpolant_clear(void* _p);
void _pspline3interpolant_destroy(void* _p);
void rbfcreate(ae_int_t nx, ae_int_t ny, rbfmodel* s, ae_state *_state);
void rbfsetpoints(rbfmodel* s, /* Real */ ae_matrix* xy, ae_int_t n, ae_state *_state);
void rbfsetalgoqnn(rbfmodel* s, double q, double z, ae_state *_state);
void rbfsetalgomultilayer(rbfmodel* s, double rbase, ae_int_t nlayers, double lambdav, ae_state *_state);
void rbfsetlinterm(rbfmodel* s, ae_state *_state);
void rbfsetconstterm(rbfmodel* s, ae_state *_state);
void rbfsetzeroterm(rbfmodel* s, ae_state *_state);
void rbfsetcond(rbfmodel* s, double epsort, double epserr, ae_int_t maxits, ae_state *_state);
void rbfbuildmodel(rbfmodel* s, rbfreport* rep, ae_state *_state);
double rbfcalc2(rbfmodel* s, double x0, double x1, ae_state *_state);
double rbfcalc3(rbfmodel* s, double x0, double x1, double x2, ae_state *_state);
void rbfcalc(rbfmodel* s, /* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_state *_state);
void rbfcalcbuf(rbfmodel* s, /* Real */ ae_vector* x, /* Real */ ae_vector* y, ae_state *_state);
void rbfgridcalc2(rbfmodel* s, /* Real */ ae_vector* x0, ae_int_t n0, /* Real */ ae_vector* x1, ae_int_t n1, /* Real */ ae_matrix* y, ae_state *_state);
void rbfunpack(rbfmodel* s, ae_int_t* nx, ae_int_t* ny, /* Real */ ae_matrix* xwr, ae_int_t* nc, /* Real */ ae_matrix* v, ae_state *_state);
void rbfalloc(ae_serializer* s, rbfmodel* model, ae_state *_state);
void rbfserialize(ae_serializer* s, rbfmodel* model, ae_state *_state);
void rbfunserialize(ae_serializer* s, rbfmodel* model, ae_state *_state);
void _rbfmodel_init(void* _p, ae_state *_state);
void _rbfmodel_init_copy(void* _dst, void* _src, ae_state *_state);
void _rbfmodel_clear(void* _p);
void _rbfmodel_destroy(void* _p);
void _rbfreport_init(void* _p, ae_state *_state);
void _rbfreport_init_copy(void* _dst, void* _src, ae_state *_state);
void _rbfreport_clear(void* _p);
void _rbfreport_destroy(void* _p);
double spline2dcalc(spline2dinterpolant* c, double x, double y, ae_state *_state);
void spline2ddiff(spline2dinterpolant* c, double x, double y, double* f, double* fx, double* fy, double* fxy, ae_state *_state);
void spline2dlintransxy(spline2dinterpolant* c, double ax, double bx, double ay, double by, ae_state *_state);
void spline2dlintransf(spline2dinterpolant* c, double a, double b, ae_state *_state);
void spline2dcopy(spline2dinterpolant* c, spline2dinterpolant* cc, ae_state *_state);
void spline2dresamplebicubic(/* Real */ ae_matrix* a, ae_int_t oldheight, ae_int_t oldwidth, /* Real */ ae_matrix* b, ae_int_t newheight, ae_int_t newwidth, ae_state *_state);
void spline2dresamplebilinear(/* Real */ ae_matrix* a, ae_int_t oldheight, ae_int_t oldwidth, /* Real */ ae_matrix* b, ae_int_t newheight, ae_int_t newwidth, ae_state *_state);
void spline2dbuildbilinearv(/* Real */ ae_vector* x, ae_int_t n, /* Real */ ae_vector* y, ae_int_t m, /* Real */ ae_vector* f, ae_int_t d, spline2dinterpolant* c, ae_state *_state);
void spline2dbuildbicubicv(/* Real */ ae_vector* x, ae_int_t n, /* Real */ ae_vector* y, ae_int_t m, /* Real */ ae_vector* f, ae_int_t d, spline2dinterpolant* c, ae_state *_state);
void spline2dcalcvbuf(spline2dinterpolant* c, double x, double y, /* Real */ ae_vector* f, ae_state *_state);
void spline2dcalcv(spline2dinterpolant* c, double x, double y, /* Real */ ae_vector* f, ae_state *_state);
void spline2dunpackv(spline2dinterpolant* c, ae_int_t* m, ae_int_t* n, ae_int_t* d, /* Real */ ae_matrix* tbl, ae_state *_state);
void spline2dbuildbilinear(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_matrix* f, ae_int_t m, ae_int_t n, spline2dinterpolant* c, ae_state *_state);
void spline2dbuildbicubic(/* Real */ ae_vector* x, /* Real */ ae_vector* y, /* Real */ ae_matrix* f, ae_int_t m, ae_int_t n, spline2dinterpolant* c, ae_state *_state);
void spline2dunpack(spline2dinterpolant* c, ae_int_t* m, ae_int_t* n, /* Real */ ae_matrix* tbl, ae_state *_state);
void _spline2dinterpolant_init(void* _p, ae_state *_state);
void _spline2dinterpolant_init_copy(void* _dst, void* _src, ae_state *_state);
void _spline2dinterpolant_clear(void* _p);
void _spline2dinterpolant_destroy(void* _p);
double spline3dcalc(spline3dinterpolant* c, double x, double y, double z, ae_state *_state);
void spline3dlintransxyz(spline3dinterpolant* c, double ax, double bx, double ay, double by, double az, double bz, ae_state *_state);
void spline3dlintransf(spline3dinterpolant* c, double a, double b, ae_state *_state);
void spline3dcopy(spline3dinterpolant* c, spline3dinterpolant* cc, ae_state *_state);
void spline3dresampletrilinear(/* Real */ ae_vector* a, ae_int_t oldzcount, ae_int_t oldycount, ae_int_t oldxcount, ae_int_t newzcount, ae_int_t newycount, ae_int_t newxcount, /* Real */ ae_vector* b, ae_state *_state);
void spline3dbuildtrilinearv(/* Real */ ae_vector* x, ae_int_t n, /* Real */ ae_vector* y, ae_int_t m, /* Real */ ae_vector* z, ae_int_t l, /* Real */ ae_vector* f, ae_int_t d, spline3dinterpolant* c, ae_state *_state);
void spline3dcalcvbuf(spline3dinterpolant* c, double x, double y, double z, /* Real */ ae_vector* f, ae_state *_state);
void spline3dcalcv(spline3dinterpolant* c, double x, double y, double z, /* Real */ ae_vector* f, ae_state *_state);
void spline3dunpackv(spline3dinterpolant* c, ae_int_t* n, ae_int_t* m, ae_int_t* l, ae_int_t* d, ae_int_t* stype, /* Real */ ae_matrix* tbl, ae_state *_state);
void _spline3dinterpolant_init(void* _p, ae_state *_state);
void _spline3dinterpolant_init_copy(void* _dst, void* _src, ae_state *_state);
void _spline3dinterpolant_clear(void* _p);
void _spline3dinterpolant_destroy(void* _p);
}
|
D
|
//-----------------------------------------------------------------------------
// wxD - MemoryDC.d
// (C) 2005 bero <berobero@users.sourceforge.net>
// based on
// wx.NET - MemoryDC.cs
//
/// The wxBufferedDC and wxMemoryDC wrapper classes.
//
// Written by Bryan Bulten (bryan@bulten.ca)
// (C) 2003 by Bryan Bulten
// Licensed under the wxWidgets license, see LICENSE.txt for details.
//
// $Id: MemoryDC.d,v 1.9 2006/11/17 15:21:00 afb Exp $
//-----------------------------------------------------------------------------
module wx.MemoryDC;
public import wx.common;
public import wx.DC;
//! \cond EXTERN
static extern (C) IntPtr wxMemoryDC_ctor();
static extern (C) IntPtr wxMemoryDC_ctorByDC(IntPtr dc);
static extern (C) void wxMemoryDC_SelectObject(IntPtr self, IntPtr bitmap);
//! \endcond
//---------------------------------------------------------------------
alias MemoryDC wxMemoryDC;
public class MemoryDC : WindowDC
{
public this(IntPtr wxobj)
{ super(wxobj); }
public this()
{ this(wxMemoryDC_ctor()); }
public this(DC dc)
{ this(wxMemoryDC_ctorByDC(wxObject.SafePtr(dc))); }
//---------------------------------------------------------------------
public void SelectObject(Bitmap bitmap)
{
wxMemoryDC_SelectObject(wxobj, wxObject.SafePtr(bitmap));
}
//---------------------------------------------------------------------
}
//! \cond EXTERN
static extern (C) IntPtr wxBufferedDC_ctor();
static extern (C) IntPtr wxBufferedDC_ctorByBitmap(IntPtr dc, IntPtr buffer);
static extern (C) IntPtr wxBufferedDC_ctorBySize(IntPtr dc, inout Size area);
static extern (C) void wxBufferedDC_InitByBitmap(IntPtr self, IntPtr dc, IntPtr bitmap);
static extern (C) void wxBufferedDC_InitBySize(IntPtr self, IntPtr dc, inout Size area);
static extern (C) void wxBufferedDC_UnMask(IntPtr self);
//! \endcond
//---------------------------------------------------------------------
alias BufferedDC wxBufferedDC;
public class BufferedDC : MemoryDC
{
public this(IntPtr wxobj)
{ super(wxobj); }
private this(IntPtr wxobj, bool memOwn)
{
super(wxobj);
this.memOwn = memOwn;
}
public this()
{ this(wxBufferedDC_ctor(), true); }
public this(DC dc, Bitmap bitmap)
{ this(wxBufferedDC_ctorByBitmap(wxObject.SafePtr(dc), wxObject.SafePtr(bitmap)), true); }
public this(DC dc, Size size)
{ this(wxBufferedDC_ctorBySize(wxObject.SafePtr(dc), size), true); }
//---------------------------------------------------------------------
public void InitByBitmap(DC dc, Bitmap bitmap)
{
wxBufferedDC_InitByBitmap(wxobj, wxObject.SafePtr(dc), wxObject.SafePtr(bitmap));
}
public void InitBySize(DC dc, Size area)
{
wxBufferedDC_InitBySize(wxobj, wxObject.SafePtr(dc), area);
}
//---------------------------------------------------------------------
public void UnMask()
{
wxBufferedDC_UnMask(wxobj);
}
//---------------------------------------------------------------------
}
//! \cond EXTERN
static extern (C) IntPtr wxBufferedPaintDC_ctor(IntPtr window, IntPtr buffer);
//! \endcond
//---------------------------------------------------------------------
alias BufferedPaintDC wxBufferedPaintDC;
public class BufferedPaintDC : BufferedDC
{
public this(IntPtr wxobj)
{ super(wxobj); }
private this(IntPtr wxobj, bool memOwn)
{
super(wxobj);
this.memOwn = memOwn;
}
public this(Window window, Bitmap buffer)
{ this(wxBufferedPaintDC_ctor(wxObject.SafePtr(window), wxObject.SafePtr(buffer)), true); }
//---------------------------------------------------------------------
}
|
D
|
/Users/jaison/Documents/Drive/custom-api/.build/debug/Jay.build/ObjectParser.swift.o : /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/jaison/Documents/Drive/custom-api/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
/Users/jaison/Documents/Drive/custom-api/.build/debug/Jay.build/ObjectParser~partial.swiftmodule : /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/jaison/Documents/Drive/custom-api/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
/Users/jaison/Documents/Drive/custom-api/.build/debug/Jay.build/ObjectParser~partial.swiftdoc : /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/jaison/Documents/Drive/custom-api/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/jaison/Documents/Drive/custom-api/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
|
D
|
/Users/yunyunchen1/dev/mojo-test/build/Pods.build/Debug-iphonesimulator/TinyConstraints.build/Objects-normal/x86_64/Stack.o : /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Constrainable.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Stack.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Abstraction.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyEdgeInsets.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Constraints.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyConstraints.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyConstraints+superview.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/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/yunyunchen1/dev/mojo-test/Pods/Target\ Support\ Files/TinyConstraints/TinyConstraints-umbrella.h /Users/yunyunchen1/dev/mojo-test/build/Pods.build/Debug-iphonesimulator/TinyConstraints.build/unextended-module.modulemap /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/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/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/Security.framework/Headers/Security.apinotes
/Users/yunyunchen1/dev/mojo-test/build/Pods.build/Debug-iphonesimulator/TinyConstraints.build/Objects-normal/x86_64/Stack~partial.swiftmodule : /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Constrainable.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Stack.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Abstraction.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyEdgeInsets.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Constraints.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyConstraints.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyConstraints+superview.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/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/yunyunchen1/dev/mojo-test/Pods/Target\ Support\ Files/TinyConstraints/TinyConstraints-umbrella.h /Users/yunyunchen1/dev/mojo-test/build/Pods.build/Debug-iphonesimulator/TinyConstraints.build/unextended-module.modulemap /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/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/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/Security.framework/Headers/Security.apinotes
/Users/yunyunchen1/dev/mojo-test/build/Pods.build/Debug-iphonesimulator/TinyConstraints.build/Objects-normal/x86_64/Stack~partial.swiftdoc : /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Constrainable.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Stack.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Abstraction.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyEdgeInsets.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/Constraints.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyConstraints.swift /Users/yunyunchen1/dev/mojo-test/Pods/TinyConstraints/TinyConstraints/Classes/TinyConstraints+superview.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/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/yunyunchen1/dev/mojo-test/Pods/Target\ Support\ Files/TinyConstraints/TinyConstraints-umbrella.h /Users/yunyunchen1/dev/mojo-test/build/Pods.build/Debug-iphonesimulator/TinyConstraints.build/unextended-module.modulemap /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/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/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/Security.framework/Headers/Security.apinotes
|
D
|
/Users/joshblatt/Projects/learning-casper/task1/tests/target/debug/build/crunchy-575b8330c1f4e441/build_script_build-575b8330c1f4e441: /Users/joshblatt/.cargo/registry/src/github.com-1ecc6299db9ec823/crunchy-0.2.2/build.rs
/Users/joshblatt/Projects/learning-casper/task1/tests/target/debug/build/crunchy-575b8330c1f4e441/build_script_build-575b8330c1f4e441.d: /Users/joshblatt/.cargo/registry/src/github.com-1ecc6299db9ec823/crunchy-0.2.2/build.rs
/Users/joshblatt/.cargo/registry/src/github.com-1ecc6299db9ec823/crunchy-0.2.2/build.rs:
|
D
|
/++
This is a submodule of $(MREF mir, ndslice).
Safety_note:
User-defined iterators should care about their safety except bounds checks.
Bounds are checked in ndslice code.
License: $(HTTP www.apache.org/licenses/LICENSE-2.0, Apache-2.0)
Copyright: 2020 Ilia Ki, Kaleidic Associates Advisory Limited, Symmetry Investments
Authors: Ilia Ki
$(BOOKTABLE $(H2 Definitions),
$(TR $(TH Name) $(TH Description))
$(T2 Slice, N-dimensional slice.)
$(T2 SliceKind, SliceKind of $(LREF Slice) enumeration.)
$(T2 Universal, Alias for $(LREF .SliceKind.universal).)
$(T2 Canonical, Alias for $(LREF .SliceKind.canonical).)
$(T2 Contiguous, Alias for $(LREF .SliceKind.contiguous).)
$(T2 sliced, Creates a slice on top of an iterator, a pointer, or an array's pointer.)
$(T2 slicedField, Creates a slice on top of a field, a random access range, or an array.)
$(T2 slicedNdField, Creates a slice on top of an ndField.)
$(T2 kindOf, Extracts $(LREF SliceKind).)
$(T2 isSlice, Checks if the type is `Slice` instance.)
$(T2 Structure, A tuple of lengths and strides.)
)
Macros:
SUBREF = $(REF_ALTTEXT $(TT $2), $2, mir, ndslice, $1)$(NBSP)
T2=$(TR $(TDNW $(LREF $1)) $(TD $+))
T4=$(TR $(TDNW $(LREF $1)) $(TD $2) $(TD $3) $(TD $4))
STD = $(TD $(SMALL $0))
+/
module mir.ndslice.slice;
import mir.internal.utility : Iota;
import mir.math.common : fmamath;
import mir.ndslice.concatenation;
import mir.ndslice.field;
import mir.ndslice.internal;
import mir.ndslice.iterator;
import mir.ndslice.traits: isIterator;
import mir.primitives;
import mir.qualifier;
import mir.utility;
import std.meta;
import std.traits;
///
public import mir.primitives: DeepElementType;
/++
Checks if type T has asSlice property and its returns a slices.
Aliases itself to a dimension count
+/
template hasAsSlice(T)
{
static if (__traits(hasMember, T, "asSlice"))
enum size_t hasAsSlice = typeof(T.init.asSlice).N;
else
enum size_t hasAsSlice = 0;
}
///
version(mir_ndslice_test) unittest
{
import mir.series;
static assert(!hasAsSlice!(int[]));
static assert(hasAsSlice!(SeriesMap!(int, string)) == 1);
}
/++
Check if $(LREF toConst) function can be called with type T.
+/
enum isConvertibleToSlice(T) = isSlice!T || isDynamicArray!T || hasAsSlice!T;
///
version(mir_ndslice_test) unittest
{
import mir.series: SeriesMap;
static assert(isConvertibleToSlice!(immutable int[]));
static assert(isConvertibleToSlice!(string[]));
static assert(isConvertibleToSlice!(SeriesMap!(string, int)));
static assert(isConvertibleToSlice!(Slice!(int*)));
}
/++
Reurns:
Ndslice view in the same data.
See_also: $(LREF isConvertibleToSlice).
+/
auto toSlice(Iterator, size_t N, SliceKind kind)(Slice!(Iterator, N, kind) val)
{
import core.lifetime: move;
return val.move;
}
/// ditto
auto toSlice(Iterator, size_t N, SliceKind kind)(const Slice!(Iterator, N, kind) val)
{
return val[];
}
/// ditto
auto toSlice(Iterator, size_t N, SliceKind kind)(immutable Slice!(Iterator, N, kind) val)
{
return val[];
}
/// ditto
auto toSlice(T)(T[] val)
{
return val.sliced;
}
/// ditto
auto toSlice(T)(T val)
if (hasAsSlice!T || __traits(hasMember, T, "moveToSlice"))
{
static if (__traits(hasMember, T, "moveToSlice"))
return val.moveToSlice;
else
return val.asSlice;
}
/// ditto
auto toSlice(T)(ref T val)
if (hasAsSlice!T)
{
return val.asSlice;
}
///
template toSlices(args...)
{
static if (args.length)
{
alias arg = args[0];
alias Arg = typeof(arg);
static if (isMutable!Arg && isSlice!Arg)
alias slc = arg;
else
@fmamath @property auto ref slc()()
{
return toSlice(arg);
}
alias toSlices = AliasSeq!(slc, toSlices!(args[1..$]));
}
else
alias toSlices = AliasSeq!();
}
/++
Checks if the type is `Slice` instance.
+/
enum isSlice(T) = is(T : Slice!(Iterator, N, kind), Iterator, size_t N, SliceKind kind);
///
@safe pure nothrow @nogc
version(mir_ndslice_test) unittest
{
alias A = uint[];
alias S = Slice!(int*);
static assert(isSlice!S);
static assert(!isSlice!A);
}
/++
SliceKind of $(LREF Slice).
See_also:
$(SUBREF topology, universal),
$(SUBREF topology, canonical),
$(SUBREF topology, assumeCanonical),
$(SUBREF topology, assumeContiguous).
+/
enum mir_slice_kind
{
/// A slice has strides for all dimensions.
universal,
/// A slice has >=2 dimensions and row dimension is contiguous.
canonical,
/// A slice is a flat contiguous data without strides.
contiguous,
}
/// ditto
alias SliceKind = mir_slice_kind;
/++
Alias for $(LREF .SliceKind.universal).
See_also:
Internal Binary Representation section in $(LREF Slice).
+/
alias Universal = SliceKind.universal;
/++
Alias for $(LREF .SliceKind.canonical).
See_also:
Internal Binary Representation section in $(LREF Slice).
+/
alias Canonical = SliceKind.canonical;
/++
Alias for $(LREF .SliceKind.contiguous).
See_also:
Internal Binary Representation section in $(LREF Slice).
+/
alias Contiguous = SliceKind.contiguous;
/// Extracts $(LREF SliceKind).
enum kindOf(T : Slice!(Iterator, N, kind), Iterator, size_t N, SliceKind kind) = kind;
///
@safe pure nothrow @nogc
version(mir_ndslice_test) unittest
{
static assert(kindOf!(Slice!(int*, 1, Universal)) == Universal);
}
/// Extracts iterator type from a $(LREF Slice).
alias IteratorOf(T : Slice!(Iterator, N, kind), Iterator, size_t N, SliceKind kind) = Iterator;
private template SkipDimension(size_t dimension, size_t index)
{
static if (index < dimension)
enum SkipDimension = index;
else
static if (index == dimension)
static assert (0, "SkipInex: wrong index");
else
enum SkipDimension = index - 1;
}
/++
Creates an n-dimensional slice-shell over an iterator.
Params:
iterator = An iterator, a pointer, or an array.
lengths = A list of lengths for each dimension
Returns:
n-dimensional slice
+/
auto sliced(size_t N, Iterator)(return scope Iterator iterator, size_t[N] lengths...)
if (!__traits(isStaticArray, Iterator) && N
&& !is(Iterator : Slice!(_Iterator, _N, kind), _Iterator, size_t _N, SliceKind kind))
{
alias C = ImplicitlyUnqual!(typeof(iterator));
size_t[N] _lengths;
foreach (i; Iota!N)
_lengths[i] = lengths[i];
ptrdiff_t[1] _strides = 0;
static if (isDynamicArray!Iterator)
{
assert(lengthsProduct(_lengths) <= iterator.length,
"array length should be greater or equal to the product of constructed ndslice lengths");
auto ptr = iterator.length ? &iterator[0] : null;
return Slice!(typeof(C.init[0])*, N)(_lengths, ptr);
}
else
{
// break safety
if (false)
{
++iterator;
--iterator;
iterator += 34;
iterator -= 34;
}
import core.lifetime: move;
return Slice!(C, N)(_lengths, iterator.move);
}
}
/// Random access range primitives for slices over user defined types
@safe pure nothrow @nogc version(mir_ndslice_test) unittest
{
struct MyIota
{
//`[index]` operator overloading
auto opIndex(size_t index) @safe nothrow
{
return index;
}
auto lightConst()() const @property { return MyIota(); }
auto lightImmutable()() immutable @property { return MyIota(); }
}
import mir.ndslice.iterator: FieldIterator;
alias Iterator = FieldIterator!MyIota;
alias S = Slice!(Iterator, 2);
import std.range.primitives;
static assert(hasLength!S);
static assert(hasSlicing!S);
static assert(isRandomAccessRange!S);
auto slice = Iterator().sliced(20, 10);
assert(slice[1, 2] == 12);
auto sCopy = slice.save;
assert(slice[1, 2] == 12);
}
/++
Creates an 1-dimensional slice-shell over an array.
Params:
array = An array.
Returns:
1-dimensional slice
+/
Slice!(T*) sliced(T)(T[] array) @trusted
{
version(LDC) pragma(inline, true);
return Slice!(T*)([array.length], array.ptr);
}
/// Creates a slice from an array.
@safe pure nothrow version(mir_ndslice_test) unittest
{
auto slice = new int[10].sliced;
assert(slice.length == 10);
static assert(is(typeof(slice) == Slice!(int*)));
}
/++
Creates an n-dimensional slice-shell over the 1-dimensional input slice.
Params:
slice = slice
lengths = A list of lengths for each dimension.
Returns:
n-dimensional slice
+/
Slice!(Iterator, N, kind)
sliced
(Iterator, size_t N, SliceKind kind)
(Slice!(Iterator, 1, kind) slice, size_t[N] lengths...)
if (N)
{
auto structure = typeof(return)._Structure.init;
structure[0] = lengths;
static if (kind != Contiguous)
{
import mir.ndslice.topology: iota;
structure[1] = structure[0].iota.strides;
}
import core.lifetime: move;
return typeof(return)(structure, slice._iterator.move);
}
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto data = new int[24];
foreach (i, ref e; data)
e = cast(int)i;
auto a = data[0..10].sliced(10)[0..6].sliced(2, 3);
auto b = iota!int(10)[0..6].sliced(2, 3);
assert(a == b);
a[] += b;
foreach (i, e; data[0..6])
assert(e == 2*i);
foreach (i, e; data[6..$])
assert(e == i+6);
}
/++
Creates an n-dimensional slice-shell over a field.
Params:
field = A field. The length of the
array should be equal to or less then the product of
lengths.
lengths = A list of lengths for each dimension.
Returns:
n-dimensional slice
+/
Slice!(FieldIterator!Field, N)
slicedField(Field, size_t N)(Field field, size_t[N] lengths...)
if (N)
{
static if (hasLength!Field)
assert(lengths.lengthsProduct <= field.length, "Length product should be less or equal to the field length.");
return FieldIterator!Field(0, field).sliced(lengths);
}
///ditto
auto slicedField(Field)(Field field)
if(hasLength!Field)
{
return .slicedField(field, field.length);
}
/// Creates an 1-dimensional slice over a field, array, or random access range.
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto slice = 10.iota.slicedField;
assert(slice.length == 10);
}
/++
Creates an n-dimensional slice-shell over an ndField.
Params:
field = A ndField. Lengths should fit into field's shape.
lengths = A list of lengths for each dimension.
Returns:
n-dimensional slice
See_also: $(SUBREF concatenation, concatenation) examples.
+/
Slice!(IndexIterator!(FieldIterator!(ndIotaField!N), ndField), N)
slicedNdField(ndField, size_t N)(ndField field, size_t[N] lengths...)
if (N)
{
static if(hasShape!ndField)
{
auto shape = field.shape;
foreach (i; 0 .. N)
assert(lengths[i] <= shape[i], "Lengths should fit into ndfield's shape.");
}
import mir.ndslice.topology: indexed, ndiota;
return indexed(field, ndiota(lengths));
}
///ditto
auto slicedNdField(ndField)(ndField field)
if(hasShape!ndField)
{
return .slicedNdField(field, field.shape);
}
/++
Combination of coordinate(s) and value.
+/
struct CoordinateValue(T, size_t N = 1)
{
///
size_t[N] index;
///
T value;
///
int opCmp()(scope auto ref const typeof(this) rht) const
{
return cmpCoo(this.index, rht.index);
}
}
private int cmpCoo(size_t N)(scope const auto ref size_t[N] a, scope const auto ref size_t[N] b)
{
foreach (i; Iota!(0, N))
if (a[i] != b[i])
return a[i] > b[i] ? 1 : -1;
return 0;
}
/++
Presents $(LREF .Slice.structure).
+/
struct Structure(size_t N)
{
///
size_t[N] lengths;
///
sizediff_t[N] strides;
}
package(mir) alias LightConstOfLightScopeOf(Iterator) = LightConstOf!(LightScopeOf!Iterator);
package(mir) alias LightImmutableOfLightConstOf(Iterator) = LightImmutableOf!(LightScopeOf!Iterator);
package(mir) alias ImmutableOfUnqualOfPointerTarget(Iterator) = immutable(Unqual!(PointerTarget!Iterator))*;
package(mir) alias ConstOfUnqualOfPointerTarget(Iterator) = const(Unqual!(PointerTarget!Iterator))*;
package(mir) template allLightScope(args...)
{
static if (args.length)
{
alias Arg = typeof(args[0]);
static if(!isDynamicArray!Arg)
{
static if(!is(LightScopeOf!Arg == Arg))
@fmamath @property auto allLightScopeMod()()
{
import mir.qualifier: lightScope;
return args[0].lightScope;
}
else alias allLightScopeMod = args[0];
}
else alias allLightScopeMod = args[0];
alias allLightScope = AliasSeq!(allLightScopeMod, allLightScope!(args[1..$]));
}
else
alias allLightScope = AliasSeq!();
}
/++
Presents an n-dimensional view over a range.
$(H3 Definitions)
In order to change data in a slice using
overloaded operators such as `=`, `+=`, `++`,
a syntactic structure of type
`<slice to change>[<index and interval sequence...>]` must be used.
It is worth noting that just like for regular arrays, operations `a = b`
and `a[] = b` have different meanings.
In the first case, after the operation is carried out, `a` simply points at the same data as `b`
does, and the data which `a` previously pointed at remains unmodified.
Here, `а` and `b` must be of the same type.
In the second case, `a` points at the same data as before,
but the data itself will be changed. In this instance, the number of dimensions of `b`
may be less than the number of dimensions of `а`; and `b` can be a Slice,
a regular multidimensional array, or simply a value (e.g. a number).
In the following table you will find the definitions you might come across
in comments on operator overloading.
$(BOOKTABLE
$(TR $(TH Operator Overloading) $(TH Examples at `N == 3`))
$(TR $(TD An $(B interval) is a part of a sequence of type `i .. j`.)
$(STD `2..$-3`, `0..4`))
$(TR $(TD An $(B index) is a part of a sequence of type `i`.)
$(STD `3`, `$-1`))
$(TR $(TD A $(B partially defined slice) is a sequence composed of
$(B intervals) and $(B indices) with an overall length strictly less than `N`.)
$(STD `[3]`, `[0..$]`, `[3, 3]`, `[0..$,0..3]`, `[0..$,2]`))
$(TR $(TD A $(B fully defined index) is a sequence
composed only of $(B indices) with an overall length equal to `N`.)
$(STD `[2,3,1]`))
$(TR $(TD A $(B fully defined slice) is an empty sequence
or a sequence composed of $(B indices) and at least one
$(B interval) with an overall length equal to `N`.)
$(STD `[]`, `[3..$,0..3,0..$-1]`, `[2,0..$,1]`))
$(TR $(TD An $(B indexed slice) is syntax sugar for $(SUBREF topology, indexed) and $(SUBREF topology, cartesian).)
$(STD `[anNdslice]`, `[$.iota, anNdsliceForCartesian1, $.iota]`))
)
See_also:
$(SUBREF topology, iota).
$(H3 Internal Binary Representation)
Multidimensional Slice is a structure that consists of lengths, strides, and a iterator (pointer).
$(SUBREF topology, FieldIterator) shell is used to wrap fields and random access ranges.
FieldIterator contains a shift of the current initial element of a multidimensional slice
and the field itself.
With the exception of $(MREF mir,ndslice,allocation) module, no functions in this
package move or copy data. The operations are only carried out on lengths, strides,
and pointers. If a slice is defined over a range, only the shift of the initial element
changes instead of the range.
Mir n-dimensional Slices can be one of the three kinds.
$(H4 Contiguous slice)
Contiguous in memory (or in a user-defined iterator's field) row-major tensor that doesn't store strides because they can be computed on the fly using lengths.
The row stride is always equaled 1.
$(H4 Canonical slice)
Canonical slice as contiguous in memory (or in a user-defined iterator's field) rows of a row-major tensor, it doesn't store the stride for row dimension because it is always equaled 1.
BLAS/LAPACK matrices are Canonical but originally have column-major order.
In the same time you can use 2D Canonical Slices with LAPACK assuming that rows are columns and columns are rows.
$(H4 Universal slice)
A row-major tensor that stores the strides for all dimensions.
NumPy strides are Universal.
$(H4 Internal Representation for Universal Slices)
Type definition
-------
Slice!(Iterator, N, Universal)
-------
Schema
-------
Slice!(Iterator, N, Universal)
size_t[N] _lengths
sizediff_t[N] _strides
Iterator _iterator
-------
$(H5 Example)
Definitions
-------
import mir.ndslice;
auto a = new double[24];
Slice!(double*, 3, Universal) s = a.sliced(2, 3, 4).universal;
Slice!(double*, 3, Universal) t = s.transposed!(1, 2, 0);
Slice!(double*, 3, Universal) r = t.reversed!1;
-------
Representation
-------
s________________________
lengths[0] ::= 2
lengths[1] ::= 3
lengths[2] ::= 4
strides[0] ::= 12
strides[1] ::= 4
strides[2] ::= 1
iterator ::= &a[0]
t____transposed!(1, 2, 0)
lengths[0] ::= 3
lengths[1] ::= 4
lengths[2] ::= 2
strides[0] ::= 4
strides[1] ::= 1
strides[2] ::= 12
iterator ::= &a[0]
r______________reversed!1
lengths[0] ::= 2
lengths[1] ::= 3
lengths[2] ::= 4
strides[0] ::= 12
strides[1] ::= -4
strides[2] ::= 1
iterator ::= &a[8] // (old_strides[1] * (lengths[1] - 1)) = 8
-------
$(H4 Internal Representation for Canonical Slices)
Type definition
-------
Slice!(Iterator, N, Canonical)
-------
Schema
-------
Slice!(Iterator, N, Canonical)
size_t[N] _lengths
sizediff_t[N-1] _strides
Iterator _iterator
-------
$(H4 Internal Representation for Contiguous Slices)
Type definition
-------
Slice!(Iterator, N)
-------
Schema
-------
Slice!(Iterator, N, Contiguous)
size_t[N] _lengths
sizediff_t[0] _strides
Iterator _iterator
-------
+/
struct mir_slice(Iterator_, size_t N_ = 1, SliceKind kind_ = Contiguous, Labels_...)
if (0 < N_ && N_ < 255 && !(kind_ == Canonical && N_ == 1) && Labels_.length <= N_ && isIterator!Iterator_)
{
@fmamath:
/// $(LREF SliceKind)
enum SliceKind kind = kind_;
/// Dimensions count
enum size_t N = N_;
/// Strides count
enum size_t S = kind == Universal ? N : kind == Canonical ? N - 1 : 0;
/// Labels count.
enum size_t L = Labels_.length;
/// Data iterator type
alias Iterator = Iterator_;
/// This type
alias This = Slice!(Iterator, N, kind);
/// Data element type
alias DeepElement = typeof(Iterator.init[size_t.init]);
///
alias serdeKeysProxy = Unqual!DeepElement;
/// Label Iterators types
alias Labels = Labels_;
///
template Element(size_t dimension)
if (dimension < N)
{
static if (N == 1)
alias Element = DeepElement;
else
{
static if (kind == Universal || dimension == N - 1)
alias Element = mir_slice!(Iterator, N - 1, Universal);
else
static if (N == 2 || kind == Contiguous && dimension == 0)
alias Element = mir_slice!(Iterator, N - 1);
else
alias Element = mir_slice!(Iterator, N - 1, Canonical);
}
}
package(mir):
enum doUnittest = is(Iterator == int*) && (N == 1 || N == 2) && kind == Contiguous;
enum hasAccessByRef = __traits(compiles, &_iterator[0]);
enum PureIndexLength(Slices...) = Filter!(isIndex, Slices).length;
enum isPureSlice(Slices...) =
Slices.length == 0
|| Slices.length <= N
&& PureIndexLength!Slices < N
&& Filter!(isIndex, Slices).length < Slices.length
&& allSatisfy!(templateOr!(isIndex, is_Slice), Slices);
enum isFullPureSlice(Slices...) =
Slices.length == 0
|| Slices.length == N
&& PureIndexLength!Slices < N
&& allSatisfy!(templateOr!(isIndex, is_Slice), Slices);
enum isIndexedSlice(Slices...) =
Slices.length
&& Slices.length <= N
&& allSatisfy!(isSlice, Slices)
&& anySatisfy!(templateNot!is_Slice, Slices);
static if (S)
{
///
public alias _Structure = AliasSeq!(size_t[N], ptrdiff_t[S]);
///
public _Structure _structure;
///
public alias _lengths = _structure[0];
///
public alias _strides = _structure[1];
}
else
{
///
public alias _Structure = AliasSeq!(size_t[N]);
///
public _Structure _structure;
///
public alias _lengths = _structure[0];
///
public enum ptrdiff_t[S] _strides = ptrdiff_t[S].init;
}
/// Data Iterator
public Iterator _iterator;
/// Labels iterators
public Labels _labels;
sizediff_t backIndex(size_t dimension = 0)() @safe @property scope const
if (dimension < N)
{
return _stride!dimension * (_lengths[dimension] - 1);
}
size_t indexStride(size_t I)(size_t[I] _indices) @safe scope const
{
static if (_indices.length)
{
static if (kind == Contiguous)
{
enum E = I - 1;
assert(_indices[E] < _lengths[E], indexError!(DeepElement, E, N));
ptrdiff_t ball = this._stride!E;
ptrdiff_t stride = _indices[E] * ball;
foreach_reverse (i; Iota!E) //static
{
ball *= _lengths[i + 1];
assert(_indices[i] < _lengths[i], indexError!(DeepElement, i, N));
stride += ball * _indices[i];
}
}
else
static if (kind == Canonical)
{
enum E = I - 1;
assert(_indices[E] < _lengths[E], indexError!(DeepElement, E, N));
static if (I == N)
size_t stride = _indices[E];
else
size_t stride = _strides[E] * _indices[E];
foreach_reverse (i; Iota!E) //static
{
assert(_indices[i] < _lengths[i], indexError!(DeepElement, i, N));
stride += _strides[i] * _indices[i];
}
}
else
{
enum E = I - 1;
assert(_indices[E] < _lengths[E], indexError!(DeepElement, E, N));
size_t stride = _strides[E] * _indices[E];
foreach_reverse (i; Iota!E) //static
{
assert(_indices[i] < _lengths[i], indexError!(DeepElement, i, N));
stride += _strides[i] * _indices[i];
}
}
return stride;
}
else
{
return 0;
}
}
public:
// static if (S == 0)
// {
/// Defined for Contiguous Slice only
// this()(size_t[N] lengths, in ptrdiff_t[] empty, Iterator iterator, Labels labels)
// {
// version(LDC) pragma(inline, true);
// assert(empty.length == 0);
// this._lengths = lengths;
// this._iterator = iterator;
// }
// /// ditto
// this()(size_t[N] lengths, Iterator iterator, Labels labels)
// {
// version(LDC) pragma(inline, true);
// this._lengths = lengths;
// this._iterator = iterator;
// }
// /// ditto
// this()(size_t[N] lengths, in ptrdiff_t[] empty, Iterator iterator, Labels labels)
// {
// version(LDC) pragma(inline, true);
// assert(empty.length == 0);
// this._lengths = lengths;
// this._iterator = iterator;
// }
// /// ditto
// this()(size_t[N] lengths, Iterator iterator, Labels labels)
// {
// version(LDC) pragma(inline, true);
// this._lengths = lengths;
// this._iterator = iterator;
// }
// }
// version(LDC)
// private enum classicConstructor = true;
// else
// private enum classicConstructor = S > 0;
// static if (classicConstructor)
// {
/// Defined for Canonical and Universal Slices (DMD, GDC, LDC) and for Contiguous Slices (LDC)
// this()(size_t[N] lengths, ptrdiff_t[S] strides, Iterator iterator, Labels labels)
// {
// version(LDC) pragma(inline, true);
// this._lengths = lengths;
// this._strides = strides;
// this._iterator = iterator;
// this._labels = labels;
// }
// /// ditto
// this()(size_t[N] lengths, ptrdiff_t[S] strides, ref Iterator iterator, Labels labels)
// {
// version(LDC) pragma(inline, true);
// this._lengths = lengths;
// this._strides = strides;
// this._iterator = iterator;
// this._labels = labels;
// }
// }
// /// Construct from null
// this()(typeof(null))
// {
// version(LDC) pragma(inline, true);
// }
// static if (doUnittest)
// ///
// @safe pure version(mir_ndslice_test) unittest
// {
// import mir.ndslice.slice;
// alias Array = Slice!(double*);
// Array a = null;
// auto b = Array(null);
// assert(a.empty);
// assert(b.empty);
// auto fun(Array a = null)
// {
// }
// }
static if (doUnittest)
/// Creates a 2-dimentional slice with custom strides.
nothrow pure
version(mir_ndslice_test) unittest
{
uint[8] array = [1, 2, 3, 4, 5, 6, 7, 8];
auto slice = Slice!(uint*, 2, Universal)([2, 2], [4, 1], array.ptr);
assert(&slice[0, 0] == &array[0]);
assert(&slice[0, 1] == &array[1]);
assert(&slice[1, 0] == &array[4]);
assert(&slice[1, 1] == &array[5]);
assert(slice == [[1, 2], [5, 6]]);
array[2] = 42;
assert(slice == [[1, 2], [5, 6]]);
array[1] = 99;
assert(slice == [[1, 99], [5, 6]]);
}
/++
Returns: View with stripped out reference counted context.
The lifetime of the result mustn't be longer then the lifetime of the original slice.
+/
auto lightScope()() return scope @property
{
auto ret = Slice!(LightScopeOf!Iterator, N, kind, staticMap!(LightScopeOf, Labels))
(_structure, .lightScope(_iterator));
foreach(i; Iota!L)
ret._labels[i] = .lightScope(_labels[i]);
return ret;
}
/// ditto
auto lightScope()() @trusted return scope const @property
{
auto ret = Slice!(LightConstOf!(LightScopeOf!Iterator), N, kind, staticMap!(LightConstOfLightScopeOf, Labels))
(_structure, .lightScope(_iterator));
foreach(i; Iota!L)
ret._labels[i] = .lightScope(_labels[i]);
return ret;
}
/// ditto
auto lightScope()() return scope immutable @property
{
auto ret = Slice!(LightImmutableOf!(LightScopeOf!Iterator), N, kind, staticMap!(LightImmutableOfLightConstOf(Labels)))
(_structure, .lightScope(_iterator));
foreach(i; Iota!L)
ret._labels[i] = .lightScope(_labels[i]);
return ret;
}
/// Returns: Mutable slice over immutable data.
Slice!(LightImmutableOf!Iterator, N, kind, staticMap!(LightImmutableOf, Labels)) lightImmutable()() return scope immutable @property
{
auto ret = typeof(return)(_structure, .lightImmutable(_iterator));
foreach(i; Iota!L)
ret._labels[i] = .lightImmutable(_labels[i]);
return ret;
}
static if (doUnittest)
///
@safe pure nothrow
version(mir_ndslice_test) unittest {
import mir.algorithm.iteration: equal;
immutable Slice!(int*, 1) x = [1, 2].sliced;
auto y = x.lightImmutable;
// this._iterator is copied to the new slice (i.e. both point to the same underlying data)
assert(x._iterator == y._iterator);
assert(x[0] == 1);
assert(x[1] == 2);
assert(y[0] == 1);
assert(y[1] == 2);
// Outer immutable is moved to iteration type
static assert(is(typeof(y) == Slice!(immutable(int)*, 1)));
// meaning that y can be modified, even if its elements can't
y.popFront;
// even if x can't be modified
//x.popFront; //error
}
/// Returns: Mutable slice over const data.
Slice!(LightConstOf!Iterator, N, kind, staticMap!(LightConstOf, Labels)) lightConst()() return scope const @property @trusted
{
auto ret = typeof(return)(_structure, .lightConst(_iterator));
foreach(i; Iota!L)
ret._labels[i] = .lightConst(_labels[i]);
return ret;
}
/// ditto
Slice!(LightImmutableOf!Iterator, N, kind, staticMap!(LightImmutableOf, Labels)) lightConst()() return scope immutable @property
{
return this.lightImmutable;
}
static if (doUnittest)
///
@safe pure nothrow
version(mir_ndslice_test) unittest {
import mir.algorithm.iteration: equal;
const Slice!(int*, 1) x = [1, 2].sliced;
auto y = x.lightConst;
// this._iterator is copied to the new slice (i.e. both point to the same underlying data)
assert(x._iterator == y._iterator);
assert(x.equal([1, 2]));
assert(y.equal([1, 2]));
// Outer const is moved to iteration type
static assert(is(typeof(y) == Slice!(const(int)*, 1)));
// meaning that y can be modified, even if its elements can't
y.popFront;
// even if x can't be modified
//x.popFront; //error
}
/// Label for the dimensions 'd'. By default returns the row label.
Slice!(Labels[d])
label(size_t d = 0)() @property
if (d <= L)
{
return typeof(return)(_lengths[d], _labels[d]);
}
/// ditto
void label(size_t d = 0)(Slice!(Labels[d]) rhs) @property
if (d <= L)
{
import core.lifetime: move;
assert(rhs.length == _lengths[d], "ndslice: labels dimension mismatch");
_labels[d] = rhs._iterator.move;
}
/// ditto
Slice!(LightConstOf!(Labels[d]))
label(size_t d = 0)() @property const
if (d <= L)
{
return typeof(return)(_lengths[d].lightConst, _labels[d]);
}
/// ditto
Slice!(LightImmutableOf!(Labels[d]))
label(size_t d = 0)() @property immutable
if (d <= L)
{
return typeof(return)(_lengths[d].lightImmutable, _labels[d]);
}
/// Strips label off the DataFrame
auto values()() @property
{
return Slice!(Iterator, N, kind)(_structure, _iterator);
}
/// ditto
auto values()() @property const
{
return Slice!(LightConstOf!Iterator, N, kind)(_structure, .lightConst(_iterator));
}
/// ditto
auto values()() @property immutable
{
return Slice!(LightImmutableOf!Iterator, N, kind)(_structure, .lightImmutable(_iterator));
}
/// `opIndex` overload for const slice
auto ref opIndex(Indexes...)(Indexes indices) const @trusted
if (isPureSlice!Indexes || isIndexedSlice!Indexes)
{
return lightConst.opIndex(indices);
}
/// `opIndex` overload for immutable slice
auto ref opIndex(Indexes...)(Indexes indices) immutable @trusted
if (isPureSlice!Indexes || isIndexedSlice!Indexes)
{
return lightImmutable.opIndex(indices);
}
static if (allSatisfy!(isPointer, Iterator, Labels))
{
private alias ConstThis = Slice!(const(Unqual!(PointerTarget!Iterator))*, N, kind);
private alias ImmutableThis = Slice!(immutable(Unqual!(PointerTarget!Iterator))*, N, kind);
/++
Cast to const and immutable slices in case of underlying range is a pointer.
+/
auto toImmutable()() return scope immutable @trusted pure nothrow @nogc
{
return Slice!(ImmutableOfUnqualOfPointerTarget!Iterator, N, kind, staticMap!(ImmutableOfUnqualOfPointerTarget, Labels))
(_structure, _iterator, _labels);
}
/// ditto
auto toConst()() return scope const @trusted pure nothrow @nogc
{
version(LDC) pragma(inline, true);
return Slice!(ConstOfUnqualOfPointerTarget!Iterator, N, kind, staticMap!(ConstOfUnqualOfPointerTarget, Labels))
(_structure, _iterator, _labels);
}
static if (!is(Slice!(const(Unqual!(PointerTarget!Iterator))*, N, kind) == This))
/// ditto
alias toConst this;
static if (doUnittest)
///
version(mir_ndslice_test) unittest
{
static struct Foo
{
Slice!(int*) bar;
int get(size_t i) immutable
{
return bar[i];
}
int get(size_t i) const
{
return bar[i];
}
int get(size_t i) inout
{
return bar[i];
}
}
}
static if (doUnittest)
///
version(mir_ndslice_test) unittest
{
Slice!(double*, 2, Universal) nn;
Slice!(immutable(double)*, 2, Universal) ni;
Slice!(const(double)*, 2, Universal) nc;
const Slice!(double*, 2, Universal) cn;
const Slice!(immutable(double)*, 2, Universal) ci;
const Slice!(const(double)*, 2, Universal) cc;
immutable Slice!(double*, 2, Universal) in_;
immutable Slice!(immutable(double)*, 2, Universal) ii;
immutable Slice!(const(double)*, 2, Universal) ic;
nc = nc; nc = cn; nc = in_;
nc = nc; nc = cc; nc = ic;
nc = ni; nc = ci; nc = ii;
void fun(T, size_t N)(Slice!(const(T)*, N, Universal) sl)
{
//...
}
fun(nn); fun(cn); fun(in_);
fun(nc); fun(cc); fun(ic);
fun(ni); fun(ci); fun(ii);
static assert(is(typeof(cn[]) == typeof(nc)));
static assert(is(typeof(ci[]) == typeof(ni)));
static assert(is(typeof(cc[]) == typeof(nc)));
static assert(is(typeof(in_[]) == typeof(ni)));
static assert(is(typeof(ii[]) == typeof(ni)));
static assert(is(typeof(ic[]) == typeof(ni)));
ni = ci[];
ni = in_[];
ni = ii[];
ni = ic[];
}
}
/++
Iterator
Returns:
Iterator (pointer) to the $(LREF .Slice.first) element.
+/
auto iterator()() inout return scope @property
{
return _iterator;
}
static if (kind == Contiguous && isPointer!Iterator)
/++
`ptr` alias is available only if the slice kind is $(LREF Contiguous) contiguous and the $(LREF .Slice.iterator) is a pointers.
+/
alias ptr = iterator;
else
{
import mir.rc.array: mir_rci;
static if (kind == Contiguous && is(Iterator : mir_rci!ET, ET))
auto ptr() return scope inout @property
{
return _iterator._iterator;
}
}
/++
Field (array) data.
Returns:
Raw data slice.
Constraints:
Field is defined only for contiguous slices.
+/
auto field()() return scope @trusted @property
{
static assert(kind == Contiguous, "Slice.field is defined only for contiguous slices. Slice kind is " ~ kind.stringof);
static if (is(typeof(_iterator[size_t(0) .. elementCount])))
{
return _iterator[size_t(0) .. elementCount];
}
else
{
import mir.ndslice.topology: flattened;
return this.flattened;
}
}
/// ditto
auto field()() return scope const @trusted @property
{
return this.lightConst.field;
}
/// ditto
auto field()() return immutable scope @trusted @property
{
return this.lightImmutable.field;
}
static if (doUnittest)
///
@safe version(mir_ndslice_test) unittest
{
auto arr = [1, 2, 3, 4];
auto sl0 = arr.sliced;
auto sl1 = arr.slicedField;
assert(sl0.field is arr);
assert(sl1.field is arr);
arr = arr[1 .. $];
sl0 = sl0[1 .. $];
sl1 = sl1[1 .. $];
assert(sl0.field is arr);
assert(sl1.field is arr);
assert((cast(const)sl1).field is arr);
()@trusted{ assert((cast(immutable)sl1).field is arr); }();
}
/++
Returns: static array of lengths
See_also: $(LREF .Slice.structure)
+/
size_t[N] shape()() @trusted @property scope const
{
return _lengths[0 .. N];
}
static if (doUnittest)
/// Regular slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
assert(iota(3, 4, 5).shape == cast(size_t[3])[3, 4, 5]);
}
static if (doUnittest)
/// Packed slice
@safe @nogc pure nothrow
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : pack, iota;
size_t[3] s = [3, 4, 5];
assert(iota(3, 4, 5, 6, 7).pack!2.shape == s);
}
/++
Returns: static array of lengths
See_also: $(LREF .Slice.structure)
+/
ptrdiff_t[N] strides()() @trusted @property scope const
{
static if (N <= S)
return _strides[0 .. N];
else
{
typeof(return) ret;
static if (kind == Canonical)
{
foreach (i; Iota!S)
ret[i] = _strides[i];
ret[$-1] = 1;
}
else
{
ret[$ - 1] = _stride!(N - 1);
foreach_reverse (i; Iota!(N - 1))
ret[i] = ret[i + 1] * _lengths[i + 1];
}
return ret;
}
}
static if (doUnittest)
/// Regular slice
@safe @nogc pure nothrow
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
size_t[3] s = [20, 5, 1];
assert(iota(3, 4, 5).strides == s);
}
static if (doUnittest)
/// Modified regular slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : pack, iota, universal;
import mir.ndslice.dynamic : reversed, strided, transposed;
assert(iota(3, 4, 50)
.universal
.reversed!2 //makes stride negative
.strided!2(6) //multiplies stride by 6 and changes corresponding length
.transposed!2 //brings dimension `2` to the first position
.strides == cast(ptrdiff_t[3])[-6, 200, 50]);
}
static if (doUnittest)
/// Packed slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : pack, iota;
size_t[3] s = [20 * 42, 5 * 42, 1 * 42];
assert(iota(3, 4, 5, 6, 7)
.pack!2
.strides == s);
}
/++
Returns: static array of lengths and static array of strides
See_also: $(LREF .Slice.shape)
+/
Structure!N structure()() @safe @property scope const
{
return typeof(return)(_lengths, strides);
}
static if (doUnittest)
/// Regular slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
assert(iota(3, 4, 5)
.structure == Structure!3([3, 4, 5], [20, 5, 1]));
}
static if (doUnittest)
/// Modified regular slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : pack, iota, universal;
import mir.ndslice.dynamic : reversed, strided, transposed;
assert(iota(3, 4, 50)
.universal
.reversed!2 //makes stride negative
.strided!2(6) //multiplies stride by 6 and changes corresponding length
.transposed!2 //brings dimension `2` to the first position
.structure == Structure!3([9, 3, 4], [-6, 200, 50]));
}
static if (doUnittest)
/// Packed slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : pack, iota;
assert(iota(3, 4, 5, 6, 7)
.pack!2
.structure == Structure!3([3, 4, 5], [20 * 42, 5 * 42, 1 * 42]));
}
/++
Save primitive.
+/
auto save()() inout @property
{
return this;
}
static if (doUnittest)
/// Save range
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto slice = iota(2, 3).save;
}
static if (doUnittest)
/// Pointer type.
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
//sl type is `Slice!(2, int*)`
auto sl = slice!int(2, 3).save;
}
/++
Multidimensional `length` property.
Returns: length of the corresponding dimension
See_also: $(LREF .Slice.shape), $(LREF .Slice.structure)
+/
size_t length(size_t dimension = 0)() @safe @property scope const
if (dimension < N)
{
return _lengths[dimension];
}
static if (doUnittest)
///
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto slice = iota(3, 4, 5);
assert(slice.length == 3);
assert(slice.length!0 == 3);
assert(slice.length!1 == 4);
assert(slice.length!2 == 5);
}
alias opDollar = length;
/++
Multidimensional `stride` property.
Returns: stride of the corresponding dimension
See_also: $(LREF .Slice.structure)
+/
sizediff_t _stride(size_t dimension = 0)() @safe @property scope const
if (dimension < N)
{
static if (dimension < S)
{
return _strides[dimension];
}
else
static if (dimension + 1 == N)
{
return 1;
}
else
{
size_t ball = _lengths[$ - 1];
foreach_reverse(i; Iota!(dimension + 1, N - 1))
ball *= _lengths[i];
return ball;
}
}
static if (doUnittest)
/// Regular slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto slice = iota(3, 4, 5);
assert(slice._stride == 20);
assert(slice._stride!0 == 20);
assert(slice._stride!1 == 5);
assert(slice._stride!2 == 1);
}
static if (doUnittest)
/// Modified regular slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.dynamic : reversed, strided, swapped;
import mir.ndslice.topology : universal, iota;
assert(iota(3, 4, 50)
.universal
.reversed!2 //makes stride negative
.strided!2(6) //multiplies stride by 6 and changes the corresponding length
.swapped!(1, 2) //swaps dimensions `1` and `2`
._stride!1 == -6);
}
/++
Multidimensional input range primitive.
+/
bool empty(size_t dimension = 0)() @safe @property scope const
if (dimension < N)
{
return _lengths[dimension] == 0;
}
static if (N == 1)
{
///ditto
auto ref front(size_t dimension = 0)() return scope @trusted @property
if (dimension == 0)
{
assert(!empty!dimension);
return *_iterator;
}
///ditto
auto ref front(size_t dimension = 0)() return scope @trusted @property const
if (dimension == 0)
{
assert(!empty!dimension);
return *_iterator.lightScope;
}
///ditto
auto ref front(size_t dimension = 0)() return scope @trusted @property immutable
if (dimension == 0)
{
assert(!empty!dimension);
return *_iterator.lightScope;
}
}
else
{
/// ditto
Element!dimension front(size_t dimension = 0)() return scope @property
if (dimension < N)
{
typeof(return)._Structure structure_ = typeof(return)._Structure.init;
foreach (i; Iota!(typeof(return).N))
{
enum j = i >= dimension ? i + 1 : i;
structure_[0][i] = _lengths[j];
}
static if (!typeof(return).S || typeof(return).S + 1 == S)
alias s = _strides;
else
auto s = strides;
foreach (i; Iota!(typeof(return).S))
{
enum j = i >= dimension ? i + 1 : i;
structure_[1][i] = s[j];
}
return typeof(return)(structure_, _iterator);
}
///ditto
auto front(size_t dimension = 0)() return scope @trusted @property const
if (dimension < N)
{
assert(!empty!dimension);
return this.lightConst.front!dimension;
}
///ditto
auto front(size_t dimension = 0)() return scope @trusted @property immutable
if (dimension < N)
{
assert(!empty!dimension);
return this.lightImmutable.front!dimension;
}
}
static if (N == 1 && isMutable!DeepElement && !hasAccessByRef)
{
///ditto
auto ref front(size_t dimension = 0, T)(T value) return scope @trusted @property
if (dimension == 0)
{
// check assign safety
static auto ref fun(ref DeepElement t, ref T v) @safe
{
return t = v;
}
assert(!empty!dimension);
static if (__traits(compiles, *_iterator = value))
return *_iterator = value;
else
return _iterator[0] = value;
}
}
///ditto
static if (N == 1)
auto ref Element!dimension
back(size_t dimension = 0)() return scope @trusted @property
if (dimension < N)
{
assert(!empty!dimension);
return _iterator[backIndex];
}
else
auto ref Element!dimension
back(size_t dimension = 0)() return scope @trusted @property
if (dimension < N)
{
assert(!empty!dimension);
auto structure_ = typeof(return)._Structure.init;
foreach (i; Iota!(typeof(return).N))
{
enum j = i >= dimension ? i + 1 : i;
structure_[0][i] = _lengths[j];
}
static if (!typeof(return).S || typeof(return).S + 1 == S)
alias s =_strides;
else
auto s = strides;
foreach (i; Iota!(typeof(return).S))
{
enum j = i >= dimension ? i + 1 : i;
structure_[1][i] = s[j];
}
return typeof(return)(structure_, _iterator + backIndex!dimension);
}
static if (N == 1 && isMutable!DeepElement && !hasAccessByRef)
{
///ditto
auto ref back(size_t dimension = 0, T)(T value) return scope @trusted @property
if (dimension == 0)
{
// check assign safety
static auto ref fun(ref DeepElement t, ref T v) @safe
{
return t = v;
}
assert(!empty!dimension);
return _iterator[backIndex] = value;
}
}
///ditto
void popFront(size_t dimension = 0)() @trusted scope
if (dimension < N && (dimension == 0 || kind != Contiguous))
{
assert(_lengths[dimension], __FUNCTION__ ~ ": length!" ~ dimension.stringof ~ " should be greater than 0.");
_lengths[dimension]--;
static if ((kind == Contiguous || kind == Canonical) && dimension + 1 == N)
++_iterator;
else
static if (kind == Canonical || kind == Universal)
_iterator += _strides[dimension];
else
_iterator += _stride!dimension;
}
///ditto
void popBack(size_t dimension = 0)() @safe scope
if (dimension < N && (dimension == 0 || kind != Contiguous))
{
assert(_lengths[dimension], __FUNCTION__ ~ ": length!" ~ dimension.stringof ~ " should be greater than 0.");
--_lengths[dimension];
}
///ditto
void popFrontExactly(size_t dimension = 0)(size_t n) @trusted scope
if (dimension < N && (dimension == 0 || kind != Contiguous))
{
assert(n <= _lengths[dimension],
__FUNCTION__ ~ ": n should be less than or equal to length!" ~ dimension.stringof);
_lengths[dimension] -= n;
_iterator += _stride!dimension * n;
}
///ditto
void popBackExactly(size_t dimension = 0)(size_t n) @safe scope
if (dimension < N && (dimension == 0 || kind != Contiguous))
{
assert(n <= _lengths[dimension],
__FUNCTION__ ~ ": n should be less than or equal to length!" ~ dimension.stringof);
_lengths[dimension] -= n;
}
///ditto
void popFrontN(size_t dimension = 0)(size_t n) @trusted scope
if (dimension < N && (dimension == 0 || kind != Contiguous))
{
popFrontExactly!dimension(min(n, _lengths[dimension]));
}
///ditto
void popBackN(size_t dimension = 0)(size_t n) @safe scope
if (dimension < N && (dimension == 0 || kind != Contiguous))
{
popBackExactly!dimension(min(n, _lengths[dimension]));
}
static if (doUnittest)
///
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import std.range.primitives;
import mir.ndslice.topology : iota, canonical;
auto slice = iota(10, 20, 30).canonical;
static assert(isRandomAccessRange!(typeof(slice)));
static assert(hasSlicing!(typeof(slice)));
static assert(hasLength!(typeof(slice)));
assert(slice.shape == cast(size_t[3])[10, 20, 30]);
slice.popFront;
slice.popFront!1;
slice.popBackExactly!2(4);
assert(slice.shape == cast(size_t[3])[9, 19, 26]);
auto matrix = slice.front!1;
assert(matrix.shape == cast(size_t[2])[9, 26]);
auto column = matrix.back!1;
assert(column.shape == cast(size_t[1])[9]);
slice.popFrontExactly!1(slice.length!1);
assert(slice.empty == false);
assert(slice.empty!1 == true);
assert(slice.empty!2 == false);
assert(slice.shape == cast(size_t[3])[9, 0, 26]);
assert(slice.back.front!1.empty);
slice.popFrontN!0(40);
slice.popFrontN!2(40);
assert(slice.shape == cast(size_t[3])[0, 0, 0]);
}
package(mir) ptrdiff_t lastIndex()() @safe @property scope const
{
static if (kind == Contiguous)
{
return elementCount - 1;
}
else
{
auto strides = strides;
ptrdiff_t shift = 0;
foreach(i; Iota!N)
shift += strides[i] * (_lengths[i] - 1);
return shift;
}
}
static if (N > 1)
{
/// Accesses the first deep element of the slice.
auto ref first()() return scope @trusted @property
{
assert(!anyEmpty);
return *_iterator;
}
static if (isMutable!DeepElement && !hasAccessByRef)
///ditto
auto ref first(T)(T value) return scope @trusted @property
{
assert(!anyEmpty);
static if (__traits(compiles, *_iterator = value))
return *_iterator = value;
else
return _iterator[0] = value;
}
static if (doUnittest)
///
@safe pure nothrow @nogc version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota, universal, canonical;
auto f = 5;
assert([2, 3].iota(f).first == f);
}
/// Accesses the last deep element of the slice.
auto ref last()() @trusted return scope @property
{
assert(!anyEmpty);
return _iterator[lastIndex];
}
static if (isMutable!DeepElement && !hasAccessByRef)
///ditto
auto ref last(T)(T value) @trusted return scope @property
{
assert(!anyEmpty);
return _iterator[lastIndex] = value;
}
static if (doUnittest)
///
@safe pure nothrow @nogc version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota;
auto f = 5;
assert([2, 3].iota(f).last == f + 2 * 3 - 1);
}
static if (kind_ != SliceKind.contiguous)
/// Peforms `popFrontAll` for all dimensions
void popFrontAll()
{
assert(!anyEmpty);
foreach(d; Iota!N_)
popFront!d;
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota, canonical;
auto v = [2, 3].iota.canonical;
v.popFrontAll;
assert(v == [[4, 5]]);
}
static if (kind_ != SliceKind.contiguous)
/// Peforms `popBackAll` for all dimensions
void popBackAll()
{
assert(!anyEmpty);
foreach(d; Iota!N_)
popBack!d;
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota, canonical;
auto v = [2, 3].iota.canonical;
v.popBackAll;
assert(v == [[0, 1]]);
}
}
else
{
alias first = front;
alias last = back;
alias popFrontAll = popFront;
alias popBackAll = popBack;
}
/+
Returns: `true` if for any dimension of completely unpacked slice the length equals to `0`, and `false` otherwise.
+/
private bool anyRUEmpty()() @trusted scope const
{
static if (isInstanceOf!(SliceIterator, Iterator))
{
import mir.ndslice.topology: unpack;
return this.lightScope.unpack.anyRUEmpty;
}
else
return _lengths[0 .. N].anyEmptyShape;
}
/++
Returns: `true` if for any dimension the length equals to `0`, and `false` otherwise.
+/
bool anyEmpty()() @trusted @property scope const
{
return _lengths[0 .. N].anyEmptyShape;
}
static if (doUnittest)
///
@safe pure nothrow @nogc version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota, canonical;
auto s = iota(2, 3).canonical;
assert(!s.anyEmpty);
s.popFrontExactly!1(3);
assert(s.anyEmpty);
}
/++
Convenience function for backward indexing.
Returns: `this[$-index[0], $-index[1], ..., $-index[N-1]]`
+/
auto ref backward()(size_t[N] index) return scope
{
foreach (i; Iota!N)
index[i] = _lengths[i] - index[i];
return this[index];
}
/// ditto
auto ref backward()(size_t[N] index) return scope const
{
return this.lightConst.backward(index);
}
/// ditto
auto ref backward()(size_t[N] index) return scope const
{
return this.lightConst.backward(index);
}
static if (doUnittest)
///
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto s = iota(2, 3);
assert(s[$ - 1, $ - 2] == s.backward([1, 2]));
}
/++
Returns: Total number of elements in a slice
+/
size_t elementCount()() @safe @property scope const
{
size_t len = 1;
foreach (i; Iota!N)
len *= _lengths[i];
return len;
}
static if (doUnittest)
/// Regular slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
assert(iota(3, 4, 5).elementCount == 60);
}
static if (doUnittest)
/// Packed slice
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : pack, evertPack, iota;
auto slice = iota(3, 4, 5, 6, 7, 8);
auto p = slice.pack!2;
assert(p.elementCount == 360);
assert(p[0, 0, 0, 0].elementCount == 56);
assert(p.evertPack.elementCount == 56);
}
/++
Slice selected dimension.
Params:
begin = initial index of the sub-slice (inclusive)
end = final index of the sub-slice (noninclusive)
Returns: ndslice with `length!dimension` equal to `end - begin`.
+/
auto select(size_t dimension)(size_t begin, size_t end) @trusted
{
static if (kind == Contiguous && dimension)
{
import mir.ndslice.topology: canonical;
auto ret = this.canonical;
}
else
{
auto ret = this;
}
auto len = end - begin;
assert(len <= ret._lengths[dimension]);
ret._lengths[dimension] = len;
ret._iterator += ret._stride!dimension * begin;
return ret;
}
static if (doUnittest)
///
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto sl = iota(3, 4);
assert(sl.select!1(1, 3) == sl[0 .. $, 1 .. 3]);
}
/++
Select the first n elements for the dimension.
Params:
dimension = Dimension to slice.
n = count of elements for the dimension
Returns: ndslice with `length!dimension` equal to `n`.
+/
auto selectFront(size_t dimension)(size_t n) return scope
{
static if (kind == Contiguous && dimension)
{
import mir.ndslice.topology: canonical;
auto ret = this.canonical;
}
else
{
auto ret = this;
}
assert(n <= ret._lengths[dimension]);
ret._lengths[dimension] = n;
return ret;
}
static if (doUnittest)
///
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto sl = iota(3, 4);
assert(sl.selectFront!1(2) == sl[0 .. $, 0 .. 2]);
}
/++
Select the last n elements for the dimension.
Params:
dimension = Dimension to slice.
n = count of elements for the dimension
Returns: ndslice with `length!dimension` equal to `n`.
+/
auto selectBack(size_t dimension)(size_t n) return scope
{
static if (kind == Contiguous && dimension)
{
import mir.ndslice.topology: canonical;
auto ret = this.canonical;
}
else
{
auto ret = this;
}
assert(n <= ret._lengths[dimension]);
ret._iterator += ret._stride!dimension * (ret._lengths[dimension] - n);
ret._lengths[dimension] = n;
return ret;
}
static if (doUnittest)
///
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto sl = iota(3, 4);
assert(sl.selectBack!1(2) == sl[0 .. $, $ - 2 .. $]);
}
///ditto
bool opEquals(IteratorR, SliceKind rkind)(auto ref const Slice!(IteratorR, N, rkind) rslice) @trusted scope const
{
static if (
__traits(isPOD, Iterator)
&& __traits(isPOD, IteratorR)
&& __traits(compiles, this._iterator == rslice._iterator)
)
{
if (this._lengths != rslice._lengths)
return false;
if (anyEmpty)
return true;
if (this._iterator == rslice._iterator)
{
auto ls = this.strides;
auto rs = rslice.strides;
foreach (i; Iota!N)
{
if (this._lengths[i] != 1 && ls[i] != rs[i])
goto L;
}
return true;
}
}
L:
static if (is(Iterator == IotaIterator!UL, UL) && is(IteratorR == Iterator))
{
return false;
}
else
{
import mir.algorithm.iteration : equal;
return equal(this.lightScope, rslice.lightScope);
}
}
/// ditto
bool opEquals(T)(scope const(T)[] arr) @trusted scope const
{
auto slice = this.lightConst;
if (slice.length != arr.length)
return false;
if (arr.length) do
{
if (slice.front != arr[0])
return false;
slice.popFront;
arr = arr[1 .. $];
}
while (arr.length);
return true;
}
static if (doUnittest)
///
@safe pure nothrow
version(mir_ndslice_test) unittest
{
auto a = [1, 2, 3, 4].sliced(2, 2);
assert(a != [1, 2, 3, 4, 5, 6].sliced(2, 3));
assert(a != [[1, 2, 3], [4, 5, 6]]);
assert(a == [1, 2, 3, 4].sliced(2, 2));
assert(a == [[1, 2], [3, 4]]);
assert(a != [9, 2, 3, 4].sliced(2, 2));
assert(a != [[9, 2], [3, 4]]);
}
static if (doUnittest)
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation: slice;
import mir.ndslice.topology : iota;
assert(iota(2, 3).slice[0 .. $ - 2] == iota([4, 3], 2)[0 .. $ - 4]);
}
/++
`Slice!(IotaIterator!size_t)` is the basic type for `[a .. b]` syntax for all ndslice based code.
+/
Slice!(IotaIterator!size_t) opSlice(size_t dimension)(size_t i, size_t j) @safe scope const
if (dimension < N)
in
{
assert(i <= j,
"Slice.opSlice!" ~ dimension.stringof ~ ": the left opSlice boundary must be less than or equal to the right bound.");
enum errorMsg = ": right opSlice boundary must be less than or equal to the length of the given dimension.";
assert(j <= _lengths[dimension],
"Slice.opSlice!" ~ dimension.stringof ~ errorMsg);
}
do
{
return typeof(return)(j - i, typeof(return).Iterator(i));
}
/++
$(BOLD Fully defined index)
+/
auto ref opIndex()(size_t[N] _indices...) return scope @trusted
{
return _iterator[indexStride(_indices)];
}
/// ditto
auto ref opIndex()(size_t[N] _indices...) return scope const @trusted
{
static if (is(typeof(_iterator[indexStride(_indices)])))
return _iterator[indexStride(_indices)];
else
return .lightConst(.lightScope(_iterator))[indexStride(_indices)];
}
/// ditto
auto ref opIndex()(size_t[N] _indices...) return scope immutable @trusted
{
static if (is(typeof(_iterator[indexStride(_indices)])))
return _iterator[indexStride(_indices)];
else
return .lightImmutable(.lightScope(_iterator))[indexStride(_indices)];
}
/++
$(BOLD Partially defined index)
+/
auto opIndex(size_t I)(size_t[I] _indices...) return scope @trusted
if (I && I < N)
{
enum size_t diff = N - I;
alias Ret = Slice!(Iterator, diff, diff == 1 && kind == Canonical ? Contiguous : kind);
static if (I < S)
return Ret(_lengths[I .. N], _strides[I .. S], _iterator + indexStride(_indices));
else
return Ret(_lengths[I .. N], _iterator + indexStride(_indices));
}
/// ditto
auto opIndex(size_t I)(size_t[I] _indices...) return scope const
if (I && I < N)
{
return this.lightConst.opIndex(_indices);
}
/// ditto
auto opIndex(size_t I)(size_t[I] _indices...) return scope immutable
if (I && I < N)
{
return this.lightImmutable.opIndex(_indices);
}
/++
$(BOLD Partially or fully defined slice.)
+/
auto opIndex(Slices...)(Slices slices) return scope @trusted
if (isPureSlice!Slices)
{
static if (Slices.length)
{
enum size_t j(size_t n) = n - Filter!(isIndex, Slices[0 .. n]).length;
enum size_t F = PureIndexLength!Slices;
enum size_t S = Slices.length;
static assert(N - F > 0);
size_t stride;
static if (Slices.length == 1)
enum K = kind;
else
static if (kind == Universal || Slices.length == N && isIndex!(Slices[$-1]))
enum K = Universal;
else
static if (Filter!(isIndex, Slices[0 .. $-1]).length == Slices.length - 1 || N - F == 1)
enum K = Contiguous;
else
enum K = Canonical;
alias Ret = Slice!(Iterator, N - F, K);
auto structure_ = Ret._Structure.init;
enum bool shrink = kind == Canonical && slices.length == N;
static if (shrink)
{
{
enum i = Slices.length - 1;
auto slice = slices[i];
static if (isIndex!(Slices[i]))
{
assert(slice < _lengths[i], "Slice.opIndex: index must be less than length");
stride += slice;
}
else
{
stride += slice._iterator._index;
structure_[0][j!i] = slice._lengths[0];
}
}
}
static if (kind == Universal || kind == Canonical)
{
foreach_reverse (i, slice; slices[0 .. $ - shrink]) //static
{
static if (isIndex!(Slices[i]))
{
assert(slice < _lengths[i], "Slice.opIndex: index must be less than length");
stride += _strides[i] * slice;
}
else
{
stride += _strides[i] * slice._iterator._index;
structure_[0][j!i] = slice._lengths[0];
structure_[1][j!i] = _strides[i];
}
}
}
else
{
ptrdiff_t ball = this._stride!(slices.length - 1);
foreach_reverse (i, slice; slices) //static
{
static if (isIndex!(Slices[i]))
{
assert(slice < _lengths[i], "Slice.opIndex: index must be less than length");
stride += ball * slice;
}
else
{
stride += ball * slice._iterator._index;
structure_[0][j!i] = slice._lengths[0];
static if (j!i < Ret.S)
structure_[1][j!i] = ball;
}
static if (i)
ball *= _lengths[i];
}
}
foreach (i; Iota!(Slices.length, N))
structure_[0][i - F] = _lengths[i];
foreach (i; Iota!(Slices.length, N))
static if (Ret.S > i - F)
structure_[1][i - F] = _strides[i];
return Ret(structure_, _iterator + stride);
}
else
{
return this;
}
}
static if (doUnittest)
///
pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto slice = slice!int(5, 3);
/// Fully defined slice
assert(slice[] == slice);
auto sublice = slice[0..$-2, 1..$];
/// Partially defined slice
auto row = slice[3];
auto col = slice[0..$, 1];
}
/++
$(BOLD Indexed slice.)
+/
auto opIndex(Slices...)(return scope Slices slices) return scope
if (isIndexedSlice!Slices)
{
import mir.ndslice.topology: indexed, cartesian;
static if (Slices.length == 1)
alias index = slices[0];
else
auto index = slices.cartesian;
return this.indexed(index);
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation: slice;
auto sli = slice!int(4, 3);
auto idx = slice!(size_t[2])(3);
idx[] = [
cast(size_t[2])[0, 2],
cast(size_t[2])[3, 1],
cast(size_t[2])[2, 0]];
// equivalent to:
// import mir.ndslice.topology: indexed;
// sli.indexed(indx)[] = 1;
sli[idx] = 1;
assert(sli == [
[0, 0, 1],
[0, 0, 0],
[1, 0, 0],
[0, 1, 0],
]);
foreach (row; sli[[1, 3].sliced])
row[] += 2;
assert(sli == [
[0, 0, 1],
[2, 2, 2], // <-- += 2
[1, 0, 0],
[2, 3, 2], // <-- += 2
]);
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota;
import mir.ndslice.allocation: slice;
auto sli = slice!int(5, 6);
// equivalent to
// import mir.ndslice.topology: indexed, cartesian;
// auto a = [0, sli.length!0 / 2, sli.length!0 - 1].sliced;
// auto b = [0, sli.length!1 / 2, sli.length!1 - 1].sliced;
// auto c = cartesian(a, b);
// auto minor = sli.indexed(c);
auto minor = sli[[0, $ / 2, $ - 1].sliced, [0, $ / 2, $ - 1].sliced];
minor[] = iota!int([3, 3], 1);
assert(sli == [
// ↓ ↓ ↓︎
[1, 0, 0, 2, 0, 3], // <---
[0, 0, 0, 0, 0, 0],
[4, 0, 0, 5, 0, 6], // <---
[0, 0, 0, 0, 0, 0],
[7, 0, 0, 8, 0, 9], // <---
]);
}
/++
Element-wise binary operator overloading.
Returns:
lazy slice of the same kind and the same structure
Note:
Does not allocate neither new slice nor a closure.
+/
auto opUnary(string op)()
if (op == "*" || op == "~" || op == "-" || op == "+")
{
import mir.ndslice.topology: map;
static if (op == "+")
return this;
else
return this.map!(op ~ "a");
}
static if (doUnittest)
///
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology;
auto payload = [1, 2, 3, 4];
auto s = iota([payload.length], payload.ptr); // slice of references;
assert(s[1] == payload.ptr + 1);
auto c = *s; // the same as s.map!"*a"
assert(c[1] == *s[1]);
*s[1] = 3;
assert(c[1] == *s[1]);
}
/++
Element-wise operator overloading for scalars.
Params:
value = a scalar
Returns:
lazy slice of the same kind and the same structure
Note:
Does not allocate neither new slice nor a closure.
+/
auto opBinary(string op, T)(scope return T value) return scope
if(!isSlice!T)
{
import mir.ndslice.topology: vmap;
return this.vmap(LeftOp!(op, ImplicitlyUnqual!T)(value));
}
/// ditto
auto opBinaryRight(string op, T)(scope return T value) return scope
if(!isSlice!T)
{
import mir.ndslice.topology: vmap;
return this.vmap(RightOp!(op, ImplicitlyUnqual!T)(value));
}
static if (doUnittest)
///
@safe pure nothrow @nogc version(mir_ndslice_test) unittest
{
import mir.ndslice.topology;
// 0 1 2 3
auto s = iota([4]);
// 0 1 2 0
assert(s % 3 == iota([4]).map!"a % 3");
// 0 2 4 6
assert(2 * s == iota([4], 0, 2));
}
static if (doUnittest)
///
@safe pure nothrow @nogc version(mir_ndslice_test) unittest
{
import mir.ndslice.topology;
// 0 1 2 3
auto s = iota([4]);
// 0 1 4 9
assert(s ^^ 2.0 == iota([4]).map!"a ^^ 2.0");
}
/++
Element-wise operator overloading for slices.
Params:
rhs = a slice of the same shape.
Returns:
lazy slice the same shape that has $(LREF Contiguous) kind
Note:
Binary operator overloading is allowed if both slices are contiguous or one-dimensional.
$(BR)
Does not allocate neither new slice nor a closure.
+/
auto opBinary(string op, RIterator, size_t RN, SliceKind rkind)
(scope return Slice!(RIterator, RN, rkind) rhs) return scope
if(N == RN && (kind == Contiguous && rkind == Contiguous || N == 1) && op != "~")
{
import mir.ndslice.topology: zip, map;
return zip(this, rhs).map!("a " ~ op ~ " b");
}
static if (doUnittest)
///
@safe pure nothrow @nogc version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota, map, zip;
auto s = iota([2, 3]);
auto c = iota([2, 3], 5, 8);
assert(s * s + c == s.map!"a * a".zip(c).map!"a + b");
}
/++
Duplicates slice.
Returns: GC-allocated Contiguous mutable slice.
See_also: $(LREF .Slice.idup)
+/
Slice!(Unqual!DeepElement*, N)
dup()() scope @property @trusted
{
if (__ctfe)
{
import mir.ndslice.topology: flattened;
import mir.array.allocation: array;
return this.flattened.array.dup.sliced(this.shape);
}
else
{
import mir.ndslice.allocation: uninitSlice;
import mir.conv: emplaceRef;
alias E = this.DeepElement;
auto result = (() @trusted => this.shape.uninitSlice!(Unqual!E))();
import mir.algorithm.iteration: each;
each!(emplaceRef!(Unqual!E))(result, this);
return result;
}
}
/// ditto
Slice!(immutable(DeepElement)*, N)
dup()() scope const @property
{
this.lightScope.dup;
}
/// ditto
Slice!(immutable(DeepElement)*, N)
dup()() scope immutable @property
{
this.lightScope.dup;
}
static if (doUnittest)
///
@safe pure version(mir_ndslice_test) unittest
{
import mir.ndslice;
auto x = 3.iota!int;
Slice!(immutable(int)*) imm = x.idup;
Slice!(int*) mut = imm.dup;
assert(imm == x);
assert(mut == x);
}
/++
Duplicates slice.
Returns: GC-allocated Contiguous immutable slice.
See_also: $(LREF .Slice.dup)
+/
Slice!(immutable(DeepElement)*, N)
idup()() scope @property
{
if (__ctfe)
{
import mir.ndslice.topology: flattened;
import mir.array.allocation: array;
return this.flattened.array.idup.sliced(this.shape);
}
else
{
import mir.ndslice.allocation: uninitSlice;
import mir.conv: emplaceRef;
alias E = this.DeepElement;
auto result = (() @trusted => this.shape.uninitSlice!(Unqual!E))();
import mir.algorithm.iteration: each;
each!(emplaceRef!(immutable E))(result, this);
alias R = typeof(return);
return (() @trusted => cast(R) result)();
}
}
/// ditto
Slice!(immutable(DeepElement)*, N)
idup()() scope const @property
{
this.lightScope.idup;
}
/// ditto
Slice!(immutable(DeepElement)*, N)
idup()() scope immutable @property
{
this.lightScope.idup;
}
static if (doUnittest)
///
@safe pure version(mir_ndslice_test) unittest
{
import mir.ndslice;
auto x = 3.iota!int;
Slice!(int*) mut = x.dup;
Slice!(immutable(int)*) imm = mut.idup;
assert(imm == x);
assert(mut == x);
}
/++
Provides the index location of a slice, taking into account
`Slice._strides`. Similar to `Slice.indexStride`, except the slice is
indexed by a value. Called by `Slice.accessFlat`.
Params:
n = location in slice
Returns:
location in slice, adjusted for `Slice._strides`
See_also:
$(SUBREF topology, flattened),
$(LREF .Slice.indexStride),
$(LREF .Slice.accessFlat)
+/
private
ptrdiff_t indexStrideValue(ptrdiff_t n) @safe scope const
{
assert(n < elementCount, "indexStrideValue: n must be less than elementCount");
assert(n >= 0, "indexStrideValue: n must be greater than or equal to zero");
static if (kind == Contiguous) {
return n;
} else {
ptrdiff_t _shift;
foreach_reverse (i; Iota!(1, N))
{
immutable v = n / ptrdiff_t(_lengths[i]);
n %= ptrdiff_t(_lengths[i]);
static if (i == S)
_shift += n;
else
_shift += n * _strides[i];
n = v;
}
_shift += n * _strides[0];
return _shift;
}
}
/++
Provides access to a slice as if it were `flattened`.
Params:
index = location in slice
Returns:
value of flattened slice at `index`
See_also: $(SUBREF topology, flattened)
+/
auto ref accessFlat(size_t index) return scope @trusted
{
return _iterator[indexStrideValue(index)];
}
///
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened;
auto x = iota(2, 3, 4);
assert(x.accessFlat(9) == x.flattened[9]);
}
static if (isMutable!DeepElement)
{
private void opIndexOpAssignImplSlice(string op, RIterator, size_t RN, SliceKind rkind)
(Slice!(RIterator, RN, rkind) value) scope
{
static if (N > 1 && RN == N && kind == Contiguous && rkind == Contiguous)
{
import mir.ndslice.topology : flattened;
this.flattened.opIndexOpAssignImplSlice!op(value.flattened);
}
else
{
auto ls = this;
do
{
static if (N > RN)
{
ls.front.opIndexOpAssignImplSlice!op(value);
}
else
{
static if (ls.N == 1)
{
static if (isInstanceOf!(SliceIterator, Iterator))
{
static if (isSlice!(typeof(value.front)))
ls.front.opIndexOpAssignImplSlice!op(value.front);
else
static if (isDynamicArray!(typeof(value.front)))
ls.front.opIndexOpAssignImplSlice!op(value.front);
else
ls.front.opIndexOpAssignImplValue!op(value.front);
}
else
static if (op == "^^" && isFloatingPoint!(typeof(ls.front)) && isFloatingPoint!(typeof(value.front)))
{
import mir.math.common: pow;
ls.front = pow(ls.front, value.front);
}
else
mixin("ls.front " ~ op ~ "= value.front;");
}
else
static if (RN == 1)
ls.front.opIndexOpAssignImplValue!op(value.front);
else
ls.front.opIndexOpAssignImplSlice!op(value.front);
value.popFront;
}
ls.popFront;
}
while (ls._lengths[0]);
}
}
/++
Assignment of a value of `Slice` type to a $(B fully defined slice).
+/
void opIndexAssign(RIterator, size_t RN, SliceKind rkind, Slices...)
(Slice!(RIterator, RN, rkind) value, Slices slices) return scope
if (isFullPureSlice!Slices || isIndexedSlice!Slices)
{
auto sl = this.lightScope.opIndex(slices);
assert(_checkAssignLengths(sl, value));
if(!sl.anyRUEmpty)
sl.opIndexOpAssignImplSlice!""(value);
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
auto b = [1, 2, 3, 4].sliced(2, 2);
a[0..$, 0..$-1] = b;
assert(a == [[1, 2, 0], [3, 4, 0]]);
// fills both rows with b[0]
a[0..$, 0..$-1] = b[0];
assert(a == [[1, 2, 0], [1, 2, 0]]);
a[1, 0..$-1] = b[1];
assert(a[1] == [3, 4, 0]);
a[1, 0..$-1][] = b[0];
assert(a[1] == [1, 2, 0]);
}
static if (doUnittest)
/// Left slice is packed
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : blocks, iota;
import mir.ndslice.allocation : slice;
auto a = slice!int(4, 4);
a.blocks(2, 2)[] = iota!int(2, 2);
assert(a ==
[[0, 0, 1, 1],
[0, 0, 1, 1],
[2, 2, 3, 3],
[2, 2, 3, 3]]);
}
static if (doUnittest)
/// Both slices are packed
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : blocks, iota, pack;
import mir.ndslice.allocation : slice;
auto a = slice!int(4, 4);
a.blocks(2, 2)[] = iota!int(2, 2, 2).pack!1;
assert(a ==
[[0, 1, 2, 3],
[0, 1, 2, 3],
[4, 5, 6, 7],
[4, 5, 6, 7]]);
}
void opIndexOpAssignImplArray(string op, T, Slices...)(T[] value) scope
{
auto ls = this;
assert(ls.length == value.length, __FUNCTION__ ~ ": argument must have the same length.");
static if (N == 1)
{
do
{
static if (ls.N == 1)
{
static if (isInstanceOf!(SliceIterator, Iterator))
{
static if (isSlice!(typeof(value[0])))
ls.front.opIndexOpAssignImplSlice!op(value[0]);
else
static if (isDynamicArray!(typeof(value[0])))
ls.front.opIndexOpAssignImplSlice!op(value[0]);
else
ls.front.opIndexOpAssignImplValue!op(value[0]);
}
else
static if (op == "^^" && isFloatingPoint!(typeof(ls.front)) && isFloatingPoint!(typeof(value[0])))
{
import mir.math.common: pow;
ls.front = pow(ls.front, value[0]);
}
else
mixin("ls.front " ~ op ~ "= value[0];");
}
else
mixin("ls.front[] " ~ op ~ "= value[0];");
value = value[1 .. $];
ls.popFront;
}
while (ls.length);
}
else
static if (N == DynamicArrayDimensionsCount!(T[]))
{
do
{
ls.front.opIndexOpAssignImplArray!op(value[0]);
value = value[1 .. $];
ls.popFront;
}
while (ls.length);
}
else
{
do
{
ls.front.opIndexOpAssignImplArray!op(value);
ls.popFront;
}
while (ls.length);
}
}
/++
Assignment of a regular multidimensional array to a $(B fully defined slice).
+/
void opIndexAssign(T, Slices...)(T[] value, Slices slices) return scope
if ((isFullPureSlice!Slices || isIndexedSlice!Slices)
&& (!isDynamicArray!DeepElement || isDynamicArray!T)
&& DynamicArrayDimensionsCount!(T[]) - DynamicArrayDimensionsCount!DeepElement <= typeof(this.opIndex(slices)).N)
{
auto sl = this.lightScope.opIndex(slices);
sl.opIndexOpAssignImplArray!""(value);
}
static if (doUnittest)
///
pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
auto b = [[1, 2], [3, 4]];
a[] = [[1, 2, 3], [4, 5, 6]];
assert(a == [[1, 2, 3], [4, 5, 6]]);
a[0..$, 0..$-1] = [[1, 2], [3, 4]];
assert(a == [[1, 2, 3], [3, 4, 6]]);
a[0..$, 0..$-1] = [1, 2];
assert(a == [[1, 2, 3], [1, 2, 6]]);
a[1, 0..$-1] = [3, 4];
assert(a[1] == [3, 4, 6]);
a[1, 0..$-1][] = [3, 4];
assert(a[1] == [3, 4, 6]);
}
static if (doUnittest)
/// Packed slices
pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation : slice;
import mir.ndslice.topology : blocks;
auto a = slice!int(4, 4);
a.blocks(2, 2)[] = [[0, 1], [2, 3]];
assert(a ==
[[0, 0, 1, 1],
[0, 0, 1, 1],
[2, 2, 3, 3],
[2, 2, 3, 3]]);
}
private void opIndexOpAssignImplConcatenation(string op, T)(T value) scope
{
auto sl = this;
static if (concatenationDimension!T)
{
if (!sl.empty) do
{
static if (op == "")
sl.front.opIndexAssign(value.front);
else
sl.front.opIndexOpAssign!op(value.front);
value.popFront;
sl.popFront;
}
while(!sl.empty);
}
else
{
foreach (ref slice; value._slices)
{
static if (op == "")
sl[0 .. slice.length].opIndexAssign(slice);
else
sl[0 .. slice.length].opIndexOpAssign!op(slice);
sl = sl[slice.length .. $];
}
assert(sl.empty);
}
}
///
void opIndexAssign(T, Slices...)(T concatenation, Slices slices) return scope
if ((isFullPureSlice!Slices || isIndexedSlice!Slices) && isConcatenation!T)
{
auto sl = this.lightScope.opIndex(slices);
static assert(typeof(sl).N == T.N, "incompatible dimension count");
sl.opIndexOpAssignImplConcatenation!""(concatenation);
}
static if (!isNumeric!DeepElement)
/++
Assignment of a value (e.g. a number) to a $(B fully defined slice).
+/
void opIndexAssign(T, Slices...)(T value, Slices slices) scope
if ((isFullPureSlice!Slices || isIndexedSlice!Slices)
&& (!isDynamicArray!T || isDynamicArray!DeepElement)
&& DynamicArrayDimensionsCount!T == DynamicArrayDimensionsCount!DeepElement
&& !isSlice!T
&& !isConcatenation!T)
{
auto sl = this.lightScope.opIndex(slices);
if(!sl.anyRUEmpty)
sl.opIndexOpAssignImplValue!""(value);
}
else
void opIndexAssign(Slices...)(DeepElement value, Slices slices) scope
if (isFullPureSlice!Slices || isIndexedSlice!Slices)
{
auto sl = this.lightScope.opIndex(slices);
if(!sl.anyRUEmpty)
sl.opIndexOpAssignImplValue!""(value);
}
static if (doUnittest)
///
@safe pure nothrow
version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
a[] = 9;
assert(a == [[9, 9, 9], [9, 9, 9]]);
a[0..$, 0..$-1] = 1;
assert(a == [[1, 1, 9], [1, 1, 9]]);
a[0..$, 0..$-1] = 2;
assert(a == [[2, 2, 9], [2, 2, 9]]);
a[1, 0..$-1] = 3;
//assert(a[1] == [3, 3, 9]);
a[1, 0..$-1] = 4;
//assert(a[1] == [4, 4, 9]);
a[1, 0..$-1][] = 5;
assert(a[1] == [5, 5, 9]);
}
static if (doUnittest)
/// Packed slices have the same behavior.
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
import mir.ndslice.topology : pack;
auto a = slice!int(2, 3).pack!1;
a[] = 9;
//assert(a == [[9, 9, 9], [9, 9, 9]]);
}
/++
Assignment of a value (e.g. a number) to a $(B fully defined index).
+/
auto ref opIndexAssign(T)(T value, size_t[N] _indices...) return scope @trusted
{
// check assign safety
static auto ref fun(ref DeepElement t, ref T v) @safe
{
return t = v;
}
return _iterator[indexStride(_indices)] = value;
}
///ditto
auto ref opIndexAssign()(DeepElement value, size_t[N] _indices...) return scope @trusted
{
import mir.functional: forward;
// check assign safety
static auto ref fun(ref DeepElement t, ref DeepElement v) @safe
{
return t = v;
}
return _iterator[indexStride(_indices)] = forward!value;
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
a[1, 2] = 3;
assert(a[1, 2] == 3);
}
static if (doUnittest)
@safe pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].sliced(2, 3);
a[[1, 2]] = 3;
assert(a[[1, 2]] == 3);
}
/++
Op Assignment `op=` of a value (e.g. a number) to a $(B fully defined index).
+/
auto ref opIndexOpAssign(string op, T)(T value, size_t[N] _indices...) return scope @trusted
{
// check op safety
static auto ref fun(ref DeepElement t, ref T v) @safe
{
return mixin(`t` ~ op ~ `= v`);
}
auto str = indexStride(_indices);
static if (op == "^^" && isFloatingPoint!DeepElement && isFloatingPoint!(typeof(value)))
{
import mir.math.common: pow;
_iterator[str] = pow(_iterator[str], value);
}
else
return mixin (`_iterator[str] ` ~ op ~ `= value`);
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
a[1, 2] += 3;
assert(a[1, 2] == 3);
}
static if (doUnittest)
@safe pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].sliced(2, 3);
a[[1, 2]] += 3;
assert(a[[1, 2]] == 3);
}
/++
Op Assignment `op=` of a value of `Slice` type to a $(B fully defined slice).
+/
void opIndexOpAssign(string op, RIterator, SliceKind rkind, size_t RN, Slices...)
(Slice!(RIterator, RN, rkind) value, Slices slices) return scope
if (isFullPureSlice!Slices || isIndexedSlice!Slices)
{
auto sl = this.lightScope.opIndex(slices);
assert(_checkAssignLengths(sl, value));
if(!sl.anyRUEmpty)
sl.opIndexOpAssignImplSlice!op(value);
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
auto b = [1, 2, 3, 4].sliced(2, 2);
a[0..$, 0..$-1] += b;
assert(a == [[1, 2, 0], [3, 4, 0]]);
a[0..$, 0..$-1] += b[0];
assert(a == [[2, 4, 0], [4, 6, 0]]);
a[1, 0..$-1] += b[1];
assert(a[1] == [7, 10, 0]);
a[1, 0..$-1][] += b[0];
assert(a[1] == [8, 12, 0]);
}
static if (doUnittest)
/// Left slice is packed
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation : slice;
import mir.ndslice.topology : blocks, iota;
auto a = slice!size_t(4, 4);
a.blocks(2, 2)[] += iota(2, 2);
assert(a ==
[[0, 0, 1, 1],
[0, 0, 1, 1],
[2, 2, 3, 3],
[2, 2, 3, 3]]);
}
static if (doUnittest)
/// Both slices are packed
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation : slice;
import mir.ndslice.topology : blocks, iota, pack;
auto a = slice!size_t(4, 4);
a.blocks(2, 2)[] += iota(2, 2, 2).pack!1;
assert(a ==
[[0, 1, 2, 3],
[0, 1, 2, 3],
[4, 5, 6, 7],
[4, 5, 6, 7]]);
}
/++
Op Assignment `op=` of a regular multidimensional array to a $(B fully defined slice).
+/
void opIndexOpAssign(string op, T, Slices...)(T[] value, Slices slices) return scope
if (isFullPureSlice!Slices
&& (!isDynamicArray!DeepElement || isDynamicArray!T)
&& DynamicArrayDimensionsCount!(T[]) - DynamicArrayDimensionsCount!DeepElement <= typeof(this.opIndex(slices)).N)
{
auto sl = this.lightScope.opIndex(slices);
sl.opIndexOpAssignImplArray!op(value);
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation : slice;
auto a = slice!int(2, 3);
a[0..$, 0..$-1] += [[1, 2], [3, 4]];
assert(a == [[1, 2, 0], [3, 4, 0]]);
a[0..$, 0..$-1] += [1, 2];
assert(a == [[2, 4, 0], [4, 6, 0]]);
a[1, 0..$-1] += [3, 4];
assert(a[1] == [7, 10, 0]);
a[1, 0..$-1][] += [1, 2];
assert(a[1] == [8, 12, 0]);
}
static if (doUnittest)
/// Packed slices
@safe pure nothrow
version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation : slice;
import mir.ndslice.topology : blocks;
auto a = slice!int(4, 4);
a.blocks(2, 2)[] += [[0, 1], [2, 3]];
assert(a ==
[[0, 0, 1, 1],
[0, 0, 1, 1],
[2, 2, 3, 3],
[2, 2, 3, 3]]);
}
private void opIndexOpAssignImplValue(string op, T)(T value) return scope
{
static if (N > 1 && kind == Contiguous)
{
import mir.ndslice.topology : flattened;
this.flattened.opIndexOpAssignImplValue!op(value);
}
else
{
auto ls = this;
do
{
static if (N == 1)
{
static if (isInstanceOf!(SliceIterator, Iterator))
ls.front.opIndexOpAssignImplValue!op(value);
else
mixin (`ls.front ` ~ op ~ `= value;`);
}
else
ls.front.opIndexOpAssignImplValue!op(value);
ls.popFront;
}
while(ls._lengths[0]);
}
}
/++
Op Assignment `op=` of a value (e.g. a number) to a $(B fully defined slice).
+/
void opIndexOpAssign(string op, T, Slices...)(T value, Slices slices) return scope
if ((isFullPureSlice!Slices || isIndexedSlice!Slices)
&& (!isDynamicArray!T || isDynamicArray!DeepElement)
&& DynamicArrayDimensionsCount!T == DynamicArrayDimensionsCount!DeepElement
&& !isSlice!T
&& !isConcatenation!T)
{
auto sl = this.lightScope.opIndex(slices);
if(!sl.anyRUEmpty)
sl.opIndexOpAssignImplValue!op(value);
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
a[] += 1;
assert(a == [[1, 1, 1], [1, 1, 1]]);
a[0..$, 0..$-1] += 2;
assert(a == [[3, 3, 1], [3, 3, 1]]);
a[1, 0..$-1] += 3;
assert(a[1] == [6, 6, 1]);
}
///
void opIndexOpAssign(string op,T, Slices...)(T concatenation, Slices slices) return scope
if ((isFullPureSlice!Slices || isIndexedSlice!Slices) && isConcatenation!T)
{
auto sl = this.lightScope.opIndex(slices);
static assert(typeof(sl).N == concatenation.N);
sl.opIndexOpAssignImplConcatenation!op(concatenation);
}
static if (doUnittest)
/// Packed slices have the same behavior.
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
import mir.ndslice.topology : pack;
auto a = slice!int(2, 3).pack!1;
a[] += 9;
assert(a == [[9, 9, 9], [9, 9, 9]]);
}
/++
Increment `++` and Decrement `--` operators for a $(B fully defined index).
+/
auto ref opIndexUnary(string op)(size_t[N] _indices...) return scope
@trusted
// @@@workaround@@@ for Issue 16473
//if (op == `++` || op == `--`)
{
// check op safety
static auto ref fun(DeepElement t) @safe
{
return mixin(op ~ `t`);
}
return mixin (op ~ `_iterator[indexStride(_indices)]`);
}
static if (doUnittest)
///
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
++a[1, 2];
assert(a[1, 2] == 1);
}
// Issue 16473
static if (doUnittest)
@safe pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto sl = slice!double(2, 5);
auto d = -sl[0, 1];
}
static if (doUnittest)
@safe pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].sliced(2, 3);
++a[[1, 2]];
assert(a[[1, 2]] == 1);
}
private void opIndexUnaryImpl(string op, Slices...)(Slices slices) scope
{
auto ls = this;
do
{
static if (N == 1)
{
static if (isInstanceOf!(SliceIterator, Iterator))
ls.front.opIndexUnaryImpl!op;
else
mixin (op ~ `ls.front;`);
}
else
ls.front.opIndexUnaryImpl!op;
ls.popFront;
}
while(ls._lengths[0]);
}
/++
Increment `++` and Decrement `--` operators for a $(B fully defined slice).
+/
void opIndexUnary(string op, Slices...)(Slices slices) return scope
if (isFullPureSlice!Slices && (op == `++` || op == `--`))
{
auto sl = this.lightScope.opIndex(slices);
if (!sl.anyRUEmpty)
sl.opIndexUnaryImpl!op;
}
static if (doUnittest)
///
@safe pure nothrow
version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
auto a = slice!int(2, 3);
++a[];
assert(a == [[1, 1, 1], [1, 1, 1]]);
--a[1, 0..$-1];
assert(a[1] == [0, 0, 1]);
}
}
}
/// ditto
alias Slice = mir_slice;
/++
Slicing, indexing, and arithmetic operations.
+/
pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
import mir.ndslice.dynamic : transposed;
import mir.ndslice.topology : iota, universal;
auto tensor = iota(3, 4, 5).slice;
assert(tensor[1, 2] == tensor[1][2]);
assert(tensor[1, 2, 3] == tensor[1][2][3]);
assert( tensor[0..$, 0..$, 4] == tensor.universal.transposed!2[4]);
assert(&tensor[0..$, 0..$, 4][1, 2] is &tensor[1, 2, 4]);
tensor[1, 2, 3]++; //`opIndex` returns value by reference.
--tensor[1, 2, 3]; //`opUnary`
++tensor[];
tensor[] -= 1;
// `opIndexAssing` accepts only fully defined indices and slices.
// Use an additional empty slice `[]`.
static assert(!__traits(compiles, tensor[0 .. 2] *= 2));
tensor[0 .. 2][] *= 2; //OK, empty slice
tensor[0 .. 2, 3, 0..$] /= 2; //OK, 3 index or slice positions are defined.
//fully defined index may be replaced by a static array
size_t[3] index = [1, 2, 3];
assert(tensor[index] == tensor[1, 2, 3]);
}
/++
Operations with rvalue slices.
+/
pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
import mir.ndslice.topology: universal;
import mir.ndslice.dynamic: transposed, everted;
auto tensor = slice!int(3, 4, 5).universal;
auto matrix = slice!int(3, 4).universal;
auto vector = slice!int(3);
foreach (i; 0..3)
vector[i] = i;
// fills matrix columns
matrix.transposed[] = vector;
// fills tensor with vector
// transposed tensor shape is (4, 5, 3)
// vector shape is ( 3)
tensor.transposed!(1, 2)[] = vector;
// transposed tensor shape is (5, 3, 4)
// matrix shape is ( 3, 4)
tensor.transposed!2[] += matrix;
// transposed tensor shape is (5, 4, 3)
// transposed matrix shape is ( 4, 3)
tensor.everted[] ^= matrix.transposed; // XOR
}
/++
Creating a slice from text.
See also $(MREF std, format).
+/
version(mir_ndslice_test) unittest
{
import mir.algorithm.iteration: filter, all;
import mir.array.allocation;
import mir.exception;
import mir.functional: not;
import mir.ndslice.allocation;
import mir.parse;
import mir.primitives: empty;
import std.algorithm: map;
import std.string: lineSplitter, split;
// std.functional, std.string, std.range;
Slice!(int*, 2) toMatrix(string str)
{
string[][] data = str.lineSplitter.filter!(not!empty).map!split.array;
size_t rows = data .length.enforce!"empty input";
size_t columns = data[0].length.enforce!"empty first row";
data.all!(a => a.length == columns).enforce!"rows have different lengths";
auto slice = slice!int(rows, columns);
foreach (i, line; data)
foreach (j, num; line)
slice[i, j] = num.fromString!int;
return slice;
}
auto input = "\r1 2 3\r\n 4 5 6\n";
auto matrix = toMatrix(input);
assert(matrix == [[1, 2, 3], [4, 5, 6]]);
// back to text
import std.format;
auto text2 = format("%(%(%s %)\n%)\n", matrix);
assert(text2 == "1 2 3\n4 5 6\n");
}
// Slicing
@safe @nogc pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
auto a = iota(10, 20, 30, 40);
auto b = a[0..$, 10, 4 .. 27, 4];
auto c = b[2 .. 9, 5 .. 10];
auto d = b[3..$, $-2];
assert(b[4, 17] == a[4, 10, 21, 4]);
assert(c[1, 2] == a[3, 10, 11, 4]);
assert(d[3] == a[6, 10, 25, 4]);
}
// Operator overloading. # 1
pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
import mir.ndslice.topology : iota;
auto fun(ref sizediff_t x) { x *= 3; }
auto tensor = iota(8, 9, 10).slice;
++tensor[];
fun(tensor[0, 0, 0]);
assert(tensor[0, 0, 0] == 3);
tensor[0, 0, 0] *= 4;
tensor[0, 0, 0]--;
assert(tensor[0, 0, 0] == 11);
}
// Operator overloading. # 2
pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: map, iota;
import mir.array.allocation : array;
//import std.bigint;
auto matrix = 72
.iota
//.map!(i => BigInt(i))
.array
.sliced(8, 9);
matrix[3 .. 6, 2] += 100;
foreach (i; 0 .. 8)
foreach (j; 0 .. 9)
if (i >= 3 && i < 6 && j == 2)
assert(matrix[i, j] >= 100);
else
assert(matrix[i, j] < 100);
}
// Operator overloading. # 3
pure nothrow version(mir_ndslice_test) unittest
{
import mir.ndslice.allocation;
import mir.ndslice.topology : iota;
auto matrix = iota(8, 9).slice;
matrix[] = matrix;
matrix[] += matrix;
assert(matrix[2, 3] == (2 * 9 + 3) * 2);
auto vec = iota([9], 100);
matrix[] = vec;
foreach (v; matrix)
assert(v == vec);
matrix[] += vec;
foreach (vector; matrix)
foreach (elem; vector)
assert(elem >= 200);
}
// Type deduction
version(mir_ndslice_test) unittest
{
// Arrays
foreach (T; AliasSeq!(int, const int, immutable int))
static assert(is(typeof((T[]).init.sliced(3, 4)) == Slice!(T*, 2)));
// Container Array
import std.container.array;
Array!int ar;
ar.length = 12;
auto arSl = ar[].slicedField(3, 4);
}
// Test for map #1
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: map, byDim;
auto slice = [1, 2, 3, 4].sliced(2, 2);
auto r = slice.byDim!0.map!(a => a.map!(a => a * 6));
assert(r.front.front == 6);
assert(r.front.back == 12);
assert(r.back.front == 18);
assert(r.back.back == 24);
assert(r[0][0] == 6);
assert(r[0][1] == 12);
assert(r[1][0] == 18);
assert(r[1][1] == 24);
import std.range.primitives;
static assert(hasSlicing!(typeof(r)));
static assert(isForwardRange!(typeof(r)));
static assert(isRandomAccessRange!(typeof(r)));
}
// Test for map #2
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: map, byDim;
import std.range.primitives;
auto data = [1, 2, 3, 4];
static assert(hasSlicing!(typeof(data)));
static assert(isForwardRange!(typeof(data)));
static assert(isRandomAccessRange!(typeof(data)));
auto slice = data.sliced(2, 2);
static assert(hasSlicing!(typeof(slice)));
static assert(isForwardRange!(typeof(slice)));
static assert(isRandomAccessRange!(typeof(slice)));
auto r = slice.byDim!0.map!(a => a.map!(a => a * 6));
static assert(hasSlicing!(typeof(r)));
static assert(isForwardRange!(typeof(r)));
static assert(isRandomAccessRange!(typeof(r)));
assert(r.front.front == 6);
assert(r.front.back == 12);
assert(r.back.front == 18);
assert(r.back.back == 24);
assert(r[0][0] == 6);
assert(r[0][1] == 12);
assert(r[1][0] == 18);
assert(r[1][1] == 24);
}
private enum bool isType(alias T) = false;
private enum bool isType(T) = true;
private enum isStringValue(alias T) = is(typeof(T) : string);
private bool _checkAssignLengths(
LIterator, RIterator,
size_t LN, size_t RN,
SliceKind lkind, SliceKind rkind,
)
(Slice!(LIterator, LN, lkind) ls,
Slice!(RIterator, RN, rkind) rs)
{
static if (isInstanceOf!(SliceIterator, LIterator))
{
import mir.ndslice.topology: unpack;
return _checkAssignLengths(ls.unpack, rs);
}
else
static if (isInstanceOf!(SliceIterator, RIterator))
{
import mir.ndslice.topology: unpack;
return _checkAssignLengths(ls, rs.unpack);
}
else
{
foreach (i; Iota!(0, RN))
if (ls._lengths[i + LN - RN] != rs._lengths[i])
return false;
return true;
}
}
@safe pure nothrow @nogc version(mir_ndslice_test) unittest
{
import mir.ndslice.topology : iota;
assert(_checkAssignLengths(iota(2, 2), iota(2, 2)));
assert(!_checkAssignLengths(iota(2, 2), iota(2, 3)));
assert(!_checkAssignLengths(iota(2, 2), iota(3, 2)));
assert(!_checkAssignLengths(iota(2, 2), iota(3, 3)));
}
pure nothrow version(mir_ndslice_test) unittest
{
auto slice = new int[15].slicedField(5, 3);
/// Fully defined slice
assert(slice[] == slice);
auto sublice = slice[0..$-2, 1..$];
/// Partially defined slice
auto row = slice[3];
auto col = slice[0..$, 1];
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
auto b = [1, 2, 3, 4].sliced(2, 2);
a[0..$, 0..$-1] = b;
assert(a == [[1, 2, 0], [3, 4, 0]]);
a[0..$, 0..$-1] = b[0];
assert(a == [[1, 2, 0], [1, 2, 0]]);
a[1, 0..$-1] = b[1];
assert(a[1] == [3, 4, 0]);
a[1, 0..$-1][] = b[0];
assert(a[1] == [1, 2, 0]);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
auto b = [[1, 2], [3, 4]];
a[] = [[1, 2, 3], [4, 5, 6]];
assert(a == [[1, 2, 3], [4, 5, 6]]);
a[0..$, 0..$-1] = [[1, 2], [3, 4]];
assert(a == [[1, 2, 3], [3, 4, 6]]);
a[0..$, 0..$-1] = [1, 2];
assert(a == [[1, 2, 3], [1, 2, 6]]);
a[1, 0..$-1] = [3, 4];
assert(a[1] == [3, 4, 6]);
a[1, 0..$-1][] = [3, 4];
assert(a[1] == [3, 4, 6]);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
a[] = 9;
//assert(a == [[9, 9, 9], [9, 9, 9]]);
a[0..$, 0..$-1] = 1;
//assert(a == [[1, 1, 9], [1, 1, 9]]);
a[0..$, 0..$-1] = 2;
//assert(a == [[2, 2, 9], [2, 2, 9]]);
a[1, 0..$-1] = 3;
//assert(a[1] == [3, 3, 9]);
a[1, 0..$-1] = 4;
//assert(a[1] == [4, 4, 9]);
a[1, 0..$-1][] = 5;
//assert(a[1] == [5, 5, 9]);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
a[1, 2] = 3;
assert(a[1, 2] == 3);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
a[[1, 2]] = 3;
assert(a[[1, 2]] == 3);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
a[1, 2] += 3;
assert(a[1, 2] == 3);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
a[[1, 2]] += 3;
assert(a[[1, 2]] == 3);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
auto b = [1, 2, 3, 4].sliced(2, 2);
a[0..$, 0..$-1] += b;
assert(a == [[1, 2, 0], [3, 4, 0]]);
a[0..$, 0..$-1] += b[0];
assert(a == [[2, 4, 0], [4, 6, 0]]);
a[1, 0..$-1] += b[1];
assert(a[1] == [7, 10, 0]);
a[1, 0..$-1][] += b[0];
assert(a[1] == [8, 12, 0]);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
a[0..$, 0..$-1] += [[1, 2], [3, 4]];
assert(a == [[1, 2, 0], [3, 4, 0]]);
a[0..$, 0..$-1] += [1, 2];
assert(a == [[2, 4, 0], [4, 6, 0]]);
a[1, 0..$-1] += [3, 4];
assert(a[1] == [7, 10, 0]);
a[1, 0..$-1][] += [1, 2];
assert(a[1] == [8, 12, 0]);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
a[] += 1;
assert(a == [[1, 1, 1], [1, 1, 1]]);
a[0..$, 0..$-1] += 2;
assert(a == [[3, 3, 1], [3, 3, 1]]);
a[1, 0..$-1] += 3;
assert(a[1] == [6, 6, 1]);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
++a[1, 2];
assert(a[1, 2] == 1);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
++a[[1, 2]];
assert(a[[1, 2]] == 1);
}
pure nothrow version(mir_ndslice_test) unittest
{
auto a = new int[6].slicedField(2, 3);
++a[];
assert(a == [[1, 1, 1], [1, 1, 1]]);
--a[1, 0..$-1];
assert(a[1] == [0, 0, 1]);
}
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota, universal;
auto sl = iota(3, 4).universal;
assert(sl[0 .. $] == sl);
}
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: canonical, iota;
static assert(kindOf!(typeof(iota([1, 2]).canonical[1])) == Contiguous);
}
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota;
auto s = iota(2, 3);
assert(s.front!1 == [0, 3]);
assert(s.back!1 == [2, 5]);
}
/++
Assignment utility for generic code that works both with scalars and with ndslices.
Params:
op = assign operation (generic, optional)
lside = left side
rside = right side
Returns:
expression value
+/
auto ndassign(string op = "", L, R)(ref L lside, auto ref R rside) @property
if (!isSlice!L && (op.length == 0 || op[$-1] != '='))
{
return mixin(`lside ` ~ op ~ `= rside`);
}
/// ditto
auto ndassign(string op = "", L, R)(L lside, auto ref R rside) @property
if (isSlice!L && (op.length == 0 || op[$-1] != '='))
{
static if (op == "")
return lside.opIndexAssign(rside);
else
return lside.opIndexOpAssign!op(rside);
}
///
version(mir_ndslice_test) unittest
{
import mir.ndslice.topology: iota;
import mir.ndslice.allocation: slice;
auto scalar = 3;
auto vector = 3.iota.slice; // [0, 1, 2]
// scalar = 5;
scalar.ndassign = 5;
assert(scalar == 5);
// vector[] = vector * 2;
vector.ndassign = vector * 2;
assert(vector == [0, 2, 4]);
// vector[] += scalar;
vector.ndassign!"+"= scalar;
assert(vector == [5, 7, 9]);
}
version(mir_ndslice_test) pure nothrow unittest
{
import mir.ndslice.allocation: slice;
import mir.ndslice.topology: universal;
auto df = slice!(double, int, int)(2, 3).universal;
df.label[] = [1, 2];
df.label!1[] = [1, 2, 3];
auto lsdf = df.lightScope;
assert(lsdf.label!0[0] == 1);
assert(lsdf.label!1[1] == 2);
auto immdf = (cast(immutable)df).lightImmutable;
assert(immdf.label!0[0] == 1);
assert(immdf.label!1[1] == 2);
auto constdf = df.lightConst;
assert(constdf.label!0[0] == 1);
assert(constdf.label!1[1] == 2);
auto constdf2 = df.toConst;
assert(constdf2.label!0[0] == 1);
assert(constdf2.label!1[1] == 2);
auto immdf2 = (cast(immutable)df).toImmutable;
assert(immdf2.label!0[0] == 1);
assert(immdf2.label!1[1] == 2);
}
version(mir_ndslice_test) pure nothrow unittest
{
import mir.ndslice.allocation: slice;
import mir.ndslice.topology: universal;
auto df = slice!(double, int, int)(2, 3).universal;
df[] = 5;
Slice!(double*, 2, Universal) values = df.values;
assert(values[0][0] == 5);
Slice!(LightConstOf!(double*), 2, Universal) constvalues = df.values;
assert(constvalues[0][0] == 5);
Slice!(LightImmutableOf!(double*), 2, Universal) immvalues = (cast(immutable)df).values;
assert(immvalues[0][0] == 5);
}
version(mir_ndslice_test) @safe unittest
{
import mir.ndslice.allocation;
auto a = rcslice!double([2, 3], 0);
auto b = rcslice!double([2, 3], 0);
a[1, 2] = 3;
b[] = a;
assert(a == b);
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened;
auto m = iota(2, 3, 4); // Contiguous Matrix
auto mFlat = m.flattened;
for (size_t i = 0; i < m.elementCount; i++) {
assert(m.accessFlat(i) == mFlat[i]);
}
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened;
auto m = iota(3, 4); // Contiguous Matrix
auto x = m.front; // Contiguous Vector
for (size_t i = 0; i < x.elementCount; i++) {
assert(x.accessFlat(i) == m[0, i]);
}
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened;
auto m = iota(3, 4); // Contiguous Matrix
auto x = m[0 .. $, 0 .. $ - 1]; // Canonical Matrix
auto xFlat = x.flattened;
for (size_t i = 0; i < x.elementCount; i++) {
assert(x.accessFlat(i) == xFlat[i]);
}
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened;
auto m = iota(2, 3, 4); // Contiguous Matrix
auto x = m[0 .. $, 0 .. $, 0 .. $ - 1]; // Canonical Matrix
auto xFlat = x.flattened;
for (size_t i = 0; i < x.elementCount; i++) {
assert(x.accessFlat(i) == xFlat[i]);
}
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened;
import mir.ndslice.dynamic: transposed;
auto m = iota(2, 3, 4); // Contiguous Matrix
auto x = m.transposed!(2, 1, 0); // Universal Matrix
auto xFlat = x.flattened;
for (size_t i = 0; i < x.elementCount; i++) {
assert(x.accessFlat(i) == xFlat[i]);
}
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened;
import mir.ndslice.dynamic: transposed;
auto m = iota(3, 4); // Contiguous Matrix
auto x = m.transposed; // Universal Matrix
auto xFlat = x.flattened;
for (size_t i = 0; i < x.elementCount; i++) {
assert(x.accessFlat(i) == xFlat[i]);
}
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened, diagonal;
auto m = iota(3, 4); // Contiguous Matrix
auto x = m.diagonal; // Universal Vector
for (size_t i = 0; i < x.elementCount; i++) {
assert(x.accessFlat(i) == m[i, i]);
}
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest
{
import mir.ndslice.topology: iota, flattened;
auto m = iota(3, 4); // Contiguous Matrix
auto x = m.front!1; // Universal Vector
for (size_t i = 0; i < x.elementCount; i++) {
assert(x.accessFlat(i) == m[i, 0]);
}
}
version(mir_ndslice_test)
@safe pure @nogc nothrow
unittest // check it can be compiled
{
import mir.algebraic;
alias S = Slice!(double*, 2);
alias D = Variant!S;
}
version(mir_ndslice_test)
unittest
{
import mir.ndslice;
auto matrix = slice!short(3, 4);
matrix[] = 0;
matrix.diagonal[] = 1;
auto row = matrix[2];
row[3] = 6;
assert(matrix[2, 3] == 6); // D & C index order
}
|
D
|
/*
Copyright (c) 2021 Timur Gafarov
Boost Software License - Version 1.0 - August 17th, 2003
Permission is hereby granted, free of charge, to any person or organization
obtaining a copy of the software and accompanying documentation covered by
this license (the "Software") to use, reproduce, display, distribute,
execute, and transmit the Software, and to prepare derivative works of the
Software, and to permit third-parties to whom the Software is furnished to
do so, all subject to the following:
The copyright notices in the Software and this entire statement, including
the above license grant, this restriction and the following disclaimer,
must be included in all copies of the Software, in whole or in part, and
all derivative works of the Software, unless such copies or derivative
works are solely in the form of machine-executable object code generated by
a source language processor.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT
SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE
FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE,
ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
DEALINGS IN THE SOFTWARE.
*/
module dagon.resource.gltf;
import std.stdio;
import std.math;
import std.path;
import std.algorithm;
import std.base64;
import dlib.core.memory;
import dlib.core.ownership;
import dlib.core.stream;
import dlib.filesystem.filesystem;
import dlib.container.array;
import dlib.serialization.json;
import dlib.text.str;
import dlib.math.vector;
import dlib.math.matrix;
import dlib.math.transformation;
import dlib.math.quaternion;
import dlib.geometry.triangle;
import dlib.image.color;
import dlib.image.image;
import dagon.core.bindings;
import dagon.core.event;
import dagon.core.time;
import dagon.resource.asset;
import dagon.resource.texture;
import dagon.graphics.drawable;
import dagon.graphics.texture;
import dagon.graphics.material;
import dagon.graphics.mesh;
import dagon.graphics.entity;
Vector3f asVector(JSONValue value)
{
Vector3f vec = Vector3f(0.0f, 0.0f, 0.0f);
foreach(i, v; value.asArray)
vec[i] = v.asNumber;
return vec;
}
Matrix4x4f asMatrix(JSONValue value)
{
Matrix4x4f mat = Matrix4x4f.identity;
foreach(i, v; value.asArray)
mat[i] = v.asNumber;
return mat;
}
Quaternionf asQuaternion(JSONValue value)
{
Quaternionf q = Quaternionf.identity;
foreach(i, v; value.asArray)
q[i] = v.asNumber;
return q;
}
Color4f asColor(JSONValue value)
{
Color4f col = Color4f(1.0f, 1.0f, 1.0f, 1.0f);
foreach(i, v; value.asArray)
col[i] = v.asNumber;
return col;
}
class GLTFBuffer: Owner
{
ubyte[] array;
this(Owner o)
{
super(o);
}
void fromArray(ubyte[] arr)
{
array = New!(ubyte[])(arr.length);
array[] = arr[];
}
void fromStream(InputStream istrm)
{
if (istrm is null)
return;
array = New!(ubyte[])(istrm.size);
if (!istrm.fillArray(array))
{
writeln("Warning: failed to read buffer");
Delete(array);
}
}
void fromFile(ReadOnlyFileSystem fs, string filename)
{
FileStat fstat;
if (fs.stat(filename, fstat))
{
auto bufStream = fs.openForInput(filename);
fromStream(bufStream);
Delete(bufStream);
}
else
writeln("Warning: buffer file \"", filename, "\" not found");
}
void fromBase64(string encoded)
{
auto decodedLength = Base64.decodeLength(encoded.length);
array = New!(ubyte[])(decodedLength);
auto decoded = Base64.decode(encoded, array);
}
~this()
{
if (array.length)
Delete(array);
}
}
class GLTFBufferView: Owner
{
GLTFBuffer buffer;
uint offset;
uint len;
uint stride;
ubyte[] slice;
GLenum target;
this(GLTFBuffer buffer, uint offset, uint len, uint stride, GLenum target, Owner o)
{
super(o);
if (buffer is null)
return;
this.buffer = buffer;
this.offset = offset;
this.len = len;
this.stride = stride;
this.target = target;
if (offset < buffer.array.length && offset+len <= buffer.array.length)
{
this.slice = buffer.array[offset..offset+len];
}
else
{
writeln("Warning: invalid buffer view bounds");
}
}
~this()
{
}
}
enum GLTFDataType
{
Undefined,
Scalar,
Vec2,
Vec3,
Vec4,
Mat2,
Mat3,
Mat4
}
class GLTFAccessor: Owner
{
GLTFBufferView bufferView;
GLTFDataType dataType;
uint numComponents;
GLenum componentType;
uint count;
uint byteOffset;
this(GLTFBufferView bufferView, GLTFDataType dataType, GLenum componentType, uint count, uint byteOffset, Owner o)
{
super(o);
if (bufferView is null)
return;
this.bufferView = bufferView;
this.dataType = dataType;
this.componentType = componentType;
this.count = count;
this.byteOffset = byteOffset;
switch(dataType)
{
case GLTFDataType.Scalar: numComponents = 1; break;
case GLTFDataType.Vec2: numComponents = 2; break;
case GLTFDataType.Vec3: numComponents = 3; break;
case GLTFDataType.Vec4: numComponents = 4; break;
case GLTFDataType.Mat2: numComponents = 2 * 2; break;
case GLTFDataType.Mat3: numComponents = 3 * 3; break;
case GLTFDataType.Mat4: numComponents = 4 * 4; break;
default: numComponents = 1; break;
}
}
~this()
{
}
}
class GLTFMeshPrimitive: Owner, Drawable
{
GLTFAccessor positionAccessor;
GLTFAccessor normalAccessor;
GLTFAccessor texCoord0Accessor;
GLTFAccessor indexAccessor;
Material material;
GLuint vao = 0;
GLuint vbo = 0;
GLuint nbo = 0;
GLuint tbo = 0;
GLuint eao = 0;
bool canRender = false;
this(GLTFAccessor positionAccessor, GLTFAccessor normalAccessor, GLTFAccessor texCoord0Accessor, GLTFAccessor indexAccessor, Material material, Owner o)
{
super(o);
this.positionAccessor = positionAccessor;
this.normalAccessor = normalAccessor;
this.texCoord0Accessor = texCoord0Accessor;
this.indexAccessor = indexAccessor;
this.material = material;
}
void prepareVAO()
{
if (positionAccessor is null ||
normalAccessor is null ||
texCoord0Accessor is null ||
indexAccessor is null)
return;
if (positionAccessor.bufferView.slice.length == 0)
return;
if (normalAccessor.bufferView.slice.length == 0)
return;
if (texCoord0Accessor.bufferView.slice.length == 0)
return;
if (indexAccessor.bufferView.slice.length == 0)
return;
glGenBuffers(1, &vbo);
glBindBuffer(GL_ARRAY_BUFFER, vbo);
glBufferData(GL_ARRAY_BUFFER, positionAccessor.bufferView.slice.length, positionAccessor.bufferView.slice.ptr, GL_STATIC_DRAW);
glGenBuffers(1, &nbo);
glBindBuffer(GL_ARRAY_BUFFER, nbo);
glBufferData(GL_ARRAY_BUFFER, normalAccessor.bufferView.slice.length, normalAccessor.bufferView.slice.ptr, GL_STATIC_DRAW);
glGenBuffers(1, &tbo);
glBindBuffer(GL_ARRAY_BUFFER, tbo);
glBufferData(GL_ARRAY_BUFFER, texCoord0Accessor.bufferView.slice.length, texCoord0Accessor.bufferView.slice.ptr, GL_STATIC_DRAW);
glGenBuffers(1, &eao);
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, eao);
glBufferData(GL_ELEMENT_ARRAY_BUFFER, indexAccessor.bufferView.slice.length, indexAccessor.bufferView.slice.ptr, GL_STATIC_DRAW);
glGenVertexArrays(1, &vao);
glBindVertexArray(vao);
glEnableVertexAttribArray(VertexAttrib.Vertices);
glBindBuffer(GL_ARRAY_BUFFER, vbo);
glVertexAttribPointer(VertexAttrib.Vertices, positionAccessor.numComponents, positionAccessor.componentType, GL_FALSE, positionAccessor.bufferView.stride, cast(void*)positionAccessor.byteOffset);
glEnableVertexAttribArray(VertexAttrib.Normals);
glBindBuffer(GL_ARRAY_BUFFER, nbo);
glVertexAttribPointer(VertexAttrib.Normals, normalAccessor.numComponents, normalAccessor.componentType, GL_FALSE, normalAccessor.bufferView.stride, cast(void*)normalAccessor.byteOffset);
glEnableVertexAttribArray(VertexAttrib.Texcoords);
glBindBuffer(GL_ARRAY_BUFFER, tbo);
glVertexAttribPointer(VertexAttrib.Texcoords, texCoord0Accessor.numComponents, texCoord0Accessor.componentType, GL_FALSE, texCoord0Accessor.bufferView.stride, cast(void*)texCoord0Accessor.byteOffset);
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, eao);
glBindVertexArray(0);
canRender = true;
}
void render(GraphicsState* state)
{
if (canRender)
{
glBindVertexArray(vao);
glDrawElements(GL_TRIANGLES, indexAccessor.count, indexAccessor.componentType, cast(void*)indexAccessor.byteOffset);
glBindVertexArray(0);
}
}
~this()
{
if (canRender)
{
glDeleteVertexArrays(1, &vao);
glDeleteBuffers(1, &vbo);
glDeleteBuffers(1, &nbo);
glDeleteBuffers(1, &tbo);
glDeleteBuffers(1, &eao);
}
}
}
class GLTFMesh: Owner, Drawable
{
Array!GLTFMeshPrimitive primitives;
this(Owner o)
{
super(o);
}
void render(GraphicsState* state)
{
GraphicsState newState = *state;
foreach(primitive; primitives)
{
if (primitive.material)
primitive.material.bind(&newState);
newState.shader.bindParameters(&newState);
primitive.render(&newState);
newState.shader.unbindParameters(&newState);
if (primitive.material)
primitive.material.unbind(&newState);
}
}
~this()
{
}
}
class GLTFNode: Owner
{
Entity entity;
GLTFMesh mesh;
Matrix4x4f transformation;
size_t[] children;
this(Owner o)
{
super(o);
transformation = Matrix4x4f.identity;
entity = New!Entity(this);
}
~this()
{
if (children.length)
Delete(children);
}
}
class StaticTransformComponent: EntityComponent
{
Matrix4x4f transformation;
this(EventManager em, Entity e, Matrix4x4f transformation)
{
super(em, e);
this.transformation = transformation;
}
override void update(Time t)
{
entity.transformation = transformation;
entity.updateAbsoluteTransformation();
}
}
class GLTFScene: Owner
{
string name;
Array!GLTFNode nodes;
this(Owner o)
{
super(o);
}
~this()
{
nodes.free();
}
}
class GLTFAsset: Asset, TriangleSet
{
AssetManager assetManager;
String str;
JSONDocument doc;
Array!GLTFBuffer buffers;
Array!GLTFBufferView bufferViews;
Array!GLTFAccessor accessors;
Array!GLTFMesh meshes;
Array!TextureAsset images;
Array!Texture textures;
Array!Material materials;
Array!GLTFNode nodes;
Array!GLTFScene scenes;
Entity rootEntity;
this(Owner o)
{
super(o);
}
~this()
{
release();
}
override bool loadThreadSafePart(string filename, InputStream istrm, ReadOnlyFileSystem fs, AssetManager mngr)
{
assetManager = mngr;
rootEntity = New!Entity(this);
string rootDir = dirName(filename);
str = String(istrm);
doc = New!JSONDocument(str.toString);
loadBuffers(doc.root, fs, rootDir);
loadBufferViews(doc.root);
loadAccessors(doc.root);
loadImages(doc.root, fs, rootDir);
loadTextures(doc.root);
loadMaterials(doc.root);
loadMeshes(doc.root);
loadNodes(doc.root);
loadScenes(doc.root);
return true;
}
void loadBuffers(JSONValue root, ReadOnlyFileSystem fs, string rootDir)
{
if ("buffers" in root.asObject)
{
foreach(buffer; root.asObject["buffers"].asArray)
{
auto buf = buffer.asObject;
if ("uri" in buf)
{
string uri = buf["uri"].asString;
string base64Prefix = "data:application/octet-stream;base64,";
GLTFBuffer b = New!GLTFBuffer(this);
if (uri.startsWith(base64Prefix))
{
auto encoded = uri[base64Prefix.length..$];
b.fromBase64(encoded);
}
else
{
String bufFilename = String(rootDir);
bufFilename ~= "/";
bufFilename ~= buf["uri"].asString;
b.fromFile(fs, bufFilename.toString);
bufFilename.free();
}
buffers.insertBack(b);
}
}
}
}
void loadBufferViews(JSONValue root)
{
if ("bufferViews" in root.asObject)
{
foreach(bufferView; root.asObject["bufferViews"].asArray)
{
auto bv = bufferView.asObject;
uint bufferIndex = 0;
uint byteOffset = 0;
uint byteLength = 0;
uint byteStride = 0;
GLenum target = GL_ARRAY_BUFFER;
if ("buffer" in bv)
bufferIndex = cast(uint)bv["buffer"].asNumber;
if ("byteOffset" in bv)
byteOffset = cast(uint)bv["byteOffset"].asNumber;
if ("byteLength" in bv)
byteLength = cast(uint)bv["byteLength"].asNumber;
if ("byteStride" in bv)
byteStride = cast(uint)bv["byteStride"].asNumber;
if ("target" in bv)
target = cast(GLenum)bv["target"].asNumber;
if (bufferIndex < buffers.length)
{
GLTFBufferView bufv = New!GLTFBufferView(buffers[bufferIndex], byteOffset, byteLength, byteStride, target, this);
bufferViews.insertBack(bufv);
}
else
{
writeln("Warning: can't create buffer view for nonexistent buffer ", bufferIndex);
GLTFBufferView bufv = New!GLTFBufferView(null, 0, 0, 0, 0, this);
bufferViews.insertBack(bufv);
}
}
}
}
void loadAccessors(JSONValue root)
{
if ("accessors" in root.asObject)
{
foreach(i, accessor; root.asObject["accessors"].asArray)
{
auto acc = accessor.asObject;
uint bufferViewIndex = 0;
GLenum componentType = GL_FLOAT;
string type;
uint count = 0;
uint byteOffset = 0;
if ("bufferView" in acc)
bufferViewIndex = cast(uint)acc["bufferView"].asNumber;
if ("componentType" in acc)
componentType = cast(GLenum)acc["componentType"].asNumber;
if ("type" in acc)
type = acc["type"].asString;
if ("count" in acc)
count = cast(uint)acc["count"].asNumber;
if ("byteOffset" in acc)
byteOffset = cast(uint)acc["byteOffset"].asNumber;
GLTFDataType dataType = GLTFDataType.Undefined;
if (type == "SCALAR")
dataType = GLTFDataType.Scalar;
else if (type == "VEC2")
dataType = GLTFDataType.Vec2;
else if (type == "VEC3")
dataType = GLTFDataType.Vec3;
else if (type == "VEC4")
dataType = GLTFDataType.Vec4;
else if (type == "MAT2")
dataType = GLTFDataType.Mat2;
else if (type == "MAT3")
dataType = GLTFDataType.Mat3;
else if (type == "MAT4")
dataType = GLTFDataType.Mat4;
else
writeln("Warning: unsupported data type for accessor ", i);
if (bufferViewIndex < bufferViews.length)
{
GLTFAccessor ac = New!GLTFAccessor(bufferViews[bufferViewIndex], dataType, componentType, count, byteOffset, this);
accessors.insertBack(ac);
}
else
{
writeln("Warning: can't create accessor for nonexistent buffer view ", bufferViewIndex);
GLTFAccessor ac = New!GLTFAccessor(null, dataType, componentType, count, byteOffset, this);
accessors.insertBack(ac);
}
}
}
}
void loadImages(JSONValue root, ReadOnlyFileSystem fs, string rootDir)
{
if ("images" in root.asObject)
{
foreach(i, img; root.asObject["images"].asArray)
{
auto im = img.asObject;
if ("uri" in im)
{
String imgFilename = String(rootDir);
imgFilename ~= "/";
imgFilename ~= im["uri"].asString;
auto ta = New!TextureAsset(assetManager.imageFactory, assetManager.hdrImageFactory, this);
FileStat fstat;
if (fs.stat(imgFilename.toString, fstat))
{
bool res = assetManager.loadAssetThreadSafePart(ta, imgFilename.toString);
if (!res)
writeln("Warning: failed to load \"", imgFilename, "\" not found");
}
else
{
writeln("Warning: image file \"", imgFilename, "\" not found");
}
images.insertBack(ta);
imgFilename.free();
}
else if ("bufferView" in im)
{
uint bufferViewIndex = cast(uint)im["bufferView"].asNumber;
auto ta = New!TextureAsset(assetManager.imageFactory, assetManager.hdrImageFactory, this);
if (bufferViewIndex < bufferViews.length)
{
auto bv = bufferViews[bufferViewIndex];
string mimeType = "";
if ("mimeType" in im)
mimeType = im["mimeType"].asString;
if (mimeType == "")
writeln("Warning: image MIME type missing");
else
{
string name = nameFromMimeType(mimeType);
if (name == "")
{
writeln("Warning: unsupported image MIME type ", mimeType);
}
else
{
bool res = assetManager.loadAssetThreadSafePart(ta, bv.slice, name);
if (!res)
writeln("Warning: failed to load image");
}
}
}
else
{
writeln("Warning: can't create image from nonexistent buffer view ", bufferViewIndex);
}
images.insertBack(ta);
}
}
}
}
// TODO: loadSamplers
void loadTextures(JSONValue root)
{
if ("textures" in root.asObject)
{
foreach(i, tex; root.asObject["textures"].asArray)
{
auto te = tex.asObject;
if ("source" in te)
{
uint imageIndex = cast(uint)te["source"].asNumber;
TextureAsset img;
if (imageIndex < images.length)
img = images[imageIndex];
else
writeln("Warning: can't create texture for nonexistent image ", imageIndex);
if (img !is null)
{
Texture texture = img.texture;
textures.insertBack(texture);
}
else
{
Texture texture;
textures.insertBack(texture);
}
}
// TODO: sampler
}
}
}
void loadMaterials(JSONValue root)
{
if ("materials" in root.asObject)
{
foreach(i, mat; root.asObject["materials"].asArray)
{
auto ma = mat.asObject;
Material material = New!Material(this);
if ("pbrMetallicRoughness" in ma)
{
auto pbr = ma["pbrMetallicRoughness"].asObject;
Color4f baseColorFactor = Color4f(1.0f, 1.0f, 1.0f, 1.0f);
if (pbr && "baseColorFactor" in pbr)
{
baseColorFactor = pbr["baseColorFactor"].asColor;
if (baseColorFactor.a < 1.0f)
material.blending = Transparent;
}
if (pbr && "baseColorTexture" in pbr)
{
auto bct = pbr["baseColorTexture"].asObject;
if ("index" in bct)
{
uint baseColorTexIndex = cast(uint)bct["index"].asNumber;
if (baseColorTexIndex < textures.length)
{
Texture baseColorTex = textures[baseColorTexIndex];
if (baseColorTex)
{
material.diffuse = baseColorTex;
}
}
}
material.transparency = baseColorFactor.a;
}
else
{
material.diffuse = baseColorFactor;
}
if (pbr && "metallicRoughnessTexture" in pbr)
{
uint metallicRoughnessTexIndex = cast(uint)pbr["metallicRoughnessTexture"].asObject["index"].asNumber;
if (metallicRoughnessTexIndex < textures.length)
{
Texture metallicRoughnessTex = textures[metallicRoughnessTexIndex];
if (metallicRoughnessTex)
material.roughnessMetallic = metallicRoughnessTex;
}
}
else
{
if (pbr && "metallicFactor" in pbr)
{
material.metallic = pbr["metallicFactor"].asNumber;
}
else
{
material.metallic = 1.0f;
}
if (pbr && "roughnessFactor" in pbr)
{
material.roughness = pbr["roughnessFactor"].asNumber;
}
else
{
material.roughness = 1.0f;
}
}
}
else if ("extensions" in ma)
{
auto extensions = ma["extensions"].asObject;
if ("KHR_materials_pbrSpecularGlossiness" in extensions)
{
auto pbr = extensions["KHR_materials_pbrSpecularGlossiness"].asObject;
if (pbr && "diffuseTexture" in pbr)
{
auto dt = pbr["diffuseTexture"].asObject;
if ("index" in dt)
{
uint diffuseTexIndex = cast(uint)dt["index"].asNumber;
if (diffuseTexIndex < textures.length)
{
Texture diffuseTex = textures[diffuseTexIndex];
if (diffuseTex)
{
material.diffuse = diffuseTex;
}
}
}
}
}
}
if ("normalTexture" in ma)
{
uint normalTexIndex = cast(uint)ma["normalTexture"].asObject["index"].asNumber;
if (normalTexIndex < textures.length)
{
Texture normalTex = textures[normalTexIndex];
if (normalTex)
material.normal = normalTex;
}
}
if ("emissiveTexture" in ma)
{
uint emissiveTexIndex = cast(uint)ma["emissiveTexture"].asObject["index"].asNumber;
if (emissiveTexIndex < textures.length)
{
Texture emissiveTex = textures[emissiveTexIndex];
if (emissiveTex)
material.emission = emissiveTex;
}
}
if ("doubleSided" in ma)
{
uint doubleSided = cast(uint)ma["doubleSided"].asNumber;
if (doubleSided)
material.culling = false;
else
material.culling = true;
}
else
{
material.culling = true;
}
if ("alphaCutoff" in ma)
{
material.clipThreshold = ma["alphaCutoff"].asNumber;
}
materials.insertBack(material);
}
}
}
void loadMeshes(JSONValue root)
{
if ("meshes" in root.asObject)
{
foreach(i, mesh; root.asObject["meshes"].asArray)
{
auto m = mesh.asObject;
GLTFMesh me = New!GLTFMesh(this);
if ("primitives" in m)
{
foreach(prim; m["primitives"].asArray)
{
auto p = prim.asObject;
GLTFAccessor positionAccessor;
GLTFAccessor normalAccessor;
GLTFAccessor texCoord0Accessor;
GLTFAccessor indexAccessor;
if ("attributes" in p)
{
auto attributes = p["attributes"].asObject;
if ("POSITION" in attributes)
{
uint positionsAccessorIndex = cast(uint)attributes["POSITION"].asNumber;
if (positionsAccessorIndex < accessors.length)
positionAccessor = accessors[positionsAccessorIndex];
else
writeln("Warning: can't create position attributes for nonexistent accessor ", positionsAccessorIndex);
}
if ("NORMAL" in attributes)
{
uint normalsAccessorIndex = cast(uint)attributes["NORMAL"].asNumber;
if (normalsAccessorIndex < accessors.length)
normalAccessor = accessors[normalsAccessorIndex];
else
writeln("Warning: can't create normal attributes for nonexistent accessor ", normalsAccessorIndex);
}
if ("TEXCOORD_0" in attributes)
{
uint texCoord0AccessorIndex = cast(uint)attributes["TEXCOORD_0"].asNumber;
if (texCoord0AccessorIndex < accessors.length)
texCoord0Accessor = accessors[texCoord0AccessorIndex];
else
writeln("Warning: can't create texCoord0 attributes for nonexistent accessor ", texCoord0AccessorIndex);
}
}
if ("indices" in p)
{
uint indicesAccessorIndex = cast(uint)p["indices"].asNumber;
if (indicesAccessorIndex < accessors.length)
indexAccessor = accessors[indicesAccessorIndex];
else
writeln("Warning: can't create indices for nonexistent accessor ", indicesAccessorIndex);
}
Material material;
if ("material" in p)
{
uint materialIndex = cast(uint)p["material"].asNumber;
if (materialIndex < materials.length)
material = materials[materialIndex];
else
writeln("Warning: nonexistent material ", materialIndex);
}
if (positionAccessor is null)
{
writeln("Warning: mesh ", i, " lacks vertex position attributes");
}
if (normalAccessor is null)
{
writeln("Warning: mesh ", i, " lacks vertex normal attributes");
}
if (texCoord0Accessor is null)
{
writeln("Warning: mesh ", i, " lacks vertex texCoord0 attributes");
}
if (indexAccessor is null)
{
writeln("Warning: mesh ", i, " lacks indices");
}
GLTFMeshPrimitive pr = New!GLTFMeshPrimitive(positionAccessor, normalAccessor, texCoord0Accessor, indexAccessor, material, this);
me.primitives.insertBack(pr);
}
}
meshes.insertBack(me);
}
}
}
void loadNodes(JSONValue root)
{
if ("nodes" in root.asObject)
{
foreach(i, n; root.asObject["nodes"].asArray)
{
auto node = n.asObject;
GLTFNode nodeObj = New!GLTFNode(this);
nodeObj.entity.setParent(rootEntity);
if ("mesh" in node)
{
uint meshIndex = cast(uint)node["mesh"].asNumber;
if (meshIndex < meshes.length)
{
GLTFMesh mesh = meshes[meshIndex];
nodeObj.mesh = mesh;
nodeObj.entity.drawable = mesh;
}
else
writeln("Warning: mesh ", meshIndex, " doesn't exist");
}
if ("matrix" in node)
{
nodeObj.transformation = node["matrix"].asMatrix;
auto nodeComponent = New!StaticTransformComponent(assetManager.eventManager, nodeObj.entity, nodeObj.transformation);
}
else
{
Vector3f position = Vector3f(0.0f, 0.0f, 0.0f);
Quaternionf rotation = Quaternionf.identity;
Vector3f scale = Vector3f(1.0f, 1.0f, 1.0f);
if ("translation" in node)
{
position = node["translation"].asVector;
}
if ("rotation" in node)
{
rotation = node["rotation"].asQuaternion;
}
if ("scale" in node)
{
scale = node["scale"].asVector;
}
nodeObj.entity.position = position;
nodeObj.entity.rotation = rotation;
nodeObj.entity.scaling = scale;
nodeObj.transformation =
translationMatrix(position) *
rotation.toMatrix4x4 *
scaleMatrix(scale);
}
if ("children" in node)
{
auto children = node["children"].asArray;
nodeObj.children = New!(size_t[])(children.length);
foreach(ci, c; children)
{
uint childIndex = cast(uint)c.asNumber;
nodeObj.children[ci] = childIndex;
}
}
nodes.insertBack(nodeObj);
}
}
foreach(node; nodes)
{
foreach(i; node.children)
{
GLTFNode child = nodes[i];
node.entity.addChild(child.entity);
}
}
rootEntity.updateTransformationTopDown();
}
void loadScenes(JSONValue root)
{
if ("scenes" in root.asObject)
{
foreach(i, s; root.asObject["scenes"].asArray)
{
auto scene = s.asObject;
GLTFScene sceneObj = New!GLTFScene(this);
if ("name" in scene)
{
sceneObj.name = scene["name"].asString;
}
if ("nodes" in scene)
{
foreach(ni, n; scene["nodes"].asArray)
{
uint nodeIndex = cast(uint)n.asNumber;
if (nodeIndex < nodes.length)
sceneObj.nodes.insertBack(nodes[nodeIndex]);
}
}
scenes.insertBack(sceneObj);
}
}
}
override bool loadThreadUnsafePart()
{
foreach(me; meshes)
{
foreach(p; me.primitives)
p.prepareVAO();
}
foreach(img; images)
{
img.loadThreadUnsafePart();
}
return true;
}
void markTransparentEntities()
{
foreach(node; nodes)
{
if (node.mesh)
{
foreach(primitive; node.mesh.primitives)
{
Material material = primitive.material;
if (material)
{
Texture diffuseTex = material.diffuse.texture;
if (diffuseTex)
{
if (diffuseTex.image.pixelFormat == IntegerPixelFormat.RGBA8)
{
material.blending = Transparent;
node.entity.transparent = true;
}
}
else
{
if (material.diffuse.asVector4f.a < 1.0f)
{
material.blending = Transparent;
node.entity.transparent = true;
}
}
if (material.transparency.asFloat < 1.0f)
{
material.blending = Transparent;
node.entity.transparent = true;
}
}
}
}
}
}
override void release()
{
foreach(b; buffers)
deleteOwnedObject(b);
buffers.free();
foreach(bv; bufferViews)
deleteOwnedObject(bv);
bufferViews.free();
foreach(ac; accessors)
deleteOwnedObject(ac);
accessors.free();
foreach(me; meshes)
deleteOwnedObject(me);
meshes.free();
foreach(im; images)
deleteOwnedObject(im);
images.free();
foreach(no; nodes)
deleteOwnedObject(no);
nodes.free();
foreach(sc; scenes)
deleteOwnedObject(sc);
scenes.free();
textures.free();
materials.free();
Delete(doc);
str.free();
}
int opApply(scope int delegate(Triangle t) dg)
{
int result = 0;
foreach(node; nodes)
{
auto mat = node.entity.absoluteTransformation;
if (node.mesh)
{
foreach(primitive; node.mesh.primitives)
{
GLTFAccessor pa = primitive.positionAccessor;
GLTFAccessor na = primitive.normalAccessor;
GLTFAccessor ia = primitive.indexAccessor;
Vector3f* positions = cast(Vector3f*)(pa.bufferView.slice.ptr + pa.byteOffset);
size_t numPositions = pa.count;
Vector3f* normals = cast(Vector3f*)(na.bufferView.slice.ptr + na.byteOffset);
size_t numNormals = na.count;
ubyte* indicesStart = ia.bufferView.slice.ptr + ia.byteOffset;
size_t numTriangles = ia.count / 3;
size_t indexStride;
if (ia.componentType == GL_UNSIGNED_BYTE)
indexStride = 1;
else if (ia.componentType == GL_UNSIGNED_SHORT)
indexStride = 2;
else if (ia.componentType == GL_UNSIGNED_INT)
indexStride = 4;
foreach(i; 0..numTriangles)
{
ubyte* ptr = indicesStart + i * 3 * indexStride;
size_t[3] indices;
if (ia.componentType == GL_UNSIGNED_BYTE)
{
indices[0] = ptr[0];
indices[1] = ptr[1];
indices[2] = ptr[2];
}
else if (ia.componentType == GL_UNSIGNED_SHORT)
{
indices[0] = *cast(ushort*)ptr;
indices[1] = *cast(ushort*)(ptr+2);
indices[2] = *cast(ushort*)(ptr+4);
}
else if (ia.componentType == GL_UNSIGNED_INT)
{
indices[0] = *cast(uint*)ptr;
indices[1] = *cast(uint*)(ptr+4);
indices[2] = *cast(uint*)(ptr+8);
}
Triangle tri;
tri.v[0] = positions[indices[0]] * mat;
tri.v[1] = positions[indices[1]] * mat;
tri.v[2] = positions[indices[2]] * mat;
tri.n[0] = mat.rotate(normals[indices[0]]);
tri.n[1] = mat.rotate(normals[indices[1]]);
tri.n[2] = mat.rotate(normals[indices[2]]);
tri.normal = (tri.n[0] + tri.n[1] + tri.n[2]) / 3.0f;
result = dg(tri);
if (result)
return result;
}
}
}
}
return result;
}
}
string nameFromMimeType(string mime)
{
string name;
switch(mime)
{
case "image/jpeg": name = "undefined.jpg"; break;
case "image/png": name = "undefined.png"; break;
case "image/tga": name = "undefined.tga"; break;
case "image/targa": name = "undefined.tga"; break;
case "image/bmp": name = "undefined.bmp"; break;
case "image/vnd.radiance": name = "undefined.hdr"; break;
case "image/x-hdr": name = "undefined.hdr"; break;
case "image/x-dds": name = "undefined.dds"; break;
default: name = ""; break;
}
return name;
}
void decomposeMatrix(
Matrix4x4f m,
out Vector3f position,
out Quaternionf rotation,
out Vector3f scale)
{
position = Vector3f(m[12], m[13], m[14]);
float sx = sqrt(m[0] * m[0] + m[1] * m[1] + m[2] * m[2]);
float sy = sqrt(m[4] * m[4] + m[5] * m[5] + m[6] * m[6]);
float sz = sqrt(m[8] * m[8] + m[9] * m[9] + m[10] * m[10]);
if (m.determinant < 0)
sx = -sx;
scale = Vector3f(sx, sy, sz);
float invSx = 1.0f / sx;
float invSy = 1.0f / sy;
float invSz = 1.0f / sz;
Matrix3x3f rotationMatrix = matrixf(
m[0] * invSx, m[4] * invSy, m[8] * invSz,
m[1] * invSx, m[5] * invSy, m[9] * invSz,
m[2] * invSx, m[6] * invSy, m[10] * invSz
);
rotation = Quaternionf.fromMatrix(matrix3x3to4x4(rotationMatrix));
}
|
D
|
// ****************************************************
// CRYSTALPOWER_S1
// --------------
// Funktion wird durch Runentisch-Mobsi-Benutzung aufgerufen!
// benötigtes Item dafür: ItMi_RuneBlank
// *****************************************************
FUNC VOID CRYSTALPOWER_S1 ()
{
var C_NPC her; her = Hlp_GetNpc(PC_Hero);
if (Hlp_GetInstanceID(self)==Hlp_GetInstanceID(her))
{
self.aivar[AIV_INVINCIBLE]=TRUE;
PLAYER_MOBSI_PRODUCTION = MOBSI_CRYSTALPOWER;
Ai_ProcessInfos (her);
};
};
//*******************************************************
// CrystalPower Dialog abbrechen
//*******************************************************
INSTANCE PC_CrystalPower_End (C_Info)
{
npc = PC_Hero;
nr = 999;
condition = PC_CrystalPower_End_Condition;
information = PC_CrystalPower_End_Info;
permanent = TRUE;
description = DIALOG_ENDE;
};
FUNC INT PC_CrystalPower_End_Condition ()
{
if (PLAYER_MOBSI_PRODUCTION == MOBSI_CRYSTALPOWER)
{
return TRUE;
};
};
FUNC VOID PC_CrystalPower_End_Info()
{
B_ENDPRODUCTIONDIALOG ();
};
//*******************************************************
// Pierscien Szybkości
//---------------------------
//*******************************************************
INSTANCE PC_CrystalPower_PierscienSzybkosci (C_Info)
{
npc = PC_Hero;
condition = PC_CrystalPower_PierscienSzybkosci_Condition;
information = PC_CrystalPower_PierscienSzybkosci_Info;
permanent = TRUE;
description = "Naładuj pierścień szybkości.";
};
FUNC INT PC_CrystalPower_PierscienSzybkosci_Condition ()
{
if ( (PLAYER_MOBSI_PRODUCTION == MOBSI_CRYSTALPOWER)
&& (npc_hasitems (hero, ItNa_SpeedRing) >= 1)
&& (npc_hasitems (hero, ItNa_Krysztal) >= 1) )
{
return TRUE;
};
};
FUNC VOID PC_CrystalPower_PierscienSzybkosci_Info()
{
Info_ClearChoices (PC_CrystalPower_PierscienSzybkosci);
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,DIALOG_BACK,PC_CrystalPower_PierscienSzybkosci_BACK);
if (npc_hasitems (hero, ItNa_Krysztal) >= 1)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 1 kryształu.",PC_CrystalPower_PierscienSzybkosci_1);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 10)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 10 kryształów.",PC_CrystalPower_PierscienSzybkosci_10);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 30)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 30 kryształów.",PC_CrystalPower_PierscienSzybkosci_30);
};
};
FUNC VOID PC_CrystalPower_PierscienSzybkosci_BACK()
{
Info_ClearChoices (PC_CrystalPower_PierscienSzybkosci);
};
// 1 kryształ - 5 minut
FUNC VOID PC_CrystalPower_PierscienSzybkosci_1()
{
Npc_RemoveInvItems (hero, ItNa_Krysztal, 1);
secSpeedRing = secSpeedRing + 300;
PrintS_Ext("Doładowano: 5 minut", RGBA(255,255,255,0));
PrintS_Ext(" ", RGBA(255,255,255,0));
Info_ClearChoices (PC_CrystalPower_PierscienSzybkosci);
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,DIALOG_BACK,PC_CrystalPower_PierscienSzybkosci_BACK);
if (npc_hasitems (hero, ItNa_Krysztal) >= 1)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 1 kryształu.",PC_CrystalPower_PierscienSzybkosci_1);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 10)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 10 kryształów.",PC_CrystalPower_PierscienSzybkosci_10);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 30)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 30 kryształów.",PC_CrystalPower_PierscienSzybkosci_30);
};
};
FUNC VOID PC_CrystalPower_PierscienSzybkosci_10()
{
Npc_RemoveInvItems (hero, ItNa_Krysztal, 10);
secSpeedRing = secSpeedRing + 3000;
PrintS_Ext("Doładowano: 50 minut", RGBA(255,255,255,0));
PrintS_Ext(" ", RGBA(255,255,255,0));
Info_ClearChoices (PC_CrystalPower_PierscienSzybkosci);
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,DIALOG_BACK,PC_CrystalPower_PierscienSzybkosci_BACK);
if (npc_hasitems (hero, ItNa_Krysztal) >= 1)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 1 kryształu.",PC_CrystalPower_PierscienSzybkosci_1);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 10)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 10 kryształów.",PC_CrystalPower_PierscienSzybkosci_10);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 30)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 30 kryształów.",PC_CrystalPower_PierscienSzybkosci_30);
};
};
FUNC VOID PC_CrystalPower_PierscienSzybkosci_30()
{
Npc_RemoveInvItems (hero, ItNa_Krysztal, 30);
secSpeedRing = secSpeedRing + 9000;
PrintS_Ext("Doładowano: 2,5 godziny", RGBA(255,255,255,0));
PrintS_Ext(" ", RGBA(255,255,255,0));
Info_ClearChoices (PC_CrystalPower_PierscienSzybkosci);
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,DIALOG_BACK,PC_CrystalPower_PierscienSzybkosci_BACK);
if (npc_hasitems (hero, ItNa_Krysztal) >= 1)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 1 kryształu.",PC_CrystalPower_PierscienSzybkosci_1);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 10)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 10 kryształów.",PC_CrystalPower_PierscienSzybkosci_10);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 30)
{
Info_AddChoice (PC_CrystalPower_PierscienSzybkosci,"Użyj 30 kryształów.",PC_CrystalPower_PierscienSzybkosci_30);
};
};
//*******************************************************
// Miecz Runiczny
//---------------------------
//*******************************************************
INSTANCE PC_CrystalPower_MieczRuniczny (C_Info)
{
npc = PC_Hero;
condition = PC_CrystalPower_MieczRuniczny_Condition;
information = PC_CrystalPower_MieczRuniczny_Info;
permanent = TRUE;
description = "Naładuj miecz runiczny.";
};
FUNC INT PC_CrystalPower_MieczRuniczny_Condition ()
{
if ( (PLAYER_MOBSI_PRODUCTION == MOBSI_CRYSTALPOWER)
&& ((npc_hasitems (hero, ItNa_MieczRunicznyA) >= 1) || (npc_hasitems (hero, ItNa_MieczRunicznyB) >= 1) || (npc_hasitems (hero, ItNa_MieczRunicznyC) >= 1))
&& (npc_hasitems (hero, ItNa_Krysztal) >= 1) )
{
return TRUE;
};
};
FUNC VOID PC_CrystalPower_MieczRuniczny_Info()
{
Info_ClearChoices (PC_CrystalPower_MieczRuniczny);
Info_AddChoice (PC_CrystalPower_MieczRuniczny,DIALOG_BACK,PC_CrystalPower_MieczRuniczny_BACK);
if (npc_hasitems (hero, ItNa_Krysztal) >= 1)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 1 kryształu.",PC_CrystalPower_MieczRuniczny_1);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 10)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 10 kryształów.",PC_CrystalPower_MieczRuniczny_10);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 30)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 30 kryształów.",PC_CrystalPower_MieczRuniczny_30);
};
};
FUNC VOID PC_CrystalPower_MieczRuniczny_BACK()
{
Info_ClearChoices (PC_CrystalPower_MieczRuniczny);
};
// 1 kryształ - 2 uderzenia
FUNC VOID PC_CrystalPower_MieczRuniczny_1()
{
Npc_RemoveInvItems (hero, ItNa_Krysztal, 1);
mocMieczRuniczny = mocMieczRuniczny + 2;
PrintS_Ext("Doładowano: moc na 2 uderzenia", RGBA(255,255,255,0));
PrintS_Ext(" ", RGBA(255,255,255,0));
Info_ClearChoices (PC_CrystalPower_MieczRuniczny);
Info_AddChoice (PC_CrystalPower_MieczRuniczny,DIALOG_BACK,PC_CrystalPower_MieczRuniczny_BACK);
if (npc_hasitems (hero, ItNa_Krysztal) >= 1)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 1 kryształu.",PC_CrystalPower_MieczRuniczny_1);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 10)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 10 kryształów.",PC_CrystalPower_MieczRuniczny_10);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 30)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 30 kryształów.",PC_CrystalPower_MieczRuniczny_30);
};
};
FUNC VOID PC_CrystalPower_MieczRuniczny_10()
{
Npc_RemoveInvItems (hero, ItNa_Krysztal, 10);
mocMieczRuniczny = mocMieczRuniczny + 20;
PrintS_Ext("Doładowano: moc na 20 uderzeń", RGBA(255,255,255,0));
PrintS_Ext(" ", RGBA(255,255,255,0));
Info_ClearChoices (PC_CrystalPower_MieczRuniczny);
Info_AddChoice (PC_CrystalPower_MieczRuniczny,DIALOG_BACK,PC_CrystalPower_MieczRuniczny_BACK);
if (npc_hasitems (hero, ItNa_Krysztal) >= 1)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 1 kryształu.",PC_CrystalPower_MieczRuniczny_1);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 10)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 10 kryształów.",PC_CrystalPower_MieczRuniczny_10);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 30)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 30 kryształów.",PC_CrystalPower_MieczRuniczny_30);
};
};
FUNC VOID PC_CrystalPower_MieczRuniczny_30()
{
Npc_RemoveInvItems (hero, ItNa_Krysztal, 30);
mocMieczRuniczny = mocMieczRuniczny + 60;
PrintS_Ext("Doładowano: moc na 60 uderzeń", RGBA(255,255,255,0));
PrintS_Ext(" ", RGBA(255,255,255,0));
Info_ClearChoices (PC_CrystalPower_MieczRuniczny);
Info_AddChoice (PC_CrystalPower_MieczRuniczny,DIALOG_BACK,PC_CrystalPower_MieczRuniczny_BACK);
if (npc_hasitems (hero, ItNa_Krysztal) >= 1)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 1 kryształu.",PC_CrystalPower_MieczRuniczny_1);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 10)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 10 kryształów.",PC_CrystalPower_MieczRuniczny_10);
};
if (npc_hasitems (hero, ItNa_Krysztal) >= 30)
{
Info_AddChoice (PC_CrystalPower_MieczRuniczny,"Użyj 30 kryształów.",PC_CrystalPower_MieczRuniczny_30);
};
};
|
D
|
module bst.contents;
import bst.node;
int[] contents(Node* root) {
if (root == null) return [];
return contents(root.c[0]) ~ [root.value] ~ contents(root.c[1]);
}
|
D
|
/Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/DateTransform.o : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/CustomDateFormatTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DataTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DateFormatterTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DateTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DictionaryTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/EnumOperators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/EnumTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/FromJSON.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/HexColorTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ImmutableMappable.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ISO8601DateTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Map.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/MapError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Mappable.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Mapper.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/NSDecimalNumberTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Operators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ToJSON.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformOf.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformOperators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformType.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/URLTransform.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
/Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/DateTransform~partial.swiftmodule : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/CustomDateFormatTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DataTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DateFormatterTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DateTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DictionaryTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/EnumOperators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/EnumTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/FromJSON.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/HexColorTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ImmutableMappable.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ISO8601DateTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Map.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/MapError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Mappable.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Mapper.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/NSDecimalNumberTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Operators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ToJSON.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformOf.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformOperators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformType.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/URLTransform.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
/Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/DateTransform~partial.swiftdoc : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/CustomDateFormatTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DataTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DateFormatterTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DateTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/DictionaryTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/EnumOperators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/EnumTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/FromJSON.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/HexColorTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ImmutableMappable.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ISO8601DateTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Map.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/MapError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Mappable.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Mapper.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/NSDecimalNumberTransform.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/Operators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/ToJSON.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformOf.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformOperators.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/TransformType.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/ObjectMapper/Sources/URLTransform.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
|
D
|
an occurrence of something
a special set of circumstances
a comprehensive term for any proceeding in a court of law whereby an individual seeks a legal remedy
the actual state of things
a portable container for carrying several objects
a person requiring professional services
a person who is subjected to experimental or other observational procedures
a problem requiring investigation
a statement of facts and reasons used to support an argument
the quantity contained in a case
nouns or pronouns or adjectives (often marked by inflection) related in some way to other words in a sentence
a specific state of mind that is temporary
a person of a specified kind (usually with many eccentricities
a specific size and style of type within a type family
an enveloping structure or covering enclosing an animal or plant organ or part
the housing or outer covering of something
the enclosing frame around a door or window opening
(printing) the receptacle in which a compositor has his type, which is divided into compartments for the different letters, spaces, or numbers
bed linen consisting of a cover for a pillow
a glass container used to store and display items in a shop or museum or home
look over, usually with the intention to rob
enclose in, or as if in, a case
|
D
|
import std.stdio;
alias int myint;
struct S { void bar() { } int x = 4; static int z = 5; }
class C { void bar() { } final void foo() { } static void abc() { } }
abstract class AC { }
class AC2 { abstract void foo(); }
class AC3 : AC2 { }
final class FC { void foo() { } }
enum E { EMEM }
/********************************************************/
void test1()
{
auto t = __traits(isArithmetic, int);
writeln(t);
assert(t == true);
assert(__traits(isArithmetic) == false);
assert(__traits(isArithmetic, myint) == true);
assert(__traits(isArithmetic, S) == false);
assert(__traits(isArithmetic, C) == false);
assert(__traits(isArithmetic, E) == true);
assert(__traits(isArithmetic, void*) == false);
assert(__traits(isArithmetic, void[]) == false);
assert(__traits(isArithmetic, void[3]) == false);
assert(__traits(isArithmetic, int[char]) == false);
assert(__traits(isArithmetic, int, int) == true);
assert(__traits(isArithmetic, int, S) == false);
assert(__traits(isArithmetic, void) == false);
assert(__traits(isArithmetic, byte) == true);
assert(__traits(isArithmetic, ubyte) == true);
assert(__traits(isArithmetic, short) == true);
assert(__traits(isArithmetic, ushort) == true);
assert(__traits(isArithmetic, int) == true);
assert(__traits(isArithmetic, uint) == true);
assert(__traits(isArithmetic, long) == true);
assert(__traits(isArithmetic, ulong) == true);
assert(__traits(isArithmetic, float) == true);
assert(__traits(isArithmetic, double) == true);
assert(__traits(isArithmetic, real) == true);
assert(__traits(isArithmetic, ifloat) == true);
assert(__traits(isArithmetic, idouble) == true);
assert(__traits(isArithmetic, ireal) == true);
assert(__traits(isArithmetic, cfloat) == true);
assert(__traits(isArithmetic, cdouble) == true);
assert(__traits(isArithmetic, creal) == true);
assert(__traits(isArithmetic, char) == true);
assert(__traits(isArithmetic, wchar) == true);
assert(__traits(isArithmetic, dchar) == true);
int i;
assert(__traits(isArithmetic, i, i+1, int) == true);
assert(__traits(isArithmetic) == false);
}
/********************************************************/
void test2()
{
auto t = __traits(isScalar, int);
writeln(t);
assert(t == true);
assert(__traits(isScalar) == false);
assert(__traits(isScalar, myint) == true);
assert(__traits(isScalar, S) == false);
assert(__traits(isScalar, C) == false);
assert(__traits(isScalar, E) == true);
assert(__traits(isScalar, void*) == true);
assert(__traits(isScalar, void[]) == false);
assert(__traits(isScalar, void[3]) == false);
assert(__traits(isScalar, int[char]) == false);
assert(__traits(isScalar, int, int) == true);
assert(__traits(isScalar, int, S) == false);
assert(__traits(isScalar, void) == false);
assert(__traits(isScalar, byte) == true);
assert(__traits(isScalar, ubyte) == true);
assert(__traits(isScalar, short) == true);
assert(__traits(isScalar, ushort) == true);
assert(__traits(isScalar, int) == true);
assert(__traits(isScalar, uint) == true);
assert(__traits(isScalar, long) == true);
assert(__traits(isScalar, ulong) == true);
assert(__traits(isScalar, float) == true);
assert(__traits(isScalar, double) == true);
assert(__traits(isScalar, real) == true);
assert(__traits(isScalar, ifloat) == true);
assert(__traits(isScalar, idouble) == true);
assert(__traits(isScalar, ireal) == true);
assert(__traits(isScalar, cfloat) == true);
assert(__traits(isScalar, cdouble) == true);
assert(__traits(isScalar, creal) == true);
assert(__traits(isScalar, char) == true);
assert(__traits(isScalar, wchar) == true);
assert(__traits(isScalar, dchar) == true);
}
/********************************************************/
void test3()
{
assert(__traits(isIntegral) == false);
assert(__traits(isIntegral, myint) == true);
assert(__traits(isIntegral, S) == false);
assert(__traits(isIntegral, C) == false);
assert(__traits(isIntegral, E) == true);
assert(__traits(isIntegral, void*) == false);
assert(__traits(isIntegral, void[]) == false);
assert(__traits(isIntegral, void[3]) == false);
assert(__traits(isIntegral, int[char]) == false);
assert(__traits(isIntegral, int, int) == true);
assert(__traits(isIntegral, int, S) == false);
assert(__traits(isIntegral, void) == false);
assert(__traits(isIntegral, byte) == true);
assert(__traits(isIntegral, ubyte) == true);
assert(__traits(isIntegral, short) == true);
assert(__traits(isIntegral, ushort) == true);
assert(__traits(isIntegral, int) == true);
assert(__traits(isIntegral, uint) == true);
assert(__traits(isIntegral, long) == true);
assert(__traits(isIntegral, ulong) == true);
assert(__traits(isIntegral, float) == false);
assert(__traits(isIntegral, double) == false);
assert(__traits(isIntegral, real) == false);
assert(__traits(isIntegral, ifloat) == false);
assert(__traits(isIntegral, idouble) == false);
assert(__traits(isIntegral, ireal) == false);
assert(__traits(isIntegral, cfloat) == false);
assert(__traits(isIntegral, cdouble) == false);
assert(__traits(isIntegral, creal) == false);
assert(__traits(isIntegral, char) == true);
assert(__traits(isIntegral, wchar) == true);
assert(__traits(isIntegral, dchar) == true);
}
/********************************************************/
void test4()
{
assert(__traits(isFloating) == false);
assert(__traits(isFloating, S) == false);
assert(__traits(isFloating, C) == false);
assert(__traits(isFloating, E) == false);
assert(__traits(isFloating, void*) == false);
assert(__traits(isFloating, void[]) == false);
assert(__traits(isFloating, void[3]) == false);
assert(__traits(isFloating, int[char]) == false);
assert(__traits(isFloating, float, float) == true);
assert(__traits(isFloating, float, S) == false);
assert(__traits(isFloating, void) == false);
assert(__traits(isFloating, byte) == false);
assert(__traits(isFloating, ubyte) == false);
assert(__traits(isFloating, short) == false);
assert(__traits(isFloating, ushort) == false);
assert(__traits(isFloating, int) == false);
assert(__traits(isFloating, uint) == false);
assert(__traits(isFloating, long) == false);
assert(__traits(isFloating, ulong) == false);
assert(__traits(isFloating, float) == true);
assert(__traits(isFloating, double) == true);
assert(__traits(isFloating, real) == true);
assert(__traits(isFloating, ifloat) == true);
assert(__traits(isFloating, idouble) == true);
assert(__traits(isFloating, ireal) == true);
assert(__traits(isFloating, cfloat) == true);
assert(__traits(isFloating, cdouble) == true);
assert(__traits(isFloating, creal) == true);
assert(__traits(isFloating, char) == false);
assert(__traits(isFloating, wchar) == false);
assert(__traits(isFloating, dchar) == false);
}
/********************************************************/
void test5()
{
assert(__traits(isUnsigned) == false);
assert(__traits(isUnsigned, S) == false);
assert(__traits(isUnsigned, C) == false);
assert(__traits(isUnsigned, E) == false);
assert(__traits(isUnsigned, void*) == false);
assert(__traits(isUnsigned, void[]) == false);
assert(__traits(isUnsigned, void[3]) == false);
assert(__traits(isUnsigned, int[char]) == false);
assert(__traits(isUnsigned, float, float) == false);
assert(__traits(isUnsigned, float, S) == false);
assert(__traits(isUnsigned, void) == false);
assert(__traits(isUnsigned, byte) == false);
assert(__traits(isUnsigned, ubyte) == true);
assert(__traits(isUnsigned, short) == false);
assert(__traits(isUnsigned, ushort) == true);
assert(__traits(isUnsigned, int) == false);
assert(__traits(isUnsigned, uint) == true);
assert(__traits(isUnsigned, long) == false);
assert(__traits(isUnsigned, ulong) == true);
assert(__traits(isUnsigned, float) == false);
assert(__traits(isUnsigned, double) == false);
assert(__traits(isUnsigned, real) == false);
assert(__traits(isUnsigned, ifloat) == false);
assert(__traits(isUnsigned, idouble) == false);
assert(__traits(isUnsigned, ireal) == false);
assert(__traits(isUnsigned, cfloat) == false);
assert(__traits(isUnsigned, cdouble) == false);
assert(__traits(isUnsigned, creal) == false);
assert(__traits(isUnsigned, char) == true);
assert(__traits(isUnsigned, wchar) == true);
assert(__traits(isUnsigned, dchar) == true);
}
/********************************************************/
void test6()
{
assert(__traits(isAssociativeArray) == false);
assert(__traits(isAssociativeArray, S) == false);
assert(__traits(isAssociativeArray, C) == false);
assert(__traits(isAssociativeArray, E) == false);
assert(__traits(isAssociativeArray, void*) == false);
assert(__traits(isAssociativeArray, void[]) == false);
assert(__traits(isAssociativeArray, void[3]) == false);
assert(__traits(isAssociativeArray, int[char]) == true);
assert(__traits(isAssociativeArray, float, float) == false);
assert(__traits(isAssociativeArray, float, S) == false);
assert(__traits(isAssociativeArray, void) == false);
assert(__traits(isAssociativeArray, byte) == false);
assert(__traits(isAssociativeArray, ubyte) == false);
assert(__traits(isAssociativeArray, short) == false);
assert(__traits(isAssociativeArray, ushort) == false);
assert(__traits(isAssociativeArray, int) == false);
assert(__traits(isAssociativeArray, uint) == false);
assert(__traits(isAssociativeArray, long) == false);
assert(__traits(isAssociativeArray, ulong) == false);
assert(__traits(isAssociativeArray, float) == false);
assert(__traits(isAssociativeArray, double) == false);
assert(__traits(isAssociativeArray, real) == false);
assert(__traits(isAssociativeArray, ifloat) == false);
assert(__traits(isAssociativeArray, idouble) == false);
assert(__traits(isAssociativeArray, ireal) == false);
assert(__traits(isAssociativeArray, cfloat) == false);
assert(__traits(isAssociativeArray, cdouble) == false);
assert(__traits(isAssociativeArray, creal) == false);
assert(__traits(isAssociativeArray, char) == false);
assert(__traits(isAssociativeArray, wchar) == false);
assert(__traits(isAssociativeArray, dchar) == false);
}
/********************************************************/
void test7()
{
assert(__traits(isStaticArray) == false);
assert(__traits(isStaticArray, S) == false);
assert(__traits(isStaticArray, C) == false);
assert(__traits(isStaticArray, E) == false);
assert(__traits(isStaticArray, void*) == false);
assert(__traits(isStaticArray, void[]) == false);
assert(__traits(isStaticArray, void[3]) == true);
assert(__traits(isStaticArray, int[char]) == false);
assert(__traits(isStaticArray, float, float) == false);
assert(__traits(isStaticArray, float, S) == false);
assert(__traits(isStaticArray, void) == false);
assert(__traits(isStaticArray, byte) == false);
assert(__traits(isStaticArray, ubyte) == false);
assert(__traits(isStaticArray, short) == false);
assert(__traits(isStaticArray, ushort) == false);
assert(__traits(isStaticArray, int) == false);
assert(__traits(isStaticArray, uint) == false);
assert(__traits(isStaticArray, long) == false);
assert(__traits(isStaticArray, ulong) == false);
assert(__traits(isStaticArray, float) == false);
assert(__traits(isStaticArray, double) == false);
assert(__traits(isStaticArray, real) == false);
assert(__traits(isStaticArray, ifloat) == false);
assert(__traits(isStaticArray, idouble) == false);
assert(__traits(isStaticArray, ireal) == false);
assert(__traits(isStaticArray, cfloat) == false);
assert(__traits(isStaticArray, cdouble) == false);
assert(__traits(isStaticArray, creal) == false);
assert(__traits(isStaticArray, char) == false);
assert(__traits(isStaticArray, wchar) == false);
assert(__traits(isStaticArray, dchar) == false);
}
/********************************************************/
void test8()
{
assert(__traits(isAbstractClass) == false);
assert(__traits(isAbstractClass, S) == false);
assert(__traits(isAbstractClass, C) == false);
assert(__traits(isAbstractClass, AC) == true);
assert(__traits(isAbstractClass, E) == false);
assert(__traits(isAbstractClass, void*) == false);
assert(__traits(isAbstractClass, void[]) == false);
assert(__traits(isAbstractClass, void[3]) == false);
assert(__traits(isAbstractClass, int[char]) == false);
assert(__traits(isAbstractClass, float, float) == false);
assert(__traits(isAbstractClass, float, S) == false);
assert(__traits(isAbstractClass, void) == false);
assert(__traits(isAbstractClass, byte) == false);
assert(__traits(isAbstractClass, ubyte) == false);
assert(__traits(isAbstractClass, short) == false);
assert(__traits(isAbstractClass, ushort) == false);
assert(__traits(isAbstractClass, int) == false);
assert(__traits(isAbstractClass, uint) == false);
assert(__traits(isAbstractClass, long) == false);
assert(__traits(isAbstractClass, ulong) == false);
assert(__traits(isAbstractClass, float) == false);
assert(__traits(isAbstractClass, double) == false);
assert(__traits(isAbstractClass, real) == false);
assert(__traits(isAbstractClass, ifloat) == false);
assert(__traits(isAbstractClass, idouble) == false);
assert(__traits(isAbstractClass, ireal) == false);
assert(__traits(isAbstractClass, cfloat) == false);
assert(__traits(isAbstractClass, cdouble) == false);
assert(__traits(isAbstractClass, creal) == false);
assert(__traits(isAbstractClass, char) == false);
assert(__traits(isAbstractClass, wchar) == false);
assert(__traits(isAbstractClass, dchar) == false);
assert(__traits(isAbstractClass, AC2) == true);
assert(__traits(isAbstractClass, AC3) == true);
}
/********************************************************/
void test9()
{
assert(__traits(isFinalClass) == false);
assert(__traits(isFinalClass, C) == false);
assert(__traits(isFinalClass, FC) == true);
}
/********************************************************/
void test10()
{
assert(__traits(isVirtualFunction, C.bar) == true);
assert(__traits(isVirtualFunction, S.bar) == false);
}
/********************************************************/
void test11()
{
assert(__traits(isAbstractFunction, C.bar) == false);
assert(__traits(isAbstractFunction, S.bar) == false);
assert(__traits(isAbstractFunction, AC2.foo) == true);
}
/********************************************************/
void test12()
{
assert(__traits(isFinalFunction, C.bar) == false);
assert(__traits(isFinalFunction, S.bar) == false);
assert(__traits(isFinalFunction, AC2.foo) == false);
assert(__traits(isFinalFunction, FC.foo) == true);
assert(__traits(isFinalFunction, C.foo) == true);
}
/********************************************************/
void test13()
{
S s;
__traits(getMember, s, "x") = 7;
auto i = __traits(getMember, s, "x");
assert(i == 7);
auto j = __traits(getMember, S, "z");
assert(j == 5);
writeln(__traits(hasMember, s, "x"));
assert(__traits(hasMember, s, "x") == true);
assert(__traits(hasMember, S, "z") == true);
assert(__traits(hasMember, S, "aaa") == false);
auto k = __traits(classInstanceSize, C);
writeln(k);
assert(k == C.classinfo.init.length);
}
/********************************************************/
class D14
{
this() { }
~this() { }
void foo() { }
int foo(int) { return 0; }
}
void test14()
{
auto a = [__traits(derivedMembers, D14)];
writeln(a);
assert(a == ["__ctor","__dtor","foo"]);
}
/********************************************************/
class D15
{
this() { }
~this() { }
void foo() { }
int foo(int) { return 2; }
}
void test15()
{
D15 d = new D15();
foreach (t; __traits(getVirtualFunctions, D15, "foo"))
writeln(typeid(typeof(t)));
alias typeof(__traits(getVirtualFunctions, D15, "foo")) b;
foreach (t; b)
writeln(typeid(t));
auto i = __traits(getVirtualFunctions, d, "foo")[1](1);
assert(i == 2);
}
/********************************************************/
struct S16 { }
int foo16();
int bar16();
void test16()
{
assert(__traits(isSame, foo16, foo16) == true);
assert(__traits(isSame, foo16, bar16) == false);
assert(__traits(isSame, foo16, S16) == false);
assert(__traits(isSame, S16, S16) == true);
assert(__traits(isSame, std, S16) == false);
assert(__traits(isSame, std, std) == true);
}
/********************************************************/
struct S17
{
static int s1;
int s2;
}
int foo17();
void test17()
{
assert(__traits(compiles) == false);
assert(__traits(compiles, foo17) == true);
assert(__traits(compiles, foo17 + 1) == true);
assert(__traits(compiles, &foo17 + 1) == false);
assert(__traits(compiles, typeof(1)) == true);
assert(__traits(compiles, S17.s1) == true);
assert(__traits(compiles, S17.s3) == false);
assert(__traits(compiles, 1,2,3,int,long,std) == true);
assert(__traits(compiles, 3[1]) == false);
assert(__traits(compiles, 1,2,3,int,long,3[1]) == false);
}
/********************************************************/
interface D18
{
extern(Windows):
void foo();
int foo(int);
}
void test18()
{
auto a = __traits(allMembers, D18);
writeln(a);
assert(a.length == 1);
}
/********************************************************/
class C19
{
void mutating_method(){}
const void const_method(){}
void bastard_method(){}
const void bastard_method(int){}
}
void test19()
{
auto a = __traits(allMembers, C19);
writeln(a);
assert(a.length == 9);
foreach( m; __traits(allMembers, C19) )
writeln(m);
}
/********************************************************/
void test20()
{
void fooref(ref int x)
{
static assert(__traits(isRef, x));
static assert(!__traits(isOut, x));
static assert(!__traits(isLazy, x));
}
void fooout(out int x)
{
static assert(!__traits(isRef, x));
static assert(__traits(isOut, x));
static assert(!__traits(isLazy, x));
}
void foolazy(lazy int x)
{
static assert(!__traits(isRef, x));
static assert(!__traits(isOut, x));
static assert(__traits(isLazy, x));
}
}
/********************************************************/
void test21()
{
assert(__traits(isStaticFunction, C.bar) == false);
assert(__traits(isStaticFunction, C.abc) == true);
assert(__traits(isStaticFunction, S.bar) == false);
}
/********************************************************/
class D22
{
this() { }
~this() { }
void foo() { }
int foo(int) { return 2; }
}
void test22()
{
D22 d = new D22();
foreach (t; __traits(getOverloads, D22, "foo"))
writeln(typeid(typeof(t)));
alias typeof(__traits(getOverloads, D22, "foo")) b;
foreach (t; b)
writeln(typeid(t));
auto i = __traits(getOverloads, d, "foo")[1](1);
assert(i == 2);
}
/********************************************************/
string toString23(E)(E value) if (is(E == enum)) {
foreach (s; __traits(allMembers, E)) {
if (value == mixin("E." ~ s)) return s;
}
return null;
}
enum OddWord { acini, alembicated, prolegomena, aprosexia }
void test23()
{
auto w = OddWord.alembicated;
assert(toString23(w) == "alembicated");
}
/********************************************************/
template Foo2234(){ int x; }
struct S2234a{ mixin Foo2234; }
struct S2234b{ mixin Foo2234; mixin Foo2234; }
struct S2234c{ alias Foo2234!() foo; }
static assert([__traits(allMembers, S2234a)] == ["x"]);
static assert([__traits(allMembers, S2234b)] == ["x"]);
static assert([__traits(allMembers, S2234c)] == ["foo"]);
/********************************************************/
mixin template Members6674()
{
static int i1;
static int i2;
static int i3; //comment out to make func2 visible
static int i4; //comment out to make func1 visible
}
class Test6674
{
mixin Members6674;
alias void function() func1;
alias bool function() func2;
}
static assert([__traits(allMembers,Test6674)] == [
"i1","i2","i3","i4",
"func1","func2",
"toString","toHash","opCmp","opEquals","Monitor","factory"]);
/********************************************************/
// 6073
struct S6073 {}
template T6073(M...) {
//alias int T;
}
alias T6073!traits V6073; // ok
alias T6073!(__traits(parent, S6073)) U6073; // error
static assert(__traits(isSame, V6073, U6073)); // same instantiation == same arguemnts
/********************************************************/
int main()
{
test1();
test2();
test3();
test4();
test5();
test6();
test7();
test8();
test9();
test10();
test11();
test12();
test13();
test14();
test15();
test16();
test17();
test18();
test19();
test20();
test21();
test22();
test23();
writeln("Success");
return 0;
}
|
D
|
// Copyright Brian Schott 2015.
// 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 dfmt.indentation;
import dparse.lexer;
/**
* Returns: true if the given token type is a wrap indent type
*/
bool isWrapIndent(IdType type) pure nothrow @nogc @safe
{
return type != tok!"{" && type != tok!"case" && type != tok!"@"
&& type != tok!"]" && type != tok!"(" && type != tok!")" && isOperator(type);
}
/**
* Returns: true if the given token type is a temporary indent type
*/
bool isTempIndent(IdType type) pure nothrow @nogc @safe
{
return type != tok!")" && type != tok!"{" && type != tok!"case" && type != tok!"@";
}
/**
* Stack for managing indent levels.
*/
struct IndentStack
{
/**
* Get the indent size at the most recent occurrence of the given indent type
*/
int indentToMostRecent(IdType item) const
{
if (index == 0)
return -1;
size_t i = index - 1;
while (true)
{
if (arr[i] == item)
return indentSize(i);
if (i > 0)
i--;
else
return -1;
}
}
int wrapIndents() const pure nothrow @property
{
if (index == 0)
return 0;
int tempIndentCount = 0;
for (size_t i = index; i > 0; i--)
{
if (!isWrapIndent(arr[i - 1]) && arr[i - 1] != tok!"]")
break;
tempIndentCount++;
}
return tempIndentCount;
}
/**
* Pushes the given indent type on to the stack.
*/
void push(IdType item) pure nothrow
{
arr[index] = item;
index = index + 1 == arr.length ? index : index + 1;
}
/**
* Pops the top indent from the stack.
*/
void pop() pure nothrow
{
index = index == 0 ? index : index - 1;
}
/**
* Pops all wrapping indents from the top of the stack.
*/
void popWrapIndents() pure nothrow @safe @nogc
{
while (index > 0 && isWrapIndent(arr[index - 1]))
index--;
}
/**
* Pops all temporary indents from the top of the stack.
*/
void popTempIndents() pure nothrow @safe @nogc
{
while (index > 0 && isTempIndent(arr[index - 1]))
index--;
}
bool topAre(IdType[] types...)
{
if (types.length > index)
return false;
return arr[index - types.length .. index] == types;
}
/**
* Returns: `true` if the top of the indent stack is the given indent type.
*/
bool topIs(IdType type) const pure nothrow @safe @nogc
{
return index > 0 && index <= arr.length && arr[index - 1] == type;
}
/**
* Returns: `true` if the top of the indent stack is a temporary indent
*/
bool topIsTemp()
{
return index > 0 && index <= arr.length && isTempIndent(arr[index - 1]);
}
/**
* Returns: `true` if the top of the indent stack is a wrapping indent
*/
bool topIsWrap()
{
return index > 0 && index <= arr.length && isWrapIndent(arr[index - 1]);
}
/**
* Returns: `true` if the top of the indent stack is one of the given token
* types.
*/
bool topIsOneOf(IdType[] types...) const pure nothrow @safe @nogc
{
if (index == 0)
return false;
immutable topType = arr[index - 1];
foreach (t; types)
if (t == topType)
return true;
return false;
}
IdType top() const pure nothrow @property @safe @nogc
{
return arr[index - 1];
}
int indentLevel() const pure nothrow @property @safe @nogc
{
return indentSize();
}
int length() const pure nothrow @property @safe @nogc
{
return cast(int) index;
}
/+void dump()
{
import std.stdio : stderr;
import dparse.lexer : str;
import std.algorithm.iteration : map;
stderr.writefln("\033[31m%(%s %)\033[0m", arr[0 .. index].map!(a => str(a)));
}+/
private:
size_t index;
IdType[256] arr;
int indentSize(const size_t k = size_t.max) const pure nothrow @safe @nogc
{
if (index == 0 || k == 0)
return 0;
immutable size_t j = k == size_t.max ? index : k;
int size = 0;
int parenCount;
foreach (i; 0 .. j)
{
immutable int pc = (arr[i] == tok!"!" || arr[i] == tok!"(" || arr[i] == tok!")") ? parenCount + 1
: parenCount;
if ((isWrapIndent(arr[i]) || arr[i] == tok!"(") && parenCount > 1)
{
parenCount = pc;
continue;
}
if (i + 1 < index)
{
if (arr[i] == tok!"]")
continue;
immutable currentIsNonWrapTemp = !isWrapIndent(arr[i])
&& isTempIndent(arr[i]) && arr[i] != tok!")" && arr[i] != tok!"!";
if (arr[i] == tok!"static" && (arr[i + 1] == tok!"if"
|| arr[i + 1] == tok!"else") && (i + 2 >= index || arr[i + 2] != tok!"{"))
{
parenCount = pc;
continue;
}
if (currentIsNonWrapTemp && (arr[i + 1] == tok!"switch"
|| arr[i + 1] == tok!"{" || arr[i + 1] == tok!")"))
{
parenCount = pc;
continue;
}
}
else if (parenCount == 0 && arr[i] == tok!"(")
size++;
if (arr[i] == tok!"!")
size++;
parenCount = pc;
size++;
}
return size;
}
}
unittest
{
IndentStack stack;
stack.push(tok!"{");
assert(stack.length == 1);
assert(stack.indentLevel == 1);
stack.pop();
assert(stack.length == 0);
assert(stack.indentLevel == 0);
stack.push(tok!"if");
assert(stack.topIsTemp());
stack.popTempIndents();
assert(stack.length == 0);
}
|
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.
*/
//
//#ifndef ZK_LOG_H_
//#define ZK_LOG_H_
//
//#include <zookeeper.h>
//
//#ifdef __cplusplus
//extern "C" {
//#endif
module deimos.zookeeper.zookeeper_log;
import deimos.zookeeper.zookeeper;
extern(C):
__gshared ZooLogLevel logLevel;
//alias LOGSTREAM = getLogStream();
//
//void LOG_ERROR(x) if(logLevel>=ZOO_LOG_LEVEL_ERROR) \
// log_message(ZOO_LOG_LEVEL_ERROR,__LINE__,__func__,format_log_message x)
//#define LOG_WARN(x) if(logLevel>=ZOO_LOG_LEVEL_WARN) \
// log_message(ZOO_LOG_LEVEL_WARN,__LINE__,__func__,format_log_message x)
//#define LOG_INFO(x) if(logLevel>=ZOO_LOG_LEVEL_INFO) \
// log_message(ZOO_LOG_LEVEL_INFO,__LINE__,__func__,format_log_message x)
//#define LOG_DEBUG(x) if(logLevel==ZOO_LOG_LEVEL_DEBUG) \
// log_message(ZOO_LOG_LEVEL_DEBUG,__LINE__,__func__,format_log_message x)
//
void log_message(ZooLogLevel curLevel, int line,const char* funcName, const char* message);
//
const(char) * format_log_message(const char* format,...);
//
//FILE* getLogStream();
//
//#ifdef __cplusplus
//}
//#endif
//
//#endif /*ZK_LOG_H_*/
|
D
|
/**
* TypeInfo support code.
*
* Copyright: Copyright Digital Mars 2004 - 2009.
* License: <a href="http://www.boost.org/LICENSE_1_0.txt">Boost License 1.0</a>.
* Authors: Walter Bright
*/
/* Copyright Digital Mars 2004 - 2009.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE or copy at
* http://www.boost.org/LICENSE_1_0.txt)
*/
module rt.typeinfo.ti_Aint;
private import core.stdc.string;
private import rt.util.hash;
// int[]
class TypeInfo_Ai : TypeInfo_Array
{
override equals_t opEquals(const Object o) { return TypeInfo.opEquals(o); }
@trusted:
const:
pure:
nothrow:
override string toString() const pure nothrow @safe { return "int[]"; }
override hash_t getHash(in void* p)
{
int[] s = *cast(int[]*)p;
return hashOf(s.ptr, s.length * int.sizeof);
}
override equals_t equals(in void* p1, in void* p2)
{
int[] s1 = *cast(int[]*)p1;
int[] s2 = *cast(int[]*)p2;
return s1.length == s2.length &&
memcmp(cast(void *)s1, cast(void *)s2, s1.length * int.sizeof) == 0;
}
override int compare(in void* p1, in void* p2)
{
int[] s1 = *cast(int[]*)p1;
int[] s2 = *cast(int[]*)p2;
size_t len = s1.length;
if (s2.length < len)
len = s2.length;
for (size_t u = 0; u < len; u++)
{
int result = s1[u] - s2[u];
if (result)
return result;
}
if (s1.length < s2.length)
return -1;
else if (s1.length > s2.length)
return 1;
return 0;
}
override @property const(TypeInfo) next() nothrow pure
{
return typeid(int);
}
}
unittest
{
int[][] a = [[5,3,8,7], [2,5,3,8,7]];
a.sort;
assert(a == [[2,5,3,8,7], [5,3,8,7]]);
a = [[5,3,8,7], [5,3,8]];
a.sort;
assert(a == [[5,3,8], [5,3,8,7]]);
}
// uint[]
class TypeInfo_Ak : TypeInfo_Ai
{
@trusted:
const:
pure:
nothrow:
override string toString() const pure nothrow @safe { return "uint[]"; }
override int compare(in void* p1, in void* p2)
{
uint[] s1 = *cast(uint[]*)p1;
uint[] s2 = *cast(uint[]*)p2;
size_t len = s1.length;
if (s2.length < len)
len = s2.length;
for (size_t u = 0; u < len; u++)
{
int result = s1[u] - s2[u];
if (result)
return result;
}
if (s1.length < s2.length)
return -1;
else if (s1.length > s2.length)
return 1;
return 0;
}
override @property const(TypeInfo) next() nothrow pure
{
return typeid(uint);
}
}
// dchar[]
class TypeInfo_Aw : TypeInfo_Ak
{
@trusted:
const:
pure:
nothrow:
override string toString() const pure nothrow @safe { return "dchar[]"; }
override @property const(TypeInfo) next() nothrow pure
{
return typeid(dchar);
}
}
|
D
|
module xf.zig.Shield;
private {
import xf.dog.OpenGL;
import xf.dog.GLWrap;
import xf.maths.Misc;
import xf.maths.Vec;
extern (C) int printf(char* format, ...);
}
class Shield {
this(float radius) {
this.radius = radius;
}
void render(GL gl) {
const int segments = 16;
float[segments+1] precalcMult;
foreach (i, ref m; precalcMult) {
float a = i * 360.f / segments;
m = calcMult(a);
}
auto iter = delegate int(int delegate(inout float a, inout float mult, inout float rmult) dg) {
for (int i = 0; i <= segments; ++i) {
float mult = precalcMult[i];
float alpha = color.a * mult * (energy / maxEnergy);
gl.Color4f(color.r, color.g, color.b, alpha);
float rmult = renderThicknessFunc(mult);
float a = i * 360.f / segments;
if (auto res = dg(a, mult, rmult)) return res;
}
return 0;
};
gl.withState(GL_BLEND, GL_LINE_SMOOTH) in {
gl.BlendFunc(GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA);
// outer line
gl.immediate(GL_LINE_STRIP, {
foreach (a, mult, rmult; iter) {
float d = this.radius + rmult;
float arad = deg2rad * a;
gl.Vertex2f(-sin(arad) * d, cos(arad) * d);
}
});
// inner line
gl.immediate(GL_LINE_STRIP, {
foreach (a, mult, rmult; iter) {
float d = this.radius;
float arad = deg2rad * a;
gl.Vertex2f(-sin(arad) * d, cos(arad) * d);
}
});
};
}
void update() {
energy += rechargeRate;
if (energy > maxEnergy) energy = maxEnergy;
}
float takeDamage(float dmg) {
energy -= dmg;
if (energy < 0.f) {
float res = -energy;
energy = 0.f;
return res;
} else {
return 0.f;
}
}
float calcMult(float angle) {
int idx1 = genIdx(angle);
int idx0 = (idx1 + numGens - 1) % numGens;
int idx2 = (idx1 + 1) % numGens;
float i01 = circleAbsDiff!(360.f)(idx0 * genSpacing, angle) / genSpacing;
float i12 = circleAbsDiff!(360.f)(idx2 * genSpacing, angle) / genSpacing;
float i02 = circleAbsDiff!(360.f)(idx0 * genSpacing, angle) / (genSpacing * 2);
void wrap01(inout float f) {
if (f < 0.f) f = 0.f;
if (f > 1.f) f = 1.f;
}
wrap01(i01);
wrap01(i12);
wrap01(i02);
// Bezier-like interpolation
float v01, v12, res;
linearInterp(i01, focus[idx0], focus[idx1], v01);
linearInterp(i12, focus[idx2], focus[idx1], v12);
linearInterp(i02, v01, v12, res);
return res;
}
void focusAtAngle(float angle) {
focus[genIdx(angle)] += focusIncr;
focus[idxOffset(genIdx(angle), -1)] += focusIncr * focusNeighIncr;
focus[idxOffset(genIdx(angle), 1)] += focusIncr * focusNeighIncr;
normalizeFocus();
}
private {
int genIdx(float angle) {
return rndint(angle / 45.f) % numGens;
}
int idxOffset(int idx, int offset) {
assert (-offset <= numGens);
return (idx + numGens + offset) % numGens;
}
void resetFocus() {
focus[] = 1.f;
}
void normalizeFocus() {
foreach (inout f; focus) {
if (f > maxFocus) f = maxFocus;
if (f < minFocus) f = minFocus;
}
float sum = 0.f;
foreach (f; focus) sum += f;
float norm = (1.f * numGens) / sum;
foreach (inout f; focus) f *= norm;
}
float renderThicknessFunc(float th) {
return thicknessMult * th;
}
}
const int numGens = 8;
const float genSpacing = 360.f / numGens;
float[8] focus = 1.f; // angle = index * 45
int focusAngle = 0;
float energy = 100.f;
float maxEnergy = 100.f;
float rechargeRate = 10.f * .01f; // 10 per second
float maxFocus = 10.f;
float minFocus = .1f;
float focusIncr = 0.08f;
float focusNeighIncr = 0.25;
float radius = 0.f;
float thicknessMult = 0.125f;
vec4 color = {r: 0.4f, g: 0.7f, b:1.f, a:0.4f};
}
|
D
|
/**
*
*/
module hunt.wechat.bean.card.update.UpdateCash;
import hunt.wechat.bean.card.Cash;
/**
* 微信卡券-卡券管理-更改卡券信息接口(代金券)-请求参数
*
*
*/
class UpdateCash : AbstractUpdate {
/**
* 代金券
*/
private Cash cash;
/**
* @return 代金券
*/
public Cash getCash() {
return cash;
}
/**
* @param cash 代金券
*/
public void setCash(Cash cash) {
this.cash = cash;
}
}
|
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.idm.engine.impl.cmd.CreateTokenQueryCmd;
import flow.common.interceptor.Command;
import flow.common.interceptor.CommandContext;
import flow.idm.api.TokenQuery;
import flow.idm.engine.impl.util.CommandContextUtil;
import hunt.Exceptions;
/**
* @author Tijs Rademakers
*/
class CreateTokenQueryCmd : Command!TokenQuery {
public TokenQuery execute(CommandContext commandContext) {
implementationMissing(false);
return null;
//return CommandContextUtil.getTokenEntityManager(commandContext).createNewTokenQuery();
}
}
|
D
|
/**
* Contains all implicitly declared types and variables.
*
* Copyright: Copyright Digital Mars 2000 - 2011.
* License: <a href="http://www.boost.org/LICENSE_1_0.txt">Boost License 1.0</a>.
* Authors: Walter Bright, Sean Kelly
*
* Copyright Digital Mars 2000 - 2011.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE or copy at
* http://www.boost.org/LICENSE_1_0.txt)
*/
module object;
private
{
extern(C) void rt_finalize(void *ptr, bool det=true);
}
alias typeof(int.sizeof) size_t;
alias typeof(cast(void*)0 - cast(void*)0) ptrdiff_t;
alias ptrdiff_t sizediff_t;
alias size_t hash_t;
alias bool equals_t;
alias immutable(char)[] string;
alias immutable(wchar)[] wstring;
alias immutable(dchar)[] dstring;
class Object
{
string toString();
hash_t toHash() @trusted nothrow;
int opCmp(Object o);
equals_t opEquals(Object o);
equals_t opEquals(Object lhs, Object rhs);
interface Monitor
{
void lock();
void unlock();
}
static Object factory(string classname);
}
bool opEquals(const Object lhs, const Object rhs);
bool opEquals(Object lhs, Object rhs);
//bool opEquals(TypeInfo lhs, TypeInfo rhs);
void setSameMutex(shared Object ownee, shared Object owner);
struct Interface
{
TypeInfo_Class classinfo;
void*[] vtbl;
ptrdiff_t offset; // offset to Interface 'this' from Object 'this'
}
struct OffsetTypeInfo
{
size_t offset;
TypeInfo ti;
}
class TypeInfo
{
hash_t getHash(in void* p) @trusted nothrow const;
equals_t equals(in void* p1, in void* p2) const;
int compare(in void* p1, in void* p2) const;
@property size_t tsize() nothrow pure const @safe;
void swap(void* p1, void* p2) const;
@property const(TypeInfo) next() nothrow pure const;
const(void)[] init() nothrow pure const @safe; // TODO: make this a property, but may need to be renamed to diambiguate with T.init...
@property uint flags() nothrow pure const @safe;
// 1: // has possible pointers into GC memory
const(OffsetTypeInfo)[] offTi() const;
void destroy(void* p) const;
void postblit(void* p) const;
@property size_t talign() nothrow pure const @safe;
version (X86_64) int argTypes(out TypeInfo arg1, out TypeInfo arg2) @safe nothrow;
@property immutable(void)* rtInfo() nothrow pure const @safe;
}
class TypeInfo_Typedef : TypeInfo
{
TypeInfo base;
string name;
void[] m_init;
}
class TypeInfo_Enum : TypeInfo_Typedef
{
}
class TypeInfo_Pointer : TypeInfo
{
TypeInfo m_next;
}
class TypeInfo_Array : TypeInfo
{
override string toString() const;
override equals_t opEquals(Object o);
override hash_t getHash(in void* p) @trusted const;
override equals_t equals(in void* p1, in void* p2) const;
override int compare(in void* p1, in void* p2) const;
override @property size_t tsize() nothrow pure const;
override void swap(void* p1, void* p2) const;
override @property const(TypeInfo) next() nothrow pure const;
override @property uint flags() nothrow pure const;
override @property size_t talign() nothrow pure const;
version (X86_64) override int argTypes(out TypeInfo arg1, out TypeInfo arg2);
TypeInfo value;
}
class TypeInfo_Vector : TypeInfo
{
TypeInfo base;
}
class TypeInfo_StaticArray : TypeInfo
{
TypeInfo value;
size_t len;
}
class TypeInfo_AssociativeArray : TypeInfo
{
TypeInfo value;
TypeInfo key;
TypeInfo impl;
}
class TypeInfo_Function : TypeInfo
{
TypeInfo next;
string deco;
}
class TypeInfo_Delegate : TypeInfo
{
TypeInfo next;
string deco;
}
class TypeInfo_Class : TypeInfo
{
@property auto info() @safe nothrow pure const { return this; }
@property auto typeinfo() @safe nothrow pure const { return this; }
byte[] init; // class static initializer
string name; // class name
void*[] vtbl; // virtual function pointer table
Interface[] interfaces;
TypeInfo_Class base;
void* destructor;
void function(Object) classInvariant;
uint m_flags;
// 1: // is IUnknown or is derived from IUnknown
// 2: // has no possible pointers into GC memory
// 4: // has offTi[] member
// 8: // has constructors
// 16: // has xgetMembers member
// 32: // has typeinfo member
void* deallocator;
OffsetTypeInfo[] m_offTi;
void* defaultConstructor;
immutable(void)* m_rtInfo; // data for precise GC
static const(TypeInfo_Class) find(in char[] classname);
Object create() const;
}
alias TypeInfo_Class ClassInfo;
class TypeInfo_Interface : TypeInfo
{
ClassInfo info;
}
class TypeInfo_Struct : TypeInfo
{
string name;
void[] m_init;
@safe pure nothrow
{
uint function(in void*) xtoHash;
equals_t function(in void*, in void*) xopEquals;
int function(in void*, in void*) xopCmp;
string function(in void*) xtoString;
uint m_flags;
}
void function(void*) xdtor;
void function(void*) xpostblit;
uint m_align;
version (X86_64)
{
TypeInfo m_arg1;
TypeInfo m_arg2;
}
immutable(void)* m_rtInfo;
}
class TypeInfo_Tuple : TypeInfo
{
TypeInfo[] elements;
}
class TypeInfo_Const : TypeInfo
{
TypeInfo next;
}
class TypeInfo_Invariant : TypeInfo_Const
{
}
class TypeInfo_Shared : TypeInfo_Const
{
}
class TypeInfo_Inout : TypeInfo_Const
{
}
abstract class MemberInfo
{
@property string name() nothrow pure;
}
class MemberInfo_field : MemberInfo
{
this(string name, TypeInfo ti, size_t offset);
override @property string name() nothrow pure;
@property TypeInfo typeInfo() nothrow pure;
@property size_t offset() nothrow pure;
}
class MemberInfo_function : MemberInfo
{
enum
{
Virtual = 1,
Member = 2,
Static = 4,
}
this(string name, TypeInfo ti, void* fp, uint flags);
override @property string name() nothrow pure;
@property TypeInfo typeInfo() nothrow pure;
@property void* fp() nothrow pure;
@property uint flags() nothrow pure;
}
struct ModuleInfo
{
struct New
{
uint flags;
uint index;
}
struct Old
{
string name;
ModuleInfo*[] importedModules;
TypeInfo_Class[] localClasses;
uint flags;
void function() ctor;
void function() dtor;
void function() unitTest;
void* xgetMembers;
void function() ictor;
void function() tlsctor;
void function() tlsdtor;
uint index;
void*[1] reserved;
}
union
{
New n;
Old o;
}
@property bool isNew() nothrow pure;
@property uint index() nothrow pure;
@property void index(uint i) nothrow pure;
@property uint flags() nothrow pure;
@property void flags(uint f) nothrow pure;
@property void function() tlsctor() nothrow pure;
@property void function() tlsdtor() nothrow pure;
@property void* xgetMembers() nothrow pure;
@property void function() ctor() nothrow pure;
@property void function() dtor() nothrow pure;
@property void function() ictor() nothrow pure;
@property void function() unitTest() nothrow pure;
@property ModuleInfo*[] importedModules() nothrow pure;
@property TypeInfo_Class[] localClasses() nothrow pure;
@property string name() nothrow pure;
static int opApply(scope int delegate(ref ModuleInfo*) dg);
}
class Throwable : Object
{
interface TraceInfo
{
int opApply(scope int delegate(ref const(char[]))) const;
int opApply(scope int delegate(ref size_t, ref const(char[]))) const;
string toString() const;
}
string msg;
string file;
size_t line;
TraceInfo info;
Throwable next;
this(string msg, Throwable next = null);
this(string msg, string file, size_t line, Throwable next = null);
override string toString();
}
class Exception : Throwable
{
this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null)
{
super(msg, file, line, next);
}
this(string msg, Throwable next, string file = __FILE__, size_t line = __LINE__)
{
super(msg, file, line, next);
}
}
class Error : Throwable
{
this(string msg, Throwable next = null)
{
super(msg, next);
bypassedException = null;
}
this(string msg, string file, size_t line, Throwable next = null)
{
super(msg, file, line, next);
bypassedException = null;
}
Throwable bypassedException;
}
extern (C)
{
// from druntime/compiler/gdc/rt/aaA.d
size_t _aaLen(void* p);
void* _aaGetX(void** pp, TypeInfo keyti, size_t valuesize, void* pkey);
void* _aaGetRvalueX(void* p, TypeInfo keyti, size_t valuesize, void* pkey);
void* _aaInX(void* p, TypeInfo keyti, void* pkey);
bool _aaDelX(void* p, TypeInfo keyti, void* pkey);
void[] _aaValues(void* p, size_t keysize, size_t valuesize);
void[] _aaKeys(void* p, size_t keysize);
void* _aaRehash(void** pp, TypeInfo keyti);
extern (D) alias scope int delegate(void *) _dg_t;
int _aaApply(void* aa, size_t keysize, _dg_t dg);
extern (D) alias scope int delegate(void *, void *) _dg2_t;
int _aaApply2(void* aa, size_t keysize, _dg2_t dg);
void* _d_assocarrayliteralTX(TypeInfo_AssociativeArray ti, void[] keys, void[] values);
}
struct AssociativeArray(Key, Value)
{
private:
// Duplicates of the stuff found in druntime/src/rt/aaA.d
struct Slot
{
Slot *next;
hash_t hash;
Key key;
Value value;
}
struct Hashtable
{
Slot*[] b;
size_t nodes;
TypeInfo keyti;
Slot*[4] binit;
}
void* p; // really Hashtable*
struct Range
{
// State
Slot*[] slots;
Slot* current;
this(void * aa)
{
if (!aa) return;
auto pImpl = cast(Hashtable*) aa;
slots = pImpl.b;
nextSlot();
}
void nextSlot()
{
foreach (i, slot; slots)
{
if (!slot) continue;
current = slot;
slots = slots.ptr[i .. slots.length];
break;
}
}
public:
@property bool empty() const
{
return current is null;
}
@property ref inout(Slot) front() inout
{
assert(current);
return *current;
}
void popFront()
{
assert(current);
current = current.next;
if (!current)
{
slots = slots[1 .. $];
nextSlot();
}
}
}
public:
@property size_t length() { return _aaLen(p); }
Value[Key] rehash() @property
{
auto p = _aaRehash(&p, typeid(Value[Key]));
return *cast(Value[Key]*)(&p);
}
Value[] values() @property
{
auto a = _aaValues(p, Key.sizeof, Value.sizeof);
return *cast(Value[]*) &a;
}
Key[] keys() @property
{
auto a = _aaKeys(p, Key.sizeof);
return *cast(Key[]*) &a;
}
int opApply(scope int delegate(ref Key, ref Value) dg)
{
return _aaApply2(p, Key.sizeof, cast(_dg2_t)dg);
}
int opApply(scope int delegate(ref Value) dg)
{
return _aaApply(p, Key.sizeof, cast(_dg_t)dg);
}
Value get(Key key, lazy Value defaultValue)
{
auto p = key in *cast(Value[Key]*)(&p);
return p ? *p : defaultValue;
}
static if (is(typeof({ Value[Key] r; r[Key.init] = Value.init; }())))
@property Value[Key] dup()
{
Value[Key] result;
foreach (k, v; this)
{
result[k] = v;
}
return result;
}
@property auto byKey()
{
static struct Result
{
Range state;
this(void* p)
{
state = Range(p);
}
@property ref Key front()
{
return state.front.key;
}
alias state this;
}
return Result(p);
}
@property auto byValue()
{
static struct Result
{
Range state;
this(void* p)
{
state = Range(p);
}
@property ref Value front()
{
return state.front.value;
}
alias state this;
}
return Result(p);
}
}
unittest
{
auto a = [ 1:"one", 2:"two", 3:"three" ];
auto b = a.dup;
assert(b == [ 1:"one", 2:"two", 3:"three" ]);
}
// Scheduled for deprecation in December 2012.
// Please use destroy instead of clear.
alias destroy clear;
void destroy(T)(T obj) if (is(T == class))
{
rt_finalize(cast(void*)obj);
}
void destroy(T)(ref T obj) if (is(T == struct))
{
typeid(T).destroy(&obj);
auto buf = (cast(ubyte*) &obj)[0 .. T.sizeof];
auto init = cast(ubyte[])typeid(T).init();
if(init.ptr is null) // null ptr means initialize to 0s
buf[] = 0;
else
buf[] = init[];
}
void destroy(T : U[n], U, size_t n)(ref T obj)
{
obj = T.init;
}
void destroy(T)(ref T obj)
if (!is(T == struct) && !is(T == class) && !_isStaticArray!T)
{
obj = T.init;
}
template _isStaticArray(T : U[N], U, size_t N)
{
enum bool _isStaticArray = true;
}
template _isStaticArray(T)
{
enum bool _isStaticArray = false;
}
private
{
extern (C) void _d_arrayshrinkfit(TypeInfo ti, void[] arr);
extern (C) size_t _d_arraysetcapacity(TypeInfo ti, size_t newcapacity, void *arrptr) pure nothrow;
}
@property size_t capacity(T)(T[] arr) pure nothrow
{
return _d_arraysetcapacity(typeid(T[]), 0, cast(void *)&arr);
}
size_t reserve(T)(ref T[] arr, size_t newcapacity) pure nothrow
{
return _d_arraysetcapacity(typeid(T[]), newcapacity, cast(void *)&arr);
}
void assumeSafeAppend(T)(T[] arr)
{
_d_arrayshrinkfit(typeid(T[]), *(cast(void[]*)&arr));
}
bool _ArrayEq(T1, T2)(T1[] a1, T2[] a2)
{
if (a1.length != a2.length)
return false;
foreach(i, a; a1)
{ if (a != a2[i])
return false;
}
return true;
}
bool _xopEquals(in void* ptr, in void* ptr);
void __ctfeWrite(T...)(auto ref T) {}
void __ctfeWriteln(T...)(auto ref T values) { __ctfeWrite(values, "\n"); }
template RTInfo(T)
{
enum RTInfo = cast(void*)0x12345678;
}
version (unittest)
{
string __unittest_toString(T)(ref T value) pure nothrow @trusted
{
static if (is(T == string))
return `"` ~ value ~ `"`; // TODO: Escape internal double-quotes.
else
{
version (druntime_unittest)
{
return T.stringof;
}
else
{
enum phobos_impl = q{
import std.traits;
alias Unqual!T U;
static if (isFloatingPoint!U)
{
import std.string;
enum format_string = is(U == float) ? "%.7g" :
is(U == double) ? "%.16g" : "%.20g";
return (cast(string function(...) pure nothrow @safe)&format)(format_string, value);
}
else
{
import std.conv;
alias to!string toString;
alias toString!T f;
return (cast(string function(T) pure nothrow @safe)&f)(value);
}
};
enum tango_impl = q{
import tango.util.Convert;
alias to!(string, T) f;
return (cast(string function(T) pure nothrow @safe)&f)(value);
};
static if (__traits(compiles, { mixin(phobos_impl); }))
mixin(phobos_impl);
else static if (__traits(compiles, { mixin(tango_impl); }))
mixin(tango_impl);
else
return T.stringof;
}
}
}
}
|
D
|
/**
Module implements Image utility class, and basic API for image manipulation.
Image class encapsulates image properties with minimal functionality. It is primarily designed to be used as I/O unit.
For any image processing needs, image data can be sliced to mir.ndslice.slice.Slice.
Example:
----
Image image = new Image(32, 32, ImageFormat.IF_MONO, BitDepth.BD_32);
Slice!(3, float*) slice = image.sliced!float; // slice image data, considering the data is of float type.
assert(image.height == slice.length!0 && image.width == slice.length!1);
assert(image.channels == 1);
image = slice.asImage(ImageFormat.IF_MONO); // create the image back from sliced data.
----
Copyright: Copyright Relja Ljubobratovic 2016.
Authors: Relja Ljubobratovic
License: $(LINK3 http://www.boost.org/LICENSE_1_0.txt, Boost Software License - Version 1.0).
*/
module dcv.core.image;
import std.exception : enforce;
import std.algorithm : reduce;
public import mir.ndslice;
/// Image (pixel) format.
enum ImageFormat
{
IF_UNASSIGNED = 0, /// Not assigned format.
IF_MONO, /// Mono, single channel format.
IF_MONO_ALPHA, /// Mono with alpha channel.
IF_RGB, /// RGB format.
IF_BGR, /// BGR format.
IF_YUV, /// YUV (YCbCr) format.
IF_RGB_ALPHA, /// RGB format with alpha.
IF_BGR_ALPHA /// BGR format with alpha.
}
immutable ulong[] imageFormatChannelCount = [0, // unassigned
1, // mono
2, // mono alpha
3, // rgb
3, // bgr
3, // yuv
4, // rgba
4 // bgra
];
/// Bit depth of a pixel in an image.
enum BitDepth : size_t
{
BD_UNASSIGNED = 0, /// Not assigned depth info.
BD_8 = 8, /// 8-bit (ubyte) depth type.
BD_16 = 16, /// 16-bit (ushort) depth type.
BD_32 = 32 /// 32-bit (float) depth type.
}
private pure nothrow @safe auto getDepthFromType(T)()
{
static if (is(T == ubyte))
{
return BitDepth.BD_8;
}
else static if (is(T == ushort))
{
return BitDepth.BD_16;
}
else static if (is(T == float))
{
return BitDepth.BD_32;
}
else
{
return BitDepth.BD_UNASSIGNED;
}
}
unittest
{
assert(getDepthFromType!ubyte == BitDepth.BD_8);
assert(getDepthFromType!ushort == BitDepth.BD_16);
assert(getDepthFromType!float == BitDepth.BD_32);
assert(getDepthFromType!real == BitDepth.BD_UNASSIGNED);
}
/**
Image abstraction type.
*/
class Image
{
private:
// Format of an image.
ImageFormat _format = ImageFormat.IF_UNASSIGNED;
// Bit depth of a pixel: (8 - uchar, 16 - ushort, 32 - float)
BitDepth _depth = BitDepth.BD_UNASSIGNED;
// Width of the image.
size_t _width = 0;
// Height of the image.
size_t _height = 0;
// Image pixel (data) array.
ubyte[] _data = null;
public:
pure @safe nothrow this()
{
}
/**
Copy constructor.
Params:
copy = Input image, which is copied into this image structure.
deepCopy = if false (default) the data array will be referenced
from copy, esle values will be copied to newly allocated array.
*/
pure this(in Image copy, bool deepCopy = false)
{
if (copy is null || copy._data is null)
{
return;
}
_format = copy._format;
_depth = copy._depth;
_width = copy._width;
_height = copy._height;
if (deepCopy)
{
_data = new ubyte[copy._data.length];
_data[] = copy._data[];
}
else
{
_data = cast(ubyte[])copy._data;
}
}
unittest
{
Image image = new Image(null, false);
assert(image.width == 0);
assert(image.height == 0);
assert(image.format == ImageFormat.IF_UNASSIGNED);
assert(image.depth == BitDepth.BD_UNASSIGNED);
assert(image.data == null);
assert(image.empty == true);
}
/**
Construct an image by given size, format and bit depth information.
Params:
width = width of a newly created image.
height = height of a newly created image.
format = format of a newly created image.
depth = bit depth of a newly created image.
data = potential data of an image, pre-allocated. If not a null, data array
has to be of correct size = width*height*channels*depth, where channels are
defined by the format, and depth is counded in bytes.
*/
@safe pure nothrow this(size_t width, size_t height, ImageFormat format = ImageFormat.IF_RGB,
BitDepth depth = BitDepth.BD_8, ubyte[] data = null)
in
{
assert(width > 0 && height > 0);
assert(depth != BitDepth.BD_UNASSIGNED && format != ImageFormat.IF_UNASSIGNED);
if (data !is null)
{
assert(data.length == width * height * imageFormatChannelCount[cast(ulong)format] * (cast(ulong)depth / 8));
}
}
body
{
_width = width;
_height = height;
_depth = depth;
_format = format;
_data = (data !is null) ? data : new ubyte[width * height * channels * (cast(size_t)depth / 8)];
}
unittest
{
Image image = new Image(1, 1, ImageFormat.IF_BGR, BitDepth.BD_8);
assert(image.isOfType!ubyte);
}
unittest
{
Image image = new Image(1, 1, ImageFormat.IF_BGR, BitDepth.BD_16);
assert(image.isOfType!ushort);
}
unittest
{
Image image = new Image(1, 1, ImageFormat.IF_BGR, BitDepth.BD_32);
assert(image.isOfType!float);
}
unittest
{
import std.algorithm.comparison : equal;
immutable width = 10;
immutable height = 15;
immutable format = ImageFormat.IF_BGR;
immutable depth = BitDepth.BD_8;
immutable channels = 3;
Image image = new Image(width, height, format, depth);
assert(image.width == width);
assert(image.height == height);
assert(image.format == format);
assert(image.channels == channels);
assert(image.depth == depth);
assert(image.empty == false);
assert(image.size == cast(ulong[3])[width, height, channels]);
}
unittest
{
immutable width = 10;
immutable height = 15;
immutable format = ImageFormat.IF_BGR;
immutable depth = BitDepth.BD_8;
immutable channels = 3;
Image image = new Image(width, height, format, depth);
Image copy = new Image(image, false);
assert(copy.width == image.width);
assert(copy.height == image.height);
assert(copy.channels == image.channels);
assert(copy.format == image.format);
assert(copy.depth == image.depth);
assert(copy.data.ptr == image.data.ptr);
}
unittest
{
immutable width = 10;
immutable height = 15;
immutable format = ImageFormat.IF_BGR;
immutable depth = BitDepth.BD_8;
immutable channels = 3;
Image image = new Image(width, height, format, depth);
Image copy = new Image(image, true);
assert(copy.width == image.width);
assert(copy.height == image.height);
assert(copy.channels == image.channels);
assert(copy.format == image.format);
assert(copy.depth == image.depth);
assert(copy.data.ptr != image.data.ptr);
}
/// Get format of an image.
@property format() const @safe pure
{
return _format;
}
/// Get height of an image.
@property width() const @safe pure
{
return _width;
}
/// Get height of an image.
@property height() const @safe pure
{
return _height;
}
/// Get bit depth of the image.
@property depth() const @safe pure
{
return _depth;
}
/// Check if image is empty (there's no data present).
@property empty() const @safe pure
{
return _data is null;
}
/// Channel count of the image.
@property channels() const @safe pure
{
return imageFormatChannelCount[cast(int)format];
}
/// Number of bytes contained in one pixel of the image.
@property pixelSize() const @safe pure
{
return channels * (cast(size_t)_depth / 8);
}
/// Number of bytes contained in the image.
@property byteSize() const @safe pure
{
return width * height * pixelSize;
}
/// Number of bytes contained in one row of the image.
@property rowStride() const @safe pure
{
return pixelSize * _width;
}
/// Size of the image.
/// Returns an array of 3 sizes: [width, height, channels]
@property size_t[3] size() const @safe pure
{
return [width, height, channels];
}
/**
Check if this images data corresponds to given value type.
Given value type is checked against the image data bit depth.
Data of 8-bit image is considered to be typed as ubyte array,
16-bit as ushort, and 32-bit as float array. Any other type as
input returns false result.
Params:
T = (template parameter) value type which is tested against the bit depth of the image data.
*/
@safe pure nothrow const bool isOfType(T)()
{
return (depth != BitDepth.BD_UNASSIGNED && ((depth == BitDepth.BD_8 && is(T == ubyte))
|| (depth == BitDepth.BD_16 && is(T == ushort)) || (depth == BitDepth.BD_32 && is(T == float))));
}
@safe pure nothrow unittest
{
Image image = new Image(1, 1, ImageFormat.IF_BGR, BitDepth.BD_8);
assert(image.isOfType!ubyte);
assert(!image.isOfType!ushort);
assert(!image.isOfType!float);
assert(!image.isOfType!real);
}
@safe pure nothrow unittest
{
Image image = new Image(1, 1, ImageFormat.IF_BGR, BitDepth.BD_16);
assert(!image.isOfType!ubyte);
assert(image.isOfType!ushort);
assert(!image.isOfType!float);
assert(!image.isOfType!real);
}
@safe pure nothrow unittest
{
Image image = new Image(1, 1, ImageFormat.IF_BGR, BitDepth.BD_32);
assert(!image.isOfType!ubyte);
assert(!image.isOfType!ushort);
assert(image.isOfType!float);
assert(!image.isOfType!real);
}
/**
Convert image data type to given type.
Creates new image with data typed as given value type.
If this image's data type is the same as given type, deep
copy of this image is returned.
Params:
T = (template parameter) value type to which image's data is converted.
Returns:
Copy of this image with casted data to given type. If given type is same as
current data of this image, deep copy is returned.
*/
inout auto asType(T)()
in
{
assert(_data);
static assert(is(T == ubyte) || is(T == ushort) || is(T == float),
"Given type is invalid - only ubyte (8) ushort(16) or float(32) are supported");
}
body
{
import std.range : lockstep;
import std.algorithm.mutation : copy;
import std.traits : isAssignable;
auto depth = getDepthFromType!T;
if (depth == _depth)
return new Image(this, true);
Image newim = new Image(width, height, format, depth);
if (_depth == BitDepth.BD_8)
{
foreach (v1, ref v2; lockstep(data!ubyte, newim.data!T))
{
v2 = cast(T)v1;
}
}
else if (_depth == BitDepth.BD_16)
{
foreach (v1, ref v2; lockstep(data!ushort, newim.data!T))
{
v2 = cast(T)v1;
}
}
else if (_depth == BitDepth.BD_32)
{
foreach (v1, ref v2; lockstep(data!float, newim.data!T))
{
v2 = cast(T)v1;
}
}
return newim;
}
/**
Get data array from this image.
Cast data array to corresponding dynamic array type,
and return it.
8-bit data is considered ubyte, 16-bit ushort, and 32-bit float.
Params:
T = (template parameter) value type (default ubyte) to which data array is casted to.
*/
pure inout auto data(T = ubyte)()
{
import std.range : ElementType;
if (_data is null)
{
return null;
}
static assert(is(T == ubyte) || is(T == ushort) || is(T == float),
"Pixel data type not supported. Supported ones are: ubyte(8bit), ushort(16bit), float(32bit)");
enforce(isOfType!T, "Invalid pixel data type cast.");
static if (is(ElemetType!(typeof(_data)) == T))
return _data;
else
return cast(T[])_data;
}
override string toString() const
{
import std.conv : to;
return "Image [" ~ width.to!string ~ "x" ~ height.to!string ~ "]";
}
auto sliced(T = ubyte)() inout
{
return data!T.sliced(height, width, channels);
}
}
version (unittest)
{
import std.range : iota, lockstep;
import std.array : array;
import std.algorithm.iteration : map;
immutable width = 3;
immutable height = 3;
immutable format = ImageFormat.IF_MONO;
immutable depth = BitDepth.BD_8;
auto data = (width * height).iota.map!(v => cast(ubyte)v).array;
}
unittest
{
Image image = new Image;
assert(image.format == ImageFormat.IF_UNASSIGNED);
assert(image.depth == BitDepth.BD_UNASSIGNED);
assert(image.width == 0);
assert(image.height == 0);
assert(image.data == null);
assert(image.empty == true);
}
// Image.asType!
unittest
{
Image image = new Image(width, height, format, depth, data);
Image sameImage = image.asType!ubyte;
assert(image.data == sameImage.data);
assert(image.data.ptr != sameImage.data.ptr);
}
unittest
{
Image image = new Image(width, height, format, depth, data);
assert(image.data.ptr == data.ptr);
assert(image.width == width);
assert(image.height == height);
Image oImage = image.asType!ushort;
assert(oImage.width == image.width);
assert(oImage.height == image.height);
foreach (bv, fv; lockstep(image.data!ubyte, oImage.data!ushort))
{
assert(cast(ushort)bv == fv);
}
}
unittest
{
ubyte[] shdata = new ubyte[18];
ubyte* ptr = cast(ubyte*)(data.map!(v => cast(ushort)v).array.ptr);
shdata[] = ptr[0 .. width * height * 2][];
Image image = new Image(width, height, format, BitDepth.BD_16, shdata);
Image oImage = image.asType!float;
assert(oImage.width == image.width);
assert(oImage.height == image.height);
foreach (bv, fv; lockstep(image.data!ushort, oImage.data!float))
{
assert(cast(float)bv == fv);
}
}
unittest
{
ulong floatsize = width * height * 4;
ubyte[] fdata = new ubyte[floatsize];
ubyte* ptr = cast(ubyte*)(data.map!(v => cast(float)v).array.ptr);
fdata[] = ptr[0 .. floatsize][];
Image image = new Image(width, height, format, BitDepth.BD_32, fdata);
Image oImage = image.asType!ushort;
assert(oImage.width == image.width);
assert(oImage.height == image.height);
foreach (bv, fv; lockstep(image.data!float, oImage.data!ushort))
{
assert(cast(ushort)bv == fv);
}
}
/**
Convert a ndslice object to an Image, with defined image format.
*/
Image asImage(size_t N, T)(Slice!(N, T*) slice, ImageFormat format)
{
import std.conv : to;
import std.array : array;
BitDepth depth = getDepthFromType!T;
enforce(depth != BitDepth.BD_UNASSIGNED, "Invalid type of slice for convertion to image: ", T.stringof);
static if (N == 2)
{
ubyte* ptr = cast(ubyte*)slice.byElement.array.ptr;
ubyte[] s_arr = ptr[0 .. slice.shape.reduce!"a*b" * T.sizeof][];
enforce(format.to!int == 1, "Invalid image format - has to be single channel");
return new Image(slice.shape[1], slice.shape[0], format, depth, s_arr);
}
else static if (N == 3)
{
ubyte* ptr = cast(ubyte*)slice.byElement.array.ptr;
ubyte[] s_arr = ptr[0 .. slice.shape.reduce!"a*b" * T.sizeof][];
auto ch = slice.shape[2];
enforce(ch >= 1 && ch <= 4,
"Invalid slice shape - third dimension should contain from 1(grayscale) to 4(rgba) values.");
enforce(ch == imageFormatChannelCount[format], "Invalid image format - channel count missmatch");
return new Image(slice.shape[1], slice.shape[0], format, depth, s_arr);
}
else
{
static assert(0, "Invalid slice dimension - should be 2(mono image) or 3(channel image) dimensional.");
}
}
/**
Convert ndslice object into an image, with default format setup, regarding to slice dimension.
*/
Image asImage(size_t N, T)(Slice!(N, T*) slice)
{
ImageFormat format;
static if (N == 2)
{
format = ImageFormat.IF_MONO;
}
else static if (N == 3)
{
switch (slice.length!2)
{
case 1:
format = ImageFormat.IF_MONO;
break;
case 2:
format = ImageFormat.IF_MONO_ALPHA;
break;
case 3:
format = ImageFormat.IF_RGB;
break;
case 4:
format = ImageFormat.IF_RGB_ALPHA;
break;
default:
import std.conv : to;
assert(0, "Invalid channel count: " ~ slice.length!2.to!string);
}
}
else
{
static assert(0, "Invalid slice dimension - should be 2(mono image) or 3(channel image) dimensional.");
}
return slice.asImage(format);
}
|
D
|
/**
* Widget module.
*
* License:
* MIT. See LICENSE for full details.
*/
module tkd.widget.state;
/**
* State values of widgets.
*/
enum State : string
{
normal = "normal", /// Normal state.
active = "active", /// Active state.
disabled = "disabled", /// Disabled state.
focus = "focus", /// Focused state.
pressed = "pressed", /// Pressed state.
selected = "selected", /// Selected state.
background = "background", /// Background state.
readonly = "readonly", /// Readonly state.
alternate = "alternate", /// Alternate state.
invalid = "invalid", /// Invalid state.
hover = "hover", /// Hover state.
hidden = "hidden", /// Hidden state. Only applies to canvas widgets.
}
|
D
|
/**
Redis database client implementation.
Copyright: © 2012-2014 RejectedSoftware e.K.
License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file.
Authors: Jan Krüger, Sönke Ludwig, Michael Eisendle, Etienne Cimon
*/
module vibe.db.redis.redis;
public import vibe.core.net;
import vibe.core.connectionpool;
import vibe.core.core;
import vibe.core.log;
import vibe.stream.operations;
import std.conv;
import std.exception;
import std.format;
import std.range : isInputRange, isOutputRange;
import std.string;
import std.traits;
import std.utf;
/**
Returns a RedisClient that can be used to communicate to the specified database server.
*/
RedisClient connectRedis(string host, ushort port = 6379)
{
return new RedisClient(host, port);
}
/**
A redis client with connection pooling.
*/
final class RedisClient {
private {
ConnectionPool!RedisConnection m_connections;
string m_authPassword;
string m_version;
long m_selectedDB;
}
this(string host = "127.0.0.1", ushort port = 6379)
{
m_connections = new ConnectionPool!RedisConnection({
return new RedisConnection(host, port);
});
import std.string;
auto info = info();
auto lines = info.splitLines();
if (lines.length > 1) {
foreach (string line; lines) {
auto lineParams = line.split(":");
if (lineParams.length > 1 && lineParams[0] == "redis_version") {
m_version = lineParams[1];
break;
}
}
}
}
/// Returns Redis version
@property string redisVersion() { return m_version; }
/** Returns a handle to the given database.
*/
RedisDatabase getDatabase(long index) { return RedisDatabase(this, index); }
/*
Connection
*/
void auth(string password) { m_authPassword = password; }
T echo(T, U)(U data) if(isValidRedisValueReturn!T && isValidRedisValueType!U) { return request!T("ECHO", data); }
void ping() { request("PING"); }
void quit() { request("QUIT"); }
/*
Server
*/
//TODO: BGREWRITEAOF
//TODO: BGSAVE
T getConfig(T)(string parameter) if(isValidRedisValueReturn!T) { return request!T("GET CONFIG", parameter); }
void setConfig(T)(string parameter, T value) if(isValidRedisValueType!T) { request("SET CONFIG", parameter, value); }
void configResetStat() { request("CONFIG RESETSTAT"); }
//TOOD: Debug Object
//TODO: Debug Segfault
/** Deletes all keys from all databases.
See_also: $(LINK2 http://redis.io/commands/flushall, FLUSHALL)
*/
void deleteAll() { request("FLUSHALL"); }
/// Scheduled for deprecation, use $(D deleteAll) instead.
alias flushAll = deleteAll;
/// Scheduled for deprecation, use $(D RedisDatabase.deleteAll) instead.
void flushDB() { request("FLUSHDB"); }
string info() { return request!string("INFO"); }
long lastSave() { return request!long("LASTSAVE"); }
//TODO monitor
void save() { request("SAVE"); }
void shutdown() { request("SHUTDOWN"); }
void slaveOf(string host, ushort port) { request("SLAVEOF", host, port); }
//TODO slowlog
//TODO sync
private T request(T = void, ARGS...)(string command, scope ARGS args)
{
return requestDB!(T, ARGS)(m_selectedDB, command, args);
}
private T requestDB(T, ARGS...)(long db, string command, scope ARGS args)
{
auto conn = m_connections.lockConnection();
conn.setAuth(m_authPassword);
conn.setDB(db);
version (RedisDebug) {
import std.conv;
string debugargs = command;
foreach (i, A; ARGS) debugargs ~= ", " ~ args[i].to!string;
}
static if (is(T == void)) {
version (RedisDebug) logDebug("Redis request: %s => void", debugargs);
_request!void(conn, command, args);
} else static if (!isInstanceOf!(RedisReply, T)) {
auto ret = _request!T(conn, command, args);
version (RedisDebug) logDebug("Redis request: %s => %s", debugargs, ret.to!string);
return ret;
} else {
auto ret = _request!T(conn, command, args);
version (RedisDebug) logDebug("Redis request: %s => RedisReply", debugargs);
return ret;
}
}
}
/**
Accesses the contents of a Redis database
*/
struct RedisDatabase {
private {
RedisClient m_client;
long m_index;
}
private this(RedisClient client, long index)
{
m_client = client;
m_index = index;
}
/** The Redis client with which the database is accessed.
*/
@property inout(RedisClient) client() inout { return m_client; }
/** Index of the database.
*/
@property long index() const { return m_index; }
/** Deletes all keys of the database.
See_also: $(LINK2 http://redis.io/commands/flushdb, FLUSHDB)
*/
void deleteAll() { request!void("FLUSHDB"); }
long del(scope string[] keys...) { return request!long("DEL", keys); }
bool exists(string key) { return request!bool("EXISTS", key); }
bool expire(string key, long seconds) { return request!bool("EXPIRE", key, seconds); }
bool expireAt(string key, long timestamp) { return request!bool("EXPIREAT", key, timestamp); }
RedisReply!T keys(T = string)(string pattern) if(isValidRedisValueType!T) { return request!(RedisReply!T)("KEYS", pattern); }
bool move(string key, long db) { return request!bool("MOVE", key, db); }
bool persist(string key) { return request!bool("PERSIST", key); }
//TODO: object
string randomKey() { return request!string("RANDOMKEY"); }
void rename(string key, string newkey) { request("RENAME", key, newkey); }
bool renameNX(string key, string newkey) { return request!bool("RENAMENX", key, newkey); }
//TODO sort
long ttl(string key) { return request!long("TTL", key); }
long pttl(string key) { return request!long("PTTL", key); }
string type(string key) { return request!string("TYPE", key); }
/*
String Commands
*/
long append(T)(string key, T suffix) if(isValidRedisValueType!T) { return request!long("APPEND", key, suffix); }
long decr(string key, long value = 1) { return value == 1 ? request!long("DECR", key) : request!long("DECRBY", key, value); }
T get(T = string)(string key) if(isValidRedisValueReturn!T) { return request!T("GET", key); }
bool getBit(string key, long offset) { return request!bool("GETBIT", key, offset); }
T getRange(T = string)(string key, long start, long end) if(isValidRedisValueReturn!T) { return request!T("GETRANGE", key, start, end); }
T getSet(T = string, U)(string key, U value) if(isValidRedisValueReturn!T && isValidRedisValueType!U) { return request!T("GETSET", key, value); }
long incr(string key, long value = 1) { return value == 1 ? request!long("INCR", key) : request!long("INCRBY", key, value); }
long incr(string key, double value) { return request!long("INCRBYFLOAT", key, value); }
RedisReply!T mget(T = string)(string[] keys) if(isValidRedisValueType!T) { return request!(RedisReply!T)("MGET", keys); }
void mset(ARGS...)(ARGS args)
{
static assert(ARGS.length % 2 == 0 && ARGS.length >= 2, "Arguments to mset must be pairs of key/value");
foreach (i, T; ARGS ) static assert(i % 2 != 0 || is(T == string), "Keys must be strings.");
request("MSET", args);
}
bool msetNX(ARGS...)(ARGS args) {
static assert(ARGS.length % 2 == 0 && ARGS.length >= 2, "Arguments to mset must be pairs of key/value");
foreach (i, T; ARGS ) static assert(i % 2 != 0 || is(T == string), "Keys must be strings.");
return request!bool("MSETEX", args);
}
void set(T)(string key, T value) if(isValidRedisValueType!T) { request("SET", key, value); }
bool setNX(T)(string key, T value) if(isValidRedisValueType!T) { return request!bool("SETNX", key, value); }
bool setXX(T)(string key, T value) if(isValidRedisValueType!T) { return request!bool("SET", key, value, "XX"); }
bool setNX(T)(string key, T value, Duration expire_time) if(isValidRedisValueType!T) { return request!bool("SET", key, value, "PX", expire_time.total!"msecs", "NX"); }
bool setXX(T)(string key, T value, Duration expire_time) if(isValidRedisValueType!T) { return request!bool("SET", key, value, "PX", expire_time.total!"msecs", "XX"); }
bool setBit(string key, long offset, bool value) { return request!bool("SETBIT", key, offset, value ? "1" : "0"); }
void setEX(T)(string key, long seconds, T value) if(isValidRedisValueType!T) { request("SETEX", key, seconds, value); }
long setRange(T)(string key, long offset, T value) if(isValidRedisValueType!T) { return request!long("SETRANGE", key, offset, value); }
long strlen(string key) { return request!long("STRLEN", key); }
/*
Hashes
*/
long hdel(string key, scope string[] fields...) { return request!long("HDEL", key, fields); }
bool hexists(string key, string field) { return request!bool("HEXISTS", key, field); }
void hset(T)(string key, string field, T value) if(isValidRedisValueType!T) { request("HSET", key, field, value); }
T hget(T = string)(string key, string field) if(isValidRedisValueReturn!T) { return request!T("HGET", key, field); }
RedisReply!T hgetAll(T = string)(string key) if(isValidRedisValueType!T) { return request!(RedisReply!T)("HGETALL", key); }
long hincr(string key, string field, long value=1) { return request!long("HINCRBY", key, field, value); }
long hincr(string key, string field, double value) { return request!long("HINCRBYFLOAT", key, field, value); }
RedisReply!T hkeys(T = string)(string key) if(isValidRedisValueType!T) { return request!(RedisReply!T)("HKEYS", key); }
long hlen(string key) { return request!long("HLEN", key); }
RedisReply!T hmget(T = string)(string key, scope string[] fields...) if(isValidRedisValueType!T) { return request!(RedisReply!T)("HMGET", key, fields); }
void hmset(ARGS...)(string key, ARGS args) { request("HMSET", key, args); }
bool hmsetNX(ARGS...)(string key, ARGS args) { return request!bool("HMSET", key, args); }
RedisReply!T hvals(T = string)(string key) if(isValidRedisValueType!T) { return request!(RedisReply!T)("HVALS", key); }
/*
Lists
*/
T lindex(T = string)(string key, long index) if(isValidRedisValueReturn!T) { return request!T("LINDEX", key, index); }
long linsertBefore(T1, T2)(string key, T1 pivot, T2 value) if(isValidRedisValueType!T1 && isValidRedisValueType!T2) { return request!long("LINSERT", key, "BEFORE", pivot, value); }
long linsertAfter(T1, T2)(string key, T1 pivot, T2 value) if(isValidRedisValueType!T1 && isValidRedisValueType!T2) { return request!long("LINSERT", key, "AFTER", pivot, value); }
long llen(string key) { return request!long("LLEN", key); }
long lpush(ARGS...)(string key, ARGS args) { return request!long("LPUSH", key, args); }
long lpushX(T)(string key, T value) if(isValidRedisValueType!T) { return request!long("LPUSHX", key, value); }
long rpush(ARGS...)(string key, ARGS args) { return request!long("RPUSH", key, args); }
long rpushX(T)(string key, T value) if(isValidRedisValueType!T) { return request!long("RPUSHX", key, value); }
RedisReply!T lrange(T = string)(string key, long start, long stop) { return request!(RedisReply!T)("LRANGE", key, start, stop); }
long lrem(T)(string key, long count, T value) if(isValidRedisValueType!T) { return request!long("LREM", key, count, value); }
void lset(T)(string key, long index, T value) if(isValidRedisValueType!T) { request("LSET", key, index, value); }
void ltrim(string key, long start, long stop) { request("LTRIM", key, start, stop); }
T rpop(T = string)(string key) if(isValidRedisValueReturn!T) { return request!T("RPOP", key); }
T lpop(T = string)(string key) if(isValidRedisValueReturn!T) { return request!T("LPOP", key); }
T blpop(T = string)(string key, long seconds) if(isValidRedisValueReturn!T) { return request!T("BLPOP", key, seconds); }
T rpoplpush(T = string)(string key, string destination) if(isValidRedisValueReturn!T) { return request!T("RPOPLPUSH", key, destination); }
/*
Sets
*/
long sadd(ARGS...)(string key, ARGS args) { return request!long("SADD", key, args); }
long scard(string key) { return request!long("SCARD", key); }
RedisReply!T sdiff(T = string)(scope string[] keys...) if(isValidRedisValueType!T) { return request!(RedisReply!T)("SDIFF", keys); }
long sdiffStore(string destination, scope string[] keys...) { return request!long("SDIFFSTORE", destination, keys); }
RedisReply!T sinter(T = string)(string[] keys) if(isValidRedisValueType!T) { return request!(RedisReply!T)("SINTER", keys); }
long sinterStore(string destination, scope string[] keys...) { return request!long("SINTERSTORE", destination, keys); }
bool sisMember(T)(string key, T member) if(isValidRedisValueType!T) { return request!bool("SISMEMBER", key, member); }
RedisReply!T smembers(T = string)(string key) if(isValidRedisValueType!T) { return request!(RedisReply!T)("SMEMBERS", key); }
bool smove(T)(string source, string destination, T member) if(isValidRedisValueType!T) { return request!bool("SMOVE", source, destination, member); }
T spop(T = string)(string key) if(isValidRedisValueReturn!T) { return request!T("SPOP", key ); }
T srandMember(T = string)(string key) if(isValidRedisValueReturn!T) { return request!T("SRANDMEMBER", key ); }
long srem(ARGS...)(string key, ARGS args) { return request!long("SREM", key, args); }
RedisReply!T sunion(T = string)(scope string[] keys...) if(isValidRedisValueType!T) { return request!(RedisReply!T)("SUNION", keys); }
long sunionStore(scope string[] keys...) { return request!long("SUNIONSTORE", keys); }
/*
Sorted Sets
*/
long zadd(ARGS...)(string key, ARGS args) { return request!long("ZADD", key, args); }
long zcard(string key) { return request!long("ZCARD", key); }
deprecated("Use zcard() instead.") alias Zcard = zcard;
// see http://redis.io/commands/zcount
long zcount(string RNG = "[]")(string key, double min, double max) { return request!long("ZCOUNT", key, getMinMaxArgs!RNG(min, max)); }
double zincrby(string key, double value, string member) { return request!double("ZINCRBY", key, value, member); }
//TODO: zinterstore
// see http://redis.io/commands/zrange
RedisReply!T zrange(T = string)(string key, long start, long end, bool with_scores = false)
if(isValidRedisValueType!T)
{
if (with_scores) return request!(RedisReply!T)("ZRANGE", key, start, end, "WITHSCORES");
else return request!(RedisReply!T)("ZRANGE", key, start, end);
}
// see http://redis.io/commands/zrangebyscore
RedisReply!T zrangeByScore(T = string, string RNG = "[]")(string key, double start, double end, bool with_scores = false)
if(isValidRedisValueType!T)
{
if (with_scores) return request!(RedisReply!T)("ZRANGEBYSCORE", key, getMinMaxArgs!RNG(start, end), "WITHSCORES");
else return request!(RedisReply!T)("ZRANGEBYSCORE", key, getMinMaxArgs!RNG(start, end));
}
// see http://redis.io/commands/zrangebyscore
RedisReply!T zrangeByScore(T = string, string RNG = "[]")(string key, double start, double end, long offset, long count, bool with_scores = false)
if(isValidRedisValueType!T)
{
assert(offset >= 0);
assert(count >= 0);
if (with_scores) return request!(RedisReply!T)("ZRANGEBYSCORE", key, getMinMaxArgs!RNG(start, end), "WITHSCORES", "LIMIT", offset, count);
else return request!(RedisReply!T)("ZRANGEBYSCORE", key, getMinMaxArgs!RNG(start, end), "LIMIT", offset, count);
}
long zrank(string key, string member)
{
auto str = request!string("ZRANK", key, member);
return str ? parse!long(str) : -1;
}
long zrem(string key, scope string[] members...) { return request!long("ZREM", key, members); }
long zremRangeByRank(string key, long start, long stop) { return request!long("ZREMRANGEBYRANK", key, start, stop); }
// see http://redis.io/commands/zrangebyscore
long zremRangeByScore(string RNG = "[]")(string key, double min, double max) { return request!long("ZREMRANGEBYSCORE", key, getMinMaxArgs!RNG(min, max));}
RedisReply!T zrevRange(T = string)(string key, long start, long end, bool with_scores = false)
if(isValidRedisValueType!T)
{
if (with_scores) return request!(RedisReply!T)("ZREVRANGE", key, start, end, "WITHSCORES");
else return request!(RedisReply!T)("ZREVRANGE", key, start, end);
}
// see http://redis.io/commands/zrangebyscore
RedisReply!T zrevRangeByScore(T = string, string RNG = "[]")(string key, double min, double max, bool with_scores=false)
if(isValidRedisValueType!T)
{
if (with_scores) return request!(RedisReply!T)("ZREVRANGEBYSCORE", key, getMinMaxArgs!RNG(min, max), "WITHSCORES");
else return request!(RedisReply!T)("ZREVRANGEBYSCORE", key, getMinMaxArgs!RNG(min, max));
}
// see http://redis.io/commands/zrangebyscore
RedisReply!T zrevRangeByScore(T = string, string RNG = "[]")(string key, double min, double max, long offset, long count, bool with_scores=false)
if(isValidRedisValueType!T)
{
assert(offset >= 0);
assert(count >= 0);
if (with_scores) return request!(RedisReply!T)("ZREVRANGEBYSCORE", key, getMinMaxArgs!RNG(min, max), "WITHSCORES", "LIMIT", offset, count);
else return request!(RedisReply!T)("ZREVRANGEBYSCORE", key, getMinMaxArgs!RNG(min, max), "LIMIT", offset, count);
}
long zrevRank(string key, string member)
{
auto str = request!string("ZREVRANK", key, member);
return str ? parse!long(str) : -1;
}
RedisReply!T zscore(T = string)(string key, string member) if(isValidRedisValueType!T) { return request!(RedisReply!T)("ZSCORE", key, member); }
//TODO: zunionstore
/*
Pub / Sub
*/
long publish(string channel, string message)
{
auto str = request!string("PUBLISH", channel, message);
return str ? parse!long(str) : -1;
}
RedisReply!T pubsub(T = string)(string subcommand, scope string[] args...)
if(isValidRedisValueType!T)
{
return request!(RedisReply!T)("PUBSUB", subcommand, args);
}
/*
TODO: Transactions
*/
long dbSize() { return request!long("DBSIZE"); }
/*
LUA Scripts
*/
RedisReply!T eval(T = string, ARGS...)(string lua_code, scope string[] keys, scope ARGS args)
if(isValidRedisValueType!T)
{
return request!(RedisReply!T)("EVAL", lua_code, keys.length, keys, args);
}
RedisReply!T evalSHA(T = string, ARGS...)(string sha, scope string[] keys, scope ARGS args)
if(isValidRedisValueType!T)
{
return request!(RedisReply!T)("EVALSHA", sha, keys.length, keys, args);
}
//scriptExists
//scriptFlush
//scriptKill
string scriptLoad(string lua_code) { return request!string("SCRIPT", "LOAD", lua_code); }
T request(T = void, ARGS...)(string command, scope ARGS args)
{
return m_client.requestDB!(T, ARGS)(m_index, command, args);
}
private static string[2] getMinMaxArgs(string RNG)(double min, double max)
{
// TODO: avoid GC allocations
static assert(RNG.length == 2, "The RNG range specification must be two characters long");
string[2] ret;
string mins, maxs;
mins = min == -double.infinity ? "-inf" : min == double.infinity ? "+inf" : min.to!string;
maxs = max == -double.infinity ? "-inf" : max == double.infinity ? "+inf" : max.to!string;
static if (RNG[0] == '[') ret[0] = mins;
else static if (RNG[0] == '(') ret[0] = '('~mins;
else static assert(false, "Opening range specification mist be either '[' or '('.");
static if (RNG[1] == ']') ret[1] = maxs;
else static if (RNG[1] == ')') ret[1] = '('~maxs;
else static assert(false, "Closing range specification mist be either ']' or ')'.");
return ret;
}
}
/**
A redis subscription listener
*/
import std.datetime;
import vibe.core.concurrency;
import std.variant;
import std.typecons : Tuple, tuple;
import std.datetime;
final class RedisSubscriber {
private {
RedisClient m_client;
LockedConnection!RedisConnection m_lockedConnection;
bool[string] m_subscriptions;
void delegate(string[] args) m_capture;
bool m_listening;
bool m_stop;
}
@property bool isListening() const {
return m_listening;
}
@property string[] subscriptions() const {
return m_subscriptions.keys;
}
bool hasSubscription(string channel) const {
return (channel in m_subscriptions) !is null && m_subscriptions[channel];
}
this(RedisClient client) {
m_client = client;
}
bool bstop(){
if (!stop()) return false;
while (m_listening) {
sleep(1.msecs);
}
return true;
}
bool stop(){
if (!m_listening)
return false;
m_stop = true;
// todo: publish some no-op data to wake up the listener?
return true;
}
void subscribe(scope string[] args...)
{
assert(m_listening);
m_capture = (channels){
logInfo("Callback subscribe(%s)", channels);
foreach (channel; channels) m_subscriptions[channel] = true;
};
_request_void(m_lockedConnection, "SUBSCRIBE", args);
while (m_capture !is null) sleep(1.msecs);
}
void unsubscribe(scope string[] args...)
{
assert(m_listening);
m_capture = (channels){
logInfo("Callback unsubscribe(%s)", channels);
foreach (channel; channels) m_subscriptions.remove(channel);
};
_request_void(m_lockedConnection, "UNSUBSCRIBE", args);
while (m_capture !is null) sleep(1.msecs);
}
void psubscribe(scope string[] args...)
{
assert(m_listening);
m_capture = (channels){
logInfo("Callback psubscribe(%s)", channels);
foreach (channel; channels) m_subscriptions[channel] = true;
};
_request_void(m_lockedConnection, "PSUBSCRIBE", args);
while (m_capture !is null) sleep(1.msecs);
}
void punsubscribe(scope string[] args...)
{
assert(m_listening);
m_capture = (channels){
logInfo("Callback punsubscribe(%s)", channels);
foreach (channel; channels) m_subscriptions.remove(channel);
};
_request_void(m_lockedConnection, "PUNSUBSCRIBE", args);
while (m_capture !is null) sleep(1.msecs);
}
private string getString(){
auto ln = cast(string)m_lockedConnection.conn.readLine();
enforceEx!RedisProtocolException(ln[0] == "$"[0], "Expected a string length, received bad response : " ~ ln);
//auto strLen = ln[1..$].to!long;
auto str = cast(string)m_lockedConnection.conn.readLine();
return str;
}
private void init(){
if (m_lockedConnection is null){
m_lockedConnection = m_client.m_connections.lockConnection();
m_lockedConnection.setAuth(m_client.m_authPassword);
m_lockedConnection.setDB(m_client.m_selectedDB);
}
}
// Same as listen, but blocking
void blisten(void delegate(string, string) callback, Duration timeout)
{
init();
m_listening = true;
while(true) {
bool gotData;
StopWatch sw;
sw.start();
while (!gotData){
if (m_lockedConnection.conn.waitForData(5.seconds)) gotData = true;
if (timeout > 0.seconds && sw.peek().seconds > timeout.total!"seconds") { gotData = false; break; }
if (m_stop){ gotData = false; break; }
}
sw.stop();
if (!gotData) {
m_listening = false;
// FIXME: it should be possible to avoid a disconnect, but
// obviously we are not waiting for an "unsubscribe"
// message after actively unsubscribing from all channels
m_lockedConnection.conn.close();
m_lockedConnection.destroy();
return;
}
if (m_capture !is null){
auto res = handler();
m_capture(res[1]);
enforceEx!RedisProtocolException(m_subscriptions.length == res[0], "Subscription count is different than reported by the Redis server");
m_capture = null;
continue;
}
auto ln = cast(string)m_lockedConnection.conn.readLine();
string cmd;
if (ln[0] == '$'){
cmd = cast(string)m_lockedConnection.conn.readLine();
}
else if (ln[0] == '*') {
cmd = getString();
}else {
enforceEx!RedisProtocolException(false, "expected $ or *");
}
if(cmd == "message") {
auto channel = getString();
auto message = getString();
callback(channel, message);
}
else {
handler(); // get rid of it
}
}
}
private Tuple!(long, string[]) handler(){
assert(m_lockedConnection !is null);
auto ctx = RedisReplyContext.init;
string[] channels;
long subscriptions;
void readBulk(string sizeLn)
{
assert(m_lockedConnection !is null);
if (sizeLn.startsWith("$-1")) return;
if (sizeLn.startsWith(':')){
subscriptions = sizeLn[1..$].to!long;
return;
}
else {
auto data = cast(string)m_lockedConnection.conn.readLine();
if (data != "subscribe" && data != "unsubscribe"){
channels ~= cast(string)data;
}
}
}
@property bool hasNext() const { return m_lockedConnection && ctx.index < ctx.length; }
void next(){
if (!ctx.initialized){
auto ln = cast(string)m_lockedConnection.conn.readLine();
switch (ln[0]) {
default: throw new Exception(format("Unknown reply type: %s", ln[0]));
//case '+': ctx.data = cast(ubyte[])ln[1 .. $]; break;
//case '-': throw new Exception(ln[1 .. $]);
//case ':': ctx.data = cast(ubyte[])ln[1 .. $]; break;
case '$': readBulk(ln); break;
case '*':
if (ln.startsWith("*-1")) {
ctx.length = 0;
} else {
ctx.multi = true;
ctx.length = to!long(ln[ 1 .. $ ]);
}
break;
}
}
ctx.initialized = true;
ctx.index++;
if (ctx.multi) {
auto ln = cast(string)m_lockedConnection.conn.readLine();
readBulk(ln);
}
}
while(hasNext) next();
return tuple(subscriptions, channels);
}
// Waits for messages and calls the callback with the channel and the message as arguments
Task listen(void delegate(string, string) callback, Duration timeout = 0.seconds)
{
auto task = runTask({
blisten(callback, timeout);
});
import std.datetime : usecs;
while (!m_listening) {
sleep(1.usecs);
}
return task;
}
}
/** Range interface to a single Redis reply.
*/
struct RedisReply(T = ubyte[]) {
import vibe.utils.memory : FreeListRef;
static assert(isInputRange!RedisReply);
private {
uint m_magic = 0x15f67ab3;
RedisConnection m_conn;
LockedConnection!RedisConnection m_lockedConnection;
}
alias ElementType = T;
this(RedisConnection conn)
{
m_conn = conn;
auto ctx = &conn.m_replyContext;
assert(ctx.refCount == 0);
*ctx = RedisReplyContext.init;
ctx.refCount++;
initialize();
}
this(this)
{
assert(m_magic == 0x15f67ab3);
if (m_conn) {
auto ctx = &m_conn.m_replyContext;
assert(ctx.refCount > 0);
ctx.refCount++;
}
}
~this()
{
assert(m_magic == 0x15f67ab3);
if (m_conn) {
if (!--m_conn.m_replyContext.refCount)
drop();
}
}
@property bool empty() const { return !m_conn || m_conn.m_replyContext.index >= m_conn.m_replyContext.length; }
/** Returns the current element of the reply.
Note that byte and character arrays may be returned as slices to a
temporary buffer. This buffer will be invalidated on the next call to
$(D popFront), so it needs to be duplicated for permanent storage.
*/
@property T front()
{
assert(!empty, "Accessing the front of an empty RedisReply!");
auto ctx = &m_conn.m_replyContext;
if (!ctx.hasData) readData();
ubyte[] ret = ctx.data;
static if (isSomeString!T) validate(cast(T)ret);
static if (is(T == ubyte[])) return ret;
else static if (is(T == string)) return cast(T)ret.idup;
else static if (is(T == bool)) return ret[0] == '1';
else static if (is(T == int) || is(T == long) || is(T == size_t) || is(T == double)) {
auto str = cast(string)ret;
return parse!T(str);
}
else static assert(false, "Unsupported Redis reply type: " ~ T.stringof);
}
@property bool frontIsNull()
const {
assert(!empty, "Accessing the front of an empty RedisReply!");
return m_conn.m_replyContext.frontIsNull;
}
/** Pops the current element of the reply
*/
void popFront()
{
assert(!empty, "Popping the front of an empty RedisReply!");
auto ctx = &m_conn.m_replyContext;
if (!ctx.hasData) readData(); // ensure that we actually read the data entry from the wire
clearData();
ctx.index++;
if (ctx.index >= ctx.length && ctx.refCount == 1) {
ctx.refCount = 0;
m_conn = null;
m_lockedConnection.destroy();
}
}
/// Legacy property for hasNext/next based iteration
@property bool hasNext() const { return !empty; }
/// Legacy property for hasNext/next based iteration
TN next(TN : E[], E)()
{
assert(hasNext, "end of reply");
auto ret = front.dup;
popFront();
return cast(TN)ret;
}
void drop()
{
if (!m_conn) return;
while (!empty) popFront();
}
private void readData()
{
auto ctx = &m_conn.m_replyContext;
assert(!ctx.hasData && ctx.initialized);
if (ctx.multi)
readBulk(cast(string)m_conn.conn.readLine());
}
private void clearData()
{
auto ctx = &m_conn.m_replyContext;
ctx.data = null;
ctx.hasData = false;
}
private @property void lockedConnection(ref LockedConnection!RedisConnection conn)
{
assert(m_conn !is null);
m_lockedConnection = conn;
}
private void initialize()
{
assert(m_conn !is null);
auto ctx = &m_conn.m_replyContext;
assert(!ctx.initialized);
ctx.initialized = true;
auto ln = cast(string)m_conn.conn.readLine();
switch (ln[0]) {
default: throw new Exception(format("Unknown reply type: %s", ln[0]));
case '+': ctx.data = cast(ubyte[])ln[1 .. $]; ctx.hasData = true; break;
case '-': throw new Exception(ln[1 .. $]);
case ':': ctx.data = cast(ubyte[])ln[1 .. $]; ctx.hasData = true; break;
case '$':
readBulk(ln);
break;
case '*':
if (ln.startsWith("*-1")) {
ctx.length = 0; // TODO: make this NIL reply distinguishable from a 0-length array
} else {
ctx.multi = true;
ctx.length = to!long(ln[ 1 .. $ ]);
}
break;
}
}
private void readBulk(string sizeLn)
{
assert(m_conn !is null);
auto ctx = &m_conn.m_replyContext;
if (sizeLn.startsWith("$-1")) {
ctx.frontIsNull = true;
ctx.hasData = true;
ctx.data = null;
} else {
auto size = to!size_t(sizeLn[1 .. $]);
auto data = new ubyte[size];
m_conn.conn.read(data);
m_conn.conn.readLine();
ctx.frontIsNull = false;
ctx.hasData = true;
ctx.data = data;
}
}
}
class RedisProtocolException : Exception {
this(string message, string file = __FILE__, size_t line = __LINE__, Exception next = null)
{
super(message, file, line, next);
}
}
template isValidRedisValueReturn(T)
{
import std.typecons;
static if (isInstanceOf!(Nullable, T)) {
enum isValidRedisValueReturn = isValidRedisValueType!(typeof(T.init.get()));
} else static if (isInstanceOf!(RedisReply, T)) {
enum isValidRedisValueReturn = isValidRedisValueType!(T.ElementType);
} else enum isValidRedisValueReturn = isValidRedisValueType!T;
}
template isValidRedisValueType(T)
{
enum isValidRedisValueType = is(T : const(char)[]) || is(T : const(ubyte)[]) || is(T == long) || is(T == double) || is(T == bool);
}
private struct RedisReplyContext {
long refCount = 0;
ubyte[] data;
bool hasData;
bool multi = false;
bool initialized = false;
bool frontIsNull = false;
long length = 1;
long index = 0;
ubyte[128] dataBuffer;
}
private final class RedisConnection {
private {
string m_host;
ushort m_port;
TCPConnection m_conn;
string m_password;
long m_selectedDB;
RedisReplyContext m_replyContext;
}
this(string host, ushort port)
{
m_host = host;
m_port = port;
}
@property TCPConnection conn() { return m_conn; }
@property void conn(TCPConnection conn) { m_conn = conn; }
void setAuth(string password)
{
if (m_password == password) return;
_request_reply(this, "AUTH", password);
m_password = password;
}
void setDB(long index)
{
if (index == m_selectedDB) return;
_request_reply(this, "SELECT", index);
m_selectedDB = index;
}
private static long countArgs(ARGS...)(scope ARGS args)
{
long ret = 0;
foreach (i, A; ARGS) {
static if (isArray!A && !(is(A : const(ubyte[])) || is(A : const(char[])))) {
foreach (arg; args[i])
ret += countArgs(arg);
} else ret++;
}
return ret;
}
unittest {
assert(countArgs() == 0);
assert(countArgs(1, 2, 3) == 3);
assert(countArgs("1", ["2", "3", "4"]) == 4);
assert(countArgs([["1", "2"], ["3"]]) == 3);
}
private static void writeArgs(R, ARGS...)(R dst, scope ARGS args)
if (isOutputRange!(R, char))
{
foreach (i, A; ARGS) {
static if (is(A == bool)) {
writeArgs(dst, args[i] ? "1" : "0");
} else static if (is(A : long) || is(A : real) || is(A == string)) {
auto alen = formattedLength(args[i]);
dst.formattedWrite("$%d\r\n%s\r\n", alen, args[i]);
} else static if (is(A : const(ubyte[])) || is(A : const(char[]))) {
dst.formattedWrite("$%s\r\n", args[i].length);
dst.put(args[i]);
dst.put("\r\n");
} else static if (isArray!A) {
foreach (arg; args[i])
writeArgs(dst, arg);
} else static assert(false, "Unsupported Redis argument type: " ~ A.stringof);
}
}
unittest {
import std.array : appender;
auto dst = appender!string;
writeArgs(dst, false, true, ["2", "3"], "4", 5.0);
assert(dst.data == "$1\r\n0\r\n$1\r\n1\r\n$1\r\n2\r\n$1\r\n3\r\n$1\r\n4\r\n$1\r\n5\r\n");
}
private static long formattedLength(ARG)(scope ARG arg)
{
static if (is(ARG == string)) return arg.length;
else {
import vibe.internal.rangeutil;
long length;
auto rangeCnt = RangeCounter(&length);
rangeCnt.formattedWrite("%s", arg);
return length;
}
}
}
private void _request_void(ARGS...)(RedisConnection conn, string command, scope ARGS args)
{
import vibe.stream.wrapper;
if (!conn.conn || !conn.conn.connected) {
try conn.conn = connectTCP(conn.m_host, conn.m_port);
catch (Exception e) {
throw new Exception(format("Failed to connect to Redis server at %s:%s.", conn.m_host, conn.m_port), __FILE__, __LINE__, e);
}
}
auto nargs = conn.countArgs(args);
auto rng = StreamOutputRange(conn.conn);
formattedWrite(&rng, "*%d\r\n$%d\r\n%s\r\n", nargs + 1, command.length, command);
RedisConnection.writeArgs(&rng, args);
}
private RedisReply!T _request_reply(T = ubyte[], ARGS...)(RedisConnection conn, string command, scope ARGS args)
{
import vibe.stream.wrapper;
if (!conn.conn || !conn.conn.connected) {
try conn.conn = connectTCP(conn.m_host, conn.m_port);
catch (Exception e) {
throw new Exception(format("Failed to connect to Redis server at %s:%s.", conn.m_host, conn.m_port), __FILE__, __LINE__, e);
}
}
auto nargs = conn.countArgs(args);
auto rng = StreamOutputRange(conn.conn);
formattedWrite(&rng, "*%d\r\n$%d\r\n%s\r\n", nargs + 1, command.length, command);
RedisConnection.writeArgs(&rng, args);
rng.flush();
return RedisReply!T(conn);
}
private T _request(T, ARGS...)(LockedConnection!RedisConnection conn, string command, scope ARGS args)
{
import std.typecons;
static if (isInstanceOf!(RedisReply, T)) {
auto reply = _request_reply!(T.ElementType)(conn, command, args);
reply.lockedConnection = conn;
return reply;
} else static if (is(T == void)) {
_request_reply(conn, command, args);
} else static if (isInstanceOf!(Nullable, T)) {
alias TB = typeof(T.init.get());
auto reply = _request_reply!TB(conn, command, args);
T ret;
if (!reply.frontIsNull) ret = reply.front;
return ret;
} else {
auto reply = _request_reply!T(conn, command, args);
return reply.front;
}
}
|
D
|
module android.java.java.io.ByteArrayOutputStream;
public import android.java.java.io.ByteArrayOutputStream_d_interface;
import arsd.jni : ImportExportImpl;
mixin ImportExportImpl!ByteArrayOutputStream;
import import1 = android.java.java.lang.Class;
|
D
|
// { dg-do compile { target i?86*-*-* x86_64-*-* } }
import gcc.attributes;
@target_clones("default")
int func() // { dg-warning "single .target_clones. attribute is ignored" }
{
return 0;
}
@target_clones("default")
int var = 0; // { dg-warning ".target_clones. attribute ignored" }
|
D
|
/Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/Build/Intermediates.noindex/PRIMs_cmd.build/Debug/PRIMs_cmd.build/Objects-normal/x86_64/Chunk.o : /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ConsoleIO.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ConflictSetTrace.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/string-truncate.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Declarative.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Chunk.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Task.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Imaginal.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Temporal.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Procedural.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Model.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Prim.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/main.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Instantiation.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Simulation.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Action.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Production.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/BatchRun.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Interface/PRScenario.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Parser.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Operator.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ScriptFunctions.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/NSScanner+Swift.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Script.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Support.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/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/QuartzCore.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/Metal.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/AppKit.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/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/QuartzCore.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/Metal.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/AppKit.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/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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.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/AppKit.framework/Headers/AppKit.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/alice/Desktop/BottomUpLearning3/PRIMs_cmd/Build/Intermediates.noindex/PRIMs_cmd.build/Debug/PRIMs_cmd.build/Objects-normal/x86_64/Chunk~partial.swiftmodule : /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ConsoleIO.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ConflictSetTrace.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/string-truncate.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Declarative.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Chunk.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Task.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Imaginal.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Temporal.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Procedural.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Model.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Prim.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/main.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Instantiation.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Simulation.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Action.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Production.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/BatchRun.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Interface/PRScenario.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Parser.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Operator.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ScriptFunctions.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/NSScanner+Swift.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Script.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Support.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/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/QuartzCore.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/Metal.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/AppKit.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/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/QuartzCore.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/Metal.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/AppKit.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/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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.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/AppKit.framework/Headers/AppKit.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/alice/Desktop/BottomUpLearning3/PRIMs_cmd/Build/Intermediates.noindex/PRIMs_cmd.build/Debug/PRIMs_cmd.build/Objects-normal/x86_64/Chunk~partial.swiftdoc : /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ConsoleIO.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ConflictSetTrace.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/string-truncate.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Declarative.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Chunk.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Task.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Imaginal.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Temporal.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Procedural.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Model.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Prim.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/main.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Instantiation.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Simulation.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Action.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Production.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/BatchRun.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Interface/PRScenario.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Parser.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Operator.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/ScriptFunctions.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/NSScanner+Swift.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Script.swift /Users/alice/Desktop/BottomUpLearning3/PRIMs_cmd/PRIMs_cmd/Support.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/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/QuartzCore.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/Metal.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/AppKit.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/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/QuartzCore.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/Metal.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/AppKit.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/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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.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/AppKit.framework/Headers/AppKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
instance ORG_5060_BANDIT_EXIT(C_Info)
{
npc = org_5060_bandit;
nr = 999;
condition = org_5060_bandit_exit_condition;
information = org_5060_bandit_exit_info;
important = 0;
permanent = 1;
description = DIALOG_ENDE;
};
func int org_5060_bandit_exit_condition()
{
return TRUE;
};
func void org_5060_bandit_exit_info()
{
AI_StopProcessInfos(self);
};
instance ORG_5060_BANDIT_FAKEHELP(C_Info)
{
npc = org_5060_bandit;
nr = 1;
condition = org_5060_bandit_fakehelp_condition;
information = org_5060_bandit_fakehelp_info;
permanent = 0;
important = 1;
description = "Kannst du mir helfen? [important - no description required]";
};
func int org_5060_bandit_fakehelp_condition()
{
return TRUE;
};
func void org_5060_bandit_fakehelp_info()
{
AI_Output(self,other,"DIA_ORG_5060_Help_15_00"); //Hej ty! Počkej na moment!
AI_Output(other,self,"DIA_ORG_5060_Help_15_01"); //Co ode mě chceš?
AI_Output(self,other,"DIA_ORG_5060_Help_15_02"); //S mým parťákem potřebujeme malou pomoc. Lovíme mrchožrouty po okolí a potřebujeme někoho, kdo nám pomůže ty potvory ulovit.
AI_Output(self,other,"DIA_ORG_5060_Help_15_03"); //Přišel jsi přesně vhod. Pokud nám pomůžeš s lovem, dáme ti podíl z kořisti.
AI_Output(self,other,"DIA_ORG_5060_Help_15_04"); //Tak co můžu se na tebe spolehnout?
Info_ClearChoices(org_5060_bandit_fakehelp);
Info_AddChoice(org_5060_bandit_fakehelp,"Nemám zájem - najděte si někoho jiného.",org_5060_bandit_fakehelp_deny);
Info_AddChoice(org_5060_bandit_fakehelp,"Počítej se mnou.",org_5060_bandit_fakehelp_accepr);
};
func void org_5060_bandit_fakehelp_deny()
{
AI_Output(other,self,"DIA_ORG_5060_Help_Deny_15_00"); //Nemám zájem - najděte si někoho jiného.
AI_Output(self,other,"DIA_ORG_5060_Help_Deny_06_01"); //Takže mi nechceš pomoci? Pak vypadni, nemám ti co říct, parchante.
AI_StopProcessInfos(self);
Npc_SetPermAttitude(self,ATT_ANGRY);
Info_ClearChoices(org_5060_bandit_fakehelp);
};
func void org_5060_bandit_fakehelp_accepr()
{
AI_Output(other,self,"DIA_ORG_5060_Help_Accepr_15_00"); //Počítej se mnou.
AI_Output(self,other,"DIA_ORG_5060_Help_Accepr_06_01"); //Dobře, pojďme, můj parťák na nás čeká dole v údolí.
AI_Output(self,other,"DIA_ORG_5060_Help_Accepr_06_02"); //Půjdu napřed, poď za mnou.
self.aivar[AIV_PARTYMEMBER] = TRUE;
Npc_ExchangeRoutine(self,"GUIDE");
AI_StopProcessInfos(self);
Info_ClearChoices(org_5060_bandit_fakehelp);
};
instance ORG_5060_BANDIT_TRAPPED(C_Info)
{
npc = org_5060_bandit;
nr = 1;
condition = org_5060_bandit_trapped_condition;
information = org_5060_bandit_trapped_info;
permanent = 0;
important = 1;
};
func int org_5060_bandit_trapped_condition()
{
if(Npc_KnowsInfo(hero,org_5060_bandit_fakehelp) && (Npc_GetDistToWP(self,"HELPPOINT10") < 500))
{
return TRUE;
};
};
func void org_5060_bandit_trapped_info()
{
AI_Output(self,other,"DIA_ORG_5060_Trapped_15_00"); //Takže jsme tady. Tohle je můj parťák.
AI_Output(self,other,"DIA_ORG_5060_Trapped_15_01"); //Nyní se můžeme pustit do práce.
AI_Output(other,self,"DIA_ORG_5060_Trapped_15_02"); //Kde jsou mrchožrouti?
AI_Output(self,other,"DIA_ORG_5060_Trapped_15_03"); //Přemýšleli jsme nad tím a už nebudeme muset lovit mrchožrouty.
AI_Output(other,self,"DIA_ORG_5060_Trapped_15_04"); //Co?
AI_Output(self,other,"DIA_ORG_5060_Trapped_15_05"); //No, teď, když jsi tady, našli jsme jiný způsob, jak se získat kořist.
AI_Output(self,other,"DIA_ORG_5060_Trapped_15_06"); //Tak se podívejme, copak máš u sebe.
self.aivar[AIV_PARTYMEMBER] = FALSE;
AI_StopProcessInfos(self);
Npc_SetTarget(self,hero);
AI_StartState(self,ZS_Attack,0,"");
Npc_SetTarget(org_5061_bandit,hero);
AI_StartState(org_5061_bandit,ZS_Attack,0,"");
};
instance ORG_5060_BANDIT_BEATED(C_Info)
{
npc = org_5060_bandit;
nr = 1;
condition = org_5060_bandit_beated_condition;
information = org_5060_bandit_beated_info;
permanent = 0;
important = 1;
};
func int org_5060_bandit_beated_condition()
{
if((Npc_KnowsInfo(hero,org_5060_bandit_trapped) && Npc_HasItems(hero,ItWr_Fire_Letter_01)) || (Npc_HasItems(hero,ItWr_Fire_Letter_02) && (self.aivar[AIV_HASDEFEATEDSC] == TRUE)))
{
return TRUE;
};
};
func void org_5060_bandit_beated_info()
{
AI_Output(self,other,"DIA_ORG_5060_Beated_15_00"); //Co je tohle za dopis?
B_UseFakeScroll();
AI_Output(self,other,"DIA_ORG_5060_Beated_15_01"); //Zajímavé, vypadá hodnotně. Jsem si jistý, že odměna bude stát zato. Hehe.
AI_Output(self,other,"DIA_ORG_5060_Beated_15_02"); //Teď vysmahni.
CreateInvItem(self,ItWr_Fire_Letter_02);
//BUGFIX [Fawkes]: Necheckovalo sa tu, ci ma hrac item pred odstranenim
//Npc_RemoveInvItem(hero,ItWr_Fire_Letter_01);
//Npc_RemoveInvItem(hero,ItWr_Fire_Letter_02);
if (Npc_HasItems(hero,ItWr_Fire_Letter_01)){
Npc_RemoveInvItem(hero,ItWr_Fire_Letter_01);
};
if (Npc_HasItems(hero,ItWr_Fire_Letter_02)){
Npc_RemoveInvItem(hero,ItWr_Fire_Letter_02);
};
Npc_ExchangeRoutine(self,"START");
AI_StopProcessInfos(self);
};
instance ORG_5060_BANDIT_DEFEATED(C_Info)
{
npc = org_5060_bandit;
nr = 1;
condition = org_5060_bandit_defeated_condition;
information = org_5060_bandit_defeated_info;
permanent = 0;
important = 1;
};
func int org_5060_bandit_defeated_condition()
{
if(Npc_KnowsInfo(hero,org_5060_bandit_trapped) && (self.aivar[AIV_WASDEFEATEDBYSC] == TRUE))
{
return TRUE;
};
};
func void org_5060_bandit_defeated_info()
{
AI_OutputSVM(self,other,"$LETSFORGETOURLITTLEFIGHT");
Npc_ExchangeRoutine(self,"START");
};
|
D
|
/Users/adam/Projects/itunes_rss/Build/Intermediates.noindex/iTunesRSSFeed.build/Debug-iphonesimulator/iTunesRSSFeed.build/Objects-normal/x86_64/Response.o : /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/iTunesRSSAPI.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Feed.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Genre.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Response.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/SceneDelegate.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/AppDelegate.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/ViewModels/FeedViewModel.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/ViewModels/AlbumViewModel.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/AlbumTableViewCell.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Album.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Extensions/UIImageViewExtension.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Extensions/UITableViewExtension.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/DetailViewController.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/MainViewController.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/NetworkingError.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/QueryResult.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/APIClient.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/adam/Projects/itunes_rss/Build/Intermediates.noindex/iTunesRSSFeed.build/Debug-iphonesimulator/iTunesRSSFeed.build/Objects-normal/x86_64/Response~partial.swiftmodule : /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/iTunesRSSAPI.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Feed.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Genre.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Response.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/SceneDelegate.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/AppDelegate.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/ViewModels/FeedViewModel.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/ViewModels/AlbumViewModel.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/AlbumTableViewCell.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Album.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Extensions/UIImageViewExtension.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Extensions/UITableViewExtension.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/DetailViewController.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/MainViewController.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/NetworkingError.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/QueryResult.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/APIClient.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/adam/Projects/itunes_rss/Build/Intermediates.noindex/iTunesRSSFeed.build/Debug-iphonesimulator/iTunesRSSFeed.build/Objects-normal/x86_64/Response~partial.swiftdoc : /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/iTunesRSSAPI.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Feed.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Genre.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Response.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/SceneDelegate.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/AppDelegate.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/ViewModels/FeedViewModel.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/ViewModels/AlbumViewModel.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/AlbumTableViewCell.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Album.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Extensions/UIImageViewExtension.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Extensions/UITableViewExtension.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/DetailViewController.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/MainViewController.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/NetworkingError.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/QueryResult.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/APIClient.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/adam/Projects/itunes_rss/Build/Intermediates.noindex/iTunesRSSFeed.build/Debug-iphonesimulator/iTunesRSSFeed.build/Objects-normal/x86_64/Response~partial.swiftsourceinfo : /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/iTunesRSSAPI.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Feed.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Genre.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Response.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/SceneDelegate.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/AppDelegate.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/ViewModels/FeedViewModel.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/ViewModels/AlbumViewModel.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/AlbumTableViewCell.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Models/Album.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Extensions/UIImageViewExtension.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Extensions/UITableViewExtension.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/DetailViewController.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Views/MainViewController.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/NetworkingError.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/QueryResult.swift /Users/adam/Projects/itunes_rss/iTunesRSSFeed/Networking/APIClient.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/*******************************************************************************
Provides global test client instance used from test cases to access
the node.
Copyright:
Copyright (c) 2015-2017 sociomantic labs GmbH. All rights reserved.
License:
Boost Software License Version 1.0. See LICENSE.txt for details.
*******************************************************************************/
module dhttest.DhtClient;
/*******************************************************************************
Imports
*******************************************************************************/
import ocean.transition;
import ocean.util.log.Log;
/*******************************************************************************
Class that encapsulates fiber/epoll reference and provides
functions to emulate blocking API for swarm DHT client.
*******************************************************************************/
class DhtClient
{
import ocean.core.Enforce;
import ocean.core.Array : copy;
import ocean.task.Task;
import ocean.task.Scheduler;
import ocean.task.util.Timer : wait;
import swarm.client.plugins.ScopeRequests;
import swarm.util.Hash;
import Swarm = dhtproto.client.DhtClient;
/***************************************************************************
Helper class to perform a request and suspend the current task until the
request is finished.
***************************************************************************/
private final class TaskBlockingRequest
{
import ocean.io.select.protocol.generic.ErrnoIOException : IOError;
import swarm.Const : NodeItem;
/// Task instance to be suspended / resumed while the request is handled
private Task task;
/// Counter of the number of request-on-conns which are not finished.
private uint pending;
/// Flag per request-on-conn, set to true if it is queued. Used to
/// ensure that pending is not incremented twice.
private bool[NodeItem] queued;
/// Set if an error occurs in any request-on-conn.
private bool error;
/// Stores the last error message.
private mstring error_msg;
/***********************************************************************
Constructor. Sets this.task to the current task.
***********************************************************************/
public this ( )
{
this.task = Task.getThis();
assert(this.task !is null);
}
/***********************************************************************
Should be called after assigning a request. Suspends the task until
the request finishes and then checks for errors.
Throws:
if an error occurred while handling the request
***********************************************************************/
public void wait ( )
{
if ( this.pending > 0 )
this.task.suspend();
enforce(!this.error, idup(this.error_msg));
}
/***********************************************************************
DHT request notifier to pass to the request being assigned.
Params:
info = notification info
***********************************************************************/
public void notify ( SwarmClient.RequestNotification info )
{
switch ( info.type )
{
case info.type.Queued:
this.queued[info.nodeitem] = true;
this.pending++;
break;
case info.type.Started:
if ( !(info.nodeitem in this.queued) )
this.pending++;
break;
case info.type.Finished:
if ( !info.succeeded )
{
info.message(this.error_msg);
if ( cast(IOError) info.exception )
this.outer.log.warn("Socket I/O failure : {}",
this.error_msg);
else
this.error = true;
}
if ( --this.pending == 0 && this.task.suspended() )
this.task.resume();
break;
default:
}
}
}
/***************************************************************************
Reference to common fakedht logger instance
***************************************************************************/
private Logger log;
/***************************************************************************
Alias for type of the standard DHT client in swarm
***************************************************************************/
alias Swarm.DhtClient SwarmClient;
/***************************************************************************
Shared DHT client instance
***************************************************************************/
private SwarmClient swarm_client;
/***************************************************************************
Indicates successful DHT handshake for `this.swarm_client`
***************************************************************************/
private bool handshake_ok;
/**************************************************************************
Creates DHT client using the task scheduler's epoll instance
***************************************************************************/
public this ( )
{
this.log = Log.lookup("dhttest");
const max_connections = 2;
this.swarm_client = new SwarmClient(theScheduler.epoll, max_connections);
}
/***************************************************************************
Connects to the legacy port of the DHT node. The test Task is suspended
until connection has succeeded.
Params:
port = DHT node legacy port
***************************************************************************/
public void handshake ( ushort port )
{
this.swarm_client.addNode("127.0.0.1".dup, port);
auto task = Task.getThis();
assert(task !is null);
bool finished;
void handshake_cb (SwarmClient.RequestContext, bool ok)
{
finished = true;
this.handshake_ok = ok;
if ( task.suspended() )
task.resume();
}
this.swarm_client.nodeHandshake(&handshake_cb, null);
if ( !finished )
task.suspend();
enforce(this.handshake_ok, "Test DHT handshake failed");
}
/***************************************************************************
Indicates that internal swarm client has completed successful DHT
handshake exchange
***************************************************************************/
public bool hasCompletedHandshake ( )
{
return this.handshake_ok;
}
/***************************************************************************
Adds a (key, data) pair to the specified DHT channel
Params:
channel = name of DHT channel to which data should be added
key = key with which to associate data
data = data to be added to DHT
Throws:
upon empty record or request error (Exception.msg set to indicate error)
***************************************************************************/
public void put ( cstring channel, hash_t key, cstring data )
{
scope tbr = new TaskBlockingRequest;
cstring input ( SwarmClient.RequestContext context )
{
return data;
}
this.swarm_client.assign(
this.swarm_client.put(channel, key, &input, &tbr.notify));
tbr.wait();
}
/***************************************************************************
Get the item from the specified channel and the specified key.
Params:
channel = name of dht channel from which an item should be read.
key = the key to get the data from.
Returns:
The associated data.
Throws:
upon request error (Exception.msg set to indicate error
***************************************************************************/
public mstring get ( cstring channel, hash_t key )
{
scope tbr = new TaskBlockingRequest;
mstring result;
void output ( SwarmClient.RequestContext context, in cstring value )
{
if (value.length)
result.copy(value);
}
this.swarm_client.assign(
this.swarm_client.get(channel, key, &output, &tbr.notify));
tbr.wait();
return result;
}
/***************************************************************************
Removes an item with the specified key from the specified channel.
Params:
channel = name of dht channel from which the item should be removed.
key = the key of the item to remove.
Throws:
upon request error (Exception.msg set to indicate error)
***************************************************************************/
public void remove ( cstring channel, hash_t key )
{
scope tbr = new TaskBlockingRequest;
this.swarm_client.assign(
this.swarm_client.remove(channel, key, &tbr.notify));
tbr.wait();
}
/***************************************************************************
Check whether an item with the specified key exists in the specified
channel.
Params:
channel = name of dht channel in which the item should be checked.
key = the key of the item to check.
Returns:
true if the record exists
Throws:
upon request error (Exception.msg set to indicate error)
***************************************************************************/
public bool exists ( cstring channel, hash_t key )
{
scope tbr = new TaskBlockingRequest;
bool result;
void output ( SwarmClient.RequestContext context, bool exists )
{
result = exists;
}
this.swarm_client.assign(
this.swarm_client.exists(channel, key, &output, &tbr.notify));
tbr.wait();
return result;
}
/***************************************************************************
Get the number of records and bytes in the specified channel.
Params:
channel = name of dht channel.
records = receives the number of records in the channel
bytes = receives the number of bytes in the channel
Throws:
upon request error (Exception.msg set to indicate error)
***************************************************************************/
public void getChannelSize ( cstring channel, out ulong records,
out ulong bytes )
{
scope tbr = new TaskBlockingRequest;
void output ( SwarmClient.RequestContext context, in cstring address,
ushort port, in cstring channel, ulong r, ulong b )
{
records += r;
bytes += b;
}
this.swarm_client.assign(
this.swarm_client.getChannelSize(channel, &output, &tbr.notify));
tbr.wait();
}
/***************************************************************************
Gets all items from the specified channel.
Params:
channel = name of dht channel from which items should be fetched
Returns:
the set of records fetched
Throws:
upon request error (Exception.msg set to indicate error)
***************************************************************************/
public mstring[hash_t] getAll ( cstring channel )
{
scope tbr = new TaskBlockingRequest;
bool hash_error;
mstring[hash_t] result;
void output ( SwarmClient.RequestContext context, in cstring key,
in cstring value )
{
if (!isHash(key))
{
hash_error = true;
return;
}
result[straightToHash(key)] = value.dup;
}
this.swarm_client.assign(
this.swarm_client.getAll(channel, &output, &tbr.notify));
tbr.wait();
enforce(!hash_error, "Bad record hash received");
return result;
}
/***************************************************************************
Gets all items from the specified channel which contain the specified
filter string.
Params:
channel = name of dht channel from which items should be fetched
filter = string to search for in values
Returns:
the set of filtered records fetched
Throws:
upon request error (Exception.msg set to indicate error)
***************************************************************************/
public mstring[hash_t] getAllFilter ( cstring channel, cstring filter )
{
scope tbr = new TaskBlockingRequest;
bool hash_error;
mstring[hash_t] result;
void output ( SwarmClient.RequestContext context, in cstring key,
in cstring value )
{
if (!isHash(key))
{
hash_error = true;
return;
}
result[straightToHash(key)] = value.dup;
}
this.swarm_client.assign(
this.swarm_client.getAll(channel, &output, &tbr.notify)
.filter(filter));
tbr.wait();
enforce(!hash_error, "Bad record hash received");
return result;
}
/***************************************************************************
Gets all keys from the specified channel.
Params:
channel = name of dht channel from which keys should be fetched
Returns:
the set of keys fetched
Throws:
upon request error (Exception.msg set to indicate error)
***************************************************************************/
public hash_t[] getAllKeys ( cstring channel )
{
scope tbr = new TaskBlockingRequest;
bool hash_error;
hash_t[] result;
void output ( SwarmClient.RequestContext context, in cstring key )
{
if (!isHash(key))
{
hash_error = true;
return;
}
result ~= straightToHash(key);
}
this.swarm_client.assign(
this.swarm_client.getAllKeys(channel, &output, &tbr.notify));
tbr.wait();
enforce(!hash_error, "Bad record hash received");
return result;
}
/***************************************************************************
Removes the specified channel.
Params:
channel = name of dht channel to remove
Throws:
upon request error (Exception.msg set to indicate error)
***************************************************************************/
public void removeChannel ( cstring channel )
{
scope tbr = new TaskBlockingRequest;
this.swarm_client.assign(
this.swarm_client.removeChannel(channel, &tbr.notify));
tbr.wait();
}
/***************************************************************************
Assigns a Listen request and waits until it starts being handled.
Notes:
1. The only way to stop a Listen request is to remove the channel
being listened to.
2. This method writes a single dummy record (with key 0xDEAD) to the
listened channel and waits for it to be received by a listener as
confirmation that is has started successfully. The record is then
restored to its previous state (either re-written or removed).
Params:
channel = channel to listen on
***************************************************************************/
public Listener startListen ( cstring channel )
{
const hash_t key = 0xDEAD;
auto listener = new Listener;
this.swarm_client.assign(this.swarm_client.listen(channel,
&listener.record, &listener.notifier));
// FLAKY: As there is no notification when the Listen request has
// started being handled by the node, it's possible that the dummy
// record put (see below) will arrive before the Listen request is
// registered with the channel to receive updates. Given the lack of
// notification, it's impossible to write a non-flaky test for this.
// In this circumstance, simply waiting 100ms after assigning the Listen
// request -- while it could, in principle, still fail -- will massively
// reduce flakiness.
wait(100_000);
auto original_value = this.get(channel, key);
this.put(channel, key, "dummy_value"[]);
while (!listener.data.length)
listener.waitNextEvent();
listener.data = null;
if ( original_value.length )
this.put(channel, key, original_value);
else
this.remove(channel, key);
return listener;
}
/***************************************************************************
Blocking wrapper on top of Listen request
***************************************************************************/
public static class Listener
{
/***********************************************************************
Indicates that listener has been terminated - most commonly,
because there is no more channel to listen on
***********************************************************************/
public bool finished = false;
/***********************************************************************
Set when an invalid key is received in record().
***********************************************************************/
public bool hash_error = false;
/***********************************************************************
Read records get stored here as a simply key->value AA. When the
test case has finished checking the received data, it must remove it
from the AA, otherwise waitNextEvent() will always return
immediately, without waiting.
***********************************************************************/
public cstring[hash_t] data;
/***********************************************************************
Binds listener to current Task.
***********************************************************************/
public this ( )
{
this.task = Task.getThis();
assert(this.task !is null);
}
/***********************************************************************
Returns when either data has been received by the Listen request or
the channel being listened to has been removed. If neither of those
things are immediately true, when the method is called, the bound
task is suspended until one of them occurs. Thus, when this method
returns, one of the following has happened:
1. Data was already available (in this.data), so the task was
not suspended.
2. The Listen request has finished, so the task was not
suspended.
3. The task was suspended, new data arrived, and the task was
resumed. The new data is added to this.data, where it can be
read by the test case. When the test case has finished
checking the received data, it must remove it from the AA,
otherwise subsequent calls to waitNextEvent() will always
return immediately (case 1), without waiting.
4. The task was suspended, the Listen request terminated due to
the channel being removed, and the task was resumed. It is
not possible to make further use of this instance.
***********************************************************************/
public void waitNextEvent ( )
{
if ( this.finished || this.data.length )
return;
this.waiting = true;
this.task.suspend();
this.waiting = false;
}
/***********************************************************************
Task that gets suspended when `waitNextEvent` is called.
***********************************************************************/
private Task task;
/***********************************************************************
Set to true when this.task was suspended by waitNextEvent(). Used to
decide whether to resume the task when an event occurs. (This
instance is not necessarily the only thing controlling the task, so
it must be sure to only resume the task when it was the one who
suspended it originally.)
***********************************************************************/
private bool waiting;
/***********************************************************************
Internal callback for storing new records
***********************************************************************/
private void record ( SwarmClient.RequestContext c, in cstring key,
in cstring value )
{
if (!isHash(key))
{
this.hash_error = true;
return;
}
this.data[straightToHash(key)] = value.dup;
if ( this.waiting )
this.task.resume();
}
/***********************************************************************
Internal callback for processing listener events
***********************************************************************/
private void notifier ( SwarmClient.RequestNotification info )
{
if ( info.type == info.type.Finished )
{
this.finished = true;
if ( this.waiting )
this.task.resume();
}
}
}
}
|
D
|
/* ----------------------------------------------------------------------------
* This file was automatically generated by SWIG (http://www.swig.org).
* Version 3.0.0
*
* Do not make changes to this file unless you know what you are doing--modify
* the SWIG interface file instead.
* ----------------------------------------------------------------------------- */
module vtkPointSetAlgorithm;
static import vtkd_im;
static import core.stdc.config;
static import std.conv;
static import std.string;
static import std.conv;
static import std.string;
static import vtkObjectBase;
static import vtkPointSet;
static import vtkPolyData;
static import vtkStructuredGrid;
static import vtkUnstructuredGrid;
static import vtkDataObject;
static import vtkAlgorithm;
class vtkPointSetAlgorithm : vtkAlgorithm.vtkAlgorithm {
private void* swigCPtr;
public this(void* cObject, bool ownCObject) {
super(vtkd_im.vtkPointSetAlgorithm_Upcast(cObject), ownCObject);
swigCPtr = cObject;
}
public static void* swigGetCPtr(vtkPointSetAlgorithm obj) {
return (obj is null) ? null : obj.swigCPtr;
}
mixin vtkd_im.SwigOperatorDefinitions;
public override void dispose() {
synchronized(this) {
if (swigCPtr !is null) {
if (swigCMemOwn) {
swigCMemOwn = false;
throw new object.Exception("C++ destructor does not have public access");
}
swigCPtr = null;
super.dispose();
}
}
}
public static vtkPointSetAlgorithm New() {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_New();
vtkPointSetAlgorithm ret = (cPtr is null) ? null : new vtkPointSetAlgorithm(cPtr, false);
return ret;
}
public static int IsTypeOf(string type) {
auto ret = vtkd_im.vtkPointSetAlgorithm_IsTypeOf((type ? std.string.toStringz(type) : null));
return ret;
}
public static vtkPointSetAlgorithm SafeDownCast(vtkObjectBase.vtkObjectBase o) {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_SafeDownCast(vtkObjectBase.vtkObjectBase.swigGetCPtr(o));
vtkPointSetAlgorithm ret = (cPtr is null) ? null : new vtkPointSetAlgorithm(cPtr, false);
return ret;
}
public vtkPointSetAlgorithm NewInstance() const {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_NewInstance(cast(void*)swigCPtr);
vtkPointSetAlgorithm ret = (cPtr is null) ? null : new vtkPointSetAlgorithm(cPtr, false);
return ret;
}
alias vtkAlgorithm.vtkAlgorithm.NewInstance NewInstance;
public vtkPointSet.vtkPointSet GetOutput() {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_GetOutput__SWIG_0(cast(void*)swigCPtr);
vtkPointSet.vtkPointSet ret = (cPtr is null) ? null : new vtkPointSet.vtkPointSet(cPtr, false);
return ret;
}
public vtkPointSet.vtkPointSet GetOutput(int arg0) {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_GetOutput__SWIG_1(cast(void*)swigCPtr, arg0);
vtkPointSet.vtkPointSet ret = (cPtr is null) ? null : new vtkPointSet.vtkPointSet(cPtr, false);
return ret;
}
public vtkPolyData.vtkPolyData GetPolyDataOutput() {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_GetPolyDataOutput(cast(void*)swigCPtr);
vtkPolyData.vtkPolyData ret = (cPtr is null) ? null : new vtkPolyData.vtkPolyData(cPtr, false);
return ret;
}
public vtkStructuredGrid.vtkStructuredGrid GetStructuredGridOutput() {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_GetStructuredGridOutput(cast(void*)swigCPtr);
vtkStructuredGrid.vtkStructuredGrid ret = (cPtr is null) ? null : new vtkStructuredGrid.vtkStructuredGrid(cPtr, false);
return ret;
}
public vtkUnstructuredGrid.vtkUnstructuredGrid GetUnstructuredGridOutput() {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_GetUnstructuredGridOutput(cast(void*)swigCPtr);
vtkUnstructuredGrid.vtkUnstructuredGrid ret = (cPtr is null) ? null : new vtkUnstructuredGrid.vtkUnstructuredGrid(cPtr, false);
return ret;
}
public void SetInputData(vtkDataObject.vtkDataObject arg0) {
vtkd_im.vtkPointSetAlgorithm_SetInputData__SWIG_0(cast(void*)swigCPtr, vtkDataObject.vtkDataObject.swigGetCPtr(arg0));
}
public void SetInputData(int arg0, vtkDataObject.vtkDataObject arg1) {
vtkd_im.vtkPointSetAlgorithm_SetInputData__SWIG_1(cast(void*)swigCPtr, arg0, vtkDataObject.vtkDataObject.swigGetCPtr(arg1));
}
public void SetInputData(vtkPointSet.vtkPointSet arg0) {
vtkd_im.vtkPointSetAlgorithm_SetInputData__SWIG_2(cast(void*)swigCPtr, vtkPointSet.vtkPointSet.swigGetCPtr(arg0));
}
public void SetInputData(int arg0, vtkPointSet.vtkPointSet arg1) {
vtkd_im.vtkPointSetAlgorithm_SetInputData__SWIG_3(cast(void*)swigCPtr, arg0, vtkPointSet.vtkPointSet.swigGetCPtr(arg1));
}
public void AddInputData(vtkDataObject.vtkDataObject arg0) {
vtkd_im.vtkPointSetAlgorithm_AddInputData__SWIG_0(cast(void*)swigCPtr, vtkDataObject.vtkDataObject.swigGetCPtr(arg0));
}
public void AddInputData(vtkPointSet.vtkPointSet arg0) {
vtkd_im.vtkPointSetAlgorithm_AddInputData__SWIG_1(cast(void*)swigCPtr, vtkPointSet.vtkPointSet.swigGetCPtr(arg0));
}
public void AddInputData(int arg0, vtkPointSet.vtkPointSet arg1) {
vtkd_im.vtkPointSetAlgorithm_AddInputData__SWIG_2(cast(void*)swigCPtr, arg0, vtkPointSet.vtkPointSet.swigGetCPtr(arg1));
}
public void AddInputData(int arg0, vtkDataObject.vtkDataObject arg1) {
vtkd_im.vtkPointSetAlgorithm_AddInputData__SWIG_3(cast(void*)swigCPtr, arg0, vtkDataObject.vtkDataObject.swigGetCPtr(arg1));
}
public vtkDataObject.vtkDataObject GetInput() {
void* cPtr = vtkd_im.vtkPointSetAlgorithm_GetInput(cast(void*)swigCPtr);
vtkDataObject.vtkDataObject ret = (cPtr is null) ? null : new vtkDataObject.vtkDataObject(cPtr, false);
return ret;
}
}
|
D
|
const int Value_SheepFur = 10;
const int Value_WolfFur = 15;
const int Value_Keilerfur = 15;
const int Value_IceWolfFur = 20;
const int Value_ReptileSkin = 20;
const int Value_WargFur = 60;
const int Value_ShadowFur = 150;
const int Value_IcePumaFur = 250;
const int Value_PumaFur = 200;
const int Value_SharkSkin = 80;
const int Value_TrollFur = 250;
const int Value_TrollBlackFur = 500;
const int Value_TrollIceFur = 1000;
const int Value_BCKopf = 10;
const int Value_Meatbugflesh = 5;
const int Value_BugMandibles = 5;
const int Value_Claw = 5;
const int Value_LurkerClaw = 8;
const int Value_Teeth = 10;
const int Value_CrawlerMandibles = 12;
const int Value_SpiderMandibles = 30;
const int Value_Wing = 10;
const int Value_Sting = 12;
const int Value_DrgSnapperHorn = 50;
const int Value_CrawlerPlate = 25;
const int Value_WaranFiretongue = 40;
const int Value_ShadowHorn = 60;
const int Value_SharkTeeth = 40;
const int Value_DesertSharkTeeth = 60;
const int Value_TrollTooth = 70;
const int Value_GoblinBone = 5;
const int Value_SkeletonBone = 8;
const int Value_DemonHeart = 500;
const int Value_StoneGolemHeart = 150;
const int Value_FireGolemHeart = 250;
const int Value_IceGolemHeart = 300;
const int VALUE_SWAMPGOLEMHEART = 200;
const int Value_UndeadDragonSoulStone = 10000;
const int Value_IcedragonHeart = 800;
const int Value_FiredragonHeart = 700;
const int Value_SwampdragonHeart = 500;
const int Value_RockdragonHeart = 600;
const int Value_DragonBlood = 300;
const int Value_DragonScale = 200;
var int orcheart_bonus;
var int draconianheart_bonus;
var int fl_bonus;
var int pi_bonus;
instance ItAt_Addon_BCKopf(C_Item)
{
name = "Голова богомола";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_BCKopf;
visual = "ItAt_Blattcrawler_01.3DS";
material = MAT_LEATHER;
description = "Голова богомола";
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_Meatbugflesh(C_Item)
{
name = "Мясо мясного жука";
mainflag = ITEM_KAT_FOOD;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_Meatbugflesh;
visual = "ItAt_Meatbugflesh.3DS";
material = MAT_LEATHER;
scemeName = "FOODHUGE";
on_state[0] = Use_Meatbugflesh;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
func void Use_Meatbugflesh()
{
if(self.id == 0)
{
Npc_ChangeAttribute(self,ATR_HITPOINTS,-1);
B_Say(self,self,"$COUGH");
};
};
instance ItAt_SheepFur(C_Item)
{
name = "Шкура овцы";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_SheepFur;
visual = "ItAt_SheepFur.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_RabbitFur(C_Item)
{
name = "Кроличья шкура";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 5;
visual = "ItAt_RabbitFur_New_01.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_WolfFur(C_Item)
{
name = "Шкура волка";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_WolfFur;
visual = "ItAt_WolfFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_IceWolfFur(C_Item)
{
name = "Шкура белого волка";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_IceWolfFur;
visual = "ItAt_IceWolfFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_WhitePuma(C_Item)
{
name = "Шкура белой пумы";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_IcePumaFur;
visual = "ItAt_IceWolfFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_WhiteTroll(C_Item)
{
name = "Шкура белого тролля";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_TrollIceFur;
visual = "ItAt_IceWolfFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_BugMandibles(C_Item)
{
name = "Мандибулы полевого хищника";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_BugMandibles;
visual = "ItAt_BugMandibles.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_Claw(C_Item)
{
name = "Когти";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_Claw;
visual = "ItAt_Claw.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_OreBugClaw(C_Item)
{
name = "Клешня рудного ползуна";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_LurkerClaw;
visual = "ITAT_CLAW_RUDOGRIZ.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_LurkerClaw(C_Item)
{
name = "Когти шныга";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_LurkerClaw;
visual = "ItAt_LurkerClaw_Sky.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_Teeth(C_Item)
{
name = "Клыки";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_Teeth;
visual = "ITAT_TEETH.3DS";
material = MAT_STONE;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_CrawlerMandibles(C_Item)
{
name = "Мандибулы ползуна";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_CrawlerMandibles;
visual = "G3_Item_AnimalTrophy_Teeth_MineCrawler_01.3DS";
material = MAT_LEATHER;
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_SpiderMandibles(C_Item)
{
name = "Мандибулы паука";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_SpiderMandibles;
visual = "G3_Item_AnimalTrophy_Teeth_MineCrawler_01.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Cодержат внутри яд...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_Wing(C_Item)
{
name = "Крылья";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_Wing;
visual = "ItAt_Wing.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_Sting(C_Item)
{
name = "Жало";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_Sting;
scemeName = "FOOD";
on_state[0] = Use_Sting;
visual = "ItAt_Sting.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Жало кровавой мухи, содержащее внутри яд...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
func void Use_Sting()
{
if(Knows_Bloodfly == TRUE)
{
if(Bloodfly_Bonus <= 10)
{
Npc_ChangeAttribute(self,ATR_HITPOINTS,self.attribute[ATR_HITPOINTS_MAX]);
AI_Print(PRINT_FullyHealed);
Bloodfly_Bonus = Bloodfly_Bonus + 1;
}
else
{
AI_Print(PRINT_Mandibles);
};
}
else
{
AI_Print(PRINT_Bloodfly);
if(self.attribute[ATR_HITPOINTS] > 1)
{
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] - 1;
};
};
};
instance itat_LurkerSkin(C_Item)
{
name = "Шкура рептилии";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_ReptileSkin;
visual = "ItAt_LurkerSkin.3DS";
material = MAT_LEATHER;
description = "Кожа рептилии";
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_WargFur(C_Item)
{
name = "Шкура варга";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_WargFur;
visual = "ItAt_WargFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_OrcDogFur(C_Item)
{
name = "Шкура орочей гончей";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_WargFur;
visual = "ItAt_OrcDogFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_Addon_KeilerFur(C_Item)
{
name = "Шкура кабана";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_Keilerfur;
visual = "ItAt_KeilerFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_DrgSnapperHorn(C_Item)
{
name = "Рог драконьего снеппера";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_DrgSnapperHorn;
visual = "ITAT_SHADOWHORN_NEW.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_CrawlerPlate(C_Item)
{
name = "Панцирь ползуна";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_CrawlerPlate;
visual = "ItAt_CrawlerPlate.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_ShadowFur(C_Item)
{
name = "Шкура мракориса";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_ShadowFur;
visual = "ItAt_ShadowFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_SharkSkin(C_Item)
{
name = "Шкура болотожора";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_SharkSkin;
visual = "ItAt_SharkSkin.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_TrollFur(C_Item)
{
name = "Шкура тролля";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_TrollFur;
visual = "ItAt_TrollFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_TrollBlackFur(C_Item)
{
name = "Шкура черного тролля";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_TrollBlackFur;
visual = "ItAt_TrollBlackFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_CaveBlackFurTroll(C_Item)
{
name = "Шкура пещерного черного тролля";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 1000;
visual = "ItAt_TrollCaveBlackFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_WaranFiretongue(C_Item)
{
name = "Огненный язык";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_WaranFiretongue;
visual = "G3_Item_AnimalTrophy_Misc_WaranTongue_01.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_TrollPoisonTongue(C_Item)
{
name = "Язык тролля";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItAt_WaranFiretongue.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Весь язык пропитан ядовитыми выделениями...";
inv_animate = 1;
};
instance ItAt_ShadowHorn(C_Item)
{
name = "Рог мракориса";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_ShadowHorn;
visual = "G3_Item_AnimalTrophy_Horn_ShadowBeast_01.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_SharkTeeth(C_Item)
{
name = "Зуб болотожора";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_SharkTeeth;
visual = "ItAt_SharkTeeth.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_DesertSharkTeeth(C_Item)
{
name = "Зуб песчанного червя";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_DesertSharkTeeth;
visual = "ItAt_SharkTeeth.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_TrollTooth(C_Item)
{
name = "Клык тролля";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_TrollTooth;
visual = "ItAt_TrollTooth.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_zbias = INVCAM_ENTF_RING_STANDARD;
inv_animate = 1;
};
instance ItAt_StoneGolemHeart(C_Item)
{
name = "Сердце каменного голема";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_StoneGolemHeart;
visual = "ItAt_StoneGolemHeart.3DS";
material = MAT_STONE;
scemeName = "MAPSEALED";
description = name;
text[3] = "Увеличивает защиту от физического урона на:";
count[3] = 50;
text[4] = NAME_Time_Done;
count[4] = 5;
text[5] = NAME_Value;
count[5] = value;
on_state[0] = Use_ItAt_StoneGolemHeart;
inv_animate = 1;
};
func void Use_ItAt_StoneGolemHeart()
{
if(Npc_IsPlayer(self))
{
if(BuffStoneGolemHeart == FALSE)
{
BuffStoneGolemHeart = TRUE;
AI_PlayAni(self,"T_MAGRUN_2_HEASHOOT");
Wld_PlayEffect("SPELLFX_LIGHTSTAR_WHITE",self,self,0,0,0,FALSE);
AI_Wait(self,1);
AI_PlayAni(self,"T_HEASHOOT_2_STAND");
};
};
};
instance ItAt_FireGolemHeart(C_Item)
{
name = "Сердце огненного голема";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_FireGolemHeart;
visual = "ItAt_FireGolemHeart.3DS";
material = MAT_STONE;
scemeName = "MAPSEALED";
description = name;
text[3] = "Увеличивает защиту от огня на:";
count[3] = 25;
text[4] = NAME_Time_Done;
count[4] = 5;
text[5] = NAME_Value;
count[5] = value;
on_state[0] = Use_ItAt_FireGolemHeart;
inv_animate = 1;
};
func void Use_ItAt_FireGolemHeart()
{
if(Npc_IsPlayer(self))
{
if(BuffFireGolemHeart == FALSE)
{
BuffFireGolemHeart = TRUE;
AI_PlayAni(self,"T_MAGRUN_2_HEASHOOT");
Wld_PlayEffect("SPELLFX_LIGHTSTAR_ORANGE",self,self,0,0,0,FALSE);
AI_Wait(self,1);
AI_PlayAni(self,"T_HEASHOOT_2_STAND");
};
};
};
instance ItAt_IceGolemHeart(C_Item)
{
name = "Сердце ледяного голема";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_IceGolemHeart;
visual = "ItAt_IceGolemHeart.3DS";
material = MAT_STONE;
scemeName = "MAPSEALED";
description = name;
text[3] = "Увеличивает защиту от магии на:";
count[3] = 15;
text[4] = NAME_Time_Done;
count[4] = 5;
text[5] = NAME_Value;
count[5] = value;
on_state[0] = Use_ItAt_IceGolemHeart;
inv_animate = 1;
};
func void Use_ItAt_IceGolemHeart()
{
if(Npc_IsPlayer(self))
{
if(BuffIceGolemHeart == FALSE)
{
BuffIceGolemHeart = TRUE;
AI_PlayAni(self,"T_MAGRUN_2_HEASHOOT");
Wld_PlayEffect("SPELLFX_LIGHTSTAR_BLUE",self,self,0,0,0,FALSE);
AI_Wait(self,1);
AI_PlayAni(self,"T_HEASHOOT_2_STAND");
};
};
};
instance ItAt_SwampGolemHeart(C_Item)
{
name = "Сердце болотного голема";
mainflag = ITEM_KAT_DOCS;
flags = ITEM_MULTI | ITEM_MISSION;
value = VALUE_SWAMPGOLEMHEART;
visual = "ItAt_SwampdragonHeart.3DS";
material = MAT_STONE;
scemeName = "MAPSEALED";
description = name;
text[3] = "Увеличивает стойкость на:";
count[3] = 10;
text[4] = NAME_Time_Done;
count[4] = 5;
text[5] = NAME_Value;
count[5] = value;
on_state[0] = Use_ItAt_SwampGolemHeart;
inv_animate = 1;
};
func void Use_ItAt_SwampGolemHeart()
{
if(Npc_IsPlayer(self))
{
if(BuffSwampGolemHeart == FALSE)
{
BuffSwampGolemHeart = TRUE;
AI_PlayAni(self,"T_MAGRUN_2_HEASHOOT");
Wld_PlayEffect("SPELLFX_LIGHTSTAR_GREEN",self,self,0,0,0,FALSE);
AI_Wait(self,1);
AI_PlayAni(self,"T_HEASHOOT_2_STAND");
};
};
};
instance ItAt_GoblinBone(C_Item)
{
name = "Кость гоблина";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_GoblinBone;
visual = "ItAt_GoblinBone.3DS";
material = MAT_WOOD;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_SkeletonBone(C_Item)
{
name = "Кость скелета";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_SkeletonBone;
visual = "ItAt_SkeletonBone.3DS";
material = MAT_WOOD;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITAT_SKELETONBONEALEF(C_Item)
{
name = "Кость Алефа";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_SkeletonBone;
visual = "ItAt_SkeletonBone.3DS";
material = MAT_WOOD;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_DemonHeart(C_Item)
{
name = "Сердце демона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_DemonHeart;
visual = "ITAT_DEMONHEART_SKY.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_KratukHeart(C_Item)
{
name = "Сердеце стража Вакханы";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 1;
visual = "ITAT_DEMONHEART_SKY.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Излучает магическую энергию невероятной силы";
text[4] = "Это сердце принадлежало древнему стражу Вакханы...";
inv_animate = 1;
};
instance ITAT_LUZIANHEART(C_Item)
{
name = "Сердце Люциана";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 10000;
visual = "ITAT_DEMONHEART_SKY.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце принадлежало древнему демону Люциану...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_UndeadDragonSoulStone(C_Item)
{
name = "Камень души дракона-нежити";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_UndeadDragonSoulStone;
visual = "ItAt_UndeadDragonSoulStone.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Камень души могущественного аватара Белиара...";
text[5] = NAME_Value;
count[5] = value;
inv_zbias = INVCAM_ENTF_MISC_STANDARD;
inv_animate = 1;
};
instance ItAt_IcedragonHeart(C_Item)
{
name = "Сердце ледяного дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_IcedragonHeart;
visual = "ItAt_IcedragonHeart.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могучего ледяного дракона Финкрега...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_RockdragonHeart(C_Item)
{
name = "Сердце каменного дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_RockdragonHeart;
visual = "ItAt_RockdragonHeart.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могучего каменного дракона Педракана...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_SwampdragonHeart(C_Item)
{
name = "Сердце болотного дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_SwampdragonHeart;
visual = "ItAt_SwampdragonHeart.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могучего болотного дракона Пандродора...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_FiredragonHeart(C_Item)
{
name = "Сердце огненного дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_FiredragonHeart;
visual = "ItAt_FiredragonHeart.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могучего огненного дракона Феоматара...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_DragonHeart(C_Item)
{
name = "Сердце дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 500;
visual = "ItAt_Heart_03.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могучего дракона...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITAT_REDDRAGONHEART(C_Item)
{
name = "Сердце красного дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_FiredragonHeart;
visual = "ItAt_ReddragonHeart.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могучего красного дракона...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITAT_BLACKDRAGONHEART(C_Item)
{
name = "Сердце дракона-демона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_FiredragonHeart;
visual = "ItAt_DemonDragonHeart.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могущественного черного дракона Азгалора...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_UzdragonHeart(C_Item)
{
name = "Сердце черного дракона-стража";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_FiredragonHeart;
visual = "ItAt_BlackDragonHeart.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могучего дракона-стража...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITAT_GOLDDRAGONHEART(C_Item)
{
name = "Сердце золотого дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_FiredragonHeart;
visual = "ItAt_GoldDragonHeart.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Это сердце могучего золотого дракона Аш'Тара...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_DragonBlood(C_Item)
{
name = "Кровь дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_DragonBlood;
visual = "ITPO_MAGIE_01_EX.3ds";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_zbias = INVCAM_ENTF_MISC_STANDARD;
inv_animate = 1;
};
instance ItAt_DragonScale(C_Item)
{
name = "Чешуя дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_DragonScale;
visual = "ItAt_DragonScale_Sky.3DS";
material = MAT_STONE;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITAT_PUMAFUR(C_Item)
{
name = "Шкура черной пумы";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_PumaFur;
visual = "ItAt_PumaFur_New.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITAT_SLOKERSFUR(C_Item)
{
name = "Шкура слокерса";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 700;
visual = "ItAt_SloFur.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITAT_CRAWLERQUEEN(C_Item)
{
name = "Яйцо ползуна";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MISSION | ITEM_MULTI;
value = 100;
visual = "ItAt_Crawlerqueen.3ds";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_BlackSnapperLiver(C_Item)
{
name = "Печень черного глорха";
mainflag = ITEM_KAT_FOOD;
flags = ITEM_MULTI | ITEM_MISSION;
value = 20;
visual = "ITAT_SNAPPERMEAT_SKY.3DS";
material = MAT_LEATHER;
scemeName = "FOODHUGE";
on_state[0] = Use_ItAt_BlackSnapperLiver;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
func void Use_ItAt_BlackSnapperLiver()
{
if(self.id == 0)
{
Npc_ChangeAttribute(self,ATR_HITPOINTS,-1);
B_Say(self,self,"$COUGH");
};
};
instance ITAT_MEATBUGFLESH_GEBRATEN(C_Item)
{
name = "Поджаренное мясо жука";
mainflag = ITEM_KAT_FOOD;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_Meatbugflesh * 2;
visual = "ITAT_MEATBUGFLESH_GEBRATEN.3DS";
material = MAT_LEATHER;
scemeName = "FOODHUGE";
on_state[0] = use_meatbugflesh_gebraten;
description = name;
text[1] = NAME_Bonus_HP;
count[1] = 20;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
func void use_meatbugflesh_gebraten()
{
if(self.id == 0)
{
Npc_ChangeAttribute(self,ATR_HITPOINTS,20);
Hero_Hunger = Hero_Hunger + 2;
if(Hero_Hunger > 10)
{
Hero_Hunger = 10;
};
};
};
instance ITFO_FISH_GEBRATEN(C_Item)
{
name = "Поджаренная рыба";
mainflag = ITEM_KAT_FOOD;
flags = ITEM_MULTI | ITEM_MISSION;
value = Value_FishSoup;
visual = "ITFO_FISH_GEBRATEN.3DS";
material = MAT_LEATHER;
scemeName = "FOODHUGE";
on_state[0] = use_fish_gebraten;
description = name;
text[1] = NAME_Bonus_HP;
count[1] = 20;
text[4] = "";
text[5] = NAME_Value;
count[5] = Value_FishSoup;
inv_animate = 1;
};
func void use_fish_gebraten()
{
if(self.id == 0)
{
Npc_ChangeAttribute(self,ATR_HITPOINTS,20);
Hero_Hunger = Hero_Hunger + 3;
if(Hero_Hunger > 10)
{
Hero_Hunger = 10;
};
};
};
instance ITFO_PILZSUPPE(C_Item)
{
name = "Грибной суп";
mainflag = ITEM_KAT_FOOD;
flags = ITEM_MULTI | ITEM_MISSION;
value = 30;
visual = "ITFO_PILZSUPPE.3DS";
material = MAT_LEATHER;
scemeName = "RICE";
on_state[0] = use_pilzsuppe;
description = name;
text[1] = NAME_Bonus_HP;
count[1] = 60;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
func void use_pilzsuppe()
{
if(Npc_IsPlayer(self))
{
Npc_ChangeAttribute(self,ATR_HITPOINTS,60);
PI_BONUS += 1;
if(PI_BONUS == 20)
{
B_RaiseAttribute_Bonus(self,ATR_MANA_MAX,2);
Npc_ChangeAttribute(self,ATR_MANA,2);
Snd_Play("LevelUp");
};
Hero_Hunger = Hero_Hunger + 5;
if(Hero_Hunger > 10)
{
Hero_Hunger = 10;
};
};
};
instance ITFO_FLEISCHWANZENRAGOUT(C_Item)
{
name = "Мясное рагу";
mainflag = ITEM_KAT_FOOD;
flags = ITEM_MULTI | ITEM_MISSION;
value = 40;
visual = "ItFo_Stew_Sky.3DS";
material = MAT_LEATHER;
scemeName = "RICE";
on_state[0] = use_fwragout;
description = name;
text[1] = NAME_Bonus_HP;
count[1] = 35;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
func void use_fwragout()
{
if(Npc_IsPlayer(self))
{
Npc_ChangeAttribute(self,ATR_HITPOINTS,35);
FL_BONUS += 1;
if(FL_BONUS == 20)
{
B_RaiseAttribute_Bonus(self,ATR_MANA_MAX,1);
Npc_ChangeAttribute(self,ATR_MANA,1);
Snd_Play("LevelUp");
};
Hero_Hunger = Hero_Hunger + 8;
if(Hero_Hunger > 10)
{
Hero_Hunger = 10;
};
};
};
instance ITAT_SHEEPGRIMGASH(C_Item)
{
name = "Овечья шкура";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 100;
visual = "ItAt_SheepFur.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "Эта шкурка украденной у Пепе овцы...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_OlderHead(C_Item)
{
name = "Голова старейшины";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "Orc_HeadWarrior.MMS";
material = MAT_LEATHER;
description = name;
text[4] = "Эта голова принадлежала горному орку-старейшине...";
inv_rotz = INVCAM_Z_RING_STANDARD;
inv_rotx = INVCAM_X_RING_STANDARD;
inv_roty = 180;
};
instance ItAt_SpiderEgg(C_Item)
{
name = "Паучий кокон";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 150;
visual = "SpiderEgg.3DS";
material = MAT_LEATHER;
description = name;
text[4] = "";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItAt_DemonSkull(C_Item)
{
name = "Череп демона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 100;
visual = "ITAT_DEMONSKULL.3DS";
material = MAT_LEATHER;
description = name;
text[3] = "Этот череп принадлежал могущественному демону...";
inv_rotz = INVCAM_Z_RING_STANDARD;
inv_rotx = INVCAM_X_RING_STANDARD;
inv_roty = 180;
inv_animate = 1;
};
//--------------------------редкие трофеи----------------------------
func void B_ClearUseTrophy()
{
Trophy_STONEPUMAPIECE = FALSE;
Trophy_WhiteTrollSkull = FALSE;
Trophy_Skalozub = FALSE;
Trophy_DragonSkull = FALSE;
Trophy_SERDCEGARPII = FALSE;
Trophy_LURKERLEADER = FALSE;
Trophy_MuritanTooth = FALSE;
Trophy_CaracustPlate = FALSE;
Trophy_UturTrollHorn = FALSE;
Trophy_IshiCurrat = FALSE;
Trophy_BlackTeeth = FALSE;
Trophy_StoneClaw = FALSE;
Trophy_UrTrallHead = FALSE;
};
instance ItAt_XtoneClaw(C_Item)
{
name = "Каменный коготь";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MISSION |ITEM_MULTI;
value = 150;
visual = "ItAt_StoneClaw_Sky.3DS";
material = MAT_STONE;
scemeName = "MAP";
on_state[0] = Use_ItAt_StoneClaw;
description = name;
text[1] = NAME_Prot_Point;
count[1] = 5;
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItUt_StoneClaw(C_Item)
{
name = "Каменный коготь";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI;
visual = "ItTr_StoneClaw.3DS";
material = MAT_STONE;
description = name;
};
func void Use_ItAt_StoneClaw()
{
if(Npc_IsPlayer(self))
{
if(Trophy_StoneClaw == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_StoneClaw);
Npc_RemoveInvItems(self,ItUt_StoneClaw,Npc_HasItems(self,ItUt_StoneClaw));
Trophy_StoneClaw = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_StoneClaw = FALSE;
};
};
};
instance ItAt_DlackTeeth(C_Item)
{
name = "Черный клык";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MISSION |ITEM_MULTI;
value = 250;
visual = "ItAt_BlackTeeth.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_BlackTeeth;
description = name;
text[1] = NAME_Prot_Phis;
count[1] = 5;
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItUt_BlackTeeth(C_Item)
{
name = "Черный клык";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_BlackTeeth.3DS";
material = MAT_LEATHER;
description = name;
};
func void Use_ItAt_BlackTeeth()
{
if(Npc_IsPlayer(self))
{
if(Trophy_BlackTeeth == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_BlackTeeth);
Npc_RemoveInvItems(self,ItUt_BlackTeeth,Npc_HasItems(self,ItUt_BlackTeeth));
Trophy_BlackTeeth = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_BlackTeeth = FALSE;
};
};
};
instance ItAt_CurratIshi(C_Item)
{
name = "Окаменелый спинной шип";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 500;
visual = "ItAt_TrollTooth_Sky.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_IshiCurrat;
description = name;
text[1] = NAME_Prot_Fire;
count[1] = 5;
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItUt_IshiCurrat(C_Item)
{
name = "Окаменелый спинной шип";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_IshiCurrat.3DS";
material = MAT_LEATHER;
description = name;
};
func void Use_ItAt_IshiCurrat()
{
if(Npc_IsPlayer(self))
{
if(Trophy_IshiCurrat == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_IshiCurrat);
Npc_RemoveInvItems(self,ItUt_IshiCurrat,Npc_HasItems(self,ItUt_IshiCurrat));
Trophy_IshiCurrat = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_IshiCurrat = FALSE;
};
};
};
instance ItAt_GturTrollHorn(C_Item)
{
name = "Рог Утура";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 1000;
visual = "G3_Item_AnimalTrophy_Horn_ShadowBeast_01.3DS";
material = MAT_STONE;
scemeName = "MAP";
on_state[0] = Use_ItAt_UturTrollHorn;
description = name;
text[1] = NAME_WieldBonus2H;
count[1] = 5;
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItUt_UturTrollHorn(C_Item)
{
name = "Рог Утура";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_UturTrollHorn.3DS";
material = MAT_STONE;
description = name;
};
func void Use_ItAt_UturTrollHorn()
{
if(Npc_IsPlayer(self))
{
if(Trophy_UturTrollHorn == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_UturTrollHorn);
Npc_RemoveInvItems(self,ItUt_UturTrollHorn,Npc_HasItems(self,ItUt_UturTrollHorn));
Trophy_UturTrollHorn = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_UturTrollHorn = FALSE;
};
};
};
instance ItAt_ZaracustPlate(C_Item)
{
name = "Пластина панциря Каракуста";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 500;
visual = "ITAT_CRAWLERSPIDER.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_CaracustPlate;
description = name;
text[1] = NAME_Prot_Phis;
count[1] = 15;
text[2] = NAME_Prot_Point;
count[2] = 15;
text[3] = "Огромная пластина от панциря короля ползунов...";
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ItUt_CaracustPlate(C_Item)
{
name = "Пластина панциря Каракуста";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_CaracustPlate.3DS";
material = MAT_LEATHER;
description = name;
};
func void Use_ItAt_CaracustPlate()
{
if(Npc_IsPlayer(self))
{
if(Trophy_CaracustPlate == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_CaracustPlate);
Npc_RemoveInvItems(self,ItUt_CaracustPlate,Npc_HasItems(self,ItUt_CaracustPlate));
Trophy_CaracustPlate = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_CaracustPlate = FALSE;
};
};
};
instance ItAt_BuritanTooth(C_Item)
{
name = "Ядовитый клык Муритана";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 750;
visual = "ItAt_MuritanClaw.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_MuritanTooth;
description = name;
text[1] = NAME_Damage_Poison;
count[1] = 50;
text[3] = "В сердцевине клыка скопился яд...";
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_zbias = INVCAM_ENTF_RING_STANDARD;
inv_animate = 1;
};
instance ItLs_BeltCandle(C_Item)
{
name = "Светильный фонарь";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 200;
visual = "NW_CITY_CANDLELANTERN_01.3DS";
material = MAT_METAL;
scemeName = "MAP";
on_state[0] = Use_ItLs_BeltCandle;
description = name;
text[4] = "Возможность экипировки...";
text[5] = NAME_Value;
count[5] = value;
inv_zbias = INVCAM_ENTF_RING_STANDARD;
inv_animate = 1;
};
instance ItUt_FireBeltCandle(C_Item)
{
name = "Светильный фонарь";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItMi_WarCandle_01.3DS";
effect = "SPELLFX_WARCANDLE";
material = MAT_METAL;
description = name;
};
func void Use_ItLs_BeltCandle()
{
if(Npc_IsPlayer(self))
{
if(CandleIsOn == FALSE)
{
ActivateZSSlot(self,"BIP01 L THIGH");
Ext_RemoveFromSlot(self,"BIP01 L THIGH");
Ext_PutInSlot(self,"BIP01 L THIGH",ItUt_FireBeltCandle);
Npc_RemoveInvItems(self,ItUt_FireBeltCandle,Npc_HasItems(self,ItUt_FireBeltCandle));
CandleIsOn = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 L THIGH");
CandleIsOn = FALSE;
};
};
};
instance ItAt_PW_MuritanTooth(C_Item)
{
name = "Ядовитый клык Муритана";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 750;
visual = "ItAt_MuritanClaw.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_MuritanTooth;
description = name;
text[1] = NAME_Damage_Poison;
count[1] = 50;
text[3] = "В сердцевине клыка скопился яд...";
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_zbias = INVCAM_ENTF_RING_STANDARD;
inv_animate = 1;
};
instance ItUt_MuritanTooth(C_Item)
{
name = "Ядовитый клык Муритана";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_MuritanTooth.3DS";
material = MAT_LEATHER;
description = name;
inv_zbias = INVCAM_ENTF_RING_STANDARD;
};
func void Use_ItAt_MuritanTooth()
{
if(Npc_IsPlayer(self))
{
if(Trophy_MuritanTooth == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_MuritanTooth);
Npc_RemoveInvItems(self,ItUt_MuritanTooth,Npc_HasItems(self,ItUt_MuritanTooth));
Trophy_MuritanTooth = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_MuritanTooth = FALSE;
};
};
};
instance ITAT_LEADERLURKER(C_Item)
{
name = "Когти Рабоглава";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 200;
visual = "G3_Item_AnimalTrophy_Claw_Lurker_01.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ITAT_LURKERLEADER;
description = name;
text[1] = NAME_WieldBonus1H;
count[1] = 5;
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITUT_LURKERLEADER(C_Item)
{
name = "Когти Рабоглава";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_LURKERLEADER.3DS";
material = MAT_LEATHER;
description = name;
};
func void Use_ItAt_LURKERLEADER()
{
if(Npc_IsPlayer(self))
{
if(Trophy_LURKERLEADER == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_LURKERLEADER);
Npc_RemoveInvItems(self,ItUt_LURKERLEADER,Npc_HasItems(self,ItUt_LURKERLEADER));
Trophy_LURKERLEADER = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_LURKERLEADER = FALSE;
};
};
};
instance ITAT_GARPIISERDCE(C_Item)
{
name = "Сердце Руквайи";
mainflag = ITEM_MISSION;
flags = ITEM_MULTI | ITEM_MISSION;
value = 1000;
visual = "ItAt_Heart_01.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ITAT_SERDCEGARPII;
description = name;
text[1] = NAME_Prot_Magic;
count[1] = 5;
text[3] = "Сердце королевы гарпий...";
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_animate = 1;
};
instance ITUT_SERDCEGARPII(C_Item)
{
name = "Сердце Руквайи";
mainflag = ITEM_MISSION;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_SERDCEGARPII.3DS";
material = MAT_LEATHER;
description = name;
};
func void Use_ItAt_SERDCEGARPII()
{
if(Npc_IsPlayer(self))
{
if(Trophy_SERDCEGARPII == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_SERDCEGARPII);
Npc_RemoveInvItems(self,ItUt_SERDCEGARPII,Npc_HasItems(self,ItUt_SERDCEGARPII));
Trophy_SERDCEGARPII = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_SERDCEGARPII = FALSE;
};
};
};
instance ItAt_ZubSkalo(C_Item)
{
name = "Клык Скалозуба";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 400;
visual = "ItAt_TrollTooth.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_Skalozub;
description = name;
text[1] = NAME_TROPHY_STAMINA;
count[1] = 2;
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_zbias = INVCAM_ENTF_RING_STANDARD;
inv_animate = 1;
};
instance ItUt_Skalozub(C_Item)
{
name = "Клык Скалозуба";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_Skalozub.3DS";
material = MAT_LEATHER;
description = name;
inv_zbias = INVCAM_ENTF_RING_STANDARD;
};
func void Use_ItAt_Skalozub()
{
if(Npc_IsPlayer(self))
{
if(Trophy_Skalozub == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_Skalozub);
Npc_RemoveInvItems(self,ItUt_Skalozub,Npc_HasItems(self,ItUt_Skalozub));
Trophy_Skalozub = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_Skalozub = FALSE;
};
};
};
instance ITMI_UTONEPUMAPIECE(C_Item)
{
name = "Каменный глаз";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 500;
visual = "ItMi_StonePumaPiece.3ds";
material = MAT_STONE;
scemeName = "MAP";
on_state[0] = Use_ItAt_STONEPUMAPIECE;
description = name;
text[1] = NAME_WieldBowBonus;
count[1] = 5;
text[3] = "Это глаз побежденной мною каменной пумы...";
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_zbias = INVCAM_ENTF_MISC_STANDARD;
inv_animate = 1;
};
instance ItUt_STONEPUMAPIECE(C_Item)
{
name = "Каменный глаз";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_STONEPUMAPIECE.3ds";
material = MAT_STONE;
description = name;
inv_zbias = INVCAM_ENTF_MISC_STANDARD;
};
func void Use_ItAt_STONEPUMAPIECE()
{
if(Npc_IsPlayer(self))
{
if(Trophy_STONEPUMAPIECE == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_STONEPUMAPIECE);
Npc_RemoveInvItems(self,ItUt_STONEPUMAPIECE,Npc_HasItems(self,ItUt_STONEPUMAPIECE));
Trophy_STONEPUMAPIECE = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_STONEPUMAPIECE = FALSE;
};
};
};
instance ItAt_XragonSkull(C_Item)
{
name = "Череп дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 2500;
visual = "ItAt_DragonSkull.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_DragonSkull;
description = name;
text[0] = NAME_RegenHealthSecLong;
count[0] = 1;
text[1] = NAME_RegenManaSecLong;
count[1] = 1;
text[2] = NAME_RegenStaminaSecLong;
count[2] = 1;
text[3] = "Этот череп принадлежал могущественному дракону...";
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
text[5] = NAME_Value;
count[5] = value;
inv_rotz = INVCAM_Z_RING_STANDARD;
inv_rotx = INVCAM_X_RING_STANDARD;
inv_roty = 180;
inv_animate = 1;
};
instance ItUt_DragonSkull(C_Item)
{
name = "Череп дракона";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_DragonSkull.3DS";
material = MAT_LEATHER;
description = name;
inv_rotz = INVCAM_Z_RING_STANDARD;
inv_rotx = INVCAM_X_RING_STANDARD;
inv_roty = 180;
};
func void Use_ItAt_DragonSkull()
{
if(Npc_IsPlayer(self))
{
if(Trophy_DragonSkull == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_DragonSkull);
Npc_RemoveInvItems(self,ItUt_DragonSkull,Npc_HasItems(self,ItUt_DragonSkull));
Trophy_DragonSkull = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_DragonSkull = FALSE;
};
};
};
instance ItAt_HeadUrTrall(C_Item)
{
name = "Голова Ур-Тралла";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItAt_UrTrallHead.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_UrTrallHead;
description = name;
text[1] = NAME_DamageOrcBonus;
text[3] = "Эта голова принадлежала могучему вождю орков...";
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
inv_rotz = INVCAM_Z_RING_STANDARD;
inv_rotx = INVCAM_X_RING_STANDARD;
inv_roty = 180;
inv_animate = 1;
};
instance ItUt_UrTrallHead(C_Item)
{
name = "Голова Ур-Тралла";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_UrTrallHead.3DS";
material = MAT_LEATHER;
description = name;
};
func void Use_ItAt_UrTrallHead()
{
if(Npc_IsPlayer(self))
{
if(Trophy_UrTrallHead == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_UrTrallHead);
Npc_RemoveInvItems(self,ItUt_UrTrallHead,Npc_HasItems(self,ItUt_UrTrallHead));
Trophy_UrTrallHead = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_UrTrallHead = FALSE;
};
};
};
instance ItAt_SkullWhiteTroll(C_Item)
{
name = "Череп белого тролля";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
value = 1500;
visual = "ITAT_DEMONSKULL.3DS";
material = MAT_LEATHER;
scemeName = "MAP";
on_state[0] = Use_ItAt_WhiteTrollSkull;
description = name;
text[1] = NAME_Bonus_HpMax;
count[1] = 200;
text[3] = "Этот череп принадлежал могущественному белому троллю...";
text[4] = "Очень ценный и крайне редкий охотничий трофей...";
inv_rotz = INVCAM_Z_RING_STANDARD;
inv_rotx = INVCAM_X_RING_STANDARD;
inv_roty = 180;
inv_animate = 1;
};
instance ItUt_WhiteTrollSkull(C_Item)
{
name = "Череп белого тролля";
mainflag = ITEM_KAT_NONE;
flags = ITEM_MULTI | ITEM_MISSION;
visual = "ItTr_WhiteTrollSkull.3DS";
material = MAT_LEATHER;
description = name;
};
func void Use_ItAt_WhiteTrollSkull()
{
if(Npc_IsPlayer(self))
{
if(Trophy_WhiteTrollSkull == FALSE)
{
B_ClearUseTrophy();
ActivateZSSlot(self,"BIP01 PELVIS");
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Ext_PutInSlot(self,"BIP01 PELVIS",ItUt_WhiteTrollSkull);
Npc_RemoveInvItems(self,ItUt_WhiteTrollSkull,Npc_HasItems(self,ItUt_WhiteTrollSkull));
Trophy_WhiteTrollSkull = TRUE;
}
else
{
Ext_RemoveFromSlot(self,"BIP01 PELVIS");
Trophy_WhiteTrollSkull = FALSE;
};
};
};
|
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_virtual_16.java
.class public dot.junit.opcodes.invoke_virtual.d.T_invoke_virtual_16
.super java/lang/Object
.method public <init>()V
.limit regs 3
invoke-virtual {v2}, java/lang/Object/<init>()V
return-void
.end method
|
D
|
instance VLK_527_Buddler (Npc_Default)
{
//-------- primary data --------
name = Name_Buddler;
npctype = npctype_ambient;
guild = GIL_NONE;
level = 12;
voice = 3;
id = 527;
//-------- abilities --------
attribute[ATR_STRENGTH] = 63;
attribute[ATR_DEXTERITY] = 10;
attribute[ATR_MANA_MAX] = 0;
attribute[ATR_MANA] = 0;
attribute[ATR_HITPOINTS_MAX] = 94;
attribute[ATR_HITPOINTS] = 94;
//-------- visuals --------
// animations
Mdl_SetVisual (self,"HUMANS.MDS");
Mdl_ApplyOverlayMds (self,"Humans_Tired.mds");
// body mesh,head mesh,hairmesh,face-tex,hair-tex,skin
Mdl_SetVisualBody (self,"hum_body_Naked0",3,1,"Hum_Head_Bald",72,4,VLK_ARMOR_M);
B_Scale (self);
Mdl_SetModelFatness (self,0);
Npc_SetAivar(self,AIV_IMPORTANT, TRUE);
fight_tactic = FAI_HUMAN_STRONG;
//-------- Talents --------
Npc_SetTalentSkill (self,NPC_TALENT_1H,1);
//-------- inventory --------
EquipItem (self,ItMw_1h_Sword_01);
CreateInvItem (self,ItMwPickaxe);
CreateInvItem (self,ItFoLoaf);
CreateInvItem (self,ItFoBeer);
CreateInvItem (self,ItLsTorch);
//-------------Daily Routine-------------
/*B_InitNPCAddins(self);*/ daily_routine = Rtn_start_527;
};
FUNC VOID Rtn_start_527 ()
{
TA_Sleep (23,15,07,00,"OCR_HUT_77");
TA_Boss (07,00,07,30,"OCR_OUTSIDE_HUT_47");
TA_WashSelf (07,30,08,30,"OCR_LAKE_1");
TA_StandAround (08,30,18,00,"OCR_OUTSIDE_HUT_77");
TA_SitCampfire (18,00,23,00,"OCR_OUTSIDE_HUT_77");
};
|
D
|
module statement.doke_stmt;
import language.statement;
import program;
import pegged.grammar;
import std.string, std.conv;
import language.expression;
class Doke_stmt:Stmt
{
mixin StmtConstructor;
void process()
{
auto e1 = this.node.children[0].children[0];
auto e2 = this.node.children[0].children[1];
auto Ex1 = new Expression(e1, this.program);
if(Ex1.detect_type() != 'w') {
this.program.error("Address must be an integer");
}
Ex1.eval();
auto Ex2 = new Expression(e2, this.program);
if(Ex2.detect_type() == 'f') {
this.program.error("Value must not be a float");
}
Ex2.eval();
if(Ex2.type == 'b') {
Ex2.btow();
}
this.program.appendProgramSegment(to!string(Ex2)); // value first
this.program.appendProgramSegment(to!string(Ex1)); // address last
this.program.appendProgramSegment("\tdoke\n");
}
}
|
D
|
/home/ki11j0y/Documents/Rust/Caesar_Cipher/target/debug/Caesar_Cipher: /home/ki11j0y/Documents/Rust/Caesar_Cipher/src/encrypt.rs /home/ki11j0y/Documents/Rust/Caesar_Cipher/src/main.rs
|
D
|
/Users/sjwu/video/HouseHold/Build/Intermediates/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Filter.o : /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/String+MD5.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Resource.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Image.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageCache.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageTransition.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Placeholder.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/RequestModifier.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Filter.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Indicator.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/sjwu/video/HouseHold/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Kingfisher.h /Users/sjwu/video/HouseHold/Build/Intermediates/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap
/Users/sjwu/video/HouseHold/Build/Intermediates/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Filter~partial.swiftmodule : /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/String+MD5.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Resource.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Image.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageCache.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageTransition.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Placeholder.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/RequestModifier.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Filter.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Indicator.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/sjwu/video/HouseHold/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Kingfisher.h /Users/sjwu/video/HouseHold/Build/Intermediates/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap
/Users/sjwu/video/HouseHold/Build/Intermediates/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Filter~partial.swiftdoc : /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/String+MD5.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Resource.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Image.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageCache.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageTransition.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Placeholder.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Kingfisher.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/RequestModifier.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Filter.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Indicator.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/sjwu/video/HouseHold/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/sjwu/video/HouseHold/Pods/Kingfisher/Sources/Kingfisher.h /Users/sjwu/video/HouseHold/Build/Intermediates/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap
|
D
|
/Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/Build/Intermediates/PlaceMap.build/Debug-iphonesimulator/PlaceMap.build/Objects-normal/x86_64/AppDelegate.o : /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/PlaceDatabase.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/MapDisplayViewController.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/PlaceListViewController.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/AppDelegate.swift /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/MapKit.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule
/Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/Build/Intermediates/PlaceMap.build/Debug-iphonesimulator/PlaceMap.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/PlaceDatabase.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/MapDisplayViewController.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/PlaceListViewController.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/AppDelegate.swift /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/MapKit.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule
/Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/Build/Intermediates/PlaceMap.build/Debug-iphonesimulator/PlaceMap.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/PlaceDatabase.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/MapDisplayViewController.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/PlaceListViewController.swift /Users/kando/Desktop/nri/nri-rcs-ios/PlaceMap/PlaceMap/AppDelegate.swift /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/MapKit.swiftmodule /Applications/Xcode_8.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule
|
D
|
/*
* Forest File Finder by erik wikforss
*/
module forest.events.mouseevent;
import forest.events.event;
import brew.vec;
class MouseEvent : Event
{
enum Name : string
{
pressed = "pressed",
released = "released",
motion = "motion",
wheel = "wheel"
}
Vec2d _point;
uint _button;
uint _clickCount;
uint _time;
Vec2d _scrollDelta;
public static MouseEvent pressed(in Vec2d point, uint button, uint clickCount, uint time)
{
auto e = new MouseEvent(Name.pressed);
e._point = point;
e._button = button;
e._clickCount = clickCount;
e._time = time;
e._scrollDelta = Vec2d.zero;
return e;
}
public static MouseEvent released(in Vec2d point, uint button, uint clickCount, uint time)
{
auto e = new MouseEvent(Name.released);
e._point = point;
e._button = button;
e._clickCount = clickCount;
e._time = time;
e._scrollDelta = Vec2d.zero;
return e;
}
public static MouseEvent motion(in Vec2d point, uint button, uint clickCount, uint time)
{
auto e = new MouseEvent(Name.motion);
e._point = point;
e._button = button;
e._clickCount = clickCount;
e._time = time;
e._scrollDelta = Vec2d.zero;
return e;
}
public static MouseEvent wheel(in Vec2d point, uint button, uint clickCount, uint time, in Vec2d scrollDelta)
{
auto e = new MouseEvent(Name.wheel);
e._point = point;
e._button = button;
e._clickCount = clickCount;
e._time = time;
e._scrollDelta = scrollDelta;
return e;
}
this(Name n)
{
super(n);
}
final Vec2d point() const
{
return _point;
}
final double pointX() const
{
return _point.x;
}
final double pointY() const
{
return _point.y;
}
final uint button() const
{
return _button;
}
final uint time() const
{
return _time;
}
final Vec2d scrollDelta() const
{
return _scrollDelta;
}
final double scrollDeltaX() const
{
return _scrollDelta.x;
}
final double scrollDeltaY() const
{
return scrollDelta.y;
}
final bool isPressed() const
{
return name == Name.pressed;
}
final bool isReleased() const
{
return name == Name.released;
}
final bool isMotion() const
{
return name == Name.motion;
}
final bool isWheel() const
{
return name == Name.wheel;
}
}
|
D
|
/**
Image manipulation module.
Copyright: Copyright Relja Ljubobratovic 2016.
Authors: Relja Ljubobratovic
License: $(LINK3 http://www.boost.org/LICENSE_1_0.txt, Boost Software License - Version 1.0).
$(DL Module contains:
$(DD
$(LINK2 #resize, resize)
$(LINK2 #scale, scale)
$(LINK2 #transformAffine,transformAffine)
$(LINK2 #transformPerspective,transformPerspective)
$(LINK2 #warp,warp)
$(LINK2 #remap,remap)
)
)
*/
module dcv.imgproc.imgmanip;
import std.exception : enforce;
import std.parallelism : TaskPool, taskPool, parallel;
import std.range.primitives : ElementType;
import std.traits;
import dcv.core.utils;
public import dcv.imgproc.interpolate;
import mir.ndslice.slice;
import mir.ndslice.topology;
/**
Resize array using custom interpolation function.
Primarilly implemented as image resize.
1D, 2D and 3D arrays are supported, where 3D array is
treated as channeled image - each channel is interpolated
as isolated 2D array (matrix).
Interpolation function is given as a template parameter.
Default interpolation function is linear. Custom interpolation
function can be implemented in the 3rd party code, by following
interpolation function rules in dcv.imgproc.interpolation.
Params:
slice = Slice to an input array.
newsize = tuple that defines new shape. New dimension has to be
the same as input slice in the 1D and 2D resize, where in the
3D resize newsize has to be 2D.
pool = Optional TaskPool instance used to parallelize computation.
TODO: consider size input as array, and add prealloc
*/
Slice!(SliceKind.contiguous, packs, V*) resize(alias interp = linear, SliceKind kind, size_t[] packs, V, size_t SN)(Slice!(kind, packs, V*) slice, size_t[SN] newsize, TaskPool pool = taskPool)
if (packs.length == 1)
//if (isInterpolationFunc!interp)
{
static if (packs[0] == 1)
{
static assert(SN == 1, "Invalid new-size setup - dimension does not match with input slice.");
return resizeImpl_1!interp(slice, newsize[0], pool);
}
else static if (packs[0] == 2)
{
static assert(SN == 2, "Invalid new-size setup - dimension does not match with input slice.");
return resizeImpl_2!interp(slice, newsize[0], newsize[1], pool);
}
else static if (packs[0] == 3)
{
static assert(SN == 2, "Invalid new-size setup - 3D resize is performed as 2D."); // TODO: find better way to say this...
return resizeImpl_3!interp(slice, newsize[0], newsize[1], pool);
}
else
{
static assert(0, "Resize is not supported for slice with " ~ N.stringof ~ " dimensions.");
}
}
unittest
{
auto vector = [0.0f, 0.1f, 0.2f].sliced(3);
auto matrix = [0.0f, 0.1f, 0.2f, 0.3f].sliced(2, 2);
auto image = [0.0f, 0.1f, 0.2f, 0.3f, 0.4f, 0.5f, 0.6f, 0.7f].sliced(2, 2, 2);
auto resv = vector.resize!linear([10]);
assert(resv.shape.length == 1);
assert(resv.length == 10);
auto resm = matrix.resize!linear([10, 15]);
assert(resm.shape.length == 2);
assert(resm.length!0 == 10 && resm.length!1 == 15);
auto resi = image.resize!linear([20, 14]);
assert(resi.shape.length == 3);
assert(resi.length!0 == 20 && resi.length!1 == 14 && resi.length!2 == 2);
}
/**
Scale array size using custom interpolation function.
Implemented as convenience function which calls resize
using scaled shape of the input slice as:
$(D_CODE scaled = resize(input, input.shape*scale))
*/
Slice!(kind, packs, V*) scale(alias interp = linear, V, ScaleValue, SliceKind kind, size_t[] packs, size_t SN)(Slice!(kind, packs, V*) slice, ScaleValue[SN] scale, TaskPool pool = taskPool)
if (isFloatingPoint!ScaleValue && isInterpolationFunc!interp)
{
foreach (v; scale)
assert(v > 0., "Invalid scale values (v > 0.0)");
static if (packs[0] == 1)
{
static assert(SN == 1, "Invalid scale setup - dimension does not match with input slice.");
size_t newsize = cast(size_t)(slice.length * scale[0]);
enforce(newsize > 0, "Scaling value invalid - after scaling array size is zero.");
return resizeImpl_1!interp(slice, newsize, pool);
}
else static if (packs[0] == 2)
{
static assert(SN == 2, "Invalid scale setup - dimension does not match with input slice.");
size_t [2]newsize = [cast(size_t)(slice.length!0 * scale[0]), cast(size_t)(slice.length!1 * scale[1])];
enforce(newsize[0] > 0 && newsize[1] > 0, "Scaling value invalid - after scaling array size is zero.");
return resizeImpl_2!interp(slice, newsize[0], newsize[1], pool);
}
else static if (packs[0] == 3)
{
static assert(SN == 2, "Invalid scale setup - 3D scale is performed as 2D."); // TODO: find better way to say this...
size_t [2]newsize = [cast(size_t)(slice.length!0 * scale[0]), cast(size_t)(slice.length!1 * scale[1])];
enforce(newsize[0] > 0 && newsize[1] > 0, "Scaling value invalid - after scaling array size is zero.");
return resizeImpl_3!interp(slice, newsize[0], newsize[1], pool);
}
else
{
import std.conv : to;
static assert(0, "Resize is not supported for slice with " ~ N.to!string ~ " dimensions.");
}
}
unittest
{
auto vector = [0.0f, 0.1f, 0.2f].sliced(3);
auto matrix = [0.0f, 0.1f, 0.2f, 0.3f].sliced(2, 2);
auto image = [0.0f, 0.1f, 0.2f, 0.3f, 0.4f, 0.5f, 0.6f, 0.7f].sliced(2, 2, 2);
auto resv = vector.scale!linear([2.0f]);
assert(resv.shape.length == 1);
assert(resv.length == vector.length * 2);
auto resm = matrix.scale!linear([3.0f, 4.0f]);
assert(resm.shape.length == 2);
assert(resm.length!0 == matrix.length!0 * 3 && resm.length!1 == matrix.length!1 * 4);
auto resi = image.scale!linear([5.0f, 8.0f]);
assert(resi.shape.length == 3);
assert(resi.length!0 == image.length!0 * 5 && resi.length!1 == image.length!1 * 8 && resi.length!2 == 2);
}
/**
Pixel-wise warping of the image.
Displace each pixel of an image by given [x, y] values.
Params:
interp = (template parameter) Interpolation function, default linear.
image = Input image, which is warped. Single and multiple channel images are allowed.
map = Displacement map, which holds [x, y] displacement for each pixel of an image.
prealloc = Pre-allocated memory where resulting warped image is stored, if defined.
Should be of same shape as input image, or an emptySlice, which implies newly allocated image is used.
Returns:
Warped input image by given map.
*/
pure auto warp(alias interp = linear, ImageTensor, MapTensor)(ImageTensor image, MapTensor map,
ImageTensor prealloc = ImageTensor.init)
{
return pixelWiseDisplacement!(linear, DisplacementType.WARP, ImageTensor, MapTensor)
(image, map, prealloc);
}
/**
Pixel-wise remapping of the image.
Move each pixel of an image to a given [x, y] location defined by the map.
Function is similar to dcv.imgproc.imgmanip.warp, except displacement of pixels
is absolute, rather than relative.
Params:
interp = (template parameter) Interpolation function, default linear.
image = Input image, which is remapped. Single and multiple channel images are allowed.
map = Target map, which holds [x, y] position for each pixel of an image.
prealloc = Pre-allocated memory where resulting remapped image is stored, if defined.
Should be of same shape as input image, or an emptySlice, which implies newly allocated image is used.
Returns:
Remapped input image by given map.
*/
pure auto remap(alias interp = linear, ImageTensor, MapTensor)(ImageTensor image, MapTensor map,
ImageTensor prealloc = ImageTensor.init)
{
return pixelWiseDisplacement!(linear, DisplacementType.REMAP, ImageTensor, MapTensor)
(image, map, prealloc);
}
/// Test if warp and remap always returns slice of corresponding format.
unittest
{
import std.random : uniform01;
import mir.ndslice.allocation;
auto image = iota(3, 3).as!float.slice;
auto wmap = iota(3, 3, 2).map!(v => cast(float)uniform01).slice;
auto warped = image.warp(wmap);
assert(warped.shape == image.shape);
auto remapped = image.remap(wmap);
assert(remapped.shape == image.shape);
}
unittest
{
import std.random : uniform01;
import mir.ndslice.allocation;
auto image = iota(3, 3, 3).as!float.slice;
auto wmap = iota(3, 3, 2).map!(v => cast(float)uniform01).slice;
auto warped = image.warp(wmap);
assert(warped.shape == image.shape);
auto remapped = image.remap(wmap);
assert(remapped.shape == image.shape);
}
unittest
{
import std.random : uniform01;
import mir.ndslice.allocation;
auto image = iota(3, 3).as!float.slice;
auto warped = slice!float(3, 3);
auto remapped = slice!float(3, 3);
auto wmap = iota(3, 3, 2).map!(v => cast(float)uniform01).slice;
auto warpedRetVal = image.warp(wmap, warped);
assert(warped.shape == image.shape);
assert(warpedRetVal.shape == image.shape);
assert(&warped[0, 0] == &warpedRetVal[0, 0]);
auto remappedRetVal = image.remap(wmap, remapped);
assert(remapped.shape == image.shape);
assert(remappedRetVal.shape == image.shape);
assert(&remapped[0, 0] == &remappedRetVal[0, 0]);
}
private enum DisplacementType
{
WARP,
REMAP
}
private pure auto pixelWiseDisplacement(alias interp, DisplacementType disp, ImageTensor, MapTensor)
(ImageTensor image, MapTensor map, ImageTensor prealloc)
in
{
assert(!image.empty, "Input image is empty");
assert(map.shape[0 .. 2] == image.shape[0 .. 2], "Invalid map size.");
}
body
{
static assert(isSlice!ImageTensor, "Image type has to be of type mir.ndslice.slice.Slice");
static assert(isSlice!MapTensor, "Map type has to be of type mir.ndslice.slice.Slice");
immutable N = isSlice!ImageTensor[0];
static assert(isSlice!MapTensor == [3],
"Invalid map tensor dimension - should be matrix of [x, y] displacements (3D).");
if (prealloc.shape != image.shape)
{
import mir.ndslice.allocation;
prealloc = uninitializedSlice!(DeepElementType!ImageTensor)(image.shape);
}
static if (N == 2)
{
displacementImpl!(interp, disp, ImageTensor, MapTensor)
(image, map, prealloc);
}
else static if (N == 3)
{
foreach (i; 0 .. image.length!2)
{
auto imagec = image[0 .. $, 0 .. $, i];
auto resultc = prealloc[0 .. $, 0 .. $, i];
displacementImpl!(interp, disp, typeof(imagec), MapTensor)
(imagec, map, resultc);
}
}
else
static assert(0, "Pixel displacement operations are supported only for 2D and 3D slices.");
return prealloc;
}
private pure void displacementImpl(alias interp, DisplacementType disp, ImageMatrix, MapTensor)
(ImageMatrix image, MapTensor map, ImageMatrix result)
{
static if (disp == DisplacementType.WARP)
float r = 0.0f, c;
immutable rf = cast(float)image.length!0;
immutable cf = cast(float)image.length!1;
for (; !result.empty; result.popFront, map.popFront)
{
auto rrow = result.front;
auto mrow = map.front;
static if (disp == DisplacementType.WARP) c = 0.0f;
for (; !rrow.empty; rrow.popFront, mrow.popFront)
{
auto m = mrow.front;
static if (disp == DisplacementType.WARP)
{
float rr = r + m[1];
float cc = c + m[0];
}
else
{
float rr = m[1];
float cc = m[0];
}
if (rr >= 0.0f && rr < rf && cc >= 0.0f && cc < cf)
{
rrow.front = interp(image, rr, cc);
}
static if (disp == DisplacementType.WARP) ++c;
}
static if (disp == DisplacementType.WARP) ++r;
}
}
private enum TransformType : size_t
{
AFFINE_TRANSFORM = 0,
PERSPECTIVE_TRANSFORM = 1
}
private static bool isTransformMatrix(TransformMatrix)()
{
// static if its float[][], or its Slice!(SliceKind.contiguous, [2], float*)
import std.traits : isScalarType, isPointer, TemplateArgsOf, PointerTarget;
static if (isArray!TransformMatrix)
{
static if (isArray!(ElementType!TransformMatrix)
&& isScalarType!(ElementType!(ElementType!TransformMatrix))
&& isFloatingPoint!(ElementType!(ElementType!TransformMatrix)))
return true;
else
return false;
}
else static if (isSlice!TransformMatrix)
{
static if (kindOf!TransformMatrix == SliceKind.contiguous &&
TemplateArgsOf!(TransformMatrix)[1] == [2] &&
isFloatingPoint!(DeepElementType!TransformMatrix))
return true;
else
return false;
}
else
{
return false;
}
}
unittest
{
static assert(isTransformMatrix!(float[][]));
static assert(isTransformMatrix!(double[][]));
static assert(isTransformMatrix!(real[][]));
static assert(isTransformMatrix!(real[3][3]));
static assert(isTransformMatrix!(Slice!(SliceKind.contiguous, [2], float*)));
static assert(isTransformMatrix!(Slice!(SliceKind.contiguous, [2], double*)));
static assert(isTransformMatrix!(Slice!(SliceKind.contiguous, [2], real*)));
static assert(!isTransformMatrix!(Slice!(SliceKind.universal, [2], real*)));
static assert(!isTransformMatrix!(Slice!(SliceKind.canonical, [2], real*)));
static assert(!isTransformMatrix!(int[][]));
static assert(!isTransformMatrix!(real[]));
static assert(!isTransformMatrix!(real[][][]));
static assert(!isTransformMatrix!(Slice!(SliceKind.contiguous, [2], int*)));
static assert(!isTransformMatrix!(Slice!(SliceKind.contiguous, [1], float*)));
}
/**
Transform an image by given affine transformation.
Params:
interp = (template parameter) Interpolation function. Default linear.
slice = Slice of an image which is transformed.
transform = 2D Transformation matrix (3x3). Its element type must be floating point type,
and it can be defined as Slice object, dynamic or static 2D array.
outSize = Output image size - if transformation potentially moves parts of image out
of input image bounds, output image can be sized differently to maintain information.
Note:
Given transformation is considered to be an affine transformation. If it is not, result is undefined.
Returns:
Transformed image.
*/
Slice!(kind, packs, V*) transformAffine(alias interp = linear, V, TransformMatrix, SliceKind kind, size_t[] packs)(Slice!(kind, packs, V*) slice, inout TransformMatrix transform, size_t[2] outSize = [0, 0])
{
static if (isTransformMatrix!TransformMatrix)
{
return transformImpl!(TransformType.AFFINE_TRANSFORM, interp)(slice, transform, outSize);
}
else
{
static assert(0, "Invalid transform matrix type: " ~ typeof(transform).stringof);
}
}
/**
Transform an image by given perspective transformation.
Params:
interp = (template parameter) Interpolation function. Default linear.
slice = Slice of an image which is transformed.
transform = 2D Transformation matrix (3x3). Its element type must be floating point type,
and it can be defined as Slice object, dynamic or static 2D array.
outSize = Output image size [width, height] - if transformation potentially moves parts of image out
of input image bounds, output image can be sized differently to maintain information.
Note:
Given transformation is considered to be an perspective transformation. If it is not, result is undefined.
Returns:
Transformed image.
*/
Slice!(kind, packs, V*) transformPerspective(alias interp = linear, V, TransformMatrix, SliceKind kind, size_t[] packs)(
Slice!(kind, packs, V*) slice,
TransformMatrix transform,
size_t[2] outSize = [0, 0])
{
static if (isTransformMatrix!TransformMatrix)
{
return transformImpl!(TransformType.PERSPECTIVE_TRANSFORM, linear)(slice, transform, outSize);
}
else
{
static assert(0, "Invalid transform matrix type: " ~ typeof(transform).stringof);
}
}
version (unittest)
{
auto transformMatrix = [[1.0f, 0.0f, 5.0f], [0.0f, 1.0f, 5.0f], [0.0f, 0.0f, 1.0f]];
}
unittest
{
// test if affine transform without outSize parameter gives out same-shaped result.
import mir.ndslice.allocation;
auto image = slice!float(3, 3);
auto transformed = transformAffine(image, transformMatrix);
assert(image.shape == transformed.shape);
}
unittest
{
// test if affine transform with outSize parameter gives out proper-shaped result.
import mir.ndslice.allocation;
auto image = slice!float(3, 3);
auto transformed = transformAffine(image, transformMatrix, [5, 10]);
assert(transformed.length!0 == 10 && transformed.length!1 == 5);
}
unittest
{
// test if perspective transform without outSize parameter gives out same-shaped result.
import mir.ndslice.allocation;
auto image = slice!float(3, 3);
auto transformed = transformPerspective(image, transformMatrix);
assert(image.shape == transformed.shape);
}
unittest
{
// test if perspective transform with outSize parameter gives out proper-shaped result.
import mir.ndslice.allocation;
auto image = slice!float(3, 3);
auto transformed = transformPerspective(image, transformMatrix, [5, 10]);
assert(transformed.length!0 == 10 && transformed.length!1 == 5);
}
private:
// 1d resize implementation
Slice!(SliceKind.contiguous, [1], V*) resizeImpl_1(alias interp, V)(Slice!(SliceKind.contiguous, [1], V*) slice, size_t newsize, TaskPool pool)
{
enforce(!slice.empty && newsize > 0);
auto retval = new V[newsize];
auto resizeRatio = cast(float)(newsize - 1) / cast(float)(slice.length - 1);
foreach (i; pool.parallel(newsize.iota))
{
retval[i] = interp(slice, cast(float)i / resizeRatio);
}
return retval.sliced(newsize);
}
// 1d resize implementation
Slice!(SliceKind.contiguous, [2], V*) resizeImpl_2(alias interp, SliceKind kind, V)(Slice!(kind, [2], V*) slice, size_t height, size_t width, TaskPool pool)
{
enforce(!slice.empty && width > 0 && height > 0);
auto retval = new V[width * height].sliced(height, width);
auto rows = slice.length!0;
auto cols = slice.length!1;
auto r_v = cast(float)(height - 1) / cast(float)(rows - 1); // horizontaresize ratio
auto r_h = cast(float)(width - 1) / cast(float)(cols - 1);
foreach (i; pool.parallel(iota(height)))
{
auto row = retval[i, 0 .. width];
foreach (j; iota(width))
{
row[j] = interp(slice, cast(float)i / r_v, cast(float)j / r_h);
}
}
return retval;
}
// 1d resize implementation
Slice!(SliceKind.contiguous, [3], V*) resizeImpl_3(alias interp, SliceKind kind, V)(Slice!(kind, [3], V*) slice, size_t height, size_t width, TaskPool pool)
{
enforce(!slice.empty && width > 0 && height > 0);
auto rows = slice.length!0;
auto cols = slice.length!1;
auto channels = slice.length!2;
auto retval = new V[width * height * channels].sliced(height, width, channels);
auto r_v = cast(float)(height - 1) / cast(float)(rows - 1); // horizontaresize ratio
auto r_h = cast(float)(width - 1) / cast(float)(cols - 1);
foreach (c; iota(channels))
{
auto sl_ch = slice[0 .. rows, 0 .. cols, c];
auto ret_ch = retval[0 .. height, 0 .. width, c];
foreach (i; pool.parallel(iota(height)))
{
auto row = ret_ch[i, 0 .. width];
foreach (j; iota(width))
{
row[j] = interp(sl_ch, cast(float)i / r_v, cast(float)j / r_h);
}
}
}
return retval;
}
Slice!(SliceKind.contiguous, [2], float*) invertTransformMatrix(TransformMatrix)(TransformMatrix t)
{
import mir.ndslice.allocation;
auto result = slice!float(3, 3);
double determinant = +t[0][0] * (t[1][1] * t[2][2] - t[2][1] * t[1][2]) - t[0][1] * (
t[1][0] * t[2][2] - t[1][2] * t[2][0]) + t[0][2] * (t[1][0] * t[2][1] - t[1][1] * t[2][0]);
enforce(determinant != 0.0f, "Transform matrix determinant is zero.");
double invdet = 1 / determinant;
result[0][0] = (t[1][1] * t[2][2] - t[2][1] * t[1][2]) * invdet;
result[0][1] = -(t[0][1] * t[2][2] - t[0][2] * t[2][1]) * invdet;
result[0][2] = (t[0][1] * t[1][2] - t[0][2] * t[1][1]) * invdet;
result[1][0] = -(t[1][0] * t[2][2] - t[1][2] * t[2][0]) * invdet;
result[1][1] = (t[0][0] * t[2][2] - t[0][2] * t[2][0]) * invdet;
result[1][2] = -(t[0][0] * t[1][2] - t[1][0] * t[0][2]) * invdet;
result[2][0] = (t[1][0] * t[2][1] - t[2][0] * t[1][1]) * invdet;
result[2][1] = -(t[0][0] * t[2][1] - t[2][0] * t[0][1]) * invdet;
result[2][2] = (t[0][0] * t[1][1] - t[1][0] * t[0][1]) * invdet;
return result;
}
Slice!(kind, packs, V*) transformImpl(TransformType transformType, alias interp, V, TransformMatrix, SliceKind kind, size_t[] packs)
(Slice!(kind, packs, V*) slice, TransformMatrix transform, size_t[2] outSize)
in
{
static assert(packs[0] == 2 || packs[0] == 3, "Unsupported slice dimension (only 2D and 3D supported)");
uint rcount = 0;
foreach (r; transform)
{
assert(r.length == 3);
rcount++;
}
assert(rcount == 3);
}
body
{
// outsize is [width, height]
if (outSize[0] == 0)
outSize[0] = slice.length!1;
if (outSize[1] == 0)
outSize[1] = slice.length!0;
static if (packs[0] == 2)
{
auto tSlice = new V[outSize[0] * outSize[1]].sliced(outSize[1], outSize[0]);
}
else
{
auto tSlice = new V[outSize[0] * outSize[1] * slice.length!2].sliced(outSize[1], outSize[0], slice.length!2);
}
tSlice[] = cast(V)0;
auto t = transform.invertTransformMatrix;
static if (packs[0] == 3)
{
auto sliceChannels = new typeof(slice[0..$, 0..$, 0])[packs[0]];
foreach (c; iota(slice.length!2))
{
sliceChannels[c] = slice[0 .. $, 0 .. $, c];
}
}
double outOffset_x = cast(double)outSize[0] / 2.;
double outOffset_y = cast(double)outSize[1] / 2.;
double inOffset_x = cast(double)slice.length!1 / 2.;
double inOffset_y = cast(double)slice.length!0 / 2.;
foreach (i; iota(outSize[1]))
{ // height, rows
foreach (j; iota(outSize[0]))
{ // width, columns
double src_x, src_y;
double dst_x = cast(double)j - outOffset_x;
double dst_y = cast(double)i - outOffset_y;
static if (transformType == TransformType.AFFINE_TRANSFORM)
{
src_x = t[0, 0] * dst_x + t[0, 1] * dst_y + t[0, 2];
src_y = t[1, 0] * dst_x + t[1, 1] * dst_y + t[1, 2];
}
else static if (transformType == TransformType.PERSPECTIVE_TRANSFORM)
{
double d = (t[2, 0] * dst_x + t[2, 1] * dst_y + t[2, 2]);
src_x = (t[0, 0] * dst_x + t[0, 1] * dst_y + t[0, 2]) / d;
src_y = (t[1, 0] * dst_x + t[1, 1] * dst_y + t[1, 2]) / d;
}
else
{
static assert(0, "Invalid transform type"); // should never happen
}
src_x += inOffset_x;
src_y += inOffset_y;
if (src_x >= 0 && src_x < slice.length!1 && src_y >= 0 && src_y < slice.length!0)
{
static if (packs[0] == 2)
{
tSlice[i, j] = interp(slice, src_y, src_x);
}
else if (packs[0] == 3)
{
foreach (c; iota(slice.length!2))
{
tSlice[i, j, c] = interp(sliceChannels[c], src_y, src_x);
}
}
}
}
}
return tSlice;
}
|
D
|
module engine.entities.gfx.light;
import engine.entities.entity;
import engine.gfx.bitmap;
import engine.maths.vector;
class Light : Entity
{
public:
this(vec2i position, int radius = 15, Color color = 0xFFFFFF, float intensity = 0.5)
{
_position = position;
_radius = radius;
_color = color;
_intensity = intensity;
}
void update(double delta)
{
}
void render(Bitmap screen)
{
Color addColor = (_color & 0xFFFFFF) | (cast(ubyte)(0xFF * _intensity) << 24);
for (int x = -radius; x <= radius; x++)
{
int xp = position.x + x;
for (int y = -radius; y <= radius; y++)
{
int yp = position.y + y;
if (x * x + y * y < radius * radius)
{
screen[xp, yp] += addColor;
}
}
}
}
@property ref auto position()
{
return _position;
}
@property ref auto radius()
{
return _radius;
}
@property ref auto intensity()
{
return _intensity;
}
@property ref auto color()
{
return _color;
}
protected:
vec2i _position;
int _radius;
float _intensity;
Color _color;
}
|
D
|
/Users/martin/Documents/programovanie/bc/RuLife/DerivedData/RunLife/Build/Intermediates/RunLife.build/Debug-iphoneos/RunLife.build/Objects-normal/armv7/StartWorkoutViewController.o : /Users/martin/Documents/programovanie/bc/RuLife/RuLife/AppDelegate.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Location.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StopWatch.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Workout.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StartWorkoutViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/ViewMapsViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Location+CoreDataProperties.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Workout+CoreDataProperties.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/SummaryViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StartWorkoutTableViewCell.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/WorkoutTableViewCell.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/HomeViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/WorkoutTableViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/FriendsTableViewController.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/UIKit.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/CoreImage.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/CoreLocation.swiftmodule
/Users/martin/Documents/programovanie/bc/RuLife/DerivedData/RunLife/Build/Intermediates/RunLife.build/Debug-iphoneos/RunLife.build/Objects-normal/armv7/StartWorkoutViewController~partial.swiftmodule : /Users/martin/Documents/programovanie/bc/RuLife/RuLife/AppDelegate.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Location.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StopWatch.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Workout.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StartWorkoutViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/ViewMapsViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Location+CoreDataProperties.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Workout+CoreDataProperties.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/SummaryViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StartWorkoutTableViewCell.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/WorkoutTableViewCell.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/HomeViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/WorkoutTableViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/FriendsTableViewController.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/UIKit.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/CoreImage.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/CoreLocation.swiftmodule
/Users/martin/Documents/programovanie/bc/RuLife/DerivedData/RunLife/Build/Intermediates/RunLife.build/Debug-iphoneos/RunLife.build/Objects-normal/armv7/StartWorkoutViewController~partial.swiftdoc : /Users/martin/Documents/programovanie/bc/RuLife/RuLife/AppDelegate.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Location.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StopWatch.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Workout.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StartWorkoutViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/ViewMapsViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Location+CoreDataProperties.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/Workout+CoreDataProperties.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/SummaryViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/StartWorkoutTableViewCell.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/WorkoutTableViewCell.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/HomeViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/WorkoutTableViewController.swift /Users/martin/Documents/programovanie/bc/RuLife/RuLife/FriendsTableViewController.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/UIKit.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/CoreImage.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/CoreLocation.swiftmodule
|
D
|
a mischievous sprite of English folklore
a vulcanized rubber disk 3 inches in diameter that is used instead of a ball in ice hockey
|
D
|
module mach.sdl.haptic.hdegrees;
/// Functions for converting hundredths of a degree to/from degrees and radians.
private:
import mach.traits : isNumeric;
import std.math : PI;
public:
/// Convert radians to hundredths of a degree.
H radtohdeg(H = int, R)(R radians) if(isNumeric!R && isNumeric!H){
return cast(H)(radians * 18000 / PI);
}
/// Convert degrees to hundredths of a degree.
H degtohdeg(H = int, D)(D degrees) if(isNumeric!D && isNumeric!H){
return cast(H)(degrees * 100);
}
/// Convert hundredths of a degree to radians.
R hdegtorad(R = real, H)(H hdegrees) if(isNumeric!H && isNumeric!R){
return cast(R)(cast(R)(hdegrees) / 100);
}
/// Convert hundredths of a degree to degrees.
D hdegtodeg(D = real, H)(H hdegrees) if(isNumeric!H && isNumeric!D){
return cast(D)(cast(D)(hdegrees) / 18000 * PI);
}
|
D
|
/**
* The thread module provides support for thread creation and management.
*
* Copyright: Copyright Sean Kelly 2005 - 2009.
* License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0)
* Authors: Sean Kelly, Walter Bright
* Source: $(DRUNTIMESRC core/_thread.d)
*/
/* Copyright Sean Kelly 2005 - 2009.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE or copy at
* http://www.boost.org/LICENSE_1_0.txt)
* Source: $(LINK http://www.dsource.org/projects/druntime/browser/trunk/src/core/thread.d)
*/
module core.thread;
public import core.time; // for Duration
static import rt.tlsgc;
// this should be true for most architectures
version = StackGrowsDown;
/**
* Returns the process ID of the calling process, which is guaranteed to be
* unique on the system. This call is always successful.
*
* Example:
* ---
* writefln("Current process id: %s", getpid());
* ---
*/
version(Posix)
{
alias core.sys.posix.unistd.getpid getpid;
}
else version (Windows)
{
alias core.sys.windows.windows.GetCurrentProcessId getpid;
}
///////////////////////////////////////////////////////////////////////////////
// Thread and Fiber Exceptions
///////////////////////////////////////////////////////////////////////////////
/**
* Base class for thread exceptions.
*/
class ThreadException : Exception
{
this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null)
{
super(msg, file, line, next);
}
this(string msg, Throwable next, string file = __FILE__, size_t line = __LINE__)
{
super(msg, file, line, next);
}
}
/**
* Base class for fiber exceptions.
*/
class FiberException : Exception
{
this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null)
{
super(msg, file, line, next);
}
this(string msg, Throwable next, string file = __FILE__, size_t line = __LINE__)
{
super(msg, file, line, next);
}
}
private
{
import core.sync.mutex;
//
// from core.memory
//
extern (C) void gc_enable();
extern (C) void gc_disable();
extern (C) void* gc_malloc(size_t sz, uint ba = 0);
//
// from core.stdc.string
//
extern (C) void* memcpy(void*, const void*, size_t);
//
// exposed by compiler runtime
//
extern (C) void* rt_stackBottom();
extern (C) void* rt_stackTop();
extern (C) void rt_moduleTlsCtor();
extern (C) void rt_moduleTlsDtor();
void* getStackBottom()
{
return rt_stackBottom();
}
void* getStackTop()
{
return rt_stackTop();
}
alias void delegate() gc_atom;
extern (C) void function(scope gc_atom) gc_atomic;
}
///////////////////////////////////////////////////////////////////////////////
// Thread Entry Point and Signal Handlers
///////////////////////////////////////////////////////////////////////////////
version( Windows )
{
private
{
import core.stdc.stdint : uintptr_t; // for _beginthreadex decl below
import core.stdc.stdlib; // for malloc
import core.sys.windows.windows;
import core.sys.windows.threadaux; // for OpenThreadHandle
const DWORD TLS_OUT_OF_INDEXES = 0xFFFFFFFF;
extern (Windows) alias uint function(void*) btex_fptr;
extern (C) uintptr_t _beginthreadex(void*, uint, btex_fptr, void*, uint, uint*);
version( DigitalMars )
{
// NOTE: The memory between the addresses of _tlsstart and _tlsend
// is the storage for thread-local data in D 2.0. Both of
// these are defined in dm\src\win32\tlsseg.asm by DMC.
extern (C)
{
extern int _tlsstart;
extern int _tlsend;
}
}
else
{
__gshared int _tlsstart;
alias _tlsstart _tlsend;
}
//
// Entry point for Windows threads
//
extern (Windows) uint thread_entryPoint( void* arg )
{
Thread obj = cast(Thread) arg;
assert( obj );
assert( obj.m_curr is &obj.m_main );
obj.m_main.bstack = getStackBottom();
obj.m_main.tstack = obj.m_main.bstack;
void* pstart = cast(void*) &_tlsstart;
void* pend = cast(void*) &_tlsend;
obj.m_tls = pstart[0 .. pend - pstart];
Thread.setThis( obj );
//Thread.add( obj );
scope( exit )
{
Thread.remove( obj );
}
Thread.add( &obj.m_main );
obj.m_tlsgcdata = rt.tlsgc.init();
// NOTE: No GC allocations may occur until the stack pointers have
// been set and Thread.getThis returns a valid reference to
// this thread object (this latter condition is not strictly
// necessary on Windows but it should be followed for the
// sake of consistency).
// TODO: Consider putting an auto exception object here (using
// alloca) forOutOfMemoryError plus something to track
// whether an exception is in-flight?
void append( Throwable t )
{
if( obj.m_unhandled is null )
obj.m_unhandled = t;
else
{
Throwable last = obj.m_unhandled;
while( last.next !is null )
last = last.next;
last.next = t;
}
}
version( D_InlineAsm_X86 )
{
asm { fninit; }
}
try
{
rt_moduleTlsCtor();
try
{
obj.run();
}
catch( Throwable t )
{
append( t );
}
rt_moduleTlsDtor();
}
catch( Throwable t )
{
append( t );
}
return 0;
}
HANDLE GetCurrentThreadHandle()
{
const uint DUPLICATE_SAME_ACCESS = 0x00000002;
HANDLE curr = GetCurrentThread(),
proc = GetCurrentProcess(),
hndl;
DuplicateHandle( proc, curr, proc, &hndl, 0, TRUE, DUPLICATE_SAME_ACCESS );
return hndl;
}
}
}
else version( Posix )
{
private
{
import core.stdc.errno;
import core.sys.posix.semaphore;
import core.sys.posix.stdlib; // for malloc, valloc, free
import core.sys.posix.pthread;
import core.sys.posix.signal;
import core.sys.posix.time;
version( OSX )
{
import core.sys.osx.mach.thread_act;
extern (C) mach_port_t pthread_mach_thread_np(pthread_t);
}
version( GNU )
{
import gcc.builtins;
}
version( DigitalMars )
{
version( linux )
{
extern (C)
{
extern int _tlsstart;
extern int _tlsend;
}
}
else version( OSX )
{
extern (C)
{
__gshared void[][2] _tls_data_array;
}
}
else version( FreeBSD )
{
extern (C)
{
extern void* _tlsstart;
extern void* _tlsend;
}
}
else
{
__gshared int _tlsstart;
alias _tlsstart _tlsend;
}
}
else
{
__gshared int _tlsstart;
alias _tlsstart _tlsend;
}
//
// Entry point for POSIX threads
//
extern (C) void* thread_entryPoint( void* arg )
{
Thread obj = cast(Thread) arg;
assert( obj );
assert( obj.m_curr is &obj.m_main );
// NOTE: For some reason this does not always work for threads.
//obj.m_main.bstack = getStackBottom();
version( D_InlineAsm_X86 )
{
static void* getBasePtr()
{
asm
{
naked;
mov EAX, EBP;
ret;
}
}
obj.m_main.bstack = getBasePtr();
}
else version( D_InlineAsm_X86_64 )
{
static void* getBasePtr()
{
asm
{
naked;
mov RAX, RBP;
ret;
}
}
obj.m_main.bstack = getBasePtr();
}
else version( StackGrowsDown )
obj.m_main.bstack = &obj + 1;
else
obj.m_main.bstack = &obj;
obj.m_main.tstack = obj.m_main.bstack;
version (OSX)
{
// NOTE: OSX does not support TLS, so we do it ourselves. The TLS
// data output by the compiler is bracketed by _tls_data_array[2],
// so make a copy of it for each thread.
const sz0 = (_tls_data_array[0].length + 15) & ~cast(size_t)15;
const sz2 = sz0 + _tls_data_array[1].length;
auto p = malloc( sz2 );
assert( p );
obj.m_tls = p[0 .. sz2];
memcpy( p, _tls_data_array[0].ptr, _tls_data_array[0].length );
memcpy( p + sz0, _tls_data_array[1].ptr, _tls_data_array[1].length );
scope (exit) { free( p ); obj.m_tls = null; }
}
else
{
auto pstart = cast(void*) &_tlsstart;
auto pend = cast(void*) &_tlsend;
obj.m_tls = pstart[0 .. pend - pstart];
}
obj.m_isRunning = true;
Thread.setThis( obj );
//Thread.add( obj );
scope( exit )
{
// NOTE: isRunning should be set to false after the thread is
// removed or a double-removal could occur between this
// function and thread_suspendAll.
Thread.remove( obj );
obj.m_isRunning = false;
}
Thread.add( &obj.m_main );
obj.m_tlsgcdata = rt.tlsgc.init();
static extern (C) void thread_cleanupHandler( void* arg )
{
Thread obj = cast(Thread) arg;
assert( obj );
// NOTE: If the thread terminated abnormally, just set it as
// not running and let thread_suspendAll remove it from
// the thread list. This is safer and is consistent
// with the Windows thread code.
obj.m_isRunning = false;
}
// NOTE: Using void to skip the initialization here relies on
// knowledge of how pthread_cleanup is implemented. It may
// not be appropriate for all platforms. However, it does
// avoid the need to link the pthread module. If any
// implementation actually requires default initialization
// then pthread_cleanup should be restructured to maintain
// the current lack of a link dependency.
static if( __traits( compiles, pthread_cleanup ) )
{
pthread_cleanup cleanup = void;
cleanup.push( &thread_cleanupHandler, cast(void*) obj );
}
else static if( __traits( compiles, pthread_cleanup_push ) )
{
pthread_cleanup_push( &thread_cleanupHandler, cast(void*) obj );
}
else
{
static assert( false, "Platform not supported." );
}
// NOTE: No GC allocations may occur until the stack pointers have
// been set and Thread.getThis returns a valid reference to
// this thread object (this latter condition is not strictly
// necessary on Windows but it should be followed for the
// sake of consistency).
// TODO: Consider putting an auto exception object here (using
// alloca) forOutOfMemoryError plus something to track
// whether an exception is in-flight?
void append( Throwable t )
{
if( obj.m_unhandled is null )
obj.m_unhandled = t;
else
{
Throwable last = obj.m_unhandled;
while( last.next !is null )
last = last.next;
last.next = t;
}
}
try
{
rt_moduleTlsCtor();
try
{
obj.run();
}
catch( Throwable t )
{
append( t );
}
rt_moduleTlsDtor();
}
catch( Throwable t )
{
append( t );
}
// NOTE: Normal cleanup is handled by scope(exit).
static if( __traits( compiles, pthread_cleanup ) )
{
cleanup.pop( 0 );
}
else static if( __traits( compiles, pthread_cleanup_push ) )
{
pthread_cleanup_pop( 0 );
}
return null;
}
//
// Used to track the number of suspended threads
//
__gshared sem_t suspendCount;
extern (C) void thread_suspendHandler( int sig )
in
{
assert( sig == SIGUSR1 );
}
body
{
void op(void* sp)
{
// NOTE: Since registers are being pushed and popped from the
// stack, any other stack data used by this function should
// be gone before the stack cleanup code is called below.
Thread obj = Thread.getThis();
// NOTE: The thread reference returned by getThis is set within
// the thread startup code, so it is possible that this
// handler may be called before the reference is set. In
// this case it is safe to simply suspend and not worry
// about the stack pointers as the thread will not have
// any references to GC-managed data.
if( obj && !obj.m_lock )
{
obj.m_curr.tstack = getStackTop();
}
sigset_t sigres = void;
int status;
status = sigfillset( &sigres );
assert( status == 0 );
status = sigdelset( &sigres, SIGUSR2 );
assert( status == 0 );
status = sem_post( &suspendCount );
assert( status == 0 );
sigsuspend( &sigres );
if( obj && !obj.m_lock )
{
obj.m_curr.tstack = obj.m_curr.bstack;
}
}
thread_callWithStackShell(&op);
}
extern (C) void thread_resumeHandler( int sig )
in
{
assert( sig == SIGUSR2 );
}
body
{
}
}
}
else
{
// NOTE: This is the only place threading versions are checked. If a new
// version is added, the module code will need to be searched for
// places where version-specific code may be required. This can be
// easily accomlished by searching for 'Windows' or 'Posix'.
static assert( false, "Unknown threading implementation." );
}
///////////////////////////////////////////////////////////////////////////////
// Thread
///////////////////////////////////////////////////////////////////////////////
/**
* This class encapsulates all threading functionality for the D
* programming language. As thread manipulation is a required facility
* for garbage collection, all user threads should derive from this
* class, and instances of this class should never be explicitly deleted.
* A new thread may be created using either derivation or composition, as
* in the following example.
*
* Example:
* ----------------------------------------------------------------------------
*
* class DerivedThread : Thread
* {
* this()
* {
* super( &run );
* }
*
* private :
* void run()
* {
* printf( "Derived thread running.\n" );
* }
* }
*
* void threadFunc()
* {
* printf( "Composed thread running.\n" );
* }
*
* // create instances of each type
* Thread derived = new DerivedThread();
* Thread composed = new Thread( &threadFunc );
*
* // start both threads
* derived.start();
* composed.start();
*
* ----------------------------------------------------------------------------
*/
class Thread
{
///////////////////////////////////////////////////////////////////////////
// Initialization
///////////////////////////////////////////////////////////////////////////
/**
* Initializes a thread object which is associated with a static
* D function.
*
* Params:
* fn = The thread function.
* sz = The stack size for this thread.
*
* In:
* fn must not be null.
*/
this( void function() fn, size_t sz = 0 )
in
{
assert( fn );
}
body
{
this();
m_fn = fn;
m_sz = sz;
m_call = Call.FN;
m_curr = &m_main;
}
/**
* Initializes a thread object which is associated with a dynamic
* D function.
*
* Params:
* dg = The thread function.
* sz = The stack size for this thread.
*
* In:
* dg must not be null.
*/
this( void delegate() dg, size_t sz = 0 )
in
{
assert( dg );
}
body
{
this();
m_dg = dg;
m_sz = sz;
m_call = Call.DG;
m_curr = &m_main;
}
/**
* Cleans up any remaining resources used by this object.
*/
~this()
{
if( m_addr == m_addr.init )
{
return;
}
version( Windows )
{
m_addr = m_addr.init;
CloseHandle( m_hndl );
m_hndl = m_hndl.init;
}
else version( Posix )
{
pthread_detach( m_addr );
m_addr = m_addr.init;
}
version( OSX )
{
m_tmach = m_tmach.init;
}
rt.tlsgc.destroy( m_tlsgcdata );
m_tlsgcdata = null;
}
///////////////////////////////////////////////////////////////////////////
// General Actions
///////////////////////////////////////////////////////////////////////////
/**
* Starts the thread and invokes the function or delegate passed upon
* construction.
*
* In:
* This routine may only be called once per thread instance.
*
* Throws:
* ThreadException if the thread fails to start.
*/
final void start()
in
{
assert( !next && !prev );
}
body
{
auto wasThreaded = multiThreadedFlag;
multiThreadedFlag = true;
scope( failure )
{
if( !wasThreaded )
multiThreadedFlag = false;
}
version( Windows ) {} else
version( Posix )
{
pthread_attr_t attr;
if( pthread_attr_init( &attr ) )
throw new ThreadException( "Error initializing thread attributes" );
if( m_sz && pthread_attr_setstacksize( &attr, m_sz ) )
throw new ThreadException( "Error initializing thread stack size" );
if( pthread_attr_setdetachstate( &attr, PTHREAD_CREATE_JOINABLE ) )
throw new ThreadException( "Error setting thread joinable" );
}
// NOTE: The starting thread must be added to the global thread list
// here rather than within thread_entryPoint to prevent a race
// with the main thread, which could finish and terminat the
// app without ever knowing that it should have waited for this
// starting thread. In effect, not doing the add here risks
// having thread being treated like a daemon thread.
synchronized( slock )
{
version( Windows )
{
assert(m_sz <= uint.max, "m_sz must be less than or equal to uint.max");
m_hndl = cast(HANDLE) _beginthreadex( null, cast(uint) m_sz, &thread_entryPoint, cast(void*) this, 0, &m_addr );
if( cast(size_t) m_hndl == 0 )
throw new ThreadException( "Error creating thread" );
}
else version( Posix )
{
// NOTE: This is also set to true by thread_entryPoint, but set it
// here as well so the calling thread will see the isRunning
// state immediately.
m_isRunning = true;
scope( failure ) m_isRunning = false;
if( pthread_create( &m_addr, &attr, &thread_entryPoint, cast(void*) this ) != 0 )
throw new ThreadException( "Error creating thread" );
}
version( OSX )
{
m_tmach = pthread_mach_thread_np( m_addr );
if( m_tmach == m_tmach.init )
throw new ThreadException( "Error creating thread" );
}
// NOTE: DllMain(THREAD_ATTACH) may be called before this call
// exits, and this in turn calls thread_findByAddr, which
// would expect this thread to be in the global list if it
// is a D-created thread. However, since thread_findByAddr
// acquires Thread.slock before searching the list, it is
// safe to add this thread after _beginthreadex instead
// of before. This also saves us from having to use a
// scope statement to remove the thread on error.
add( this );
}
}
/**
* Waits for this thread to complete. If the thread terminated as the
* result of an unhandled exception, this exception will be rethrown.
*
* Params:
* rethrow = Rethrow any unhandled exception which may have caused this
* thread to terminate.
*
* Throws:
* ThreadException if the operation fails.
* Any exception not handled by the joined thread.
*
* Returns:
* Any exception not handled by this thread if rethrow = false, null
* otherwise.
*/
final Throwable join( bool rethrow = true )
{
version( Windows )
{
if( WaitForSingleObject( m_hndl, INFINITE ) != WAIT_OBJECT_0 )
throw new ThreadException( "Unable to join thread" );
// NOTE: m_addr must be cleared before m_hndl is closed to avoid
// a race condition with isRunning. The operation is labeled
// volatile to prevent compiler reordering.
volatile m_addr = m_addr.init;
CloseHandle( m_hndl );
m_hndl = m_hndl.init;
}
else version( Posix )
{
if( pthread_join( m_addr, null ) != 0 )
throw new ThreadException( "Unable to join thread" );
// NOTE: pthread_join acts as a substitute for pthread_detach,
// which is normally called by the dtor. Setting m_addr
// to zero ensures that pthread_detach will not be called
// on object destruction.
volatile m_addr = m_addr.init;
}
if( m_unhandled )
{
if( rethrow )
throw m_unhandled;
return m_unhandled;
}
return null;
}
///////////////////////////////////////////////////////////////////////////
// General Properties
///////////////////////////////////////////////////////////////////////////
/**
* Gets the user-readable label for this thread.
*
* Returns:
* The name of this thread.
*/
final @property string name()
{
synchronized( this )
{
return m_name;
}
}
/**
* Sets the user-readable label for this thread.
*
* Params:
* val = The new name of this thread.
*/
final @property void name( string val )
{
synchronized( this )
{
m_name = val;
}
}
/**
* Gets the daemon status for this thread. While the runtime will wait for
* all normal threads to complete before tearing down the process, daemon
* threads are effectively ignored and thus will not prevent the process
* from terminating. In effect, daemon threads will be terminated
* automatically by the OS when the process exits.
*
* Returns:
* true if this is a daemon thread.
*/
final @property bool isDaemon()
{
synchronized( this )
{
return m_isDaemon;
}
}
/**
* Sets the daemon status for this thread. While the runtime will wait for
* all normal threads to complete before tearing down the process, daemon
* threads are effectively ignored and thus will not prevent the process
* from terminating. In effect, daemon threads will be terminated
* automatically by the OS when the process exits.
*
* Params:
* val = The new daemon status for this thread.
*/
final @property void isDaemon( bool val )
{
synchronized( this )
{
m_isDaemon = val;
}
}
/**
* Tests whether this thread is running.
*
* Returns:
* true if the thread is running, false if not.
*/
final @property bool isRunning()
{
if( m_addr == m_addr.init )
{
return false;
}
version( Windows )
{
uint ecode = 0;
GetExitCodeThread( m_hndl, &ecode );
return ecode == STILL_ACTIVE;
}
else version( Posix )
{
// NOTE: It should be safe to access this value without
// memory barriers because word-tearing and such
// really isn't an issue for boolean values.
return m_isRunning;
}
}
///////////////////////////////////////////////////////////////////////////
// Thread Priority Actions
///////////////////////////////////////////////////////////////////////////
/**
* The minimum scheduling priority that may be set for a thread. On
* systems where multiple scheduling policies are defined, this value
* represents the minimum valid priority for the scheduling policy of
* the process.
*/
__gshared const int PRIORITY_MIN;
/**
* The maximum scheduling priority that may be set for a thread. On
* systems where multiple scheduling policies are defined, this value
* represents the minimum valid priority for the scheduling policy of
* the process.
*/
__gshared const int PRIORITY_MAX;
/**
* Gets the scheduling priority for the associated thread.
*
* Returns:
* The scheduling priority of this thread.
*/
final @property int priority()
{
version( Windows )
{
return GetThreadPriority( m_hndl );
}
else version( Posix )
{
int policy;
sched_param param;
if( pthread_getschedparam( m_addr, &policy, ¶m ) )
throw new ThreadException( "Unable to get thread priority" );
return param.sched_priority;
}
}
/**
* Sets the scheduling priority for the associated thread.
*
* Params:
* val = The new scheduling priority of this thread.
*/
final @property void priority( int val )
{
version( Windows )
{
if( !SetThreadPriority( m_hndl, val ) )
throw new ThreadException( "Unable to set thread priority" );
}
else version( Posix )
{
// NOTE: pthread_setschedprio is not implemented on linux, so use
// the more complicated get/set sequence below.
//if( pthread_setschedprio( m_addr, val ) )
// throw new ThreadException( "Unable to set thread priority" );
int policy;
sched_param param;
if( pthread_getschedparam( m_addr, &policy, ¶m ) )
throw new ThreadException( "Unable to set thread priority" );
param.sched_priority = val;
if( pthread_setschedparam( m_addr, policy, ¶m ) )
throw new ThreadException( "Unable to set thread priority" );
}
}
///////////////////////////////////////////////////////////////////////////
// Actions on Calling Thread
///////////////////////////////////////////////////////////////////////////
/**
* Suspends the calling thread for at least the supplied period. This may
* result in multiple OS calls if period is greater than the maximum sleep
* duration supported by the operating system.
*
* Params:
* val = The minimum duration the calling thread should be suspended.
*
* In:
* period must be non-negative.
*
* Example:
* ------------------------------------------------------------------------
*
* Thread.sleep( dur!("msecs")( 50 ) ); // sleep for 50 milliseconds
* Thread.sleep( dur!("seconds")( 5 ) ); // sleep for 5 seconds
*
* ------------------------------------------------------------------------
*/
static void sleep( Duration val )
in
{
assert( !val.isNegative );
}
body
{
version( Windows )
{
auto maxSleepMillis = dur!("msecs")( uint.max - 1 );
// NOTE: In instances where all other threads in the process have a
// lower priority than the current thread, the current thread
// will not yield with a sleep time of zero. However, unlike
// yield(), the user is not asking for a yield to occur but
// only for execution to suspend for the requested interval.
// Therefore, expected performance may not be met if a yield
// is forced upon the user.
while( val > maxSleepMillis )
{
Sleep( cast(uint)
maxSleepMillis.total!("msecs")() );
val -= maxSleepMillis;
}
Sleep( cast(uint) val.total!("msecs")() );
}
else version( Posix )
{
timespec tin = void;
timespec tout = void;
if( val.total!("seconds")() > tin.tv_sec.max )
{
tin.tv_sec = tin.tv_sec.max;
tin.tv_nsec = cast(typeof(tin.tv_nsec)) val.fracSec.nsecs;
}
else
{
tin.tv_sec = cast(typeof(tin.tv_sec)) val.total!("seconds")();
tin.tv_nsec = cast(typeof(tin.tv_nsec)) val.fracSec.nsecs;
}
while( true )
{
if( !nanosleep( &tin, &tout ) )
return;
if( getErrno() != EINTR )
throw new ThreadException( "Unable to sleep for the specified duration" );
tin = tout;
}
}
}
/**
* $(RED Deprecated. It will be removed in December 2012. Please use the
* version which takes a $(D Duration) instead.)
*
* Suspends the calling thread for at least the supplied period. This may
* result in multiple OS calls if period is greater than the maximum sleep
* duration supported by the operating system.
*
* Params:
* period = The minimum duration the calling thread should be suspended,
* in 100 nanosecond intervals.
*
* In:
* period must be non-negative.
*
* Example:
* ------------------------------------------------------------------------
*
* Thread.sleep( 500_000 ); // sleep for 50 milliseconds
* Thread.sleep( 50_000_000 ); // sleep for 5 seconds
*
* ------------------------------------------------------------------------
*/
deprecated static void sleep( long period )
in
{
assert( period >= 0 );
}
body
{
sleep( dur!"hnsecs"( period ) );
}
/**
* Forces a context switch to occur away from the calling thread.
*/
static void yield()
{
version( Windows )
SwitchToThread();
else version( Posix )
sched_yield();
}
///////////////////////////////////////////////////////////////////////////
// Thread Accessors
///////////////////////////////////////////////////////////////////////////
/**
* Provides a reference to the calling thread.
*
* Returns:
* The thread object representing the calling thread. The result of
* deleting this object is undefined. If the current thread is not
* attached to the runtime, a null reference is returned.
*/
static Thread getThis()
{
// NOTE: This function may not be called until thread_init has
// completed. See thread_suspendAll for more information
// on why this might occur.
version( Windows )
{
auto t = cast(Thread) TlsGetValue( sm_this );
// NOTE: If this thread was attached via thread_attachByAddr then
// this TLS lookup won't initially be set, so when the TLS
// lookup fails, try an exhaustive search.
if( t is null )
{
t = thread_findByAddr( GetCurrentThreadId() );
setThis( t );
}
return t;
}
else version( Posix )
{
auto t = cast(Thread) pthread_getspecific( sm_this );
// NOTE: See the comment near thread_findByAddr() for why the
// secondary thread_findByAddr lookup can't be done on
// Posix. However, because thread_attachByAddr() is for
// Windows only, the secondary lookup is pointless anyway.
return t;
}
}
/**
* Provides a list of all threads currently being tracked by the system.
*
* Returns:
* An array containing references to all threads currently being
* tracked by the system. The result of deleting any contained
* objects is undefined.
*/
static Thread[] getAll()
{
synchronized( slock )
{
size_t pos = 0;
Thread[] buf = new Thread[sm_tlen];
foreach( Thread t; Thread )
{
buf[pos++] = t;
}
return buf;
}
}
/**
* Operates on all threads currently being tracked by the system. The
* result of deleting any Thread object is undefined.
*
* Params:
* dg = The supplied code as a delegate.
*
* Returns:
* Zero if all elemented are visited, nonzero if not.
*/
static int opApply( scope int delegate( ref Thread ) dg )
{
synchronized( slock )
{
int ret = 0;
for( Thread t = sm_tbeg; t; t = t.next )
{
ret = dg( t );
if( ret )
break;
}
return ret;
}
}
///////////////////////////////////////////////////////////////////////////
// Static Initalizer
///////////////////////////////////////////////////////////////////////////
/**
* This initializer is used to set thread constants. All functional
* initialization occurs within thread_init().
*/
shared static this()
{
version( Windows )
{
PRIORITY_MIN = -15;
PRIORITY_MAX = 15;
}
else version( Posix )
{
int policy;
sched_param param;
pthread_t self = pthread_self();
int status = pthread_getschedparam( self, &policy, ¶m );
assert( status == 0 );
PRIORITY_MIN = sched_get_priority_min( policy );
assert( PRIORITY_MIN != -1 );
PRIORITY_MAX = sched_get_priority_max( policy );
assert( PRIORITY_MAX != -1 );
}
}
///////////////////////////////////////////////////////////////////////////
// Stuff That Should Go Away
///////////////////////////////////////////////////////////////////////////
private:
//
// Initializes a thread object which has no associated executable function.
// This is used for the main thread initialized in thread_init().
//
this()
{
m_call = Call.NO;
m_curr = &m_main;
version (OSX)
{
//printf("test2 %p %p\n", _tls_data_array[0].ptr, &_tls_data_array[1][length]);
//printf("test2 %p %p\n", &_tls_beg, &_tls_end);
// NOTE: OSX does not support TLS, so we do it ourselves. The TLS
// data output by the compiler is bracketed by _tls_data_array2],
// so make a copy of it for each thread.
const sz0 = (_tls_data_array[0].length + 15) & ~cast(size_t)15;
const sz2 = sz0 + _tls_data_array[1].length;
auto p = malloc( sz2 );
assert( p );
m_tls = p[0 .. sz2];
memcpy( p, _tls_data_array[0].ptr, _tls_data_array[0].length );
memcpy( p + sz0, _tls_data_array[1].ptr, _tls_data_array[1].length );
// The free must happen at program end, if anywhere.
}
else
{
auto pstart = cast(void*) &_tlsstart;
auto pend = cast(void*) &_tlsend;
m_tls = pstart[0 .. pend - pstart];
}
}
//
// Thread entry point. Invokes the function or delegate passed on
// construction (if any).
//
final void run()
{
switch( m_call )
{
case Call.FN:
m_fn();
break;
case Call.DG:
m_dg();
break;
default:
break;
}
}
private:
//
// The type of routine passed on thread construction.
//
enum Call
{
NO,
FN,
DG
}
//
// Standard types
//
version( Windows )
{
alias uint TLSKey;
alias uint ThreadAddr;
}
else version( Posix )
{
alias pthread_key_t TLSKey;
alias pthread_t ThreadAddr;
}
//
// Local storage
//
__gshared TLSKey sm_this;
//
// Main process thread
//
__gshared Thread sm_main;
//
// Standard thread data
//
version( Windows )
{
HANDLE m_hndl;
}
else version( OSX )
{
mach_port_t m_tmach;
}
ThreadAddr m_addr;
Call m_call;
string m_name;
union
{
void function() m_fn;
void delegate() m_dg;
}
size_t m_sz;
version( Posix )
{
bool m_isRunning;
}
bool m_isDaemon;
Throwable m_unhandled;
private:
///////////////////////////////////////////////////////////////////////////
// Storage of Active Thread
///////////////////////////////////////////////////////////////////////////
//
// Sets a thread-local reference to the current thread object.
//
static void setThis( Thread t )
{
version( Windows )
{
TlsSetValue( sm_this, cast(void*) t );
}
else version( Posix )
{
pthread_setspecific( sm_this, cast(void*) t );
}
}
private:
///////////////////////////////////////////////////////////////////////////
// Thread Context and GC Scanning Support
///////////////////////////////////////////////////////////////////////////
final void pushContext( Context* c )
in
{
assert( !c.within );
}
body
{
c.within = m_curr;
m_curr = c;
}
final void popContext()
in
{
assert( m_curr && m_curr.within );
}
body
{
Context* c = m_curr;
m_curr = c.within;
c.within = null;
}
final Context* topContext()
in
{
assert( m_curr );
}
body
{
return m_curr;
}
static struct Context
{
void* bstack,
tstack;
Context* within;
Context* next,
prev;
}
Context m_main;
Context* m_curr;
bool m_lock;
void[] m_tls; // spans implicit thread local storage
rt.tlsgc.Data* m_tlsgcdata;
version( Windows )
{
version( X86 )
{
uint[8] m_reg; // edi,esi,ebp,esp,ebx,edx,ecx,eax
}
else version( X86_64 )
{
ulong[16] m_reg; // rdi,rsi,rbp,rsp,rbx,rdx,rcx,rax
// r8,r9,r10,r11,r12,r13,r14,r15
}
else
{
static assert(false, "Architecture not supported." );
}
}
else version( OSX )
{
version( X86 )
{
uint[8] m_reg; // edi,esi,ebp,esp,ebx,edx,ecx,eax
}
else version( X86_64 )
{
ulong[16] m_reg; // rdi,rsi,rbp,rsp,rbx,rdx,rcx,rax
// r8,r9,r10,r11,r12,r13,r14,r15
}
else
{
static assert(false, "Architecture not supported." );
}
}
private:
///////////////////////////////////////////////////////////////////////////
// GC Scanning Support
///////////////////////////////////////////////////////////////////////////
// NOTE: The GC scanning process works like so:
//
// 1. Suspend all threads.
// 2. Scan the stacks of all suspended threads for roots.
// 3. Resume all threads.
//
// Step 1 and 3 require a list of all threads in the system, while
// step 2 requires a list of all thread stacks (each represented by
// a Context struct). Traditionally, there was one stack per thread
// and the Context structs were not necessary. However, Fibers have
// changed things so that each thread has its own 'main' stack plus
// an arbitrary number of nested stacks (normally referenced via
// m_curr). Also, there may be 'free-floating' stacks in the system,
// which are Fibers that are not currently executing on any specific
// thread but are still being processed and still contain valid
// roots.
//
// To support all of this, the Context struct has been created to
// represent a stack range, and a global list of Context structs has
// been added to enable scanning of these stack ranges. The lifetime
// (and presence in the Context list) of a thread's 'main' stack will
// be equivalent to the thread's lifetime. So the Ccontext will be
// added to the list on thread entry, and removed from the list on
// thread exit (which is essentially the same as the presence of a
// Thread object in its own global list). The lifetime of a Fiber's
// context, however, will be tied to the lifetime of the Fiber object
// itself, and Fibers are expected to add/remove their Context struct
// on construction/deletion.
//
// All use of the global lists should synchronize on this lock.
//
@property static Mutex slock()
{
__gshared Mutex m = null;
if( m !is null )
return m;
else
{
auto ci = Mutex.classinfo;
auto p = malloc( ci.init.length );
(cast(byte*) p)[0 .. ci.init.length] = ci.init[];
m = cast(Mutex) p;
m.__ctor();
return m;
}
}
__gshared Context* sm_cbeg;
__gshared size_t sm_clen;
__gshared Thread sm_tbeg;
__gshared size_t sm_tlen;
//
// Used for ordering threads in the global thread list.
//
Thread prev;
Thread next;
///////////////////////////////////////////////////////////////////////////
// Global Context List Operations
///////////////////////////////////////////////////////////////////////////
//
// Add a context to the global context list.
//
static void add( Context* c )
in
{
assert( c );
assert( !c.next && !c.prev );
}
body
{
// NOTE: This loop is necessary to avoid a race between newly created
// threads and the GC. If a collection starts between the time
// Thread.start is called and the new thread calls Thread.add,
// the thread will have its stack scanned without first having
// been properly suspended. Testing has shown this to sometimes
// cause a deadlock.
while( true )
{
synchronized( slock )
{
if( !suspendDepth )
{
if( sm_cbeg )
{
c.next = sm_cbeg;
sm_cbeg.prev = c;
}
sm_cbeg = c;
++sm_clen;
return;
}
}
yield();
}
}
//
// Remove a context from the global context list.
//
static void remove( Context* c )
in
{
assert( c );
assert( c.next || c.prev );
}
body
{
synchronized( slock )
{
if( c.prev )
c.prev.next = c.next;
if( c.next )
c.next.prev = c.prev;
if( sm_cbeg == c )
sm_cbeg = c.next;
--sm_clen;
}
// NOTE: Don't null out c.next or c.prev because opApply currently
// follows c.next after removing a node. This could be easily
// addressed by simply returning the next node from this
// function, however, a context should never be re-added to the
// list anyway and having next and prev be non-null is a good way
// to ensure that.
}
///////////////////////////////////////////////////////////////////////////
// Global Thread List Operations
///////////////////////////////////////////////////////////////////////////
//
// Add a thread to the global thread list.
//
static void add( Thread t )
in
{
assert( t );
assert( !t.next && !t.prev );
assert( t.isRunning );
}
body
{
// NOTE: This loop is necessary to avoid a race between newly created
// threads and the GC. If a collection starts between the time
// Thread.start is called and the new thread calls Thread.add,
// the thread could manipulate global state while the collection
// is running, and by being added to the thread list it could be
// resumed by the GC when it was never suspended, which would
// result in an exception thrown by the GC code.
//
// An alternative would be to have Thread.start call Thread.add
// for the new thread, but this may introduce its own problems,
// since the thread object isn't entirely ready to be operated
// on by the GC. This could be fixed by tracking thread startup
// status, but it's far easier to simply have Thread.add wait
// for any running collection to stop before altering the thread
// list.
//
// After further testing, having add wait for a collect to end
// proved to have its own problems (explained in Thread.start),
// so add(Thread) is now being done in Thread.start. This
// reintroduced the deadlock issue mentioned in bugzilla 4890,
// which appears to have been solved by doing this same wait
// procedure in add(Context). These comments will remain in
// case other issues surface that require the startup state
// tracking described above.
while( true )
{
synchronized( slock )
{
if( !suspendDepth )
{
if( sm_tbeg )
{
t.next = sm_tbeg;
sm_tbeg.prev = t;
}
sm_tbeg = t;
++sm_tlen;
return;
}
}
yield();
}
}
//
// Remove a thread from the global thread list.
//
static void remove( Thread t )
in
{
assert( t );
assert( t.next || t.prev );
}
body
{
synchronized( slock )
{
// NOTE: When a thread is removed from the global thread list its
// main context is invalid and should be removed as well.
// It is possible that t.m_curr could reference more
// than just the main context if the thread exited abnormally
// (if it was terminated), but we must assume that the user
// retains a reference to them and that they may be re-used
// elsewhere. Therefore, it is the responsibility of any
// object that creates contexts to clean them up properly
// when it is done with them.
remove( &t.m_main );
if( t.prev )
t.prev.next = t.next;
if( t.next )
t.next.prev = t.prev;
if( sm_tbeg == t )
sm_tbeg = t.next;
--sm_tlen;
}
// NOTE: Don't null out t.next or t.prev because opApply currently
// follows t.next after removing a node. This could be easily
// addressed by simply returning the next node from this
// function, however, a thread should never be re-added to the
// list anyway and having next and prev be non-null is a good way
// to ensure that.
}
}
// These must be kept in sync with core/thread.di
version (D_LP64)
{
version (Windows)
static assert(__traits(classInstanceSize, Thread) == 312);
else version (OSX)
static assert(__traits(classInstanceSize, Thread) == 320);
else version (Posix)
static assert(__traits(classInstanceSize, Thread) == 184);
else
static assert(0, "Platform not supported.");
}
else
{
static assert((void*).sizeof == 4); // 32-bit
version (Windows)
static assert(__traits(classInstanceSize, Thread) == 128);
else version (OSX)
static assert(__traits(classInstanceSize, Thread) == 128);
else version (Posix)
static assert(__traits(classInstanceSize, Thread) == 92);
else
static assert(0, "Platform not supported.");
}
unittest
{
int x = 0;
auto t = new Thread(
{
x++;
});
t.start(); t.join();
assert( x == 1 );
}
unittest
{
enum MSG = "Test message.";
string caughtMsg;
try
{
auto t = new Thread(
{
throw new Exception( MSG );
});
t.start(); t.join();
assert( false, "Expected rethrown exception." );
}
catch( Throwable t )
{
assert( t.msg == MSG );
}
}
///////////////////////////////////////////////////////////////////////////////
// GC Support Routines
///////////////////////////////////////////////////////////////////////////////
/**
* Initializes the thread module. This function must be called by the
* garbage collector on startup and before any other thread routines
* are called.
*/
extern (C) void thread_init()
{
// NOTE: If thread_init itself performs any allocations then the thread
// routines reserved for garbage collector use may be called while
// thread_init is being processed. However, since no memory should
// exist to be scanned at this point, it is sufficient for these
// functions to detect the condition and return immediately.
version( Windows )
{
Thread.sm_this = TlsAlloc();
assert( Thread.sm_this != TLS_OUT_OF_INDEXES );
}
else version( OSX )
{
int status;
status = pthread_key_create( &Thread.sm_this, null );
assert( status == 0 );
}
else version( Posix )
{
int status;
sigaction_t sigusr1 = void;
sigaction_t sigusr2 = void;
// This is a quick way to zero-initialize the structs without using
// memset or creating a link dependency on their static initializer.
(cast(byte*) &sigusr1)[0 .. sigaction_t.sizeof] = 0;
(cast(byte*) &sigusr2)[0 .. sigaction_t.sizeof] = 0;
// NOTE: SA_RESTART indicates that system calls should restart if they
// are interrupted by a signal, but this is not available on all
// Posix systems, even those that support multithreading.
static if( __traits( compiles, SA_RESTART ) )
sigusr1.sa_flags = SA_RESTART;
else
sigusr1.sa_flags = 0;
sigusr1.sa_handler = &thread_suspendHandler;
// NOTE: We want to ignore all signals while in this handler, so fill
// sa_mask to indicate this.
status = sigfillset( &sigusr1.sa_mask );
assert( status == 0 );
// NOTE: Since SIGUSR2 should only be issued for threads within the
// suspend handler, we don't want this signal to trigger a
// restart.
sigusr2.sa_flags = 0;
sigusr2.sa_handler = &thread_resumeHandler;
// NOTE: We want to ignore all signals while in this handler, so fill
// sa_mask to indicate this.
status = sigfillset( &sigusr2.sa_mask );
assert( status == 0 );
status = sigaction( SIGUSR1, &sigusr1, null );
assert( status == 0 );
status = sigaction( SIGUSR2, &sigusr2, null );
assert( status == 0 );
status = sem_init( &suspendCount, 0, 0 );
assert( status == 0 );
status = pthread_key_create( &Thread.sm_this, null );
assert( status == 0 );
}
Thread.sm_main = thread_attachThis();
}
/**
*
*/
extern (C) bool thread_isMainThread()
{
return Thread.getThis() is Thread.sm_main;
}
/**
* Registers the calling thread for use with the D Runtime. If this routine
* is called for a thread which is already registered, no action is performed.
*/
extern (C) Thread thread_attachThis()
{
gc_disable(); scope(exit) gc_enable();
if (auto t = Thread.getThis())
return t;
Thread thisThread = new Thread();
Thread.Context* thisContext = &thisThread.m_main;
assert( thisContext == thisThread.m_curr );
version( Windows )
{
thisThread.m_addr = GetCurrentThreadId();
thisThread.m_hndl = GetCurrentThreadHandle();
thisContext.bstack = getStackBottom();
thisContext.tstack = thisContext.bstack;
}
else version( Posix )
{
thisThread.m_addr = pthread_self();
thisContext.bstack = getStackBottom();
thisContext.tstack = thisContext.bstack;
thisThread.m_isRunning = true;
}
thisThread.m_isDaemon = true;
Thread.setThis( thisThread );
version( OSX )
{
thisThread.m_tmach = pthread_mach_thread_np( thisThread.m_addr );
assert( thisThread.m_tmach != thisThread.m_tmach.init );
}
version (OSX)
{
//printf("test3 %p %p\n", _tls_data_array[0].ptr, &_tls_data_array[1][length]);
//printf("test3 %p %p\n", &_tls_beg, &_tls_end);
// NOTE: OSX does not support TLS, so we do it ourselves. The TLS
// data output by the compiler is bracketed by _tls_data_array[2],
// so make a copy of it for each thread.
const sz0 = (_tls_data_array[0].length + 15) & ~cast(size_t)15;
const sz2 = sz0 + _tls_data_array[1].length;
auto p = gc_malloc( sz2 );
assert( p );
thisThread.m_tls = p[0 .. sz2];
memcpy( p, _tls_data_array[0].ptr, _tls_data_array[0].length );
memcpy( p + sz0, _tls_data_array[1].ptr, _tls_data_array[1].length );
// used gc_malloc so no need to free
}
else
{
auto pstart = cast(void*) &_tlsstart;
auto pend = cast(void*) &_tlsend;
thisThread.m_tls = pstart[0 .. pend - pstart];
}
Thread.add( thisThread );
Thread.add( thisContext );
if( Thread.sm_main !is null )
multiThreadedFlag = true;
thisThread.m_tlsgcdata = rt.tlsgc.init();
return thisThread;
}
version( Windows )
{
// NOTE: These calls are not safe on Posix systems that use signals to
// perform garbage collection. The suspendHandler uses getThis()
// to get the thread handle so getThis() must be a simple call.
// Mutexes can't safely be acquired inside signal handlers, and
// even if they could, the mutex needed (Thread.slock) is held by
// thread_suspendAll(). So in short, these routines will remain
// Windows-specific. If they are truly needed elsewhere, the
// suspendHandler will need a way to call a version of getThis()
// that only does the TLS lookup without the fancy fallback stuff.
/// ditto
extern (C) Thread thread_attachByAddr( Thread.ThreadAddr addr )
{
return thread_attachByAddrB( addr, getThreadStackBottom( addr ) );
}
/// ditto
extern (C) Thread thread_attachByAddrB( Thread.ThreadAddr addr, void* bstack )
{
gc_disable(); scope(exit) gc_enable();
if (auto t = thread_findByAddr(addr))
return t;
Thread thisThread = new Thread();
Thread.Context* thisContext = &thisThread.m_main;
assert( thisContext == thisThread.m_curr );
thisThread.m_addr = addr;
thisContext.bstack = bstack;
thisContext.tstack = thisContext.bstack;
if( addr == GetCurrentThreadId() )
{
thisThread.m_hndl = GetCurrentThreadHandle();
}
else
{
thisThread.m_hndl = OpenThreadHandle( addr );
}
thisThread.m_isDaemon = true;
if( addr == GetCurrentThreadId() )
{
auto pstart = cast(void*) &_tlsstart;
auto pend = cast(void*) &_tlsend;
thisThread.m_tls = pstart[0 .. pend - pstart];
Thread.setThis( thisThread );
}
else
{
// TODO: This seems wrong. If we're binding threads from
// a DLL, will they always have space reserved for
// the TLS chunk we expect? I don't know Windows
// well enough to say.
auto pstart = cast(void*) &_tlsstart;
auto pend = cast(void*) &_tlsend;
auto pos = GetTlsDataAddress( thisThread.m_hndl );
if( pos ) // on x64, threads without TLS happen to exist
thisThread.m_tls = pos[0 .. pend - pstart];
else
thisThread.m_tls = [];
}
Thread.add( thisThread );
Thread.add( thisContext );
if( Thread.sm_main !is null )
multiThreadedFlag = true;
thisThread.m_tlsgcdata = rt.tlsgc.init();
return thisThread;
}
}
/**
* Deregisters the calling thread from use with the runtime. If this routine
* is called for a thread which is not registered, the result is undefined.
*/
extern (C) void thread_detachThis()
{
if (auto t = Thread.getThis())
Thread.remove(t);
}
/// ditto
extern (C) void thread_detachByAddr( Thread.ThreadAddr addr )
{
if( auto t = thread_findByAddr( addr ) )
Thread.remove( t );
}
/**
* Search the list of all threads for a thread with the given thread identifier.
*
* Params:
* addr = The thread identifier to search for.
* Returns:
* The thread object associated with the thread identifier, null if not found.
*/
static Thread thread_findByAddr( Thread.ThreadAddr addr )
{
synchronized( Thread.slock )
{
foreach( t; Thread )
{
if( t.m_addr == addr )
return t;
}
}
return null;
}
/**
* Joins all non-daemon threads that are currently running. This is done by
* performing successive scans through the thread list until a scan consists
* of only daemon threads.
*/
extern (C) void thread_joinAll()
{
while( true )
{
Thread nonDaemon = null;
foreach( t; Thread )
{
if( !t.isRunning )
{
Thread.remove( t );
continue;
}
if( !t.isDaemon )
{
nonDaemon = t;
break;
}
}
if( nonDaemon is null )
return;
nonDaemon.join();
}
}
/**
* Performs intermediate shutdown of the thread module.
*/
shared static ~this()
{
// NOTE: The functionality related to garbage collection must be minimally
// operable after this dtor completes. Therefore, only minimal
// cleanup may occur.
for( Thread t = Thread.sm_tbeg; t; t = t.next )
{
if( !t.isRunning )
Thread.remove( t );
}
}
// Used for needLock below.
private __gshared bool multiThreadedFlag = false;
/**
* This function is used to determine whether the the process is
* multi-threaded. Optimizations may only be performed on this
* value if the programmer can guarantee that no path from the
* enclosed code will start a thread.
*
* Returns:
* True if Thread.start() has been called in this process.
*/
extern (C) bool thread_needLock() nothrow
{
return multiThreadedFlag;
}
alias void delegate(void*) StackShellFn;
/**
* Calls the given delegate, passing the current thread's stack pointer
* to it.
*
* Params:
* fn = The function to call with the stack pointer.
*/
extern (C) void thread_callWithStackShell(scope StackShellFn fn)
in
{
assert(fn);
}
body
{
// The purpose of the 'shell' is to ensure all the registers
// get put on the stack so they'll be scanned
void *sp;
version (GNU)
{
__builtin_unwind_init();
sp = & sp;
}
else version (D_InlineAsm_X86)
{
asm
{
pushad ;
mov sp[EBP],ESP ;
}
}
else version (D_InlineAsm_X86_64)
{
asm
{
push RAX ;
push RBX ;
push RCX ;
push RDX ;
push RSI ;
push RDI ;
push RBP ;
push R8 ;
push R9 ;
push R10 ;
push R11 ;
push R12 ;
push R13 ;
push R14 ;
push R15 ;
push RAX ; // 16 byte align the stack
mov sp[RBP],RSP ;
}
}
else
{
static assert(false, "Architecture not supported.");
}
fn(sp);
version (GNU)
{
// registers will be popped automatically
}
else version (D_InlineAsm_X86)
{
asm
{
popad;
}
}
else version (D_InlineAsm_X86_64)
{
asm
{
pop RAX ; // 16 byte align the stack
pop R15 ;
pop R14 ;
pop R13 ;
pop R12 ;
pop R11 ;
pop R10 ;
pop R9 ;
pop R8 ;
pop RBP ;
pop RDI ;
pop RSI ;
pop RDX ;
pop RCX ;
pop RBX ;
pop RAX ;
}
}
else
{
static assert(false, "Architecture not supported.");
}
}
// Used for suspendAll/resumeAll below.
private __gshared uint suspendDepth = 0;
/**
* Suspend all threads but the calling thread for "stop the world" garbage
* collection runs. This function may be called multiple times, and must
* be followed by a matching number of calls to thread_resumeAll before
* processing is resumed.
*
* Throws:
* ThreadException if the suspend operation fails for a running thread.
*/
extern (C) void thread_suspendAll()
{
/**
* Suspend the specified thread and load stack and register information for
* use by thread_scanAll. If the supplied thread is the calling thread,
* stack and register information will be loaded but the thread will not
* be suspended. If the suspend operation fails and the thread is not
* running then it will be removed from the global thread list, otherwise
* an exception will be thrown.
*
* Params:
* t = The thread to suspend.
*
* Throws:
* ThreadException if the suspend operation fails for a running thread.
*/
void suspend( Thread t )
{
version( Windows )
{
if( t.m_addr != GetCurrentThreadId() && SuspendThread( t.m_hndl ) == 0xFFFFFFFF )
{
if( !t.isRunning )
{
Thread.remove( t );
return;
}
throw new ThreadException( "Unable to suspend thread" );
}
CONTEXT context = void;
context.ContextFlags = CONTEXT_INTEGER | CONTEXT_CONTROL;
if( !GetThreadContext( t.m_hndl, &context ) )
throw new ThreadException( "Unable to load thread context" );
version( X86 )
{
if( !t.m_lock )
t.m_curr.tstack = cast(void*) context.Esp;
// eax,ebx,ecx,edx,edi,esi,ebp,esp
t.m_reg[0] = context.Eax;
t.m_reg[1] = context.Ebx;
t.m_reg[2] = context.Ecx;
t.m_reg[3] = context.Edx;
t.m_reg[4] = context.Edi;
t.m_reg[5] = context.Esi;
t.m_reg[6] = context.Ebp;
t.m_reg[7] = context.Esp;
}
else
{
static assert(false, "Architecture not supported." );
}
}
else version( OSX )
{
if( t.m_addr != pthread_self() && thread_suspend( t.m_tmach ) != KERN_SUCCESS )
{
if( !t.isRunning )
{
Thread.remove( t );
return;
}
throw new ThreadException( "Unable to suspend thread" );
}
version( X86 )
{
x86_thread_state32_t state = void;
mach_msg_type_number_t count = x86_THREAD_STATE32_COUNT;
if( thread_get_state( t.m_tmach, x86_THREAD_STATE32, &state, &count ) != KERN_SUCCESS )
throw new ThreadException( "Unable to load thread state" );
if( !t.m_lock )
t.m_curr.tstack = cast(void*) state.esp;
// eax,ebx,ecx,edx,edi,esi,ebp,esp
t.m_reg[0] = state.eax;
t.m_reg[1] = state.ebx;
t.m_reg[2] = state.ecx;
t.m_reg[3] = state.edx;
t.m_reg[4] = state.edi;
t.m_reg[5] = state.esi;
t.m_reg[6] = state.ebp;
t.m_reg[7] = state.esp;
}
else version( X86_64 )
{
x86_thread_state64_t state = void;
mach_msg_type_number_t count = x86_THREAD_STATE64_COUNT;
if( thread_get_state( t.m_tmach, x86_THREAD_STATE64, &state, &count ) != KERN_SUCCESS )
throw new ThreadException( "Unable to load thread state" );
if( !t.m_lock )
t.m_curr.tstack = cast(void*) state.rsp;
// rax,rbx,rcx,rdx,rdi,rsi,rbp,rsp
t.m_reg[0] = state.rax;
t.m_reg[1] = state.rbx;
t.m_reg[2] = state.rcx;
t.m_reg[3] = state.rdx;
t.m_reg[4] = state.rdi;
t.m_reg[5] = state.rsi;
t.m_reg[6] = state.rbp;
t.m_reg[7] = state.rsp;
// r8,r9,r10,r11,r12,r13,r14,r15
t.m_reg[8] = state.r8;
t.m_reg[9] = state.r9;
t.m_reg[10] = state.r10;
t.m_reg[11] = state.r11;
t.m_reg[12] = state.r12;
t.m_reg[13] = state.r13;
t.m_reg[14] = state.r14;
t.m_reg[15] = state.r15;
}
else
{
static assert(false, "Architecture not supported." );
}
}
else version( Posix )
{
if( t.m_addr != pthread_self() )
{
if( pthread_kill( t.m_addr, SIGUSR1 ) != 0 )
{
if( !t.isRunning )
{
Thread.remove( t );
return;
}
throw new ThreadException( "Unable to suspend thread" );
}
// NOTE: It's really not ideal to wait for each thread to
// signal individually -- rather, it would be better to
// suspend them all and wait once at the end. However,
// semaphores don't really work this way, and the obvious
// alternative (looping on an atomic suspend count)
// requires either the atomic module (which only works on
// x86) or other specialized functionality. It would
// also be possible to simply loop on sem_wait at the
// end, but I'm not convinced that this would be much
// faster than the current approach.
sem_wait( &suspendCount );
}
else if( !t.m_lock )
{
t.m_curr.tstack = getStackTop();
}
}
}
// NOTE: We've got an odd chicken & egg problem here, because while the GC
// is required to call thread_init before calling any other thread
// routines, thread_init may allocate memory which could in turn
// trigger a collection. Thus, thread_suspendAll, thread_scanAll,
// and thread_resumeAll must be callable before thread_init
// completes, with the assumption that no other GC memory has yet
// been allocated by the system, and thus there is no risk of losing
// data if the global thread list is empty. The check of
// Thread.sm_tbeg below is done to ensure thread_init has completed,
// and therefore that calling Thread.getThis will not result in an
// error. For the short time when Thread.sm_tbeg is null, there is
// no reason not to simply call the multithreaded code below, with
// the expectation that the foreach loop will never be entered.
if( !multiThreadedFlag && Thread.sm_tbeg )
{
if( ++suspendDepth == 1 )
suspend( Thread.getThis() );
return;
}
Thread.slock.lock();
{
if( ++suspendDepth > 1 )
return;
// NOTE: I'd really prefer not to check isRunning within this loop but
// not doing so could be problematic if threads are termianted
// abnormally and a new thread is created with the same thread
// address before the next GC run. This situation might cause
// the same thread to be suspended twice, which would likely
// cause the second suspend to fail, the garbage collection to
// abort, and Bad Things to occur.
for( Thread t = Thread.sm_tbeg; t; t = t.next )
{
if( t.isRunning )
suspend( t );
else
Thread.remove( t );
}
version( Posix )
{
// wait on semaphore -- see note in suspend for
// why this is currently not implemented
}
}
}
/**
* Resume all threads but the calling thread for "stop the world" garbage
* collection runs. This function must be called once for each preceding
* call to thread_suspendAll before the threads are actually resumed.
*
* In:
* This routine must be preceded by a call to thread_suspendAll.
*
* Throws:
* ThreadException if the resume operation fails for a running thread.
*/
extern (C) void thread_resumeAll()
in
{
assert( suspendDepth > 0 );
}
body
{
/**
* Resume the specified thread and unload stack and register information.
* If the supplied thread is the calling thread, stack and register
* information will be unloaded but the thread will not be resumed. If
* the resume operation fails and the thread is not running then it will
* be removed from the global thread list, otherwise an exception will be
* thrown.
*
* Params:
* t = The thread to resume.
*
* Throws:
* ThreadException if the resume fails for a running thread.
*/
void resume( Thread t )
{
version( Windows )
{
if( t.m_addr != GetCurrentThreadId() && ResumeThread( t.m_hndl ) == 0xFFFFFFFF )
{
if( !t.isRunning )
{
Thread.remove( t );
return;
}
throw new ThreadException( "Unable to resume thread" );
}
if( !t.m_lock )
t.m_curr.tstack = t.m_curr.bstack;
t.m_reg[0 .. $] = 0;
}
else version( OSX )
{
if( t.m_addr != pthread_self() && thread_resume( t.m_tmach ) != KERN_SUCCESS )
{
if( !t.isRunning )
{
Thread.remove( t );
return;
}
throw new ThreadException( "Unable to resume thread" );
}
if( !t.m_lock )
t.m_curr.tstack = t.m_curr.bstack;
t.m_reg[0 .. $] = 0;
}
else version( Posix )
{
if( t.m_addr != pthread_self() )
{
if( pthread_kill( t.m_addr, SIGUSR2 ) != 0 )
{
if( !t.isRunning )
{
Thread.remove( t );
return;
}
throw new ThreadException( "Unable to resume thread" );
}
}
else if( !t.m_lock )
{
t.m_curr.tstack = t.m_curr.bstack;
}
}
}
// NOTE: See thread_suspendAll for the logic behind this.
if( !multiThreadedFlag && Thread.sm_tbeg )
{
if( --suspendDepth == 0 )
resume( Thread.getThis() );
return;
}
scope(exit) Thread.slock.unlock();
{
if( --suspendDepth > 0 )
return;
for( Thread t = Thread.sm_tbeg; t; t = t.next )
{
resume( t );
}
}
}
enum ScanType
{
stack,
tls,
}
alias void delegate(void*, void*) ScanAllThreadsFn;
alias void delegate(ScanType, void*, void*) ScanAllThreadsTypeFn;
/**
* The main entry point for garbage collection. The supplied delegate
* will be passed ranges representing both stack and register values.
*
* Params:
* scan = The scanner function. It should scan from p1 through p2 - 1.
* curStackTop = An optional pointer to the top of the calling thread's stack.
*
* In:
* This routine must be preceded by a call to thread_suspendAll.
*/
extern (C) void thread_scanAllType( scope ScanAllThreadsTypeFn scan, void* curStackTop = null )
in
{
assert( suspendDepth > 0 );
}
body
{
Thread thisThread = null;
void* oldStackTop = null;
if( curStackTop && Thread.sm_tbeg )
{
thisThread = Thread.getThis();
if( !thisThread.m_lock )
{
oldStackTop = thisThread.m_curr.tstack;
thisThread.m_curr.tstack = curStackTop;
}
}
scope( exit )
{
if( curStackTop && Thread.sm_tbeg )
{
if( !thisThread.m_lock )
{
thisThread.m_curr.tstack = oldStackTop;
}
}
}
// NOTE: Synchronizing on Thread.slock is not needed because this
// function may only be called after all other threads have
// been suspended from within the same lock.
for( Thread.Context* c = Thread.sm_cbeg; c; c = c.next )
{
version( StackGrowsDown )
{
// NOTE: We can't index past the bottom of the stack
// so don't do the "+1" for StackGrowsDown.
if( c.tstack && c.tstack < c.bstack )
scan( ScanType.stack, c.tstack, c.bstack );
}
else
{
if( c.bstack && c.bstack < c.tstack )
scan( ScanType.stack, c.bstack, c.tstack + 1 );
}
}
for( Thread t = Thread.sm_tbeg; t; t = t.next )
{
scan( ScanType.tls, t.m_tls.ptr, t.m_tls.ptr + t.m_tls.length );
version( Windows )
{
// Ideally, we'd pass ScanType.regs or something like that, but this
// would make portability annoying because it only makes sense on Windows.
scan( ScanType.stack, t.m_reg.ptr, t.m_reg.ptr + t.m_reg.length );
}
scope dg = (void* p1, void* p2) => scan(ScanType.tls, p1, p2);
rt.tlsgc.scan(t.m_tlsgcdata, dg);
}
}
/**
* The main entry point for garbage collection. The supplied delegate
* will be passed ranges representing both stack and register values.
*
* Params:
* scan = The scanner function. It should scan from p1 through p2 - 1.
* curStackTop = An optional pointer to the top of the calling thread's stack.
*
* In:
* This routine must be preceded by a call to thread_suspendAll.
*/
extern (C) void thread_scanAll( scope ScanAllThreadsFn scan, void* curStackTop = null )
in
{
assert( suspendDepth > 0 );
}
body
{
void op( ScanType type, void* p1, void* p2 )
{
scan(p1, p2);
}
thread_scanAllType(&op, curStackTop);
}
/**
* This routine allows the runtime to process any special per-thread handling
* for the GC. This is needed for taking into account any memory that is
* referenced by non-scanned pointers but is about to be freed. That currently
* means the array append cache.
*
* Params:
* hasMarks = The probe function. It should return true for pointers into marked memory blocks.
*
* In:
* This routine must be called just prior to resuming all threads.
*/
extern(C) void thread_processGCMarks(scope rt.tlsgc.IsMarkedDg dg)
{
for( Thread t = Thread.sm_tbeg; t; t = t.next )
{
/* Can be null if collection was triggered between adding a
* thread and calling rt.tlsgc.init.
*/
if (t.m_tlsgcdata !is null)
rt.tlsgc.processGCMarks(t.m_tlsgcdata, dg);
}
}
/**
*
*/
extern (C) void* thread_stackBottom()
{
if( auto t = Thread.getThis() )
return t.topContext().bstack;
return rt_stackBottom();
}
///////////////////////////////////////////////////////////////////////////////
// Thread Group
///////////////////////////////////////////////////////////////////////////////
/**
* This class is intended to simplify certain common programming techniques.
*/
class ThreadGroup
{
/**
* Creates and starts a new Thread object that executes fn and adds it to
* the list of tracked threads.
*
* Params:
* fn = The thread function.
*
* Returns:
* A reference to the newly created thread.
*/
final Thread create( void function() fn )
{
Thread t = new Thread( fn );
t.start();
synchronized( this )
{
m_all[t] = t;
}
return t;
}
/**
* Creates and starts a new Thread object that executes dg and adds it to
* the list of tracked threads.
*
* Params:
* dg = The thread function.
*
* Returns:
* A reference to the newly created thread.
*/
final Thread create( void delegate() dg )
{
Thread t = new Thread( dg );
t.start();
synchronized( this )
{
m_all[t] = t;
}
return t;
}
/**
* Add t to the list of tracked threads if it is not already being tracked.
*
* Params:
* t = The thread to add.
*
* In:
* t must not be null.
*/
final void add( Thread t )
in
{
assert( t );
}
body
{
synchronized( this )
{
m_all[t] = t;
}
}
/**
* Removes t from the list of tracked threads. No operation will be
* performed if t is not currently being tracked by this object.
*
* Params:
* t = The thread to remove.
*
* In:
* t must not be null.
*/
final void remove( Thread t )
in
{
assert( t );
}
body
{
synchronized( this )
{
m_all.remove( t );
}
}
/**
* Operates on all threads currently tracked by this object.
*/
final int opApply( scope int delegate( ref Thread ) dg )
{
synchronized( this )
{
int ret = 0;
// NOTE: This loop relies on the knowledge that m_all uses the
// Thread object for both the key and the mapped value.
foreach( Thread t; m_all.keys )
{
ret = dg( t );
if( ret )
break;
}
return ret;
}
}
/**
* Iteratively joins all tracked threads. This function will block add,
* remove, and opApply until it completes.
*
* Params:
* rethrow = Rethrow any unhandled exception which may have caused the
* current thread to terminate.
*
* Throws:
* Any exception not handled by the joined threads.
*/
final void joinAll( bool rethrow = true )
{
synchronized( this )
{
// NOTE: This loop relies on the knowledge that m_all uses the
// Thread object for both the key and the mapped value.
foreach( Thread t; m_all.keys )
{
t.join( rethrow );
}
}
}
private:
Thread[Thread] m_all;
}
// These must be kept in sync with core/thread.di
version (D_LP64)
{
static assert(__traits(classInstanceSize, ThreadGroup) == 24);
}
else
{
static assert((void*).sizeof == 4); // 32-bit
static assert(__traits(classInstanceSize, ThreadGroup) == 12);
}
///////////////////////////////////////////////////////////////////////////////
// Fiber Platform Detection and Memory Allocation
///////////////////////////////////////////////////////////////////////////////
private
{
version( D_InlineAsm_X86 )
{
version( Windows )
version = AsmX86_Windows;
else version( Posix )
version = AsmX86_Posix;
version( OSX )
version = AlignFiberStackTo16Byte;
}
else version( D_InlineAsm_X86_64 )
{
version( Windows )
{
version = AsmX86_64_Windows;
version = AlignFiberStackTo16Byte;
}
else version( Posix )
{
version = AsmX86_64_Posix;
version = AlignFiberStackTo16Byte;
}
}
else version( PPC )
{
version( Posix )
version = AsmPPC_Posix;
}
version( Posix )
{
import core.sys.posix.unistd; // for sysconf
import core.sys.posix.sys.mman; // for mmap
version( AsmX86_Windows ) {} else
version( AsmX86_Posix ) {} else
version( AsmX86_64_Windows ) {} else
version( AsmX86_64_Posix ) {} else
version( AsmPPC_Posix ) {} else
{
// NOTE: The ucontext implementation requires architecture specific
// data definitions to operate so testing for it must be done
// by checking for the existence of ucontext_t rather than by
// a version identifier. Please note that this is considered
// an obsolescent feature according to the POSIX spec, so a
// custom solution is still preferred.
import core.sys.posix.ucontext;
}
}
__gshared const size_t PAGESIZE;
}
shared static this()
{
static if( __traits( compiles, GetSystemInfo ) )
{
SYSTEM_INFO info;
GetSystemInfo( &info );
PAGESIZE = info.dwPageSize;
assert( PAGESIZE < int.max );
}
else static if( __traits( compiles, sysconf ) &&
__traits( compiles, _SC_PAGESIZE ) )
{
PAGESIZE = cast(size_t) sysconf( _SC_PAGESIZE );
assert( PAGESIZE < int.max );
}
else
{
version( PPC )
PAGESIZE = 8192;
else
PAGESIZE = 4096;
}
}
///////////////////////////////////////////////////////////////////////////////
// Fiber Entry Point and Context Switch
///////////////////////////////////////////////////////////////////////////////
private
{
extern (C) void fiber_entryPoint()
{
Fiber obj = Fiber.getThis();
assert( obj );
assert( Thread.getThis().m_curr is obj.m_ctxt );
volatile Thread.getThis().m_lock = false;
obj.m_ctxt.tstack = obj.m_ctxt.bstack;
obj.m_state = Fiber.State.EXEC;
try
{
obj.run();
}
catch( Throwable t )
{
obj.m_unhandled = t;
}
static if( __traits( compiles, ucontext_t ) )
obj.m_ucur = &obj.m_utxt;
obj.m_state = Fiber.State.TERM;
obj.switchOut();
}
// NOTE: If AsmPPC_Posix is defined then the context switch routine will
// be defined externally until inline PPC ASM is supported.
version( AsmPPC_Posix )
extern (C) void fiber_switchContext( void** oldp, void* newp );
else
extern (C) void fiber_switchContext( void** oldp, void* newp )
{
// NOTE: The data pushed and popped in this routine must match the
// default stack created by Fiber.initStack or the initial
// switch into a new context will fail.
version( AsmX86_Windows )
{
asm
{
naked;
// save current stack state
push EBP;
mov EBP, ESP;
push EDI;
push ESI;
push EBX;
push dword ptr FS:[0];
push dword ptr FS:[4];
push dword ptr FS:[8];
push EAX;
// store oldp again with more accurate address
mov EAX, dword ptr 8[EBP];
mov [EAX], ESP;
// load newp to begin context switch
mov ESP, dword ptr 12[EBP];
// load saved state from new stack
pop EAX;
pop dword ptr FS:[8];
pop dword ptr FS:[4];
pop dword ptr FS:[0];
pop EBX;
pop ESI;
pop EDI;
pop EBP;
// 'return' to complete switch
ret;
}
}
else version( AsmX86_64_Windows )
{
asm
{
naked;
// save current stack state
push RBP;
mov RBP, RSP;
push RBX;
push R12;
push R13;
push R14;
push R15;
push qword ptr GS:[0];
push qword ptr GS:[8];
push qword ptr GS:[16];
// store oldp
mov [RDI], RSP;
// load newp to begin context switch
mov RSP, RSI;
// load saved state from new stack
pop qword ptr GS:[16];
pop qword ptr GS:[8];
pop qword ptr GS:[0];
pop R15;
pop R14;
pop R13;
pop R12;
pop RBX;
pop RBP;
// 'return' to complete switch
pop RCX;
jmp RCX;
}
}
else version( AsmX86_Posix )
{
asm
{
naked;
// save current stack state
push EBP;
mov EBP, ESP;
push EDI;
push ESI;
push EBX;
push EAX;
// store oldp again with more accurate address
mov EAX, dword ptr 8[EBP];
mov [EAX], ESP;
// load newp to begin context switch
mov ESP, dword ptr 12[EBP];
// load saved state from new stack
pop EAX;
pop EBX;
pop ESI;
pop EDI;
pop EBP;
// 'return' to complete switch
pop ECX;
jmp ECX;
}
}
else version( AsmX86_64_Posix )
{
asm
{
naked;
// save current stack state
push RBP;
mov RBP, RSP;
push RBX;
push R12;
push R13;
push R14;
push R15;
// store oldp
mov [RDI], RSP;
// load newp to begin context switch
mov RSP, RSI;
// load saved state from new stack
pop R15;
pop R14;
pop R13;
pop R12;
pop RBX;
pop RBP;
// 'return' to complete switch
pop RCX;
jmp RCX;
}
}
else static if( __traits( compiles, ucontext_t ) )
{
Fiber cfib = Fiber.getThis();
void* ucur = cfib.m_ucur;
*oldp = &ucur;
swapcontext( **(cast(ucontext_t***) oldp),
*(cast(ucontext_t**) newp) );
}
}
}
///////////////////////////////////////////////////////////////////////////////
// Fiber
///////////////////////////////////////////////////////////////////////////////
/**
* This class provides a cooperative concurrency mechanism integrated with the
* threading and garbage collection functionality. Calling a fiber may be
* considered a blocking operation that returns when the fiber yields (via
* Fiber.yield()). Execution occurs within the context of the calling thread
* so synchronization is not necessary to guarantee memory visibility so long
* as the same thread calls the fiber each time. Please note that there is no
* requirement that a fiber be bound to one specific thread. Rather, fibers
* may be freely passed between threads so long as they are not currently
* executing. Like threads, a new fiber thread may be created using either
* derivation or composition, as in the following example.
*
* Example:
* ----------------------------------------------------------------------
*
* class DerivedFiber : Fiber
* {
* this()
* {
* super( &run );
* }
*
* private :
* void run()
* {
* printf( "Derived fiber running.\n" );
* }
* }
*
* void fiberFunc()
* {
* printf( "Composed fiber running.\n" );
* Fiber.yield();
* printf( "Composed fiber running.\n" );
* }
*
* // create instances of each type
* Fiber derived = new DerivedFiber();
* Fiber composed = new Fiber( &fiberFunc );
*
* // call both fibers once
* derived.call();
* composed.call();
* printf( "Execution returned to calling context.\n" );
* composed.call();
*
* // since each fiber has run to completion, each should have state TERM
* assert( derived.state == Fiber.State.TERM );
* assert( composed.state == Fiber.State.TERM );
*
* ----------------------------------------------------------------------
*
* Authors: Based on a design by Mikola Lysenko.
*/
class Fiber
{
///////////////////////////////////////////////////////////////////////////
// Initialization
///////////////////////////////////////////////////////////////////////////
/**
* Initializes a fiber object which is associated with a static
* D function.
*
* Params:
* fn = The fiber function.
* sz = The stack size for this fiber.
*
* In:
* fn must not be null.
*/
this( void function() fn, size_t sz = PAGESIZE*4 )
in
{
assert( fn );
}
body
{
allocStack( sz );
reset( fn );
}
/**
* Initializes a fiber object which is associated with a dynamic
* D function.
*
* Params:
* dg = The fiber function.
* sz = The stack size for this fiber.
*
* In:
* dg must not be null.
*/
this( void delegate() dg, size_t sz = PAGESIZE*4 )
in
{
assert( dg );
}
body
{
allocStack( sz );
reset( dg );
}
/**
* Cleans up any remaining resources used by this object.
*/
~this()
{
// NOTE: A live reference to this object will exist on its associated
// stack from the first time its call() method has been called
// until its execution completes with State.TERM. Thus, the only
// times this dtor should be called are either if the fiber has
// terminated (and therefore has no active stack) or if the user
// explicitly deletes this object. The latter case is an error
// but is not easily tested for, since State.HOLD may imply that
// the fiber was just created but has never been run. There is
// not a compelling case to create a State.INIT just to offer a
// means of ensuring the user isn't violating this object's
// contract, so for now this requirement will be enforced by
// documentation only.
freeStack();
}
///////////////////////////////////////////////////////////////////////////
// General Actions
///////////////////////////////////////////////////////////////////////////
/**
* Transfers execution to this fiber object. The calling context will be
* suspended until the fiber calls Fiber.yield() or until it terminates
* via an unhandled exception.
*
* Params:
* rethrow = Rethrow any unhandled exception which may have caused this
* fiber to terminate.
*
* In:
* This fiber must be in state HOLD.
*
* Throws:
* Any exception not handled by the joined thread.
*
* Returns:
* Any exception not handled by this fiber if rethrow = false, null
* otherwise.
*/
final Object call( bool rethrow = true )
in
{
assert( m_state == State.HOLD );
}
body
{
Fiber cur = getThis();
static if( __traits( compiles, ucontext_t ) )
m_ucur = cur ? &cur.m_utxt : &Fiber.sm_utxt;
setThis( this );
this.switchIn();
setThis( cur );
static if( __traits( compiles, ucontext_t ) )
m_ucur = null;
// NOTE: If the fiber has terminated then the stack pointers must be
// reset. This ensures that the stack for this fiber is not
// scanned if the fiber has terminated. This is necessary to
// prevent any references lingering on the stack from delaying
// the collection of otherwise dead objects. The most notable
// being the current object, which is referenced at the top of
// fiber_entryPoint.
if( m_state == State.TERM )
{
m_ctxt.tstack = m_ctxt.bstack;
}
if( m_unhandled )
{
Throwable t = m_unhandled;
m_unhandled = null;
if( rethrow )
throw t;
return t;
}
return null;
}
/**
* Resets this fiber so that it may be re-used. This routine may only be
* called for fibers that have terminated, as doing otherwise could result
* in scope-dependent functionality that is not executed. Stack-based
* classes, for example, may not be cleaned up properly if a fiber is reset
* before it has terminated.
*
* Params:
* fn = The fiber function.
* dg = The fiber function.
*
* In:
* This fiber must be in state TERM.
*/
final void reset()
in
{
assert( m_state == State.TERM );
assert( m_ctxt.tstack == m_ctxt.bstack );
}
body
{
m_state = State.HOLD;
initStack();
m_unhandled = null;
}
/// ditto
final void reset( void function() fn )
{
reset();
m_fn = fn;
m_call = Call.FN;
}
/// ditto
final void reset( void delegate() dg )
{
reset();
m_dg = dg;
m_call = Call.DG;
}
///////////////////////////////////////////////////////////////////////////
// General Properties
///////////////////////////////////////////////////////////////////////////
/**
* A fiber may occupy one of three states: HOLD, EXEC, and TERM. The HOLD
* state applies to any fiber that is suspended and ready to be called.
* The EXEC state will be set for any fiber that is currently executing.
* And the TERM state is set when a fiber terminates. Once a fiber
* terminates, it must be reset before it may be called again.
*/
enum State
{
HOLD, ///
EXEC, ///
TERM ///
}
/**
* Gets the current state of this fiber.
*
* Returns:
* The state of this fiber as an enumerated value.
*/
final @property State state() const
{
return m_state;
}
///////////////////////////////////////////////////////////////////////////
// Actions on Calling Fiber
///////////////////////////////////////////////////////////////////////////
/**
* Forces a context switch to occur away from the calling fiber.
*/
static void yield()
{
Fiber cur = getThis();
assert( cur, "Fiber.yield() called with no active fiber" );
assert( cur.m_state == State.EXEC );
static if( __traits( compiles, ucontext_t ) )
cur.m_ucur = &cur.m_utxt;
cur.m_state = State.HOLD;
cur.switchOut();
cur.m_state = State.EXEC;
}
/**
* Forces a context switch to occur away from the calling fiber and then
* throws obj in the calling fiber.
*
* Params:
* t = The object to throw.
*
* In:
* t must not be null.
*/
static void yieldAndThrow( Throwable t )
in
{
assert( t );
}
body
{
Fiber cur = getThis();
assert( cur, "Fiber.yield() called with no active fiber" );
assert( cur.m_state == State.EXEC );
static if( __traits( compiles, ucontext_t ) )
cur.m_ucur = &cur.m_utxt;
cur.m_unhandled = t;
cur.m_state = State.HOLD;
cur.switchOut();
cur.m_state = State.EXEC;
}
///////////////////////////////////////////////////////////////////////////
// Fiber Accessors
///////////////////////////////////////////////////////////////////////////
/**
* Provides a reference to the calling fiber or null if no fiber is
* currently active.
*
* Returns:
* The fiber object representing the calling fiber or null if no fiber
* is currently active within this thread. The result of deleting this object is undefined.
*/
static Fiber getThis()
{
return sm_this;
}
///////////////////////////////////////////////////////////////////////////
// Static Initialization
///////////////////////////////////////////////////////////////////////////
version( Posix )
{
static this()
{
static if( __traits( compiles, ucontext_t ) )
{
int status = getcontext( &sm_utxt );
assert( status == 0 );
}
}
}
private:
//
// Initializes a fiber object which has no associated executable function.
//
this()
{
m_call = Call.NO;
}
//
// Fiber entry point. Invokes the function or delegate passed on
// construction (if any).
//
final void run()
{
switch( m_call )
{
case Call.FN:
m_fn();
break;
case Call.DG:
m_dg();
break;
default:
break;
}
}
private:
//
// The type of routine passed on fiber construction.
//
enum Call
{
NO,
FN,
DG
}
//
// Standard fiber data
//
Call m_call;
union
{
void function() m_fn;
void delegate() m_dg;
}
bool m_isRunning;
Throwable m_unhandled;
State m_state;
private:
///////////////////////////////////////////////////////////////////////////
// Stack Management
///////////////////////////////////////////////////////////////////////////
//
// Allocate a new stack for this fiber.
//
final void allocStack( size_t sz )
in
{
assert( !m_pmem && !m_ctxt );
}
body
{
// adjust alloc size to a multiple of PAGESIZE
sz += PAGESIZE - 1;
sz -= sz % PAGESIZE;
// NOTE: This instance of Thread.Context is dynamic so Fiber objects
// can be collected by the GC so long as no user level references
// to the object exist. If m_ctxt were not dynamic then its
// presence in the global context list would be enough to keep
// this object alive indefinitely. An alternative to allocating
// room for this struct explicitly would be to mash it into the
// base of the stack being allocated below. However, doing so
// requires too much special logic to be worthwhile.
m_ctxt = new Thread.Context;
static if( __traits( compiles, VirtualAlloc ) )
{
// reserve memory for stack
m_pmem = VirtualAlloc( null,
sz + PAGESIZE,
MEM_RESERVE,
PAGE_NOACCESS );
if( !m_pmem )
{
throw new FiberException( "Unable to reserve memory for stack" );
}
version( StackGrowsDown )
{
void* stack = m_pmem + PAGESIZE;
void* guard = m_pmem;
void* pbase = stack + sz;
}
else
{
void* stack = m_pmem;
void* guard = m_pmem + sz;
void* pbase = stack;
}
// allocate reserved stack segment
stack = VirtualAlloc( stack,
sz,
MEM_COMMIT,
PAGE_READWRITE );
if( !stack )
{
throw new FiberException( "Unable to allocate memory for stack" );
}
// allocate reserved guard page
guard = VirtualAlloc( guard,
PAGESIZE,
MEM_COMMIT,
PAGE_READWRITE | PAGE_GUARD );
if( !guard )
{
throw new FiberException( "Unable to create guard page for stack" );
}
m_ctxt.bstack = pbase;
m_ctxt.tstack = pbase;
m_size = sz;
}
else
{ static if( __traits( compiles, mmap ) )
{
m_pmem = mmap( null,
sz,
PROT_READ | PROT_WRITE,
MAP_PRIVATE | MAP_ANON,
-1,
0 );
if( m_pmem == MAP_FAILED )
m_pmem = null;
}
else static if( __traits( compiles, valloc ) )
{
m_pmem = valloc( sz );
}
else static if( __traits( compiles, malloc ) )
{
m_pmem = malloc( sz );
}
else
{
m_pmem = null;
}
if( !m_pmem )
{
throw new FiberException( "Unable to allocate memory for stack" );
}
version( StackGrowsDown )
{
m_ctxt.bstack = m_pmem + sz;
m_ctxt.tstack = m_pmem + sz;
}
else
{
m_ctxt.bstack = m_pmem;
m_ctxt.tstack = m_pmem;
}
m_size = sz;
}
Thread.add( m_ctxt );
}
//
// Free this fiber's stack.
//
final void freeStack()
in
{
assert( m_pmem && m_ctxt );
}
body
{
// NOTE: m_ctxt is guaranteed to be alive because it is held in the
// global context list.
Thread.remove( m_ctxt );
static if( __traits( compiles, VirtualAlloc ) )
{
VirtualFree( m_pmem, 0, MEM_RELEASE );
}
else static if( __traits( compiles, mmap ) )
{
munmap( m_pmem, m_size );
}
else static if( __traits( compiles, valloc ) )
{
free( m_pmem );
}
else static if( __traits( compiles, malloc ) )
{
free( m_pmem );
}
m_pmem = null;
m_ctxt = null;
}
//
// Initialize the allocated stack.
//
final void initStack()
in
{
assert( m_ctxt.tstack && m_ctxt.tstack == m_ctxt.bstack );
assert( cast(size_t) m_ctxt.bstack % (void*).sizeof == 0 );
}
body
{
void* pstack = m_ctxt.tstack;
scope( exit ) m_ctxt.tstack = pstack;
void push( size_t val )
{
version( StackGrowsDown )
{
pstack -= size_t.sizeof;
*(cast(size_t*) pstack) = val;
}
else
{
pstack += size_t.sizeof;
*(cast(size_t*) pstack) = val;
}
}
// NOTE: On OS X the stack must be 16-byte aligned according
// to the IA-32 call spec. For x86_64 the stack also needs to
// be aligned to 16-byte according to SysV AMD64 ABI.
version( AlignFiberStackTo16Byte )
{
version( StackGrowsDown )
{
pstack = cast(void*)(cast(size_t)(pstack) - (cast(size_t)(pstack) & 0x0F));
}
else
{
pstack = cast(void*)(cast(size_t)(pstack) + (cast(size_t)(pstack) & 0x0F));
}
}
version( AsmX86_Windows )
{
version( StackGrowsDown ) {} else static assert( false );
// On Windows Server 2008 and 2008 R2, an exploit mitigation
// technique known as SEHOP is activated by default. To avoid
// hijacking of the exception handler chain, the presence of a
// Windows-internal handler (ntdll.dll!FinalExceptionHandler) at
// its end is tested by RaiseException. If it is not present, all
// handlers are disregarded, and the program is thus aborted
// (see http://blogs.technet.com/b/srd/archive/2009/02/02/
// preventing-the-exploitation-of-seh-overwrites-with-sehop.aspx).
// For new threads, this handler is installed by Windows immediately
// after creation. To make exception handling work in fibers, we
// have to insert it for our new stacks manually as well.
//
// To do this, we first determine the handler by traversing the SEH
// chain of the current thread until its end, and then construct a
// registration block for the last handler on the newly created
// thread. We then continue to push all the initial register values
// for the first context switch as for the other implementations.
//
// Note that this handler is never actually invoked, as we install
// our own one on top of it in the fiber entry point function.
// Thus, it should not have any effects on OSes not implementing
// exception chain verification.
alias void function() fp_t; // Actual signature not relevant.
static struct EXCEPTION_REGISTRATION
{
EXCEPTION_REGISTRATION* next; // sehChainEnd if last one.
fp_t handler;
}
enum sehChainEnd = cast(EXCEPTION_REGISTRATION*) 0xFFFFFFFF;
__gshared static fp_t finalHandler = null;
if ( finalHandler is null )
{
static EXCEPTION_REGISTRATION* fs0()
{
asm
{
naked;
mov EAX, FS:[0];
ret;
}
}
auto reg = fs0();
while ( reg.next != sehChainEnd ) reg = reg.next;
// Benign races are okay here, just to avoid re-lookup on every
// fiber creation.
finalHandler = reg.handler;
}
pstack -= EXCEPTION_REGISTRATION.sizeof;
*(cast(EXCEPTION_REGISTRATION*)pstack) =
EXCEPTION_REGISTRATION( sehChainEnd, finalHandler );
push( cast(size_t) &fiber_entryPoint ); // EIP
push( cast(size_t) m_ctxt.bstack - EXCEPTION_REGISTRATION.sizeof ); // EBP
push( 0x00000000 ); // EDI
push( 0x00000000 ); // ESI
push( 0x00000000 ); // EBX
push( cast(size_t) m_ctxt.bstack - EXCEPTION_REGISTRATION.sizeof ); // FS:[0]
push( cast(size_t) m_ctxt.bstack ); // FS:[4]
push( cast(size_t) m_ctxt.bstack - m_size ); // FS:[8]
push( 0x00000000 ); // EAX
}
else version( AsmX86_64_Windows )
{
push( 0x00000000_00000000 ); // Return address of fiber_entryPoint call
push( cast(size_t) &fiber_entryPoint ); // RIP
push( 0x00000000_00000000 ); // RBP
push( 0x00000000_00000000 ); // RBX
push( 0x00000000_00000000 ); // R12
push( 0x00000000_00000000 ); // R13
push( 0x00000000_00000000 ); // R14
push( 0x00000000_00000000 ); // R15
push( 0xFFFFFFFF_FFFFFFFF ); // GS:[0]
version( StackGrowsDown )
{
push( cast(size_t) m_ctxt.bstack ); // GS:[8]
push( cast(size_t) m_ctxt.bstack - m_size ); // GS:[16]
}
else
{
push( cast(size_t) m_ctxt.bstack ); // GS:[8]
push( cast(size_t) m_ctxt.bstack + m_size ); // GS:[16]
}
}
else version( AsmX86_Posix )
{
push( 0x00000000 ); // Return address of fiber_entryPoint call
push( cast(size_t) &fiber_entryPoint ); // EIP
push( cast(size_t) m_ctxt.bstack ); // EBP
push( 0x00000000 ); // EDI
push( 0x00000000 ); // ESI
push( 0x00000000 ); // EBX
push( 0x00000000 ); // EAX
}
else version( AsmX86_64_Posix )
{
push( 0x00000000_00000000 ); // Return address of fiber_entryPoint call
push( cast(size_t) &fiber_entryPoint ); // RIP
push( cast(size_t) m_ctxt.bstack ); // RBP
push( 0x00000000_00000000 ); // RBX
push( 0x00000000_00000000 ); // R12
push( 0x00000000_00000000 ); // R13
push( 0x00000000_00000000 ); // R14
push( 0x00000000_00000000 ); // R15
}
else version( AsmPPC_Posix )
{
version( StackGrowsDown )
{
pstack -= int.sizeof * 5;
}
else
{
pstack += int.sizeof * 5;
}
push( cast(size_t) &fiber_entryPoint ); // link register
push( 0x00000000 ); // control register
push( 0x00000000 ); // old stack pointer
// GPR values
version( StackGrowsDown )
{
pstack -= int.sizeof * 20;
}
else
{
pstack += int.sizeof * 20;
}
assert( (cast(size_t) pstack & 0x0f) == 0 );
}
else static if( __traits( compiles, ucontext_t ) )
{
getcontext( &m_utxt );
m_utxt.uc_stack.ss_sp = m_pmem;
m_utxt.uc_stack.ss_size = m_size;
makecontext( &m_utxt, &fiber_entryPoint, 0 );
// NOTE: If ucontext is being used then the top of the stack will
// be a pointer to the ucontext_t struct for that fiber.
push( cast(size_t) &m_utxt );
}
}
Thread.Context* m_ctxt;
size_t m_size;
void* m_pmem;
static if( __traits( compiles, ucontext_t ) )
{
// NOTE: The static ucontext instance is used to represent the context
// of the executing thread.
static ucontext_t sm_utxt = void;
ucontext_t m_utxt = void;
ucontext_t* m_ucur = null;
}
private:
///////////////////////////////////////////////////////////////////////////
// Storage of Active Fiber
///////////////////////////////////////////////////////////////////////////
//
// Sets a thread-local reference to the current fiber object.
//
static void setThis( Fiber f )
{
sm_this = f;
}
static Fiber sm_this;
private:
///////////////////////////////////////////////////////////////////////////
// Context Switching
///////////////////////////////////////////////////////////////////////////
//
// Switches into the stack held by this fiber.
//
final void switchIn()
{
Thread tobj = Thread.getThis();
void** oldp = &tobj.m_curr.tstack;
void* newp = m_ctxt.tstack;
// NOTE: The order of operations here is very important. The current
// stack top must be stored before m_lock is set, and pushContext
// must not be called until after m_lock is set. This process
// is intended to prevent a race condition with the suspend
// mechanism used for garbage collection. If it is not followed,
// a badly timed collection could cause the GC to scan from the
// bottom of one stack to the top of another, or to miss scanning
// a stack that still contains valid data. The old stack pointer
// oldp will be set again before the context switch to guarantee
// that it points to exactly the correct stack location so the
// successive pop operations will succeed.
*oldp = getStackTop();
volatile tobj.m_lock = true;
tobj.pushContext( m_ctxt );
fiber_switchContext( oldp, newp );
// NOTE: As above, these operations must be performed in a strict order
// to prevent Bad Things from happening.
tobj.popContext();
volatile tobj.m_lock = false;
tobj.m_curr.tstack = tobj.m_curr.bstack;
}
//
// Switches out of the current stack and into the enclosing stack.
//
final void switchOut()
{
Thread tobj = Thread.getThis();
void** oldp = &m_ctxt.tstack;
void* newp = tobj.m_curr.within.tstack;
// NOTE: The order of operations here is very important. The current
// stack top must be stored before m_lock is set, and pushContext
// must not be called until after m_lock is set. This process
// is intended to prevent a race condition with the suspend
// mechanism used for garbage collection. If it is not followed,
// a badly timed collection could cause the GC to scan from the
// bottom of one stack to the top of another, or to miss scanning
// a stack that still contains valid data. The old stack pointer
// oldp will be set again before the context switch to guarantee
// that it points to exactly the correct stack location so the
// successive pop operations will succeed.
*oldp = getStackTop();
volatile tobj.m_lock = true;
fiber_switchContext( oldp, newp );
// NOTE: As above, these operations must be performed in a strict order
// to prevent Bad Things from happening.
// NOTE: If use of this fiber is multiplexed across threads, the thread
// executing here may be different from the one above, so get the
// current thread handle before unlocking, etc.
tobj = Thread.getThis();
volatile tobj.m_lock = false;
tobj.m_curr.tstack = tobj.m_curr.bstack;
}
}
// These must be kept in sync with core/thread.di
version (D_LP64)
{
version (Windows)
static assert(__traits(classInstanceSize, Fiber) == 88);
else version (OSX)
static assert(__traits(classInstanceSize, Fiber) == 88);
else version (Posix)
static assert(__traits(classInstanceSize, Fiber) == 88);
else
static assert(0, "Platform not supported.");
}
else
{
static assert((void*).sizeof == 4); // 32-bit
version (Windows)
static assert(__traits(classInstanceSize, Fiber) == 44);
else version (OSX)
static assert(__traits(classInstanceSize, Fiber) == 44);
else version (Posix)
static assert(__traits(classInstanceSize, Fiber) == 44);
else
static assert(0, "Platform not supported.");
}
version( unittest )
{
import core.atomic;
class TestFiber : Fiber
{
this()
{
super(&run);
}
void run()
{
foreach(i; 0 .. 1000)
{
sum += i;
Fiber.yield();
}
}
enum expSum = 1000 * 999 / 2;
size_t sum;
}
void runTen()
{
TestFiber[10] fibs;
foreach(ref fib; fibs)
fib = new TestFiber();
bool cont;
do {
cont = false;
foreach(fib; fibs) {
if (fib.state == Fiber.State.HOLD)
{
fib.call();
cont |= fib.state != Fiber.State.TERM;
}
}
} while (cont);
foreach(fib; fibs)
{
assert(fib.sum == TestFiber.expSum);
}
}
}
// Single thread running separate fibers
unittest
{
runTen();
}
// Multiple threads running separate fibers
unittest
{
auto group = new ThreadGroup();
foreach(_; 0 .. 4)
{
group.create(&runTen);
}
group.joinAll();
}
// Multiple threads running shared fibers
unittest
{
shared bool[10] locks;
TestFiber[10] fibs;
void runShared()
{
bool cont;
do {
cont = false;
foreach(idx; 0 .. 10)
{
if (cas(&locks[idx], false, true))
{
if (fibs[idx].state == Fiber.State.HOLD)
{
fibs[idx].call();
cont |= fibs[idx].state != Fiber.State.TERM;
}
locks[idx] = false;
}
else
{
cont = true;
}
}
} while (cont);
}
foreach(ref fib; fibs)
{
fib = new TestFiber();
}
auto group = new ThreadGroup();
foreach(_; 0 .. 4)
{
group.create(&runShared);
}
group.joinAll();
foreach(fib; fibs)
{
assert(fib.sum == TestFiber.expSum);
}
}
// Test exception handling inside fibers.
unittest
{
enum MSG = "Test message.";
string caughtMsg;
(new Fiber({
try
{
throw new Exception(MSG);
}
catch (Exception e)
{
caughtMsg = e.msg;
}
})).call();
assert(caughtMsg == MSG);
}
unittest
{
int x = 0;
(new Fiber({
x++;
})).call();
assert( x == 1 );
}
unittest
{
enum MSG = "Test message.";
try
{
(new Fiber({
throw new Exception( MSG );
})).call();
assert( false, "Expected rethrown exception." );
}
catch( Throwable t )
{
assert( t.msg == MSG );
}
}
// Test Fiber resetting
unittest
{
static string method;
static void foo()
{
method = "foo";
}
void bar()
{
method = "bar";
}
static void expect(Fiber fib, string s)
{
assert(fib.state == Fiber.State.HOLD);
fib.call();
assert(fib.state == Fiber.State.TERM);
assert(method == s); method = null;
}
auto fib = new Fiber(&foo);
expect(fib, "foo");
fib.reset();
expect(fib, "foo");
fib.reset(&foo);
expect(fib, "foo");
fib.reset(&bar);
expect(fib, "bar");
fib.reset(function void(){method = "function";});
expect(fib, "function");
fib.reset(delegate void(){method = "delegate";});
expect(fib, "delegate");
}
version( AsmX86_64_Posix )
{
unittest
{
void testStackAlignment()
{
void* pRSP;
asm
{
mov pRSP, RSP;
}
assert((cast(size_t)pRSP & 0xF) == 0);
}
auto fib = new Fiber(&testStackAlignment);
fib.call();
}
}
version( OSX )
{
// NOTE: The Mach-O object file format does not allow for thread local
// storage declarations. So instead we roll our own by putting tls
// into the sections bracketed by _tls_beg and _tls_end.
//
// This function is called by the code emitted by the compiler. It
// is expected to translate an address into the TLS static data to
// the corresponding address in the TLS dynamic per-thread data.
extern (D) void* ___tls_get_addr( void* p )
{
// NOTE: p is an address in the TLS static data emitted by the
// compiler. If it isn't, something is disastrously wrong.
auto obj = Thread.getThis();
if (p >= _tls_data_array[0].ptr && p < &_tls_data_array[0][length])
{
return obj.m_tls.ptr + (p - _tls_data_array[0].ptr);
}
else if (p >= _tls_data_array[1].ptr && p < &_tls_data_array[1][length])
{
size_t sz = (_tls_data_array[0].length + 15) & ~cast(size_t)15;
return obj.m_tls.ptr + sz + (p - _tls_data_array[1].ptr);
}
else
assert(0);
//assert( p >= cast(void*) &_tls_beg && p < cast(void*) &_tls_end );
//return obj.m_tls.ptr + (p - cast(void*) &_tls_beg);
}
}
|
D
|
void foo() { }
void foo(int) { }
void main()
{
//void function(int) fp = &foo;
auto fp = &foo;
fp(1);
}
|
D
|
/* -------------------- CZ CHANGELOG -------------------- */
/*
v1.02:
const string TEXT_FONT_DEFAULT - navrácen původní font (potíže vyřešeny)
v1.00:
const string TEXT_FONT_DEFAULT - opraven font (kvůli potížím s FPS)
*/
const string FONT_CurTime = "FONT_OLD_10_WHITE.TGA";
const string FONT_Screen = "FONT_OLD_30_WHITE.TGA";
const string FONT_Notice = "FONT_OLD_20_ZHITE.TGA";
const string FONT_ScreenSmall = "FONT_XP.TGA";
const string FONT_Book = "FONT_10_BOOK.TGA";
const string FONT_BookHeadline = "FONT_20_BOOK.TGA";
const string FONT_Prolog = "FONT_VESNA_48.TGA";
const string FONT_SYMB = "FONT_VESNA_47.TGA";
const string FONT_PrologMain = "FONT_VESNA_72.TGA";
const string FONT_PrologMaix = "FONT_MEDIEVAL_72.TGA";
const string FONT_XP = "FONT_XP.TGA";
const string FONT_NEWLEVEL = "FONT_OLD_20_WHITE.TGA";
const string FONT_Book_New = "FONT_20_BOOK_NEW.TGA";
const string FONT_Book_New_Small = "FONT_10_BOOK_NEW.TGA";
const string FONT_Book_New_Medium = "FONT_15_BOOK.TGA";
const string FONT_NAMEBOSS = "FONT_DEFAULT.TGA";
const string FONT_TYPEBOSS = "FONT_SYMBOLSL_72.TGA";
const string FONT_Book_Letter = "FONT_20_BOOK_NEW.TGA";
const STRING _FONT_CRAFT_BIG = "FONT_XP.TGA";
const STRING _TEX_CRAFT_ITEMINFO = "c_ItemInfo_back.tga";
const STRING _TEX_CRAFT_ITEM = "c_tex_Item.TGA";
const STRING _TEX_CRAFT_BACK = "c_craft_back.tga";
const STRING FONT_SYMBOLS = "FONT_Symbols.TGA";
const STRING STR_ATR_STAMINA_MAX = "";
const STRING STR_ATR_STAMINA = "";
const STRING STR_MAGICPLUSDAMAGE = "";
const STRING STR_HUNGER = "";
const STRING STR_THIRST = "";
const STRING STR_FATIGUE = "";
const int init_once = 0;
//----------------------------Status menyu-----------------------
var string LocalWP;
const STRING sKapitel = "";
const STRING sHardLvl = "";
const STRING sAllDay = "";
const STRING sMonsterKilled = "";
const STRING sPeopleKilled = "";
const STRING sRankPoints = "";
const STRING sGrade = "";
const STRING sInnosKarma = "";
const STRING sBeliarKarma = "";
const STRING sRealStr = "";
const STRING sRealDex = "";
const STRING sRealMana = "";
const STRING sIntellect = "";
const STRING sShield = "";
const STRING sMastery1H = "";
const STRING sMastery2H = "";
const STRING sMasteryBow = "";
const STRING sMasteryCBow = "";
const STRING sMasteryShld = "";
const STRING sDualWeapon = "";
const STRING sOrcWeapon = "";
const STRING sThiefGuild = "";
const STRING sKillersGuild = "";
const STRING sTradeGuild = "";
const STRING sStatusSmth = "";
const STRING sMasterySmth = "";
const STRING sStatusAlkh = "";
const STRING sMasteryAlkh = "";
const STRING sStatusRune = "";
const STRING sMasteryRune = "";
const STRING sStatusOre = "";
const STRING sMasteryOre = "";
const STRING sStatusGold = "";
const STRING sMasteryGold = "";
const STRING sStatusJew = "";
const STRING sStatusThft = "";
const STRING sMasteryThft = "";
const STRING sStatusBrk = "";
const STRING sMasteryBrk = "";
const STRING sStatusStl = "";
const STRING sStatusAcro = "";
const STRING sStatusCirc = "";
const STRING sStatusDmn = "";
const STRING sStatusHunt = "";
const STRING sStatusArrow = "";
const STRING sStatusMeat = "";
const STRING sStatusRhet = "";
const STRING sStatusRhetValue = "";
const STRING sStatusOrcL = "";
const STRING sStatusAncL = "";
const STRING sStatusDemL = "";
const STRING sStatusEdge = "";
const STRING sStatusBlunt = "";
const STRING sStatusPoint = "";
const STRING sStatusFire = "";
const STRING sStatusMagic = "";
const STRING sStatusHeat = "";
const STRING sStatusCold = "";
const STRING sStatusPoison = "";
const STRING sStatusFly = "";
const STRING sStatusPlavka = "";
const STRING sStatusMagPlavka = "";
const STRING sStatusOrcPlavka = "";
const STRING sStatusGoldSmth = "";
const STRING sStatusSharp = "";
const STRING sStatusHeroic_01 = "";
const STRING sStatusHeroic_02 = "";
const STRING sStatusHeroic_03 = "";
const STRING sStatusHeroic_04 = "";
const STRING sStatusHeroic_05 = "";
const STRING sStatusHeroic_06 = "";
const STRING sStatusHeroic_07 = "";
const STRING sStatusHeroic_08 = "";
const STRING sStatusHeroic_09 = "";
const STRING sStatusHeroic_10 = "";
const STRING sStatusHeroic_11 = "";
const STRING sStatusHeroic_12 = "";
const STRING sStatusHeroic_13 = "";
const STRING sStatusHeroic_14 = "";
const STRING sStatusHeroic_15 = "";
const STRING sStatusHeroic_16 = "";
const STRING sStatusHeroic_17 = "";
const STRING sStatusHeroic_18 = "";
const STRING sStatusHeroic_19 = "";
const STRING sStatusHeroic_20 = "";
const STRING sStatusHeroic_21 = "";
const STRING sStatusHeroic_22 = "";
const STRING sStatusHeroic_23 = "";
const STRING sStatusHeroic_24 = "";
const STRING sStatusHeroic_25 = "";
const STRING sStatusHeroic_26 = "";
const STRING sStatusHeroic_27 = "";
const STRING sStatusHeroic_28 = "";
const STRING sStatusHeroic_29 = "";
const STRING sStatusHeroic_30 = "";
const STRING sStatusHeroic_31 = "";
const STRING sStatusHeroic_32 = "";
const STRING sStatusHeroic_33 = "";
const STRING sStatusHeroic_34 = "";
const STRING sStatusHeroic_35 = "";
const STRING sStatusHeroic_36 = "";
const STRING sStatusHeroic_37 = "";
const STRING sStatusHeroic_38 = "";
const STRING sStatusHeroic_39 = "";
const STRING sSequnceLV = "71582436";
const STRING sStatusRegenHP = "";
const STRING sStatusRegenMana = "";
const STRING sStatusMagScrolls = "";
const STRING sStatusRegenStam = "";
const STRING sStatusSactaNomen = "";
const STRING sStatusTrueShot = "";
const STRING sStatusShldRef = "";
const STRING sStatusCapSoul = "";
const STRING sStatusMagicSmth = "";
const STRING sStatusSpageSmth = "";
const STRING sStatusOrcWPSmth = "";
const STRING sStatusMakeArmor = "";
const STRING sStatusArmorSmth = "";
const STRING sStatusMakeBow = "";
const STRING sStatusFireArrow = "";
const STRING sStatusMagicArrow = "";
const STRING sStatusPoisonArrow = "";
const STRING sStatusBlessArrow = "";
const STRING sStatusOreArrow = "";
const STRING sStatusHuntSkin = "";
const STRING sStatusHuntRepSkin = "";
const STRING sStatusHuntTeeth = "";
const STRING sStatusHuntClaw = "";
const STRING sStatusHuntCrwl = "";
const STRING sStatusHuntMndb = "";
const STRING sStatusHuntWing = "";
const STRING sStatusHuntSting = "";
const STRING sStatusHuntHeart = "";
const STRING sStatusHuntShwHorn = "";
const STRING sStatusHuntSnapHorn = "";
const STRING sStatusHuntFireLang = "";
const STRING sStatusHuntDragScale = "";
const STRING sStatusHuntDragBlood = "";
const STRING sStatusHerdSoup = "";
const STRING sStatusHerdCompot = "";
const STRING sStatusHerdCake = "";
const STRING CRT_LVL = "";
const STRING CRT_STR = "";
const STRING CRT_DEX = "";
const STRING CRT_HPS = "";
const STRING CRT_PBL = "";
const STRING CRT_PED = "";
const STRING CRT_PPO = "";
const STRING CRT_PFI = "";
const STRING CRT_PMA = "";
var int bManaBar;
var int bFocusBar;
var int bHealthBar;
var int bStaminaBar;
var int bHaltHero;
var int bHaltHeroCr;
var int bLockInventory;
var int bThiefXP;
var int bCanUnlock;
var int bDevMode;
var int bQuickSlot;
var int bNumlock;
var int bHeroIsInCutscene;
var int bNotShowHunger;
var int bNotShowThirst;
var int bNotShowFatigue;
var int bMobsi;
var int bHeroRestStatus;
var int bStatusCustomBarInfo;
var int bPerFrameTimerP00;
var int bPerFrameTimerP01;
var int bPerFrameTimerP02;
var int bPerFrameTimerP03;
var int bPerFrameTimerP04;
var int bPerFrameTimerP05;
var int bPerFrameTimerP06;
var int bPerFrameTimerP07;
const int FRM_TIMER_P00 = 1;
const int FRM_TIMER_P01 = 20;
const int FRM_TIMER_P02 = 18;
const int FRM_TIMER_P03 = 30;
const int FRM_TIMER_P04 = 42;
const int FRM_TIMER_P05 = 56;
const int FRM_TIMER_P06 = 1;
const int FRM_TIMER_P07 = 0;
var int ShutDownGame;
var int INT_ATR_STAMINA_MAX;
var int INT_ATR_STAMINA;
var int ProStatStr;
var int ProStatDex;
var int ProStatMan;
var int nCycleChar;
var int PLAYER_TALENT_SMITH_00;
var int PLAYER_TALENT_SMITH_01;
var int PLAYER_TALENT_SMITH_02;
var int PLAYER_TALENT_SMITH_03;
var int PLAYER_TALENT_SMITH_04;
var int PLAYER_TALENT_SMITH_05;
var int PLAYER_TALENT_SMITH_06;
var int PLAYER_TALENT_SMITH_07;
var int PLAYER_TALENT_SMITH_08;
var int PLAYER_TALENT_SMITH_09;
var int PLAYER_TALENT_SMITH_10;
var int PLAYER_TALENT_SMITH_11;
var int PLAYER_TALENT_SMITH_12;
var int PLAYER_TALENT_SMITH_13;
var int PLAYER_TALENT_SMITH_14;
var int PLAYER_TALENT_SMITH_15;
var int PLAYER_TALENT_SMITH_16;
var int PLAYER_TALENT_SMITH_17;
var int PLAYER_TALENT_SMITH_18;
var int PLAYER_TALENT_SMITH_19;
var int PLAYER_TALENT_SMITH_20;
var int PLAYER_TALENT_SMITH_21;
var int PLAYER_TALENT_SMITH_22;
var int PLAYER_TALENT_SMITH_23;
var int PLAYER_TALENT_SMITH_24;
var int PLAYER_TALENT_SMITH_25;
var int PLAYER_TALENT_SMITH_26;
var int PLAYER_TALENT_SMITH_27;
var int PLAYER_TALENT_SMITH_28;
var int PLAYER_TALENT_SMITH_29;
var int PLAYER_TALENT_SMITH_30;
var int PLAYER_TALENT_SMITH_31;
var int PLAYER_TALENT_SMITH_32;
var int PLAYER_TALENT_SMITH_33;
var int PLAYER_TALENT_SMITH_34;
var int PLAYER_TALENT_ALCHEMY_00;
var int PLAYER_TALENT_ALCHEMY_01;
var int PLAYER_TALENT_ALCHEMY_02;
var int PLAYER_TALENT_ALCHEMY_03;
var int PLAYER_TALENT_ALCHEMY_04;
var int PLAYER_TALENT_ALCHEMY_05;
var int PLAYER_TALENT_ALCHEMY_06;
var int PLAYER_TALENT_ALCHEMY_07;
var int PLAYER_TALENT_ALCHEMY_08;
var int PLAYER_TALENT_ALCHEMY_09;
var int PLAYER_TALENT_ALCHEMY_10;
var int PLAYER_TALENT_ALCHEMY_11;
var int PLAYER_TALENT_ALCHEMY_12;
var int PLAYER_TALENT_ALCHEMY_13;
var int PLAYER_TALENT_ALCHEMY_14;
var int PLAYER_TALENT_ALCHEMY_15;
var int PLAYER_TALENT_ALCHEMY_16;
var int PLAYER_TALENT_ALCHEMY_17;
var int PLAYER_TALENT_ALCHEMY_18;
var int PLAYER_TALENT_RUNES_18;
var int PLAYER_TALENT_RUNES_21;
var int PLAYER_TALENT_RUNES_25;
var int PLAYER_TALENT_RUNES_35;
var int PLAYER_TALENT_RUNES_28;
var int PLAYER_TALENT_RUNES_36;
var int PLAYER_TALENT_RUNES_41;
var int PLAYER_TALENT_RUNES_19;
var int PLAYER_TALENT_RUNES_23;
var int PLAYER_TALENT_RUNES_38;
var int PLAYER_TALENT_RUNES_80;
var int PLAYER_TALENT_RUNES_30;
var int PLAYER_TALENT_RUNES_93;
var int PLAYER_TALENT_RUNES_37;
var int PLAYER_TALENT_RUNES_42;
var int PLAYER_TALENT_RUNES_103;
var int PLAYER_TALENT_RUNES_24;
var int PLAYER_TALENT_RUNES_73;
var int PLAYER_TALENT_RUNES_20;
var int PLAYER_TALENT_RUNES_33;
var int PLAYER_TALENT_RUNES_34;
var int PLAYER_TALENT_RUNES_98;
var int PLAYER_TALENT_RUNES_72;
var int PLAYER_TALENT_RUNES_29;
var int PLAYER_TALENT_RUNES_89;
var int PLAYER_TALENT_RUNES_39;
var int PLAYER_TALENT_RUNES_75;
var int PLAYER_TALENT_RUNES_70;
var int PLAYER_TALENT_RUNES_27;
var int PLAYER_TALENT_RUNES_95;
var int PLAYER_TALENT_RUNES_83;
var int PLAYER_TALENT_RUNES_26;
var int PLAYER_TALENT_RUNES_32;
var int PLAYER_TALENT_RUNES_59;
var int PLAYER_TALENT_RUNES_82;
var int PLAYER_TALENT_RUNES_100;
var int PLAYER_TALENT_RUNES_96;
var int PLAYER_TALENT_RUNES_94;
var int PLAYER_TALENT_RUNES_71;
var int PLAYER_TALENT_RUNES_61;
var int PLAYER_TALENT_RUNES_22;
var int PLAYER_TALENT_RUNES_86;
var int PLAYER_TALENT_RUNES_88;
var int PLAYER_TALENT_RUNES_81;
var int PLAYER_TALENT_RUNES_31;
var int PLAYER_TALENT_RUNES_85;
var int PLAYER_TALENT_RUNES_40;
var int PLAYER_TALENT_RUNES_62;
var int PLAYER_TALENT_RUNES_45;
var int PLAYER_TALENT_RUNES_44;
var int PLAYER_TALENT_RUNES_87;
var int PLAYER_TALENT_RUNES_99;
var int PLAYER_TALENT_RUNES_104;
var int PLAYER_TALENT_RUNES_107;
var int PLAYER_TALENT_RUNES_108;
var int PLAYER_TALENT_RUNES_109;
var int PLAYER_TALENT_RUNES_110;
var int PLAYER_TALENT_RUNES_111;
var int PLAYER_TALENT_RUNES_112;
var int PLAYER_TALENT_RUNES_113;
var int PLAYER_TALENT_RUNES_114;
var int PLAYER_TALENT_RUNES_115;
var int PLAYER_TALENT_RUNES_116;
var int PLAYER_TALENT_RUNES_117;
var int PLAYER_TALENT_RUNES_MOF;
const int ENCLAVE = 1;
const int NPC_UNCOMMON = 10;
const int NPC_LEGEND = 20;
const int NPC_EPIC = 30;
const int LOADBAR_POSX = 3000; //Polozheniye po osi X
const int LOADBAR_POSY = 5000; //Polozheniye po osi Y
const int LOADBAR_SIZEX = 256; //Razmer po osi X
const int LOADBAR_SIZEY = 32; //Rzamer po osi Y
const string MENU_BACK_WORLD = "INSEL_FREE.ZEN"; //Fayl fonovogo mira dlya menyu
const int _bBackWorldEnabled = 1; //Vklyuchit'/vyklyuchit' fonovyy mir dlya menyu
const int bDualSystem = 0; //Dvuruchnyy boy ( 0 - vyklyuchen/ 1 - vklyuchen)
const string _2H2W_OVERLAY = "Humans_2x2ST3.MDS"; //Overley dlya dvuruchnogo boya
const int bEnableMsgCallback = 0; //Vklyuchit' funktsiyu func void MsgCallback()
const int bRemoveIVFXAfterUse = 0; //Vklyuchat' effekty oruzhiya(VFX) tol'ko kogda ono v ruke
const int bAddAIVARS = 1; //Dobavit' 20 AIVAR
const int HERO_NORMAL = 0; //Normal'nyy rezhim
const int HERO_THREATENED = 1; //Ugroza
const int HERO_FIGHTING = 2; //Rezhim boya
const int bConvertMissToAttr = 1;
const int _bCanSave = 1;
var string font_perc_bar;
const string CamModNormal = "CAMMODNORMAL";
const string CamModRun = "CAMMODRUN";
const string CamModDialog = "CAMMODDIALOG";
const string CamModInventory = "CAMMODINVENTORY";
const string CamModMelee = "CAMMODMELEE";
const string CamModMagic = "CAMMODMAGIC";
const string CamModMeleeMult = "CAMMODMELEEMULT";
const string CamModRanged = "CAMMODRANGED";
const string CamModSwim = "CAMMODSWIM";
const string CamModDive = "CAMMODDIVE";
const string CamModJump = "CAMMODJUMP";
const string CamModJumpUp = "CAMMODJUMPUP";
const string CamModClimb = "CAMMODCLIMB";
const string CamModDeath = "CAMMODDEATH";
const string CamModLook = "CAMMODLOOK";
const string CamModLookBack = "CAMMODLOOKBACK";
const string CamModFocus = "CAMMODFOCUS";
const string CamModRangedShrt = "CAMMODRANGEDSHORT";
const string CamModShoulder = "CAMMODSHOULDER";
const string CamModFirstPerson = "CAMMODFIRSTPERSON";
const string CamModThrow = "CAMMODTHROW";
const string CamModMobLadder = "CAMMODMOBLADDER";
const int GFX_WHITE = 0; //Belyy
const int GFX_YELLOW = 1; //Zheltyy
const int GFX_LYELLOW = 2; //
const int GFX_GOLD = 3; //Zolotoy
const int GFX_ORANGE = 4; //Oranzhevyy
const int GFX_DORANGE = 5; //
const int GFX_CARROT = 6; //
const int GFX_RED = 7; //Krasnyy
const int GFX_DRED = 8; //
const int GFX_PINK = 9; //Rozovyy
const int GFX_LPINK = 10; //
const int GFX_DPINK = 11; //
const int GFX_MAGENTA = 12; //
const int GFX_ORCHID = 13; //
const int GFX_PURPLE = 14; //Purpurnyy
const int GFX_VIOLET = 15; //Fioletovyy
const int GFX_CYAN = 16; //
const int GFX_AQUA = 17; //Akva
const int GFX_GREEN = 18; //Zelenyy
const int GFX_DGREEN = 19; //
const int GFX_PALEGREEN = 20; //
const int GFX_OLIVE = 21; //
const int GFX_BLUE = 22; //Siniy
const int GFX_LBLUE = 23; //
const int GFX_MBLUE = 24; //
const int GFX_INDIGO = 25; //Indigo
const int GFX_DBLUE = 26; //
const int GFX_SKY = 27; //
const int GFX_STEEL = 28; //Stal'noy
const int GFX_BROWN = 29; //Korichnevyy
const int GFX_OCHRE = 30; //Okhra
const int GFX_DOCHRE = 31; //
const int GFX_BEIGE = 32; //
const int GFX_FLESH = 33; //
const int GFX_KHAKI = 34; //
const int GFX_GREY = 35; //Seryy
const int GFX_LGREY = 36; //
const int GFX_COLDGREY = 37; //
const int GFX_WARMGREY = 38; //
const int GFX_BLACK = 39; //Chernyy
const int GFX_IVORY = 40; //
const int KEY_ESCAPE = 01;
const int KEY_1 = 02;
const int KEY_2 = 03;
const int KEY_3 = 04;
const int KEY_4 = 05;
const int KEY_5 = 06;
const int KEY_6 = 07;
const int KEY_7 = 08;
const int KEY_8 = 09;
const int KEY_9 = 10;
const int KEY_0 = 11;
const int KEY_MINUS = 12;
const int KEY_EQUALS = 13;
const int KEY_BACK = 14;
const int KEY_TAB = 15;
const int KEY_Q = 16;
const int KEY_W = 17;
const int KEY_E = 18;
const int KEY_R = 19;
const int KEY_T = 20;
const int KEY_Y = 21;
const int KEY_U = 22;
const int KEY_I = 23;
const int KEY_O = 24;
const int KEY_P = 25;
const int KEY_LBRACKET = 26;
const int KEY_RBRACKET = 27;
const int KEY_RETURN = 28;
const int KEY_LCONTROL = 29;
const int KEY_A = 30;
const int KEY_S = 31;
const int KEY_D = 32;
const int KEY_F = 33;
const int KEY_G = 34;
const int KEY_H = 35;
const int KEY_J = 36;
const int KEY_K = 37;
const int KEY_L = 38;
const int KEY_SEMICOLON = 39;
const int KEY_APOSTROPHE = 40;
const int KEY_GRAVE = 41;
const int KEY_LSHIFT = 42;
const int KEY_BACKSLASH = 43;
const int KEY_Z = 44;
const int KEY_X = 45;
const int KEY_C = 46;
const int KEY_V = 47;
const int KEY_B = 48;
const int KEY_N = 49;
const int KEY_M = 50;
const int KEY_COMMA = 51;
const int KEY_PERIOD = 52;
const int KEY_SLASH = 53;
const int KEY_RSHIFT = 54;
const int KEY_MULTIPLY = 55;
const int KEY_LMENU = 56;
const int KEY_SPACE = 57;
const int KEY_CAPITAL = 58;
const int KEY_F1 = 59;
const int KEY_F2 = 60;
const int KEY_F3 = 61;
const int KEY_F4 = 62;
const int KEY_F5 = 63;
const int KEY_F6 = 64;
const int KEY_F7 = 65;
const int KEY_F8 = 66;
const int KEY_F9 = 67;
const int KEY_F10 = 68;
const int KEY_NUMLOCK = 69;
const int KEY_SCROLL = 70;
const int KEY_NUMPAD7 = 71;
const int KEY_NUMPAD8 = 72;
const int KEY_NUMPAD9 = 73;
const int KEY_SUBTRACT = 74;
const int KEY_NUMPAD4 = 75;
const int KEY_NUMPAD5 = 76;
const int KEY_NUMPAD6 = 77;
const int KEY_ADD = 78;
const int KEY_NUMPAD1 = 79;
const int KEY_NUMPAD2 = 80;
const int KEY_NUMPAD3 = 81;
const int KEY_NUMPAD0 = 82;
const int KEY_DECIMAL = 83;
const int KEY_OEM_102 = 86;
const int KEY_F11 = 87;
const int KEY_F12 = 88;
const int KEY_F13 = 100;
const int KEY_F14 = 101;
const int KEY_F15 = 102;
const int KEY_KANA = 112;
const int KEY_ABNT_C1 = 115;
const int KEY_CONVERT = 121;
const int KEY_NOCONVERT = 123;
const int KEY_YEN = 124;
const int KEY_ABNT_C2 = 125;
const int KEY_NUMPADEQUALS = 141;
const int KEY_PREVTRACK = 144;
const int KEY_AT = 145;
const int KEY_COLON = 146;
const int KEY_UNDERLINE = 147;
const int KEY_KANJI = 148;
const int KEY_STOP = 149;
const int KEY_AX = 150;
const int KEY_UNLABELED = 151;
const int KEY_NEXTTRACK = 153;
const int KEY_NUMPADENTER = 156;
const int KEY_RCONTROL = 157;
const int KEY_MUTE = 160;
const int KEY_CALCULATOR = 161;
const int KEY_PLAYPAUSE = 162;
const int KEY_MEDIASTOP = 164;
const int KEY_VOLUMEDOWN = 174;
const int KEY_VOLUMEUP = 176;
const int KEY_WEBHOME = 178;
const int KEY_NUMPADCOMMA = 179;
const int KEY_DIVIDE = 181;
const int KEY_SYSRQ = 183;
const int KEY_RMENU = 184;
const int KEY_PAUSE = 197;
const int KEY_HOME = 199;
const int KEY_UPARROW = 200;
const int KEY_PRIOR = 201;
const int KEY_LEFTARROW = 203;
const int KEY_RIGHTARROW = 205;
const int KEY_END = 207;
const int KEY_DOWNARROW = 208;
const int KEY_NEXT = 209;
const int KEY_INSERT = 210;
const int KEY_DELETE = 211;
const int KEY_LWIN = 219;
const int KEY_RWIN = 220;
const int KEY_APPS = 221;
const int KEY_POWER = 222;
const int KEY_SLEEP = 223;
const int KEY_WAKE = 227;
const int KEY_WEBSEARCH = 229;
const int KEY_WEBFAVORITES = 230;
const int KEY_WEBREFRESH = 231;
const int KEY_WEBSTOP = 232;
const int KEY_WEBFORWARD = 233;
const int KEY_WEBBACK = 234;
const int KEY_MYCOMPUTER = 235;
const int KEY_MAIL = 236;
const int KEY_MEDIASELECT = 237;
const int MOUSE_BUTTONLEFT = 524; //linke Maustaste
const int MOUSE_BUTTONRIGHT = 525; //rechte Maustaste
const int MOUSE_BUTTONMID = 526; //mittlere Maustaste
const int MOUSE_XBUTTON1 = 527; //Sonderbuttons...
const int MOUSE_XBUTTON2 = 528;
const int MOUSE_XBUTTON3 = 529;
const int MOUSE_XBUTTON4 = 530;
const int MOUSE_XBUTTON5 = 531;
const int JointBonus_01 = 5;
const int JointBonus_02 = 10;
const int JointBonus_03 = 15;
const int SPL_Cost_Scroll = 5;
const int SPL_COST_SCROLL2 = 10;
const int SPL_COST_SCROLL3 = 20;
const int SPL_COST_SCROLL4 = 30;
const int SPL_COST_SCROLL5 = 40;
const int SPL_COST_SCROLL6 = 50;
const int Lock_Scr_Test = 100;
const int ATR_HITPOINTS = 0;
const int ATR_HITPOINTS_MAX = 1;
const int ATR_MANA = 2;
const int ATR_MANA_MAX = 3;
const int ATR_STRENGTH = 4;
const int ATR_DEXTERITY = 5;
const int ATR_REGENERATEHP = 6;
const int ATR_REGENERATEMANA = 7;
const int ATR_INDEX_MAX = 8;
const int NPC_FLAG_NONE = 0;
const int NPC_FLAG_FRIEND = 1;
const int NPC_FLAG_IMMORTAL = 2;
const int NPC_FLAG_GHOST = 4;
const int FMODE_NONE = 0;
const int FMODE_FIST = 1;
const int FMODE_MELEE = 2;
const int FMODE_FAR = 5;
const int FMODE_MAGIC = 7;
const int NPC_RUN = 0;
const int NPC_WALK = 1;
const int NPC_SNEAK = 2;
const int NPC_RUN_WEAPON = 128;
const int NPC_WALK_WEAPON = 129;
const int NPC_SNEAK_WEAPON = 130;
const int WEAR_TORSO = 1;
const int WEAR_HEAD = 2;
const int WEAR_EFFECT = 16;
const int INV_WEAPON = 1;
const int INV_ARMOR = 2;
const int INV_RUNE = 3;
const int INV_MAGIC = 4;
const int INV_FOOD = 5;
const int INV_POTION = 6;
const int INV_DOC = 7;
const int INV_MISC = 8;
const int INV_CAT_MAX = 9;
const int INV_MAX_WEAPONS = 6;
const int INV_MAX_ARMORS = 2;
const int INV_MAX_RUNES = 1000;
const int INV_MAX_FOOD = 15;
const int INV_MAX_DOCS = 1000;
const int INV_MAX_POTIONS = 1000;
const int INV_MAX_MAGIC = 1000;
const int INV_MAX_MISC = 1000;
const int ITM_TEXT_MAX = 6;
const int ITEM_KAT_NONE = 1;
const int ITEM_KAT_NF = 2;
const int ITEM_KAT_FF = 4;
const int ITEM_KAT_MUN = 8;
const int ITEM_KAT_ARMOR = 16;
const int ITEM_KAT_FOOD = 32;
const int ITEM_KAT_DOCS = 64;
const int ITEM_KAT_POTIONS = 128;
const int ITEM_KAT_LIGHT = 256;
const int ITEM_KAT_RUNE = 512;
const int ITEM_KAT_MAGIC = 1 << 31;
const int ITEM_KAT_KEYS = 1;
const int ITEM_DAG = 65539;
const int ITEM_SWD = 1 << 14;
const int ITEM_AXE = 1 << 15;
const int ITEM_2HD_SWD = 1 << 16;
const int ITEM_2HD_AXE = 1 << 17;
const int ITEM_SHIELD = 1 << 18;
const int ITEM_BOW = 1 << 19;
const int ITEM_CROSSBOW = 1 << 20;
const int ITEM_RING = 1 << 11;
const int ITEM_AMULET = 1 << 22;
const int ITEM_BELT = 1 << 24;
const int ITEM_DROPPED = 1 << 10;
const int ITEM_MISSION = 1 << 12;
const int ITEM_MULTI = 1 << 21;
const int ITEM_NFOCUS = 1 << 23;
const int ITEM_CREATEAMMO = 1 << 25;
const int ITEM_NSPLIT = 1 << 26;
const int ITEM_DRINK = 1 << 27;
const int ITEM_TORCH = 1 << 28;
const int ITEM_THROW = 262147;
const int ITEM_ACTIVE = 1 << 30;
const int DAM_INVALID = 0;
const int DAM_BARRIER = 1;
const int DAM_BLUNT = 2;
const int DAM_EDGE = 4;
const int DAM_FIRE = 8;
const int DAM_FLY = 16;
const int DAM_MAGIC = 32;
const int DAM_POINT = 64;
const int DAM_FALL = 128;
const int DAM_INDEX_BARRIER = 0;
const int DAM_INDEX_BLUNT = 1;
const int DAM_INDEX_EDGE = 2;
const int DAM_INDEX_FIRE = 3;
const int DAM_INDEX_FLY = 4;
const int DAM_INDEX_MAGIC = 5;
const int DAM_INDEX_POINT = 6;
const int DAM_INDEX_FALL = 7;
const int DAM_INDEX_MAX = 8;
const int NPC_ATTACK_FINISH_DISTANCE = 180;
const int NPC_BURN_TICKS_PER_DAMAGE_POINT = 1000;
const int NPC_BURN_DAMAGE_POINTS_PER_INTERVALL = 50;
const int DAM_CRITICAL_MULTIPLIER = 2;
const int BLOOD_SIZE_DIVISOR = 1000;
const int BLOOD_DAMAGE_MAX = 200;
const int DAMAGE_FLY_CM_MAX = 2000;
const int DAMAGE_FLY_CM_MIN = 300;
const int DAMAGE_FLY_CM_PER_POINT = 5;
const int NPC_DAM_DIVE_TIME = 100;
const int IMMUNE = -1;
const float NPC_COLLISION_CORRECTION_SCALER = 0.75;
const int PROT_BARRIER = 0;
const int PROT_BLUNT = 1;
const int PROT_EDGE = 2;
const int PROT_FIRE = 3;
const int PROT_FLY = 4;
const int PROT_MAGIC = 5;
const int PROT_POINT = 6;
const int PROT_FALL = 7;
const int PROT_INDEX_MAX = 8;
const int PERC_ASSESSPLAYER = 1;
const int PERC_ASSESSENEMY = 2;
const int PERC_ASSESSFIGHTER = 3;
const int PERC_ASSESSBODY = 4;
const int PERC_ASSESSITEM = 5;
const int SENSE_SEE = 1;
const int SENSE_HEAR = 2;
const int SENSE_SMELL = 4;
const int PERC_ASSESSMURDER = 6;
const int PERC_ASSESSDEFEAT = 7;
const int PERC_ASSESSDAMAGE = 8;
const int PERC_ASSESSOTHERSDAMAGE = 9;
const int PERC_ASSESSTHREAT = 10;
const int PERC_ASSESSREMOVEWEAPON = 11;
const int PERC_OBSERVEINTRUDER = 12;
const int PERC_ASSESSFIGHTSOUND = 13;
const int PERC_ASSESSQUIETSOUND = 14;
const int PERC_ASSESSWARN = 15;
const int PERC_CATCHTHIEF = 16;
const int PERC_ASSESSTHEFT = 17;
const int PERC_ASSESSCALL = 18;
const int PERC_ASSESSTALK = 19;
const int PERC_ASSESSGIVENITEM = 20;
const int PERC_ASSESSFAKEGUILD = 21;
const int PERC_MOVEMOB = 22;
const int PERC_MOVENPC = 23;
const int PERC_DRAWWEAPON = 24;
const int PERC_OBSERVESUSPECT = 25;
const int PERC_NPCCOMMAND = 26;
const int PERC_ASSESSMAGIC = 27;
const int PERC_ASSESSSTOPMAGIC = 28;
const int PERC_ASSESSCASTER = 29;
const int PERC_ASSESSSURPRISE = 30;
const int PERC_ASSESSENTERROOM = 31;
const int PERC_ASSESSUSEMOB = 32;
const int NEWS_DONT_SPREAD = 0;
const int NEWS_SPREAD_NPC_FRIENDLY_TOWARDS_VICTIM = 1;
const int NEWS_SPREAD_NPC_FRIENDLY_TOWARDS_WITNESS = 2;
const int NEWS_SPREAD_NPC_FRIENDLY_TOWARDS_OFFENDER = 3;
const int NEWS_SPREAD_NPC_SAME_GUILD_VICTIM = 4;
const int important = 1;
const int INF_TELL = 0;
const int INF_UNKNOWN = 2;
const int LOG_Running = 1;
const int LOG_CLOSED = 2;
const int LOG_FAILED = 3;
const int LOG_SUCCESS = 4;
const int LOG_OBSOLETE = 4;
const int ATT_FRIENDLY = 3;
const int ATT_NEUTRAL = 2;
const int ATT_ANGRY = 1;
const int ATT_HOSTILE = 0;
const int GIL_NONE = 0;
const int GIL_HUMAN = 1;
const int GIL_PAL = 1;
const int GIL_MIL = 2;
const int GIL_VLK = 3;
const int GIL_KDF = 4;
const int GIL_NOV = 5;
const int GIL_DJG = 6;
const int GIL_SLD = 7;
const int GIL_BAU = 8;
const int GIL_BDT = 9;
const int GIL_STRF = 10;
const int GIL_OUT = 10;
const int GIL_DMT = 11;
const int GIL_SEK = 12;
const int GIL_PIR = 13;
const int GIL_KDW = 14;
const int GIL_GUR = 15;
const int GIL_TPL = 16;
const int GIL_NDW = 17;
const int GIL_NDM = 18;
const int GIL_KDM = 19;
const int GIL_PUBLIC = 20;
const int GIL_SEPERATOR_HUM = 21;
const int GIL_MEATBUG = 22;
const int GIL_SHEEP = 23;
const int GIL_GOBBO = 24;
const int GIL_GOBBO_SKELETON = 25;
const int GIL_SUMMONED_GOBBO_SKELETON = 26;
const int GIL_SCAVENGER = 27;
const int GIL_Giant_Rat = 28;
const int GIL_GIANT_BUG = 29;
const int GIL_BLOODFLY = 30;
const int GIL_WARAN = 31;
const int GIL_WOLF = 32;
const int GIL_SUMMONED_WOLF = 33;
const int GIL_MINECRAWLER = 34;
const int GIL_LURKER = 35;
const int GIL_SKELETON = 36;
const int GIL_SUMMONED_SKELETON = 37;
const int GIL_SKELETON_MAGE = 38;
const int GIL_ZOMBIE = 39;
const int GIL_SNAPPER = 40;
const int GIL_SHADOWBEAST = 41;
const int GIL_SHADOWBEAST_SKELETON = 42;
const int GIL_HARPY = 43;
const int GIL_STONEGOLEM = 44;
const int GIL_FIREGOLEM = 45;
const int GIL_ICEGOLEM = 46;
const int GIL_SUMMONED_GOLEM = 47;
const int GIL_DEMON = 48;
const int GIL_SUMMONED_DEMON = 49;
const int GIL_TROLL = 50;
const int GIL_SWAMPSHARK = 51;
const int GIL_DRAGON = 52;
const int GIL_MOLERAT = 53;
const int GIL_Alligator = 54;
const int GIL_SWAMPGOLEM = 55;
const int GIL_Stoneguardian = 56;
const int GIL_Gargoyle = 57;
const int GIL_BLOODFLY_SUMMONED = 58;
const int GIL_SummonedGuardian = 59;
const int GIL_SummonedZombie = 60;
const int GIL_SEPERATOR_ORC = 61;
const int GIL_ORC = 62;
const int GIL_FRIENDLY_ORC = 63;
const int GIL_UNDEADORC = 64;
const int GIL_DRACONIAN = 65;
const int GIL_MAX = 66;
class C_GILVALUES
{
var int water_depth_knee[GIL_MAX];
var int water_depth_chest[GIL_MAX];
var int jumpup_height[GIL_MAX];
var int swim_time[GIL_MAX];
var int dive_time[GIL_MAX];
var int step_height[GIL_MAX];
var int jumplow_height[GIL_MAX];
var int jumpmid_height[GIL_MAX];
var int slide_angle[GIL_MAX];
var int slide_angle2[GIL_MAX];
var int disable_autoroll[GIL_MAX];
var int surface_align[GIL_MAX];
var int climb_heading_angle[GIL_MAX];
var int climb_horiz_angle[GIL_MAX];
var int climb_ground_angle[GIL_MAX];
var int fight_range_base[GIL_MAX];
var int fight_range_fist[GIL_MAX];
var int fight_range_g[GIL_MAX];
var int fight_range_1hs[GIL_MAX];
var int fight_range_1ha[GIL_MAX];
var int fight_range_2hs[GIL_MAX];
var int fight_range_2ha[GIL_MAX];
var int falldown_height[GIL_MAX];
var int falldown_damage[GIL_MAX];
var int blood_disabled[GIL_MAX];
var int blood_max_distance[GIL_MAX];
var int blood_amount[GIL_MAX];
var int blood_flow[GIL_MAX];
var string blood_emitter[GIL_MAX];
var string blood_texture[GIL_MAX];
var int turn_speed[GIL_MAX];
};
const int NPC_SOUND_DROPTAKE = 1;
const int NPC_SOUND_SPEAK = 3;
const int NPC_SOUND_STEPS = 4;
const int NPC_SOUND_THROWCOLL = 5;
const int NPC_SOUND_DRAWWEAPON = 6;
const int NPC_SOUND_SCREAM = 7;
const int NPC_SOUND_FIGHT = 8;
const int MAT_WOOD = 0;
const int MAT_STONE = 1;
const int MAT_METAL = 2;
const int MAT_LEATHER = 3;
const int MAT_CLAY = 4;
const int MAT_GLAS = 5;
const int LOG_MISSION = 0;
const int LOG_NOTE = 1;
const int TIME_INFINITE = -1000;
const int NPC_VOICE_VARIATION_MAX = 10;
const float TRADE_VALUE_MULTIPLIER = 0.1;
const int ATR_TRADE = 10;
const string TRADE_CURRENCY_INSTANCE = "ITMI_GOLD";
const int SPELL_GOOD = 0;
const int SPELL_NEUTRAL = 1;
const int SPELL_BAD = 2;
const int SPL_DONTINVEST = 0;
const int SPL_RECEIVEINVEST = 1;
const int SPL_SENDCAST = 2;
const int SPL_SENDSTOP = 3;
const int SPL_NEXTLEVEL = 4;
const int SPL_STATUS_CANINVEST_NO_MANADEC = 8;
const int SPL_FORCEINVEST = 1 << 16;
const int TARGET_COLLECT_NONE = 0;
const int TARGET_COLLECT_CASTER = 1;
const int TARGET_COLLECT_FOCUS = 2;
const int TARGET_COLLECT_ALL = 3;
const int TARGET_COLLECT_FOCUS_FALLBACK_NONE = 4;
const int TARGET_COLLECT_FOCUS_FALLBACK_CASTER = 5;
const int TARGET_COLLECT_ALL_FALLBACK_NONE = 6;
const int TARGET_COLLECT_ALL_FALLBACK_CASTER = 7;
const int TARGET_TYPE_ALL = 1;
const int TARGET_TYPE_ITEMS = 2;
const int TARGET_TYPE_NPCS = 4;
const int TARGET_TYPE_ORCS = 8;
const int TARGET_TYPE_HUMANS = 16;
const int TARGET_TYPE_UNDEAD = 32;
const int SPL_PalLight = 0;
const int SPL_PalLightHeal = 1;
const int SPL_PalHolyBolt = 2;
const int SPL_PalMediumHeal = 3;
const int SPL_PalRepelEvil = 4;
const int SPL_PalFullHeal = 5;
const int SPL_PalDestroyEvil = 6;
const int SPL_PalTeleportSecret = 7;
const int SPL_TeleportSeaport = 8;
const int SPL_TeleportMonastery = 9;
const int SPL_TeleportFarm = 10;
const int SPL_TeleportXardas = 11;
const int SPL_TeleportPassNW = 12;
const int SPL_TeleportPassOW = 13;
const int SPL_TeleportOC = 14;
const int SPL_TeleportOWDemonTower = 15;
const int SPL_TeleportTaverne = 16;
const int SPL_TPLLIGHTHEAL = 17;
const int SPL_Light = 18;
const int SPL_Firebolt = 19;
const int SPL_Icebolt = 20;
const int SPL_LightHeal = 21;
const int SPL_SummonGoblinSkeleton = 22;
const int SPL_InstantFireball = 23;
const int SPL_Zap = 24;
const int SPL_SummonWolf = 25;
const int SPL_WindFist = 26;
const int SPL_Sleep = 27;
const int SPL_MediumHeal = 28;
const int SPL_LightningFlash = 29;
const int SPL_ChargeFireball = 30;
const int SPL_SummonSkeleton = 31;
const int SPL_Fear = 32;
const int SPL_IceCube = 33;
const int SPL_ChargeZap = 34;
const int SPL_SummonGolem = 35;
const int SPL_DestroyUndead = 36;
const int SPL_Pyrokinesis = 37;
const int SPL_Firestorm = 38;
const int SPL_IceWave = 39;
const int SPL_SummonDemon = 40;
const int SPL_FullHeal = 41;
const int SPL_Firerain = 42;
const int SPL_BreathOfDeath = 43;
const int SPL_MassDeath = 44;
const int SPL_ArmyOfDarkness = 45;
const int SPL_Shrink = 46;
const int SPL_TrfSheep = 47;
const int SPL_TrfScavenger = 48;
const int SPL_TRFMEATBUG = 49;
const int SPL_TrfGiantBug = 50;
const int SPL_TrfWolf = 51;
const int SPL_TrfWaran = 52;
const int SPL_TrfSnapper = 53;
const int SPL_TrfWarg = 54;
const int SPL_TrfFireWaran = 55;
const int SPL_TrfLurker = 56;
const int SPL_TrfShadowbeast = 57;
const int SPL_TrfDragonSnapper = 58;
const int SPL_Charm = 59;
const int SPL_MasterOfDisaster = 60;
const int SPL_Deathbolt = 61;
const int SPL_Deathball = 62;
const int SPL_ConcussionBolt = 63;
const int SPL_TELEPORTORC = 64;
const int SPL_BELIARRUNE = 65;
const int SPL_TELEPORTPSICAMP = 66;
const int SPL_TPLMEDIUMHEAL = 67;
const int SPL_TPLHEAVYHEAL = 68;
const int SPL_TPLSUPERHEAL = 69;
const int SPL_Thunderstorm = 70;
const int SPL_Whirlwind = 71;
const int SPL_WaterFist = 72;
const int SPL_IceLance = 73;
const int SPL_Inflate = 74;
const int SPL_Geyser = 75;
const int SPL_Waterwall = 76;
const int SPL_TPLLIGHTSTRIKE = 77;
const int SPL_TPLMEDIUMSTRIKE = 78;
const int SPL_TPLHEAVYSTRIKE = 79;
const int SPL_SUMMONFIREGOLEM = 80;
const int SPL_Swarm = 81;
const int SPL_GreenTentacle = 82;
const int SPL_TELEKINESIS = 83;
const int SPL_SummonGuardian = 84;
const int SPL_Energyball = 85;
const int SPL_ManaForLife = 86;
const int SPL_Skull = 87;
const int SPL_SummonZombie = 88;
const int SPL_SUMMONICEGOLEM = 89;
const int SPL_TELEPORTDAGOT = 90;
const int SPL_SUMMONELIGOR = 91;
const int SPL_TPLSUPERSTRIKE = 92;
const int SPL_FIRELIGHT = 93;
const int SPL_CONTROL = 94;
const int SPL_BERZERK = 95;
const int SPL_SEVEREFETIDITY = 96;
const int SPL_SummonCrait = 97;
const int SPL_SUMMONSHOAL = 98;
const int SPL_UnlockChest = 99;
const int SPL_SUMMONSWAMPGOLEM = 100;
const int SPL_DESTROYGUARDIANS = 101;
const int SPL_SUMMONTREANT = 102;
const int SPL_FireMeteor = 103;
const int SPL_GuruWrath = 104;
const int SPL_OrcFireball = 105;
const int SPL_TrfTroll = 106;
const int SPL_RapidFirebolt = 107;
const int SPL_RapidIcebolt = 108;
const int SPL_Rage = 109;
const int SPL_Quake = 110;
const int SPL_MagicCage = 111;
const int SPL_Lacerate = 112;
const int SPL_Extricate = 113;
const int SPL_Explosion = 114;
const int SPL_Elevate = 115;
const int SPL_AdanosBall = 116;
const int SPL_Acid = 117;
const int MAX_SPELL = 118;
const string spellFxInstanceNames[118] =
{
"PalLight",
"PalHeal",
"PalHolyBolt",
"PalHeal",
"PalRepelEvil",
"PalHeal",
"PalDestroyEvil",
"Teleport",
"Teleport",
"Teleport",
"Teleport",
"Teleport",
"Teleport",
"Teleport",
"Teleport",
"Teleport",
"Teleport",
"TplHeal",
"Light",
"Firebolt",
"Icebolt",
"Heal",
"SummonGoblinSkeleton",
"InstantFireball",
"Zap",
"SummonWolf",
"WindFist",
"Sleep",
"Heal",
"LightningFlash",
"ChargeFireball",
"SummonSkeleton",
"Fear",
"Icecube",
"ChargeZap",
"SummonGolem",
"DestroyUndead",
"Pyrokinesis",
"Firestorm",
"Icewave",
"SummonDemon",
"Heal",
"Firerain",
"BreathOfDeath",
"MassDeath",
"ArmyOfDarkness",
"Shrink",
"Transform",
"Transform",
"Transform",
"Transform",
"Transform",
"Transform",
"Transform",
"Transform",
"Transform",
"Transform",
"Transform",
"Transform",
"Charm",
"MasterOfDisaster",
"Deathbolt",
"Deathball",
"Concussionbolt",
"Teleport",
"BeliarRune",
"Teleport",
"TplHeal",
"TplHeal",
"TplHeal",
"Thunderstorm",
"Whirlwind",
"Waterfist",
"IceLance",
"Inflate",
"Geyser",
"Waterwall",
"TplLightStrike",
"PalRepelEvil",
"TplHeavyStrike",
"SummonFireGolem",
"Swarm",
"Greententacle",
"Telekinesis",
"SummonGuardian",
"Energyball",
"ManaForLife",
"Skull",
"SummonZombie",
"SummonIceGolem",
"SummonMud",
"SummonEligor",
"TplSuperStrike",
"FireLight",
"Control",
"Berzerk",
"SevereFetidity",
"SummonCrait",
"SummonShoal",
"UnlockChest",
"SummonSwampGolem",
"DestroyGuardians",
"SummonTreant",
"FireMeteor",
"TplSuperStrike",
"OrcFireball",
"Transform",
"RapidFirebolt",
"RapidIcebolt",
"Rage",
"Quake",
"MagicCage",
"Lacerate",
"Extricate",
"Explosion",
"Elevate",
"AdanosBall",
"Acid"
};
const string spellFxAniLetters[118] =
{
"SLE",
"SLE",
"FBT",
"SLE",
"FBT",
"SLE",
"FIB",
"HEA",
"HEA",
"HEA",
"HEA",
"HEA",
"HEA",
"HEA",
"HEA",
"HEA",
"HEA",
"SLE",
"SLE",
"FBT",
"FBT",
"SLE",
"SUM",
"FBT",
"FBT",
"SUM",
"WND",
"SLE",
"SLE",
"WND",
"FIB",
"SUM",
"FEA",
"FRZ",
"FIB",
"SUM",
"FIB",
"FIB",
"FIB",
"FEA",
"SUM",
"SLE",
"FEA",
"FIB",
"MSD",
"SUM",
"SLE",
"SUM",
"TRF",
"TRF",
"TRF",
"TRF",
"TRF",
"TRF",
"TRF",
"TRF",
"TRF",
"TRF",
"TRF",
"FIB",
"FIB",
"FBT",
"FBT",
"FBT",
"SUM",
"WND",
"HEA",
"SLE",
"SLE",
"SLE",
"FEA",
"WND",
"WND",
"FBT",
"FIB",
"WND",
"FEA",
"FBT",
"FBT",
"FBT",
"SUM",
"FBT",
"FRZ",
"FRZ",
"SUM",
"FBT",
"SAC",
"WND",
"SUM",
"SUM",
"SUM",
"SUM",
"FBT",
"FEA",
"CON",
"FBT",
"SUM",
"SUM",
"SUM",
"FIB",
"SUM",
"FIB",
"SUM",
"WND",
"FBT",
"FBT",
"TRF",
"RPF",
"RPF",
"FEA",
"FOT",
"FRZ",
"WND",
"EXP",
"WND",
"SUM",
"WND",
"WND"
};
const int NPC_TALENT_UNKNOWN = 0;
const int NPC_TALENT_1H = 1;
const int NPC_TALENT_2H = 2;
const int NPC_TALENT_BOW = 3;
const int NPC_TALENT_CROSSBOW = 4;
const int NPC_TALENT_PICKLOCK = 5;
const int NPC_TALENT_STAMINA = 12;
const int NPC_TALENT_MAGE = 7;
const int NPC_TALENT_SNEAK = 8;
const int NPC_TALENT_INTELLECT = 9;
const int NPC_TALENT_DEMONOLOG = 10;
const int NPC_TALENT_ACROBAT = 11;
const int NPC_TALENT_PICKPOCKET = 6;
const int NPC_TALENT_SMITH = 13;
const int NPC_TALENT_RUNES = 14;
const int NPC_TALENT_ALCHEMY = 15;
const int NPC_TALENT_TAKEANIMALTROPHY = 16;
const int NPC_TALENT_FOREIGNLANGUAGE = 17;
const int NPC_TALENT_RHETORIKA = 18;
const int NPC_TALENT_MAKEARROWS = 19;
const int NPC_TALENT_GOLDWORK = 20;
const int NPC_TALENT_ERZWORK = 21;
const int NPC_TALENT_MAX = 22;
var int PLAYER_TALENT_RUNES[118];
var int PLAYER_MAKE_RUNES[118];
var int PLAYER_DAMUP_RUNES[118];
var int LoaPissOff[2];
const int LANGUAGE_1 = 0;
const int LANGUAGE_2 = 1;
const int LANGUAGE_3 = 2;
const int LANGUAGE_4 = 3;
const int MAX_LANGUAGE = 4;
var int player_talent_foreignlanguage[4];
const int WISPSKILL_NF = 0;
const int WISPSKILL_FF = 1;
const int WISPSKILL_NONE = 2;
const int WISPSKILL_RUNE = 3;
const int WISPSKILL_MAGIC = 4;
const int WISPSKILL_FOOD = 5;
const int WISPSKILL_POTIONS = 6;
const int MAX_WISPSKILL = 7;
var int player_talent_wispdetector[MAX_WISPSKILL];
var int WispSearching;
const int WispSearch_Follow = 1;
const int WispSearch_ALL = 2;
const int WispSearch_POTIONS = 3;
const int WispSearch_MAGIC = 4;
const int WispSearch_FOOD = 5;
const int WispSearch_NF = 6;
const int WispSearch_FF = 7;
const int WispSearch_NONE = 8;
const int WispSearch_RUNE = 9;
const int POTION_Health_01 = 0;
const int POTION_Health_02 = 1;
const int POTION_Health_03 = 2;
const int POTION_Mana_01 = 3;
const int POTION_Mana_02 = 4;
const int POTION_Mana_03 = 5;
const int POTION_Speed = 6;
const int POTION_Perm_STR = 7;
const int POTION_Perm_DEX = 8;
const int POTION_Perm_Mana = 9;
const int POTION_Perm_Health = 10;
const int POTION_MegaDrink = 11;
const int CHARGE_Innoseye = 12;
const int POTION_Mana_04 = 13;
const int POTION_Health_04 = 14;
const int POTION_SPEED_02 = 15;
const int POTION_PERM_SUPERMANA = 16;
const int POTION_STAMINA = 17;
const int POTION_PERM_STAMINA = 18;
const int MAX_POTION = 19;
var int player_talent_alchemy[19];
const int WEAPON_Common = 0;
const int WEAPON_1H_Special_01 = 1;
const int WEAPON_2H_Special_01 = 2;
const int WEAPON_1H_Special_02 = 3;
const int WEAPON_2H_Special_02 = 4;
const int WEAPON_1H_Special_03 = 5;
const int WEAPON_2H_Special_03 = 6;
const int WEAPON_1H_Special_04 = 7;
const int WEAPON_2H_Special_04 = 8;
const int WEAPON_1H_Harad_01 = 9;
const int WEAPON_1H_Harad_02 = 10;
const int WEAPON_1H_Harad_03 = 11;
const int WEAPON_1H_Harad_04 = 12;
const int WEAPON_ITAR_MIL_L_V1 = 13;
const int WEAPON_ITAR_MIL_M_V1 = 14;
const int WEAPON_ITAR_PAL_M_V1 = 15;
const int WEAPON_ITAR_PAL_H_V1 = 16;
const int WEAPON_ITAR_SLD_L_V1 = 17;
const int WEAPON_ITAR_SLD_M_V1 = 18;
const int WEAPON_ITAR_SLD_H_V1 = 19;
const int WEAPON_ITAR_DJG_L_V1 = 20;
const int WEAPON_ITAR_DJG_M_V1 = 21;
const int WEAPON_ITAR_DJG_H_V1 = 22;
const int WEAPON_ITAR_STT_M_V1 = 23;
const int WEAPON_ITAR_STT_S_V1 = 24;
const int WEAPON_ITAR_GRD_L_V1 = 25;
const int WEAPON_ITAR_BLOODWYN_ADDON_V1 = 26;
const int WEAPON_ITAR_THORUS_ADDON_V1 = 27;
const int WEAPON_ITAR_SEKBED_V1 = 28;
const int WEAPON_ITAR_TPL_L_V1 = 29;
const int WEAPON_ITAR_TPL_M_V1 = 30;
const int WEAPON_ITAR_TPL_S_V1 = 31;
const int WEAPON_ITAR_RANGER_ADDON_V1 = 32;
const int WEAPON_ITAR_OREARMOR = 33;
const int WEAPON_ITAR_RAVEN_ADDON = 34;
const int MAX_WEAPONS = 35;
var int player_talent_smith[35];
const int TROPHY_Teeth = 0;
const int TROPHY_Claws = 1;
const int TROPHY_Fur = 2;
const int TROPHY_Heart = 3;
const int TROPHY_ShadowHorn = 4;
const int TROPHY_FireTongue = 5;
const int TROPHY_BFWing = 6;
const int TROPHY_BFSting = 7;
const int TROPHY_Mandibles = 8;
const int TROPHY_CrawlerPlate = 9;
const int TROPHY_DrgSnapperHorn = 10;
const int TROPHY_DragonScale = 11;
const int TROPHY_DragonBlood = 12;
const int TROPHY_ReptileSkin = 13;
const int MAX_TROPHIES = 14;
var int player_talent_takeanimaltrophy[MAX_TROPHIES];
const string TEXT_FONT_20 = "Font_old_20_white.tga";
const string TEXT_FONT_10 = "Font_Extra.tga";
const string TEXT_FONT_DEFAULT = "Font_Extra.tga";
const string TEXT_FONT_Inventory = "Font_Extra.tga";
var int CheckStatusHero[2];
var int NewStamUpIsUp;
var int ATR_STAMINA[1];
var int ATR_STAMINA_MAX[1];
var int ModVersion[1];
var int arrQuickBar[11];
const int CH_XP_PER_VICTORY = 0;
const int CH_SURPRISE = 1;
const int CH_SLEEPDIS = 2;
var int GuruTest[2];
var int CheckRealMode[2];
var int CheckLevelOption[3];
var int CheckHeroGuild[2];
var int MoraUlartuIsOn[2];
var int CutHeroStats[2];
var int RhetorikSkillValue[2];
var int ShakoIsOn[1];
var int DemonologSkill[1];
var int CheckHeroStatsOnMarvin[9];
var int bNewSteal[1];
var int TalentCount_Alchemy[1];
var int TalentCount_Smith[1];
var int TalentCount_Rune[1];
var int TalentCount_PickLock[1];
var int LVStatsCheck[10];
var int RealMode[3];
var int UseMarvin[2];
const float VIEW_TIME_PER_CHAR = 550;
const int NEWWORLD_ZEN = 1;
const int OldWorld_Zen = 2;
const int DRAGONISLAND_ZEN = 3;
const int ADDONWORLD_ZEN = 4;
const int ORCTEMPEL_ZEN = 5;
const int ABANDONEDMINE_ZEN = 6;
const int ORCGRAVEYARD_ZEN = 7;
const int ORCCITY_ZEN = 8;
const int SHVALLEY_ZEN = 9;
const int FREEMINELAGER_ZEN = 10;
const int OLDMINE_ZEN = 11;
const int FREEMINE_ZEN = 12;
const int DEMONSTOWER_ZEN = 13;
const int DEADGROT_ZEN = 14;
const int PSICAMP_ZEN = 15;
const int SECRETISLAND_ZEN = 16;
const int UNDEADZONE_ZEN = 17;
const int DEMONCAVE_ZEN = 18;
const int PALADINFORT_ZEN = 19;
const int LOSTISLAND_ZEN = 20;
const int FIRECAVE_ZEN = 21;
const int GUARDIANCHAMBERS_ZEN = 22;
const int UNCLAVE_ZEN = 23;
const int HARADRIMARENA_ZEN = 24;
const int PRIORATWORLD_ZEN = 25;
const int ADANOSVALLEY_ZEN = 26;
const int TEARSTEMPLE_ZEN = 27;
const int ORCOREMINE_ZEN = 28;
const int GINNOKWORLD_ZEN = 29;
const int HAOSWORLD_ZEN = 30;
const int ORCMOUNTAIN_ZEN = 31;
const int PASHALWORLD_ZEN = 32;
const int DRAGONTEMPLE_ZEN = 33;
const int GOLDMINE_ZEN = 34;
const int LOSTVALLEY_ZEN = 35;
const int ITUSELDTOWER_ZEN = 36;
const int ASHTARTEMPLE_ZEN = 37;
const int INVCAM_ENTF_RING_STANDARD = 150;
const int INVCAM_ENTF_HELM = 125;
const int INVCAM_ENTF_AMULETTE_STANDARD = 150;
const int INVCAM_ENTF_MISC_STANDARD = 200;
const int INVCAM_ENTF_RING_ADVANCE = 190;
const int INVCAM_ENTF_MISC2_STANDARD = 250;
const int INVCAM_ENTF_MISC3_STANDARD = 500;
const int INVCAM_ENTF_MISC4_STANDARD = 650;
const int INVCAM_ENTF_MISC5_STANDARD = 850;
const int INVCAM_X_RING_STANDARD = 25;
const int INVCAM_Z_RING_STANDARD = 45;
const int INVCAM_Y_RING_STANDARD = 45;
const int ORCTEMPLENPCFLAGS = 6;
const int NPC_FLAG_XARADRIM = 3;
const int SKL_CROSSBOW = 8;
const int SKL_STAMINA = 9;
var int PLAYER_TALENT_MagParade;
var int MagParade_Overlay;
const int MagParade_Cost = 50;
func void kldsSFjhfdFhfjldf1()
{
};
func void kldsSFjhfdFhfjldf()
{
};
func void kldsSFjhfdFhfjldfGFFDGF()
{
kldsSFjhfdFhfjldf();
kldsSFjhfdFhfjldf1();
};
|
D
|
/*
* Copyright (c) 2012, 2013, Oracle and/or its affiliates. All rights reserved.
* DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
*
* This code is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License version 2 only, as
* published by the Free Software Foundation.
*
* This code is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License
* version 2 for more details (a copy is included in the LICENSE file that
* accompanied this code).
*
* You should have received a copy of the GNU General Public License version
* 2 along with this work; if not, write to the Free Software Foundation,
* Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
*
* Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
* or visit www.oracle.com if you need additional information or have any
* questions.
*/
package org.openjdk.testlib.java.util.stream;
import java.util.stream.AbstractPipeline;
/**
* A base type for test operations
*/
interface IntermediateTestOp<E_IN, E_OUT> {
@SuppressWarnings({"rawtypes", "unchecked"})
public static<T> AbstractPipeline chain(AbstractPipeline upstream,
IntermediateTestOp<?, T> op) {
if (op instanceof StatelessTestOp)
return StatelessTestOp.chain(upstream, (StatelessTestOp) op);
if (op instanceof StatefulTestOp)
return StatefulTestOp.chain(upstream, (StatefulTestOp) op);
throw new IllegalStateException("Unknown test op type: " + op.getClass().getName());
}
}
|
D
|
module hardware.scrshot;
import std.format;
import basics.alleg5;
import basics.globals : dirExport;
import file.filename;
import hardware.display;
import hardware.sound;
/*
* Call, e.g., with "screenshot" to generate ./export/screenshot-0001.png
*/
void takeScreenshot(string prefix)
{
assert (display);
al_save_bitmap(
prefix.nonexistantFile().stringzForWriting,
al_get_backbuffer(display));
playQuiet(Sound.DISKSAVE);
}
private Filename nonexistantFile(in string prefix)
{
foreach (int i; 0 .. 10000) {
Filename ret = new VfsFilename(format!"%s%s-%04d.png"(
dirExport.rootless, prefix, i));
if (! ret.fileExists)
return ret;
}
throw new Exception("You already have 10,000 screenshots named `"
~ prefix ~ "-####.png'. Delete some of them to make room!");
}
|
D
|
/**
Publicly imports all other modules in this library, generally not recommended.
Instead, consider importing submodules as needed.
Authors: Tony J. Hudgins
Copyright: Copyright © 2017-2019, Tony J. Hudgins
License: MIT
*/
module dext;
public {
import dext.let;
import dext.conv;
import dext.record;
import dext.traits;
import dext.typecons;
}
|
D
|
module org.serviio.library.local.metadata.extractor.embedded;
public import org.serviio.library.local.metadata.extractor.embedded.AudioExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.AVCHeader;
public import org.serviio.library.local.metadata.extractor.embedded.EmbeddedMetadataExtractor;
public import org.serviio.library.local.metadata.extractor.embedded.FLACExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.GIFExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.ImageExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.JPEGExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.JPEGSamplingTypeReader;
public import org.serviio.library.local.metadata.extractor.embedded.LPCMExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.MP3ExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.MP4ExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.OGGExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.PNGExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.VideoExtractionStrategy;
public import org.serviio.library.local.metadata.extractor.embedded.WMAExtractionStrategy;
|
D
|
/**
* RSA
*
* Copyright:
* (C) 1999-2008 Jack Lloyd
* (C) 2014-2015 Etienne Cimon
*
* License:
* Botan is released under the Simplified BSD License (see LICENSE.md)
*/
module botan.pubkey.algo.rsa;
import botan.constants;
static if (BOTAN_HAS_PUBLIC_KEY_CRYPTO && BOTAN_HAS_RSA):
public import botan.pubkey.pubkey;
public import botan.pubkey.algo.if_algo;
import botan.pubkey.pk_ops;
import botan.math.numbertheory.reducer;
import botan.pubkey.blinding;
import botan.utils.parsing;
import botan.math.numbertheory.numthry;
import botan.pubkey.algo.keypair;
import botan.rng.rng;
import memutils.helpers : Embed;
import std.concurrency;
import core.thread;
import std.algorithm : max;
struct RSAOptions {
enum algoName = "RSA";
/*
* Check Private RSA Parameters
*/
static bool checkKey(in IFSchemePrivateKey privkey, RandomNumberGenerator rng, bool strong)
{
if (!privkey.checkKeyImpl(rng, strong))
return false;
if (!strong)
return true;
auto p_minus_1 = privkey.getP() - 1;
auto q_minus_1 = privkey.getQ() - 1;
if ((privkey.getE() * privkey.getD()) % lcm(&p_minus_1, &q_minus_1) != 1)
return false;
return signatureConsistencyCheck(rng, privkey, "EMSA4(SHA-1)");
}
}
/**
* RSA Public Key
*/
struct RSAPublicKey
{
public:
alias Options = RSAOptions;
__gshared immutable string algoName = Options.algoName;
this(in AlgorithmIdentifier alg_id, const ref SecureVector!ubyte key_bits)
{
m_owned = true;
m_pub = new IFSchemePublicKey(Options(), alg_id, key_bits);
}
/**
* Create a RSAPublicKey
* @arg n the modulus
* @arg e the exponent
*/
this(BigInt n, BigInt e)
{
m_owned = true;
m_pub = new IFSchemePublicKey(Options(), n.move(), e.move());
}
this(PrivateKey pkey) { m_pub = cast(IFSchemePublicKey) pkey; }
this(PublicKey pkey) { m_pub = cast(IFSchemePublicKey) pkey; }
mixin Embed!(m_pub, m_owned);
bool m_owned;
IFSchemePublicKey m_pub;
}
/**
* RSA Private Key
*/
struct RSAPrivateKey
{
public:
alias Options = RSAOptions;
__gshared immutable string algoName = Options.algoName;
this(in AlgorithmIdentifier alg_id, const ref SecureVector!ubyte key_bits, RandomNumberGenerator rng)
{
m_owned = true;
m_priv = new IFSchemePrivateKey(Options(), rng, alg_id, key_bits);
}
/**
* Construct a private key from the specified parameters.
*
* Params:
* rng = a random number generator
* p = the first prime
* q = the second prime
* e = the exponent
* d = if specified, this has to be d with exp * d = 1 mod (p - 1, q - 1). Leave it as 0 if you wish
* the constructor to calculate it.
* n = if specified, this must be n = p * q. Leave it as 0
* if you wish to the constructor to calculate it.
*/
this(RandomNumberGenerator rng, BigInt p, BigInt q, BigInt e, BigInt d = BigInt(0), BigInt n = BigInt(0))
{
m_owned = true;
m_priv = new IFSchemePrivateKey(Options(), rng, p.move(), q.move(), e.move(), d.move(), n.move());
}
/**
* Create a new private key with the specified bit length
* Params:
* rng = the random number generator to use
* bits = the desired bit length of the private key
* exp = the public exponent to be used
*/
this(RandomNumberGenerator rng, size_t bits, size_t exp = 65537)
{
if (bits < 1024)
throw new InvalidArgument(algoName ~ ": Can't make a key that is only " ~ to!string(bits) ~ " bits long");
if (exp < 3 || exp % 2 == 0)
throw new InvalidArgument(algoName ~ ": Invalid encryption exponent");
BigInt e = exp;
BigInt p, q, n, d, d1, d2, c;
do
{
p = randomPrime(rng, (bits + 1) / 2, &e);
q = randomPrime(rng, bits - p.bits(), &e);
n = p * q;
} while (n.bits() != bits);
auto one = BigInt(1);
auto p_1 = p - one;
auto q_1 = q - one;
auto d_0 = lcm(&p_1, &q_1);
d = inverseMod(&e, &d_0);
m_owned = true;
m_priv = new IFSchemePrivateKey(Options(), rng, p.move(), q.move(), e.move(), d.move(), n.move());
genCheck(rng);
}
this(PrivateKey pkey) { m_priv = cast(IFSchemePrivateKey) pkey; }
mixin Embed!(m_priv, m_owned);
bool m_owned;
IFSchemePrivateKey m_priv;
}
/**
* RSA private (decrypt/sign) operation
*/
final class RSAPrivateOperation : Signature, Decryption
{
public:
this(in PrivateKey pkey, RandomNumberGenerator rng) {
this(cast(IFSchemePrivateKey) pkey, rng);
}
this(in RSAPrivateKey pkey, RandomNumberGenerator rng) {
this(pkey.m_priv, rng);
}
this(in IFSchemePrivateKey rsa_, RandomNumberGenerator rng)
{
rsa = rsa_;
assert(rsa.algoName == RSAPublicKey.algoName);
m_n = &rsa.getN();
m_q = &rsa.getQ();
m_c = &rsa.getC();
m_d1 = &rsa.getD1();
m_p = &rsa.getP();
m_powermod_e_n = FixedExponentPowerMod(&rsa.getE(), &rsa.getN());
m_powermod_d2_q = FixedExponentPowerMod(&rsa.getD2(), &rsa.getQ());
m_mod_p = ModularReducer(rsa.getP());
BigInt k = BigInt(rng, m_n.bits() - 1);
auto e = (cast()*m_powermod_e_n)(cast()&k);
m_blinder = Blinder(e, inverseMod(&k, m_n), *m_n);
}
override size_t messageParts() const { return 1; }
override size_t messagePartSize() const { return 0; }
override size_t maxInputBits() const { return (m_n.bits() - 1); }
override SecureVector!ubyte
sign(const(ubyte)* msg, size_t msg_len, RandomNumberGenerator rng)
{
rng.addEntropy(msg, msg_len);
/* We don't check signatures against powermod_e_n here because
PKSigner checks verification consistency for all signature
algorithms.
*/
BigInt m = BigInt(msg, msg_len);
m = m_blinder.blind(m.clone);
m = privateOp(m);
BigInt x = m_blinder.unblind(m);
return BigInt.encode1363(x, m_n.bytes());
}
/*
* RSA Decryption Operation
*/
override SecureVector!ubyte decrypt(const(ubyte)* msg, size_t msg_len)
{
BigInt m = BigInt(msg, msg_len);
BigInt x = m_blinder.unblind(privateOp(m_blinder.blind(m)));
FixedExponentPowerModImpl powermod_e_n = cast(FixedExponentPowerModImpl) *m_powermod_e_n;
assert(m == powermod_e_n.opCall(&x), "RSA decrypt passed consistency check");
return BigInt.encodeLocked(x);
}
private:
BigInt privateOp()(auto const ref BigInt m) const
{
//import core.memory : GC; GC.disable(); scope(exit) GC.enable();
import core.sync.condition;
import core.sync.mutex;
import core.atomic;
import memutils.utils : ThreadMem;
Mutex mutex = ThreadMem.alloc!Mutex();
scope(exit) {
ThreadMem.free(mutex);
}
if (m >= *m_n)
throw new InvalidArgument("RSA private op - input is too large");
BigInt j1;
j1.reserve(max(m_q.bytes() + m_q.bytes() % 128, m_n.bytes() + m_n.bytes() % 128));
struct Handler {
shared(Mutex) mtx;
shared(const BigInt*) d1;
shared(const BigInt*) p;
shared(const BigInt*) m2;
shared(BigInt*) j1_2;
void run() {
try {
import botan.libstate.libstate : modexpInit;
modexpInit(); // enable quick path for powermod
BigInt* ret = cast(BigInt*) j1_2;
{
import memutils.utils;
FixedExponentPowerMod powermod_d1_p = FixedExponentPowerMod(cast(BigInt*)d1, cast(BigInt*)p);
BigInt _res =(cast()*powermod_d1_p)( cast(BigInt*) m2);
synchronized(cast()mtx) ret.load(&_res);
}
} catch (Exception e) { logDebug("Error: ", e.toString()); }
}
}
auto handler = Handler(cast(shared)mutex, cast(shared)m_d1, cast(shared)m_p, cast(shared)&m, cast(shared)&j1);
Unique!Thread thr = new Thread(&handler.run);
thr.start();
FixedExponentPowerModImpl powermod_d2_q = cast(FixedExponentPowerModImpl)*m_powermod_d2_q;
BigInt j2 = powermod_d2_q.opCall(&m);
thr.join();
BigInt j3;
synchronized(mutex) j3 = m_mod_p.reduce(subMul(&j1, &j2, m_c));
return mulAdd(&j3, m_q, &j2);
}
const IFSchemePrivateKey rsa;
const BigInt* m_n;
const BigInt* m_q;
const BigInt* m_c;
const BigInt* m_d1;
const BigInt* m_p;
FixedExponentPowerMod m_powermod_e_n, m_powermod_d2_q;
ModularReducer m_mod_p;
Blinder m_blinder;
}
/**
* RSA public (encrypt/verify) operation
*/
final class RSAPublicOperation : Verification, Encryption
{
public:
this(in PublicKey pkey) {
this(cast(IFSchemePublicKey) pkey);
}
this(in RSAPublicKey pkey) {
this(pkey.m_pub);
}
this(in IFSchemePublicKey rsa)
{
assert(rsa.algoName == RSAPublicKey.algoName);
m_rsa = rsa;
m_n = &m_rsa.getN();
m_powermod_e_n = FixedExponentPowerMod(&m_rsa.getE(), &m_rsa.getN());
}
override size_t messageParts() const { return 1; }
override size_t messagePartSize() const { return 0; }
override size_t maxInputBits() const { return (m_n.bits() - 1); }
override bool withRecovery() const { return true; }
override SecureVector!ubyte encrypt(const(ubyte)* msg, size_t msg_len, RandomNumberGenerator)
{
BigInt m = BigInt(msg, msg_len);
return BigInt.encode1363(publicOp(m), m_n.bytes());
}
override bool verify(const(ubyte)*, size_t, const(ubyte)*, size_t)
{
throw new InvalidState("Message recovery required");
}
override SecureVector!ubyte verifyMr(const(ubyte)* msg, size_t msg_len)
{
BigInt m = BigInt(msg, msg_len);
return BigInt.encodeLocked(publicOp(m));
}
private:
BigInt publicOp(const ref BigInt m) const
{
if (m >= *m_n)
throw new InvalidArgument("RSA public op - input is too large");
return (cast()*m_powermod_e_n)(cast(BigInt*)&m);
}
const IFSchemePublicKey m_rsa;
const BigInt* m_n;
FixedExponentPowerMod m_powermod_e_n;
}
static if (BOTAN_TEST):
import botan.test;
import botan.pubkey.test;
import botan.rng.auto_rng;
import botan.pubkey.pubkey;
import botan.codec.hex;
import core.atomic;
import memutils.hashmap;
shared size_t total_tests;
size_t rsaesKat(string e,
string p,
string q,
string msg,
string padding,
string nonce,
string output)
{
atomicOp!"+="(total_tests, 1);
Unique!AutoSeededRNG rng = new AutoSeededRNG;
auto privkey = RSAPrivateKey(*rng, BigInt(p), BigInt(q), BigInt(e));
auto pubkey = RSAPublicKey(privkey);
if (padding == "")
padding = "Raw";
auto enc = scoped!PKEncryptorEME(pubkey, padding);
auto dec = scoped!PKDecryptorEME(privkey, padding);
return validateEncryption(enc, dec, "RSAES/" ~ padding, msg, nonce, output);
}
size_t rsaSigKat(string e,
string p,
string q,
string msg,
string padding,
string nonce,
string output)
{
atomicOp!"+="(total_tests, 1);
Unique!AutoSeededRNG rng = new AutoSeededRNG;
auto privkey = RSAPrivateKey(*rng, BigInt(p), BigInt(q), BigInt(e));
auto pubkey = RSAPublicKey(privkey);
if (padding == "")
padding = "Raw";
PKVerifier verify = PKVerifier(pubkey, padding);
PKSigner sign = PKSigner(privkey, padding);
return validateSignature(verify, sign, "RSA/" ~ padding, msg, *rng, nonce, output);
}
size_t rsaSigVerify(string e,
string n,
string msg,
string padding,
string signature)
{
atomicOp!"+="(total_tests, 1);
BigInt e_bn = BigInt(e);
BigInt n_bn = BigInt(n);
auto key = RSAPublicKey(n_bn.move(), e_bn.move());
if (padding == "")
padding = "Raw";
PKVerifier verify = PKVerifier(key, padding);
if (!verify.verifyMessage(hexDecode(msg), hexDecode(signature)))
return 1;
return 0;
}
size_t testPkKeygen(RandomNumberGenerator rng)
{
size_t fails;
auto rsa1024 = RSAPrivateKey(rng, 1024);
rsa1024.checkKey(rng, true);
atomicOp!"+="(total_tests, 1);
fails += validateSaveAndLoad(rsa1024, rng);
auto rsa2048 = RSAPrivateKey(rng, 2048);
rsa2048.checkKey(rng, true);
atomicOp!"+="(total_tests, 1);
fails += validateSaveAndLoad(rsa2048, rng);
return fails;
}
static if (BOTAN_HAS_TESTS && !SKIP_RSA_TEST) unittest
{
logDebug("Testing rsa.d ...");
size_t fails = 0;
Unique!AutoSeededRNG rng = new AutoSeededRNG;
File rsa_enc = File("test_data/pubkey/rsaes.vec", "r");
File rsa_sig = File("test_data/pubkey/rsa_sig.vec", "r");
File rsa_verify = File("test_data/pubkey/rsa_verify.vec", "r");
fails += testPkKeygen(*rng);
fails += runTestsBb(rsa_enc, "RSA Encryption", "Ciphertext", true,
(ref HashMap!(string, string) m)
{
return rsaesKat(m["E"], m["P"], m["Q"], m["Msg"], m.get("Padding"), m.get("Nonce"), m["Ciphertext"]);
});
fails += runTestsBb(rsa_sig, "RSA Signature", "Signature", true,
(ref HashMap!(string, string) m)
{
return rsaSigKat(m["E"], m["P"], m["Q"], m["Msg"], m.get("Padding"), m.get("Nonce"), m["Signature"]);
});
fails += runTestsBb(rsa_verify, "RSA Verify", "Signature", true,
(ref HashMap!(string, string) m)
{
return rsaSigVerify(m["E"], m["N"], m["Msg"], m.get("Padding"), m["Signature"]);
});
testReport("rsa", total_tests, fails);
}
|
D
|
/Users/oswin/Projects/Rust/Geoffrey/target/debug/deps/libstable_deref_trait-34c94a8608b6135a.rlib: /Users/oswin/.cargo/registry/src/github.com-1ecc6299db9ec823/stable_deref_trait-1.1.1/src/lib.rs
/Users/oswin/Projects/Rust/Geoffrey/target/debug/deps/stable_deref_trait-34c94a8608b6135a.d: /Users/oswin/.cargo/registry/src/github.com-1ecc6299db9ec823/stable_deref_trait-1.1.1/src/lib.rs
/Users/oswin/.cargo/registry/src/github.com-1ecc6299db9ec823/stable_deref_trait-1.1.1/src/lib.rs:
|
D
|
// Cairo: Draw an arc
import std.stdio;
import std.math;
import gtk.MainWindow;
import gtk.Main;
import gtk.Box;
import gtk.Widget;
import cairo.Context;
import gtk.DrawingArea;
void main(string[] args)
{
TestRigWindow testRigWindow;
Main.init(args);
testRigWindow = new TestRigWindow();
Main.run();
} // main()
class TestRigWindow : MainWindow
{
string title = "Cairo: Draw an Arc";
int width = 640, height = 360;
AppBox appBox;
this()
{
super(title);
setSizeRequest(width, height);
addOnDestroy(&quitApp);
appBox = new AppBox();
add(appBox);
showAll();
} // this() CONSTRUCTOR
void quitApp(Widget widget)
{
writeln("Bye.");
Main.quit();
} // quitApp()
} // class TestRigWindow
class AppBox : Box
{
MyDrawingArea myDrawingArea;
this()
{
super(Orientation.VERTICAL, 10);
myDrawingArea = new MyDrawingArea();
packStart(myDrawingArea, true, true, 0); // LEFT justify
} // this()
} // class AppBox
class MyDrawingArea : DrawingArea
{
this()
{
addOnDraw(&onDraw);
} // this()
bool onDraw(Scoped!Context context, Widget w)
{
float x = 320, y = 180;
float radius = 40, startAngle = 0.7, endAngle = 2.44;
/* x & y = position of the center of an imaginary circle
* radius = the radius of the circle
* angle1 = the start angle of the arc, in radians
* angle2 = the end angle of the arc, in radians
*/
// draw the arc
context.setLineWidth(3);
context.arc(x, y, radius, startAngle, endAngle);
context.stroke();
return(true);
} // onDraw()
} // class MyDrawingArea
|
D
|
module vayne.source.context;
import std.format;
import vayne.source.source;
import vayne.source.token;
class ContextException : Exception {
this(SourceLoc loc, string msg) {
super(msg);
this.loc = loc;
}
SourceLoc loc;
}
class Context {
this(Source source) {
this.source = source;
loc = SourceLoc(source.id, 1, 0);
}
this(Source source, SourceLoc loc) {
this.source = source;
this.loc = loc;
}
auto advance(size_t offset) {
loc.line += source.buffer[cursor..cursor + offset].countLines;
cursor += offset;
return this;
}
auto remaining() {
return source.buffer[cursor..$];
}
void open(string tag, string content) {
opens_ ~= Open(loc, cursor, tag, content);
}
auto isOpen() const {
return opens_.length > 0;
}
auto open() const {
if (opens_.length == 0)
throw new ContextException(loc, "no tag is open");
return opens_[$ - 1];
}
auto close() {
if (opens_.length == 0)
throw new ContextException(loc, "unexpected '/' tag; no tag is open");
auto tag = opens_[$ - 1];
opens_ = opens_[0..$-1];
return tag;
}
auto expectClosed() {
if (opens_.length) {
auto lastOpen = opens_[$-1];
throw new ContextException(lastOpen.loc, format("unexpected end of file; missing '/' tag for '%s'", lastOpen.tag));
}
}
auto expectOpen(string tag, string related) {
if (!opens_.length || opens_[$-1].tag != tag)
throw new ContextException(loc, format("unexpected '%s' tag; no '%s' tag in open", related, tag));
}
Source source;
SourceLoc loc;
size_t cursor;
static struct Open {
SourceLoc loc;
size_t cursor;
string tag;
string content;
}
private Open[] opens_;
}
|
D
|
/**
Copyright: Copyright (c) 2017 Andrey Penechko.
License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0).
Authors: Andrey Penechko.
*/
module voxelman.graphics.image.crop;
import dlib.image.image : SuperImage;
import voxelman.math;
void cropImage(SuperImage image, ref ivec2 imageStart, ref ivec2 imageSize)
{
// left
loop_left:
for (int x = imageStart.x; x < imageStart.x + imageSize.x; ++x)
{
for (int y = imageStart.y; y < imageStart.y + imageSize.y; ++y)
if (image[x, y].a != 0) break loop_left;
--imageSize.x;
++imageStart.x;
}
// right
loop_right:
for (int x = imageStart.x + imageSize.x - 1; x >= imageStart.x; --x)
{
for (int y = imageStart.y; y < imageStart.y + imageSize.y; ++y)
if (image[x, y].a != 0) break loop_right;
--imageSize.x;
}
// top
loop_top:
for (int y = imageStart.y; y < imageStart.y + imageSize.y; ++y)
{
for (int x = imageStart.x; x < imageStart.x + imageSize.x; ++x)
if (image[x, y].a != 0) break loop_top;
--imageSize.y;
++imageStart.y;
}
// bottom
loop_bottom:
for (int y = imageStart.y + imageSize.y - 1; y >= imageStart.y; --y)
{
for (int x = imageStart.x; x < imageStart.x + imageSize.x; ++x)
if (image[x, y].a != 0) break loop_bottom;
--imageSize.y;
}
}
|
D
|
// ---------------------------------------------------------
// NPC 'THF_400_Edo'
// ---------------------------------------------------------
instance THF_400_Edo (C_NPC)
{
//-------- primary data --------
name = "Edo";
guild = GIL_THIEF;
npctype = NPCTYPE_MAIN;
level = 20;
voice = 10;
id = 400;
//-------- attributes ----------
attribute [ATR_STRENGTH] = 50;
attribute [ATR_DEXTERITY] = 150;
attribute [ATR_MANA_MAX] = 0;
attribute [ATR_MANA] = 0;
attribute [ATR_HITPOINTS_MAX] = 250;
attribute [ATR_HITPOINTS] = 250;
attribute [ATR_REGENERATEMANA] = 0;
attribute [ATR_REGENERATEHP] = 0;
//-------- protection ----------
protection [PROT_EDGE] = 0;
protection [PROT_BLUNT] = 0;
protection [PROT_POINT] = 0;
protection [PROT_FIRE] = 0;
protection [PROT_MAGIC] = 0;
protection [PROT_FALL] = 0;
protection [PROT_FLY] = 0;
protection [PROT_BARRIER] = 0;
//-------- visuals -------------
Mdl_SetVisual (self, "humans.mds"); // basic animation file
Mdl_SetVisualBody (self, "hum_body_naked0", 0, 1, "Hum_Head_Fighter", 55, 2, VLK_ARMOR_L);
B_Scale (self); //auto-matching scale with strength
Mdl_SetModelFatness (self, 0);
//-------- talents -------------
Npc_SetTalentSkill (self, NPC_TALENT_1H, 1);
//-------- inventory -----------
CreateInvItem (self, ItMi_Stomper);
CreateInvItem (self, ItMi_Lute);
CreateInvItems (self, ItMi_Hammer, 3);
CreateInvItems (self, ItMi_Scoop, 2);
CreateInvItems (self, ItMi_Flask, 4);
CreateInvItems (self, ItMiJoint_1, 10);
CreateInvItems (self, ItAm_Arrow, 20);
CreateInvItems (self, ItMi_Silver, 30);
CreateInvItems (self, ItFo_HerbSoup, 3);
CreateInvItems (self, ItFo_Apple, 2);
CreateInvItems (self, ItFo_Wine, 2);
CreateInvItems (self, ItMi_OreNugget, EDO_STOLENORE);
EquipItem (self, ItMw_Shortsword);
EquipItem (self, ItRw_ShortBow);
//-------- ai ------------------
fight_tactic = FAI_HUMAN_STRONG;
daily_routine = Rtn_start_400;
senses_range = 2000;
senses = SENSE_HEAR | SENSE_SEE;
};
// ---------------------------------------------------------
// daily routines
// ---------------------------------------------------------
func void Rtn_start_400 ()
{
TA_Sleep (22, 30, 07, 30, "OCR_HUT_46");
TA_SitAround (07, 30, 22, 30, "OCR_HUT_46C");
};
func void Rtn_deal_400 ()
{
TA_Sleep (22, 30, 07, 30, EDO_WP_SELL);
TA_Stay (07, 30, 22, 30, EDO_WP_SELL);
};
|
D
|
/Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Platform.Linux.o : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap
/Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Platform.Linux~partial.swiftmodule : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap
/Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Platform.Linux~partial.swiftdoc : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap
|
D
|
// **************************
// AIVAR-Kennungen für Humans
// **************************
func void B_FullStop(var C_NPC npc)
{
Npc_ClearAIQueue (npc);
AI_StandUpQuick (npc);
};
// ------ NEWS und MEMORY Aivars ------
// - NUR Augenzeugen
// - NUR persönliches News-Gedächtnis, geregelt über die folgenden Aivars
// - schwere Tat überschreibt leichte Tat
// - KEINE automatische News-Verbreitung, AIV-Check bei aNSCs in Dialogen = Ersatz für News-Verbreitung
// - News-Vergabe über Dialog-Module
const int AIV_LastFightAgainstPlayer = 100;
const int AIV_NpcSawPlayerCommit = 101;
const int AIV_NpcStartedTalk = 102; //wenn der NSC mit Important Info den SC anquatscht
const int AIV_INVINCIBLE = 103; //ist TRUE für beide Teilnehmer eines Dialogs
const int AIV_TalkedToPlayer = 104;
const int AIV_PlayerHasPickedMyPocket = 105;
const int AIV_FernkampfHitZone = 106;
const int AIV_RANSACKED = 107; //damit nur EIN NSC einen Body plündert
const int AIV_DeathInvGiven = 108; // Für Mensch und Monster!
const int HAI_DIST_GUARDPASSAGE_ATTENTION = 1200;
const int AIV_ISTINARENATOFIGHT = 2;
//Original
const int AIV_Multi01 = 0;
const int FIGHT_NONE = 0;
const int FIGHT_LOST = 1; //in ZS_Unconscious
const int FIGHT_WON = 2; //in ZS_Unconscious (player)
const int FIGHT_CANCEL = 3; //in B_Attack, wenn other = Player
const int AIV_Trefferzone = 0; // nur Monster
const int AIV_Frei01 = 1;
const int CRIME_NONE = 0;
const int CRIME_SHEEPKILLER = 1;
const int CRIME_ATTACK = 2; //Kampf self-SC --> feinere Analys in DIA-Modul über AIV_LastFightAgainstPlayer
const int CRIME_THEFT = 3;
const int CRIME_MURDER = 4;
const int AIV_NpcSawPlayerCommitDay = 2;
// ------ B_AssessTalk -------------------------
const int AIV_Frei02 = 3; //wenn der NSC mit Important Info den SC anquatscht
// ------ ZS_Talk ------------------------------
const int AIV_Frei03 = 4; //ist TRUE für beide Teilnehmer eines Dialogs
const int AIV_Frei04 = 5;
// ------ Pickpocket ---------------------------
const int AIV_PfeilLadezeit = 6;
// ------ ZS_Attack ----------------------------
const int AIV_LASTTARGET = 7; //damit other erhalten bleibt
const int AIV_PursuitEnd = 8; //wenn Verfolgung abgebrochen
// ------ B_SayAttackReason --------------------
const int AIV_ATTACKREASON = 9; //Grund des Angriffs - Reihenfolge PRIORISIERT
const int AR_NONE = 0;
const int AR_LeftPortalRoom = 1; //Spieler hat (unbefugten) Portalraum verlassen
const int AR_ClearRoom = 2; //Spieler ist unbefugt in meinem Raum
const int AR_GuardCalledToRoom = 3;
const int AR_MonsterVsHuman = 4; //Monster kämpft gegen Human - ich helfe Human
const int AR_MonsterMurderedHuman = 5; //Monster hat Human getötet
const int AR_SheepKiller = 6; //Schaf wurde angegriffen oder getötet (von Mensch oder Monster)
const int AR_Theft = 7; //Spieler hat Item geklaut
const int AR_UseMob = 8; //Spieler hat an Mob mit Besitzflag rumgefummelt (kann JEDES Mob sein)
const int AR_GuardCalledToThief = 9;
const int AR_ReactToWeapon = 10; //Täter hat trotz zweimaliger Warnung Waffe nicht weggesteckt ODER ich fliehe direkt
const int AR_ReactToDamage = 11; //Täter hat mich verletzt
const int AR_GuardStopsFight = 12; //Wache beendet Kampf, greift Täter an
const int AR_GuardCalledToKill = 13; //Wache durch WARN zum Mit-Töten gerufen
const int AR_GuildEnemy = 14; //Gilden-Feind = Mensch oder Monster
const int AR_HumanMurderedHuman = 15; //other hat gemordet
const int AR_MonsterCloseToGate = 16; //GateGuards halten nicht-feindliches Monster auf
const int AR_GuardStopsIntruder = 17; //GateGuards attackieren Eindringling
const int AR_SuddenEnemyInferno = 18; //EnemyOverride Blockierung für mich selbst und alle NPCs im Umkreis aufheben.
const int AR_KILL = 19; //Spieler aus Dialog heraus töten (SC hat keine Chance)
const int AR_BERSERK = 20;
const int AIV_ITEMFREQ = 18;
// ------ ZS_RansackBody ------------------------
const int AIV_Frei05 = 10; //damit nur EIN NSC einen Body plündert
// ------ ZS_Dead -------------------------------
const int AIV_Frei06 = 11; // Für Mensch und Monster!
// ------ TA_GuardPassage -----------------------
const int AIV_Guardpassage_Status = 12; // Enthält den Status einer Durchgangswache
const int GP_NONE = 0; // ...Anfang; SC noch nicht in der Nähe
const int GP_FirstWarnGiven = 1; // ...nach der ersten Warnung an den SC
const int GP_SecondWarnGiven = 2; // ...nach der zweiten Warnung an den SC
const int AIV_LastDistToWP = 13; // enthält die letzte ermittelte Distanz zum Referenz-Waypoint (Checkpoint) (wird beim SPIELER gesetzt!)
const int AIV_PASSGATE = 14; // TRUE = Spieler kann durch, FALSE = Spieler wird aufgehalten
const int AIV_SIECHTUM = 14; // Bei Monstern für Siechtum
// ------ XP-Vergabe ----------------------------
const int AIV_PARTYMEMBER = 15; //für XP-Vergabe, AUCH für Monster
const int AIV_VictoryXPGiven = 16; //wenn NSC schonmal besiegt, gibts keine XP mehr für den Spieler (z.B. bei unconscious Humans)
// ------ Geschlecht ----------------------------
const int AIV_Gender = 17; //wird zusammen mit Visual über B_SetVisual gesetzt
const int MALE = 0;
const int FEMALE = 1;
// ------ TA_Stand_Eating -----------------------
const int AIV_Food = 18;
const int FOOD_Apple = 0;
const int FOOD_Cheese = 1;
const int FOOD_Bacon = 2;
const int FOOD_Bread = 3;
// ------ TA Hilfsvariable ----------------------- //notwendig da lokale Hilfsvariablen anscheinend nicht immer neu initialisiert werden bitte nur für TAs verwenden!
const int AIV_TAPOSITION = 19;
const int ISINPOS = 0;
const int NOTINPOS = 1;
const int NOTINPOS_WALK = 2;
// ------ Finger weg!
const int AIV_SelectSpell = 20;
// ------ ZS_ObservePlayer ---------------------
const int AIV_SeenLeftRoom = 21; //ist Player-aus-Raum-raus-Kommentar schon abgelassen worden?
////////////////////////////////////
var int Player_SneakerComment;
var int Player_LeftRoomComment;
var int Player_DrawWeaponComment;
var int Player_GetOutOfMyBedComment;
////////////////////////////////////
// ------ ZS_Attack ----------------------------
const int AIV_HitByOtherNpc = 22; //ANDERER GEGNER - zweiter Treffer
const int AIV_WaitBeforeAttack = 23;
const int AIV_LastAbsolutionLevel = 24;
// ----------------------------------------------
const int AIV_ToughGuyNewsOverride = 25;
// ***************************
// AIVAR-Kennungen für Monster
// ***************************
const int AIV_MM_ThreatenBeforeAttack = 26;
const int AIV_MM_FollowTime = 27; //wie lange verfolgt einen das Monster
const int FOLLOWTIME_SHORT = 5;
const int FOLLOWTIME_MEDIUM = 10;
const int FOLLOWTIME_LONG = 20;
const int AIV_MM_FollowInWater = 28; //AUCH für HUMANS! - folgt einem der NSC auch in Wasser?
// ----------------------------------------------
const int AIV_MM_PRIORITY = 29; //ist meine Priorität gerade FRESSEN oder KÄMPFEN (immer fressen, es sei denn ich werde getroffen)
const int PRIO_EAT = 0;
const int PRIO_ATTACK = 1;
// ----------------------------------------------
const int AIV_MM_SleepStart = 30;
const int AIV_Verhandlung = 30;
const int AIV_MM_SleepEnd = 31;
const int AIV_Verhandlungsgeschick = 31;
const int AIV_MM_RestStart = 32;
const int AIV_MM_RestEnd = 33;
const int AIV_MM_RoamStart = 34;
const int AIV_MM_RoamEnd = 35;
const int AIV_MM_EatGroundStart = 36;
const int AIV_MM_EatGroundEnd = 37;
const int AIV_MM_WuselStart = 38;
const int AIV_MM_WuselEnd = 39;
const int AIV_MM_OrcSitStart = 40;
const int AIV_MM_OrcSitEnd = 41;
const int AIV_MM_BreedStart = 97;
const int AIV_MM_BreedEnd = 98;
const int OnlyRoutine = -1;
// ----------------------------------------------
const int AIV_MM_ShrinkState = 42; //merkt sich das Schrumpf-Stadium des Monsters, wenn es von einem Shrink-Zauber getroffen wird
// ----------------------------------------------
const int AIV_MM_REAL_ID = 43;
const int ID_MEATBUG = 1;
const int ID_SHEEP = 2;
const int ID_GOBBO_GREEN = 3;
const int ID_GOBBO_BLACK = 4;
const int ID_GOBBO_SKELETON = 5;
const int ID_SUMMONED_GOBBO_SKELETON = 6;
const int ID_SCAVENGER = 7;
const int ID_SCAVENGER_DEMON = 8;
const int ID_GIANT_RAT = 8;
const int ID_GIANT_BUG = 9;
const int ID_BLOODFLY = 10;
const int ID_WARAN = 11;
const int ID_FIREWARAN = 12;
const int ID_WOLF = 13;
const int ID_WARG = 14;
const int ID_SUMMONED_WOLF = 15;
const int ID_MINECRAWLER = 16;
const int ID_MINECRAWLERWARRIOR = 17;
const int ID_LURKER = 18;
const int ID_SKELETON = 19;
const int ID_SUMMONED_SKELETON = 20;
const int ID_SKELETON_MAGE = 21;
const int ID_ZOMBIE = 22;
const int ID_SNAPPER = 23;
const int ID_DRAGONSNAPPER = 24;
const int ID_SHADOWBEAST = 25;
const int ID_SHADOWBEAST_SKELETON = 26;
const int ID_HARPY = 27;
const int ID_STONEGOLEM = 28;
const int ID_FIREGOLEM = 29;
const int ID_ICEGOLEM = 30;
const int ID_SUMMONED_GOLEM = 31;
const int ID_DEMON = 32;
const int ID_SUMMONED_DEMON = 33;
const int ID_DEMON_LORD = 34;
const int ID_TROLL = 35;
const int ID_TROLL_BLACK = 36;
const int ID_SWAMPSHARK = 37;
const int ID_DRAGON_FIRE = 38;
const int ID_DRAGON_ICE = 39;
const int ID_DRAGON_ROCK = 40;
const int ID_DRAGON_SWAMP = 41;
const int ID_DRAGON_UNDEAD = 42;
const int ID_MOLERAT = 43;
const int ID_ORCWARRIOR = 44;
const int ID_ORCSHAMAN = 45;
const int ID_ORCELITE = 46;
const int ID_UNDEADORCWARRIOR = 47;
const int ID_DRACONIAN = 48;
const int ID_WISP = 49;
//----- Addon ------
const int ID_Alligator = 50;
const int ID_Swampgolem = 51;
const int ID_Stoneguardian = 52;
const int ID_Gargoyle = 53;
const int ID_Bloodhound = 54;
const int ID_Icewolf = 55;
const int ID_OrcBiter = 56;
const int ID_Razor = 57;
const int ID_Swarm = 58;
const int ID_Swamprat = 59;
const int ID_BLATTCRAWLER = 60;
const int ID_SummonedGuardian = 61;
const int ID_SummonedZombie = 62;
const int ID_Keiler = 63;
const int ID_SWAMPDRONE = 64;
//Mod
const int ID_TROLL_SILBER = 65;
const int ID_TROLL_HÖHLE = 66;
const int ID_ORCDOG = 67;
const int ID_FIRESHADOWBEAST = 68;
const int ID_FLEISCHFLY = 69;
const int ID_WATERSHADOWBEAST = 70;
const int ID_NIGHTMARE = 71;
const int ID_SUMMONED_FIREGOLEM = 72;
const int ID_SUMMONED_ICEGOLEM = 73;
const int ID_SCHAEFERHUND = 74;
const int ID_Rabbit = 75;
const int ID_SUMMONED_STONEDRAGON = 76;
const int ID_SUMMONED_ICEDRAGON = 77;
const int ID_SUMMONED_FIREDRAGON = 78;
const int ID_SUMMONED_GOBBO_WARRIOR = 79;
const int ID_SUMMONED_GOBBO_EIS = 80;
const int ID_SLEEPER = 81;
const int ID_MINECRAWLERQUEEN = 82;
const int ID_SKELETONWARRIOR = 83;
const int ID_ECHSENSHAMAN = 84;
const int ID_DRAGON_BLACK = 85;
const int ID_SHADOWBEASTNEW = 86;
const int ID_KEILER01 = 87;
const int ID_LINDWURM = 88;
const int ID_UNDEADSWAMPSHARK = 89;
const int ID_SUMMONED_UNDEADSWAMPSHARK = 90;
const int ID_DOG = 91;
const int ID_GEISTERKRIEGER = 92;
const int ID_Schildkroete = 93;
const int ID_Balrog = 94;
const int ID_GigantDerVorzeit = 95;
const int ID_Kobold = 96;
const int ID_Erdgigant = 97;
const int ID_Blutgolem = 98;
const int ID_Eisdrachensnapper = 99;
const int ID_Insekt = 100;
const int ID_SkeletonLord = 101;
const int ID_OrcWarriorCrossbow = 102;
const int ID_Spider = 103;
const int ID_Alraune = 104;
const int ID_Apfelbaum = 105;
const int ID_Truhe = 106;
const int ID_Erzgolem = 107;
const int ID_Summoned_Harpie = 108;
const int ID_Minotaurus = 109;
const int ID_RazorSkelett = 110;
// ----------------------------------------------
const int AIV_LASTBODY = 44; //der Body, an dem ich zuletzt gefressen habe
const int AIV_FOUNDPERSON = 1;
// **********************
// Weitere Human - AIVARs
// **********************
// ------ Petzen --------------------------------
const int AIV_ArenaFight = 45; // Schaf kriegt Drink-Cooldown
const int AF_NONE = 0;
const int AF_RUNNING = 1;
const int AF_AFTER = 2;
const int AF_AFTER_PLUS_DAMAGE = 3;
const int AIV_DrinkCooldown = 45; // Für Schafe
// ------ zusätzlich zur CRIME merken -----------
const int AIV_CrimeAbsolutionLevel = 46;
const int AIV_CurrentState = 46; // Für Schafe
// ------ ZS_Attack ----------------------------
const int AIV_LastPlayerAR = 47;
// ------ ZS_Unconscious ------------------------
const int AIV_DuelLost = 48;
// ------ Trade AIV -----------------------------
const int AIV_ChapterInv = 49;
// ------ Monster: Rudeltier (reagiert auf WARN) ------
const int AIV_MM_Packhunter = 50;
// ------ MAGIE -----
const int AIV_MagicUser = 51;
const int MAGIC_NEVER = 0;
const int MAGIC_ALWAYS = 1;
// ------ C_DropUnconscious ------
const int AIV_DropDeadAndKill = 52;
// ------ ZS_MagicFreeze ------
const int AIV_FreezeStateTime = 53;
// ------ IGNORE Crime ------
const int AIV_IGNORE_Murder = 54;
const int AIV_IGNORE_Theft = 55;
const int AIV_IGNORE_Sheepkiller = 56;
// ------ ToughGuy IGNORIERT Attack-Crime ------
const int AIV_ToughGuy = 57; //Jubelt beim Kampf, hat keine News bei Attack (kann über AIV_LastFightAgainstPlayer reagieren)
// ------ News Override (petzen aber nicht labern) ------
const int AIV_NewsOverride = 58;
// ------ ZS_MM_Attack ------
const int AIV_MaxDistToWp = 59;
const int AIV_OriginalFightTactic = 60;
// ------ B_AssessEnemy ------
const int AIV_EnemyOverride = 61;
// ------ für beschworene Monster ------
const int AIV_SummonTime = 62;
// ------ ZS_Attack ------
const int AIV_FightDistCancel = 63;
const int AIV_LastFightComment = 64; //Hat der NSC den letzten Kampf kommentiert?
// -----------------------
const int AIV_LOADGAME = 65; //frag nicht
// ------ ZS_Unconscious -------
const int AIV_DefeatedByPlayer = 66;
// ------ ZS_Dead ------
const int AIV_KilledByPlayer = 67;
// ------ diverse ZS -------
const int AIV_StateTime = 68; //um mit zwei StateTime-Triggern arbeiten zu können.
// -------------------------
const int AIV_Dist = 69;
const int AIV_IgnoresFakeGuild = 70;
const int AIV_NoFightParker = 71; //wird von NSCs weder angegriffen, noch greift er selber welche an. (Archetyp: Gefangener)
const int AIV_NPCIsRanger = 72; //Der Typ gehört zum 'Ring des Wassers'
const int AIV_IgnoresArmor = 73; //Keine Reaktion oder Konsequenzen auf die Rüstung des SC
const int AIV_StoryBandit = 74; //Banditen, mit denen gekämpft werden darf
const int AIV_Blutet = 75; //Estebans Dreigestirn
// ------ ZS_Whirlwind --------
const int AIV_WhirlwindStateTime = 76; //added by kairo
// ------ ZS_Inflate --------
const int AIV_InflateStateTime = 77; //added by kairo
// ------ ZS_Swarm --------
const int AIV_SwarmStateTime = 78; //added by kairo
// ------ ZS_SuckEnergy --------
const int AIV_SuckEnergyStateTime = 79; //added by kairo
// ------ Party of Pirates ------
const int AIV_FollowDist = 80;
// ------ REAL Attributes ------
const int REAL_STRENGTH = 81;
const int REAL_DEXTERITY = 82;
const int REAL_MANA_MAX = 83;
const int REAL_TALENT_1H = 84;
const int REAL_TALENT_2H = 85;
const int REAL_TALENT_BOW = 86;
const int REAL_TALENT_CROSSBOW = 87;
const int AIV_SpellLevel = 88;
const int AIV_Altern = 89;
const int AIV_Schwierigkeitsgrad = 90;
const int AIV_FLUGBLATTVERTEILT = 91;
const int AIV_Zaehmen = 92;
const int AIV_OrkUluMulu = 93;
const int AIV_TrankBekommen = 94;
const int AIV_Tiergift = 95;
const int AIV_Pflanzengift = 96;
const int AIV_Gifttime = 97;
const int AIV_BauerWentKo = 98;
const int AIV_Damage = 99;
// ***************************************************
// Globalvariablen für Petzen/Absolution/News - System
// ***************************************************
var int ABSOLUTIONLEVEL_OldCamp;
var int ABSOLUTIONLEVEL_PsiCamp;
var int ABSOLUTIONLEVEL_WMCamp;
var int ABSOLUTIONLEVEL_SCamp;
var int ABSOLUTIONLEVEL_City;
var int ABSOLUTIONLEVEL_Monastery;
var int ABSOLUTIONLEVEL_Farm;
var int ABSOLUTIONLEVEL_Bandit;
var int ABSOLUTIONLEVEL_Patherion;
var int ABSOLUTIONLEVEL_Khorata;
var int ABSOLUTIONLEVEL_BL;//ADDON
var int PETZCOUNTER_OldCamp_Murder;
var int PETZCOUNTER_OldCamp_Theft;
var int PETZCOUNTER_OldCamp_Attack;
var int PETZCOUNTER_OldCamp_Sheepkiller;
var int PETZCOUNTER_PsiCamp_Murder;
var int PETZCOUNTER_PsiCamp_Theft;
var int PETZCOUNTER_PsiCamp_Attack;
var int PETZCOUNTER_PsiCamp_Sheepkiller;
var int PETZCOUNTER_Patherion_Murder;
var int PETZCOUNTER_Patherion_Theft;
var int PETZCOUNTER_Patherion_Attack;
var int PETZCOUNTER_Patherion_Sheepkiller;
var int PETZCOUNTER_WMCamp_Murder;
var int PETZCOUNTER_WMCamp_Theft;
var int PETZCOUNTER_WMCamp_Attack;
var int PETZCOUNTER_WMCamp_Sheepkiller;
var int PETZCOUNTER_SCamp_Murder;
var int PETZCOUNTER_SCamp_Theft;
var int PETZCOUNTER_SCamp_Attack;
var int PETZCOUNTER_SCamp_Sheepkiller;
var int PETZCOUNTER_City_Murder;
var int PETZCOUNTER_City_Theft;
var int PETZCOUNTER_City_Attack;
var int PETZCOUNTER_City_Sheepkiller;
var int PETZCOUNTER_Bandit_Murder;
var int PETZCOUNTER_Bandit_Theft;
var int PETZCOUNTER_Bandit_Attack;
var int PETZCOUNTER_Bandit_Sheepkiller;
var int PETZCOUNTER_Monastery_Murder;
var int PETZCOUNTER_Monastery_Theft;
var int PETZCOUNTER_Monastery_Attack;
var int PETZCOUNTER_Monastery_Sheepkiller;
var int PETZCOUNTER_Farm_Murder;
var int PETZCOUNTER_Farm_Theft;
var int PETZCOUNTER_Farm_Attack;
var int PETZCOUNTER_Farm_Sheepkiller;
var int PETZCOUNTER_Khorata_Murder;
var int PETZCOUNTER_Khorata_Theft;
var int PETZCOUNTER_Khorata_Attack;
var int PETZCOUNTER_Khorata_Sheepkiller;
var int PETZCOUNTER_BL_Murder;
var int PETZCOUNTER_BL_Theft;
var int PETZCOUNTER_BL_Attack;
// ***************************************************
// Location Konstanten
// ***************************************************
const int LOC_NONE = 0;
const int LOC_OLDCAMP = 1;
const int LOC_CITY = 2;
const int LOC_MONASTERY = 3;
const int LOC_FARM = 4;
const int LOC_BL = 5; //Addon Banditenlager
const int LOC_ALL = 6;
const int LOC_PSICAMP = 7;
const int LOC_SMCAMP = 8;
const int LOC_WMCAMP = 9; //ALLE Locations
const int LOC_BANDIT = 10;
const int LOC_PATHERION = 11;
const int LOC_KHORATA = 12;
// ***************************************************
// Stadtviertel Konstanten
// ***************************************************
const int Q_KASERNE = 1;
const int Q_GALGEN = 2;
const int Q_MARKT = 3;
const int Q_TEMPEL = 4;
const int Q_UNTERSTADT = 5;
const int Q_HAFEN = 6;
const int Q_OBERSTADT = 7;
// ******************************
// Aktive Wahrnehmung der MONSTER
// ******************************
//---------------------------------------------
const int PERC_DIST_SUMMONED_ACTIVE_MAX = 2000; // Maximale Reichweite der aktiven Wahrnehmung aller beschworenen Monster
const int PERC_DIST_MONSTER_ACTIVE_MAX = 1500; // Maximale Reichweite der aktiven Wahrnehmung ALLER anderen Monster
const int PERC_DIST_ORC_ACTIVE_MAX = 2500; //
const int PERC_DIST_DRAGON_ACTIVE_MAX = 3500; //Damit das Vlippern endlich ein Ende hat
//---------------------------------------------
const int FIGHT_DIST_MONSTER_ATTACKRANGE = 700; // Wann greifen Monster an bzw. ab welcher Distanz vertreiben sie dich vom Fressen
const int FIGHT_DIST_MONSTER_FLEE = 300; // Ab wann fliehe ich vor einem Feind
const int FIGHT_DIST_DRAGON_MAGIC = 700;
//---------------------------------------------
const int MONSTER_THREATEN_TIME = 4; // Sekunden, die Monster drohen, bevor sie angreifen (wenn Gegner nicht zu weit und nicht zu nah)
const int MONSTER_SUMMON_TIME_CIRCLE_1 = 40;
const int MONSTER_SUMMON_TIME_CIRCLE_2 = 60;
const int MONSTER_SUMMON_TIME_CIRCLE_3 = 80;
const int MONSTER_SUMMON_TIME_CIRCLE_4 = 110;
const int MONSTER_SUMMON_TIME_CIRCLE_5 = 150;
/********************************************************************
** Konstanten für Distanzen **
** der Menschen-AI **
********************************************************************/
// --------------------------------------------
const int TA_DIST_SELFWP_MAX = 500; // 500
// --------------------------------------------
const int PERC_DIST_ACTIVE_MAX = 2000; // Maximal-Reichweite der AKTIVEN Wahrnehmungen - angegeben in Npc_Default.d
//---------------------------------------------
const int PERC_DIST_INTERMEDIAT = 1000; // Mittlere Passive Wahrnehmung
const int PERC_DIST_DIALOG = 750; // Dialogreichweite
const int PERC_DIST_HEIGHT = 1000; // ab welchem Höhenunterschied wird Wn ignoriert
const int PERC_DIST_INDOOR_HEIGHT = 250; // dasselbe für Indoor (zum Ignorieren von anderen Stockwerken wenn ganzes Haus (Höhlensystem) EIN Portalraum ist)
//---------------------------------------------
const int FIGHT_DIST_MELEE = 600; // Bis zu welcher Entfernung Bedrohung durch SC-Waffe
const int FIGHT_DIST_RANGED_INNER = 900; // Ab welcher Entfernung NK wählen, wenn NSC im FK ist
const int FIGHT_DIST_RANGED_OUTER = 1000; // Ab welcher Entfernung FK wählen, wenn NSC im NK ist oder Waffe zum ersten Mal gezogen wird
const int FIGHT_DIST_CANCEL = 3500; // Bis wann hinterherschiessen, ab welcher Distanz Kampf abbrechen ODER Flucht abbrechen
//---------------------------------------------
const int WATCHFIGHT_DIST_MIN = 300;
const int WATCHFIGHT_DIST_MAX = 2000;
//---------------------------------------------
const int ZivilAnquatschDist = 400; // Distanz, ab der dich ein NSC zivil anspricht (Maximum ist PERC_DIST_ACTIVE_MAX --> B_AssessPlayer)
//---------------------------------------------
const float RANGED_CHANCE_MINDIST = 9000000; // Unterhalb dieser Distanz steigt die Trefferchance linear bis 100% an. (Default sind 10m)
const float RANGED_CHANCE_MAXDIST = 9000000; // Ab RANGED_CHANCE_MINDIST bis RANGED_CHANCE_MAXDIST sinkt die Trefferchance bis auf 0% ab (default sind 100m)
/********************************************************************
** Zeit-Konstanten *
********************************************************************/
CONST INT NPC_ANGRY_TIME = 120; // MUSS SO HEISSEN, ist vom Programm ausgelagert - Spielsekunden, die die Temp_Att aufrechterhalten wird, bevor sie wieder auf Perm_Att gesetzt wird (gilt für alle At, nicht nur für angry)
// -------------------------------------------
const int HAI_TIME_UNCONSCIOUS = 20; // MUSS SO HEISSEN, ist vom Programm ausgelagert (Default = 20) - Zeit in Sekunden, die der SC und NSCs bewußtlos bleiben
// -------------------------------------------
const int NPC_TIME_FOLLOW = 10; // Zeit, die sich das Opfer des NSCs maximal in BS_RUN befinden darf, um noch weiter verfolgt zu werden
/********************************************************************
** Mindestschaden **
********************************************************************/
const int NPC_MINIMAL_DAMAGE = 1; //MUSS SO HEISSEN, ist vom Programm ausgelagert - Untere Genze des Mindestschadens für Menschen (*** und Monster ??? ***)
const int NPC_MINIMAL_PERCENT = 0; //MUSS SO HEISSEN, ist vom Programm ausgelagert - Mindestschaden wird ermittelt durch X% vom normalen Gesamtschaden (NACH Abzug der Rüstung), wobei NPC_MINIMAL_DAMAGE genommen wird, falls Mindestschaden NACH %-Berechnung kleiner als NPC_MINIMAL_DAMAGE!
/********************************************************************
** Fight AI-Constanten *
********************************************************************/
const int FAI_NAILED = 1 ;
const int FAI_HUMAN_COWARD = 2 ;
const int FAI_HUMAN_STRONG = 3 ;
const int FAI_HUMAN_MASTER = 4 ;
const int FAI_MINECRAWLER = 5 ; // Minecrawler / Minecrawler Warrior
const int FAI_DEMON = 6 ;
const int FAI_GOBBO = 7 ; // Green Goblin / Black Goblin
const int FAI_STONEGOLEM = 8 ;
const int FAI_LURKER = 9 ;
const int FAI_MONSTER_COWARD = 10 ; // Spielanfang ;
const int FAI_GIANT_RAT = 11 ;
const int FAI_ORC = 12 ; // Ork-Krieger / Ork-Shamane / Ork-Elite
const int FAI_MinecrawlerQueen = 13;
const int FAI_SCAVENGER = 15 ; // (bei Bedarf) Scavenger / Evil Scavenger
const int FAI_SHADOWBEAST = 16 ;
const int FAI_SNAPPER = 18 ; // Snapper / Dragon Snapper
const int FAI_SWAMPSHARK = 19 ; // (bei Bedarf)
const int FAI_TROLL = 20 ; // Troll / Schwarzer Troll
const int FAI_WARAN = 21 ; // Waren / Feuerwaran
const int FAI_WOLF = 22 ;
const int FAI_ZOMBIE = 23 ;
const int FAI_BLOODFLY = 24 ;
const int FAI_GIANT_BUG = 31 ;
const int FAI_HARPY = 36 ;
const int FAI_DRAGON = 39 ; // Feuerdrache / Eisdrache / Felsdrache / Sumpfdrache / Untoter Drache
const int FAI_MOLERAT = 40 ; // Molerat
const int FAI_DRACONIAN = 41 ;
const int FAI_HUMAN_NORMAL = 42 ;
const int FAI_Alligator = 43 ; //Alligator Addon
const int FAI_Gargoyle = 44 ; //Steinpuma
const int FAI_Stoneguardian = 46 ; //Steinwächter
const int FAI_Human_Mage = 48;
const int FAI_Human_Ranged = 49;
/********************************************************************
** Allgemeine Konstanten **
********************************************************************/
const int TRUE = 1;
const int FALSE = 0;
const INT LOOP_CONTINUE = 0;
CONST INT LOOP_END = 1;
const int DEFAULT = 0; //wird in Monster-Instanzen (SetVisual) verwendet
// ***************************
// Spieler Constants
// ***************************
const int LP_PER_LEVEL = 10; // Lernpunkte pro Spieler-Stufe
var int HP_PER_LEVEL; // = 12; // Lebenspunkte pro Spieler-Stufe
const int XP_PER_VICTORY = 10; // Erfahrungspunkte pro Level des Gegners
/********************************************************************
** NPC-Typ *
********************************************************************/
const int NPCTYPE_AMBIENT = 0;
const int NPCTYPE_MAIN = 1;
const int NPCTYPE_FRIEND = 2;
const int NPCTYPE_OCAMBIENT = 3;
const int NPCTYPE_OCMAIN = 4;
const int NPCTYPE_BL_AMBIENT = 5;//Addon
const int NPCTYPE_TAL_AMBIENT = 6;//Addon
const int NPCTYPE_BL_MAIN = 7;//Addon
const int NPCTYPE_MT_GARDIST = 8;
const int NPCTYPE_MT_REISBAUER = 9;
const int NPCTYPE_MT_SUMPFNOVIZE = 10;
const int NPCTYPE_MT_SCHATTEN = 11;
const int NPCTYPE_MT_BUDDLER = 12;
const int NPCTYPE_MT_TEMPLER = 13;
const int NPCTYPE_MT_SOELDNER = 14;
const int NPCTYPE_MT_SCHUERFER = 15;
const int NPCTYPE_NW_BAUER = 16;
const int NPCTYPE_NW_MILIZ = 17;
const int NPCTYPE_NW_PALADIN = 18;
const int NPCTYPE_NW_FEUERNOVIZE = 19;
const int NPCTYPE_MT_BABE = 20;
const int NPCTYPE_NW_SOELDNER = 21;
const int NPCTYPE_OM_BUDDLER = 22;
const int NPCTYPE_NW_SCHWARZERNOVIZE = 23;
const int NPCTYPE_MT_BUDDLER2 = 24;
const int NPCTYPE_MT_SCHATTEN2 = 25;
const int NPCTYPE_MT_GARDIST2 = 26;
const int NPCTYPE_MT_ERZBARON2 = 27;
const int NPCTYPE_MT_SUMPFNOVIZE2 = 28;
const int NPCTYPE_MT_GURU2 = 29;
const int NPCTYPE_MT_TEMPLER2 = 30;
const int NPCTYPE_NW_WASSERKRIEGER = 31;
const int NPCTYPE_FM_SOELDNER = 32;
const int NPCTYPE_FM_SCHUERFER = 33;
const int NPCTYPE_PAT_SCHWARZERKRIEGER = 34;
const int NPCTYPE_PAT_SCHWARZERMAGIER = 35;
const int NPCTYPE_NW_SUMPFNOVIZE = 36;
const int NPCTYPE_MT_STRAEFLING = 37;
const int NPCTYPE_PAT_FEUERMAGIER = 38;
const int NPCTYPE_PAT_ORDENSPRIESTER = 39;
const int NPCTYPE_MT_Fanatiker = 40;
const int NPCTYPE_PAT_RITTER = 41;
const int NPCTYPE_PAT_PALADIN = 42;
const int NPCTYPE_PAT_ORDENSPRIESTER_MAUER = 43;
const int NPCTYPE_PAT_PALADIN_MAUER = 44;
const int NPCTYPE_PAT_HEXE = 45;
const int NPCTYPE_OM_SCHWARZERKRIEGER = 46;
const int NPCTYPE_MT_GARDISTATBANDIT = 47;
const int NPCTYPE_NW_GARDIST = 48;
const int NPCTYPE_EIS_BEWOHNER = 49;
const int NPCTYPE_NW_BANDIT = 50;
const int NPCTYPE_MT_BANDIT = 51;
const int NPCTYPE_MT_ORKJAGD = 52;
const int NPCTYPE_MT_ORKJAEGER = 53;
const int NPCTYPE_REL_BUERGER = 54;
const int NPCTYPE_UNTOTERNOVIZE = 55;
const int NPCTYPE_UNTOTERMAGIER = 56;
const int NPCTYPE_NW_Fanatiker = 57;
//****************************************************
// Produktions-Mobsis
//****************************************************
//werden benötigt um eine Unterscheidung der Mobsi beim PC_Hero Dialog vorzunehmen.
const int MOBSI_NONE = 0;
const int MOBSI_SmithWeapon = 1;
const int MOBSI_SleepAbit = 2;
const int MOBSI_MakeRune = 3;
const int MOBSI_PotionAlchemy = 4;
const int MOBSI_PRAYSHRINE = 5;
const int MOBSI_GOLDHACKEN = 6;
const int MOBSI_PRAYIDOL = 7;
const int MOBSI_Kessel = 8;
const int MOBSI_Herd = 9;
const int MOBSI_Schleifstein = 10;
const int MOBSI_Krautstampfer = 11;
const int MOBSI_Baumstamm = 12;
const int MOBSI_Erzhacken = 13;
const int MOBSI_Stove = 14;
const int MOBSI_Fokus1 = 15;
const int MOBSI_Fokus2 = 16;
const int MOBSI_Fokus3 = 17;
const int MOBSI_Fokus4 = 18;
const int MOBSI_Fokus5 = 19;
const int MOBSI_Bow = 20;
const int MOBSI_CBow = 21;
const int MOBSI_AniLog = 22;
const int MOBSI_Runensteinbrocken = 23;
const int MOBSI_PrayAdanosSchrein = 24;
const int MOBSI_Schmelze = 25;
const int MOBSI_TeleportMonologXD = 26;
const int MOBSI_Buchschreiben = 27;
const int MOBSI_Pfeife = 28;
const int MOBSI_Waterpipe = 29;
const int MOBSI_Spieleinstellungen = 30;
const int MOBSI_Opferaltar = 31;
const int MOBSI_SOCKELWS = 32;
const int MOBSI_TeleportObelisk = 33;
const int MOBSI_Hochofen = 34;
const int MOBSI_BierfassOrlan = 35;
const int MOBSI_TeleportSteinkreisTafel = 36;
const int MOBSI_Klo = 37;
const int MOBSI_Salzhacken = 38;
const int MOBSI_WaterpipeAbuyin = 39;
const int MOBSI_Haemmern = 40;
const int MOBSI_GruenErzbrocken1 = 41;
const int MOBSI_GruenErzbrocken2 = 42;
const int MOBSI_GruenErzbrocken3 = 43;
const int MOBSI_GruenErzbrocken4 = 44;
const int MOBSI_GruenErzbrocken5 = 45;
const int MOBSI_Steinschale1 = 46;
const int MOBSI_Steinschale2 = 47;
const int MOBSI_GruenErzbrocken6 = 48;
const int MOBSI_GruenErzbrocken7 = 49;
const int MOBSI_GruenErzbrocken8 = 50;
const int MOBSI_GruenErzbrocken9 = 51;
const int MOBSI_GruenErzbrocken10 = 52;
const int MOBSI_GruenErzbrocken11 = 53;
const int MOBSI_GruenErzbrocken12 = 54;
const int MOBSI_Anschlagtafel_Khorinis = 55;
const int MOBSI_OpferschaleDT = 56;
const int MOBSI_FokusSchrein = 57;
const int MOBSI_Trinkfass = 58;
var int PLAYER_MOBSI_PRODUCTION;
// *****************************
// Konstanten für B_SetNpcVisual
// *****************************
// ------ Nacktmesh-Texturen für Männer und Frauen (je 4) ------
const int BodyTex_P = 0; //Pale
const int BodyTex_N = 1; //Normal
const int BodyTex_L = 2; //Latino
const int BodyTex_B = 3; //Black - die gleichen Kennungen haben auch die Gesichter (zum direkten Vergleich)
const int BodyTexBabe_P = 4; //Pale Babe
const int BodyTexBabe_N = 5; //Normal Babe
const int BodyTexBabe_L = 6; //Latino Babe
const int BodyTexBabe_B = 7; //Black Babe //Frauen werden auch mit den "Männer"-Konstanten angegeben, dann vom Script +4 addiert, d.h. diese Konstanten werden nicht gebraucht
const int BodyTex_Player = 8;
//---------ADD ON----------------------
const int BodyTex_T = 10; //tätowierte psionikerhaut
const int BodyTexBabe_F = 11; //Fellkragen Babe
const int BodyTexBabe_S = 12;//das kleine Schwarze
// ------ Keine Rüstung ------
const int NO_ARMOR = -1;
// ------- Gesichter für Männer ------
const int Face_N_Gomez = 0 ;
const int Face_N_Scar = 1 ;
const int Face_N_Raven = 2 ;
const int Face_N_Bullit = 3 ; //zu lieb!
const int Face_B_Thorus = 4 ;
const int Face_N_Corristo = 5 ;
const int Face_N_Milten = 6 ;
const int Face_N_Bloodwyn = 7 ; //zu lieb!
const int Face_L_Scatty = 8 ;
const int Face_N_YBerion = 9 ;
const int Face_N_CoolPock = 10 ;
const int Face_B_CorAngar = 11 ;
const int Face_B_Saturas = 12 ;
const int Face_N_Xardas = 13 ;
const int Face_N_Lares = 14 ;
const int Face_L_Ratford = 15 ;
const int Face_N_Drax = 16 ; //Buster
const int Face_B_Gorn = 17 ;
const int Face_N_Player = 18 ;
const int Face_P_Lester = 19 ;
const int Face_N_Lee = 20 ;
const int Face_N_Torlof = 21 ;
const int Face_N_Mud = 22 ;
const int Face_N_Ricelord = 23 ;
const int Face_N_Horatio = 24 ;
const int Face_N_Richter = 25 ;
const int Face_N_Cipher_neu = 26 ;
const int Face_N_Homer = 27 ; //Headmesh thief
const int Face_B_Cavalorn = 28 ;
const int Face_L_Ian = 29 ;
const int Face_L_Diego = 30 ;
const int Face_N_MadPsi = 31 ;
const int Face_N_Bartholo = 32 ;
const int Face_N_Snaf = 33 ;
const int Face_N_Mordrag = 34 ;
const int Face_N_Lefty = 35 ;
const int Face_N_Wolf = 36 ;
const int Face_N_Fingers = 37 ;
const int Face_N_Whistler = 38 ;
const int Face_P_Gilbert = 39 ;
const int Face_L_Jackal = 40 ;
//Pale
const int Face_P_ToughBald = 41 ;
const int Face_P_Tough_Drago = 42 ;
const int Face_P_Tough_Torrez = 43 ;
const int Face_P_Tough_Rodriguez = 44 ;
const int Face_P_ToughBald_Nek = 45 ;
const int Face_P_NormalBald = 46 ;
const int Face_P_Normal01 = 47 ;
const int Face_P_Normal02 = 48 ;
const int Face_P_Normal_Fletcher = 49 ;
const int Face_P_Normal03 = 50 ;
const int Face_P_NormalBart01 = 51 ;
const int Face_P_NormalBart_Cronos = 52 ;
const int Face_P_NormalBart_Nefarius= 53 ;
const int Face_P_NormalBart_Riordian= 54 ;
const int Face_P_OldMan_Gravo = 55 ;
const int Face_P_Weak_Cutter = 56 ;
const int Face_P_Weak_Ulf_Wohlers = 57 ;
//Normal
const int Face_N_Important_Arto = 58 ;
const int Face_N_ImportantGrey = 59 ;
const int Face_N_ImportantOld = 60 ;
const int Face_N_Tough_Lee_ähnlich = 61 ;
const int Face_N_Tough_Skip = 62 ;
const int Face_N_ToughBart01 = 63 ;
const int Face_N_Tough_Okyl = 64 ;
const int Face_N_Normal01 = 65 ;
const int Face_N_Normal_Cord = 66 ;
const int Face_N_Normal_Olli_Kahn = 67 ;
const int Face_N_Normal02 = 68 ;
const int Face_N_Normal_Spassvogel = 69 ;
const int Face_N_Normal03 = 70 ;
const int Face_N_Normal04 = 71 ;
const int Face_N_Normal05 = 72 ;
const int Face_N_Normal_Stone = 73 ;
const int Face_N_Normal06 = 74 ;
const int Face_N_Normal_Erpresser = 75 ;
const int Face_N_Normal07 = 76 ;
const int Face_N_Normal_Blade = 77 ;
const int Face_N_Normal08 = 78 ;
const int Face_N_Normal14 = 79 ;
const int Face_N_Normal_Sly = 80 ;
const int Face_N_Normal16 = 81 ;
const int Face_N_Normal17 = 82 ;
const int Face_N_Normal18 = 83 ;
const int Face_N_Normal19 = 84 ;
const int Face_N_Normal20 = 85 ;
const int Face_N_NormalBart01 = 86 ;
const int Face_N_NormalBart02 = 87 ;
const int Face_N_NormalBart03 = 88 ;
const int Face_N_NormalBart04 = 89 ;
const int Face_N_NormalBart05 = 90 ;
const int Face_N_NormalBart06 = 91 ;
const int Face_N_NormalBart_Senyan = 92 ;
const int Face_N_NormalBart08 = 93 ;
const int Face_N_NormalBart09 = 94 ;
const int Face_N_NormalBart10 = 95 ;
const int Face_N_NormalBart11 = 96 ;
const int Face_N_NormalBart12 = 97 ;
const int Face_N_NormalBart_Dexter = 98 ;
const int Face_N_NormalBart_Graham = 99 ;
const int Face_N_NormalBart_Dusty = 100 ;
const int Face_N_NormalBart16 = 101 ;
const int Face_N_NormalBart17 = 102 ;
const int Face_N_NormalBart_Huno = 103 ;
const int Face_N_NormalBart_Grim = 104 ;
const int Face_N_NormalBart20 = 105 ;
const int Face_N_NormalBart21 = 106 ;
const int Face_N_NormalBart22 = 107 ;
const int Face_N_OldBald_Jeremiah = 108 ;
const int Face_N_Weak_Ulbert = 109 ;
const int Face_N_Weak_BaalNetbek = 110 ;
const int Face_N_Weak_Herek = 111 ;
const int Face_N_Weak04 = 112 ;
const int Face_N_Weak05 = 113 ;
const int Face_N_Weak_Orry = 114 ;
const int Face_N_Weak_Asghan = 115 ;
const int Face_N_Weak_Markus_Kark = 116 ;
const int Face_N_Weak_Cipher_alt = 117 ;
const int Face_N_NormalBart_Swiney = 118 ;
const int Face_N_Weak12 = 119 ;
//Latinos
const int Face_L_ToughBald01 = 120 ;
const int Face_L_Tough01 = 121 ;
const int Face_L_Tough02 = 122 ;
const int Face_L_Tough_Santino = 123 ;
const int Face_L_ToughBart_Quentin = 124 ;
const int Face_L_Normal_GorNaBar = 125 ;
const int Face_L_NormalBart01 = 126 ;
const int Face_L_NormalBart02 = 127 ;
const int Face_L_NormalBart_Rufus = 128 ;
//Black
const int Face_B_ToughBald = 129 ;
const int Face_B_Tough_Pacho = 130 ;
const int Face_B_Tough_Silas = 131 ;
const int Face_B_Normal01 = 132 ;
const int Face_B_Normal_Kirgo = 133 ;
const int Face_B_Normal_Sharky = 134 ;
const int Face_B_Normal_Orik = 135 ;
const int Face_B_Normal_Kharim = 136 ;
// ------ Gesichter für Frauen ------
const int FaceBabe_N_BlackHair = 137 ;
const int FaceBabe_N_Blondie = 138 ;
const int FaceBabe_N_BlondTattoo = 139 ;
const int FaceBabe_N_PinkHair = 140 ;
const int FaceBabe_L_Charlotte = 141 ;
const int FaceBabe_B_RedLocks = 142 ;
const int FaceBabe_N_HairAndCloth = 143 ;
//
const int FaceBabe_N_WhiteCloth = 144 ;
const int FaceBabe_N_GreyCloth = 145 ;
const int FaceBabe_N_Brown = 146 ;
const int FaceBabe_N_VlkBlonde = 147 ;
const int FaceBabe_N_BauBlonde = 148 ;
const int FaceBabe_N_YoungBlonde = 149 ;
const int FaceBabe_N_OldBlonde = 150 ;
const int FaceBabe_P_MidBlonde = 151 ;
const int FaceBabe_N_MidBauBlonde = 152 ;
const int FaceBabe_N_OldBrown = 153 ;
const int FaceBabe_N_Lilo = 154 ;
const int FaceBabe_N_Hure = 155 ;
const int FaceBabe_N_Anne = 156 ;
const int FaceBabe_B_RedLocks2 = 157 ;
const int FaceBabe_L_Charlotte2 = 158 ;
//-----------------ADD ON---------------------------------
const int Face_N_Fortuno = 159;
//Piraten
const int Face_P_Greg = 160;
const int Face_N_Pirat01 = 161;
const int Face_N_ZombieMud = 162;
|
D
|
//-----------------------------------------------------------------------------
// wxD - ActivateEvent.d
// (C) 2005 bero <berobero@users.sourceforge.net>
// based on
// wx.NET - ActivateEvent.cs
//
/// The wxActivateEvent wrapper class.
//
// Written by Alexander Olk (xenomorph2@onlinehome.de)
// (C) 2004 by Alexander Olk
// Licensed under the wxWidgets license, see LICENSE.txt for details.
//
// $Id: GdiCommon.d,v 1.11 2007/02/01 00:09:34 afb Exp $
//-----------------------------------------------------------------------------
module wx.GdiCommon;
public import wx.common;
public import wx.Bitmap;
public import wx.Cursor;
public import wx.Icon;
public import wx.Pen;
public import wx.Brush;
public import wx.Font;
public import wx.Colour;
//! \cond EXTERN
static extern (C) IntPtr wxSTANDARD_CURSOR_Get();
static extern (C) IntPtr wxHOURGLASS_CURSOR_Get();
static extern (C) IntPtr wxCROSS_CURSOR_Get();
static extern (C) IntPtr wxGDIObj_GetRedPen();
static extern (C) IntPtr wxGDIObj_GetCyanPen();
static extern (C) IntPtr wxGDIObj_GetGreenPen();
static extern (C) IntPtr wxGDIObj_GetBlackPen();
static extern (C) IntPtr wxGDIObj_GetWhitePen();
static extern (C) IntPtr wxGDIObj_GetTransparentPen();
static extern (C) IntPtr wxGDIObj_GetBlackDashedPen();
static extern (C) IntPtr wxGDIObj_GetGreyPen();
static extern (C) IntPtr wxGDIObj_GetMediumGreyPen();
static extern (C) IntPtr wxGDIObj_GetLightGreyPen();
static extern (C) IntPtr wxBLUE_BRUSH_Get();
static extern (C) IntPtr wxGREEN_BRUSH_Get();
static extern (C) IntPtr wxWHITE_BRUSH_Get();
static extern (C) IntPtr wxBLACK_BRUSH_Get();
static extern (C) IntPtr wxGREY_BRUSH_Get();
static extern (C) IntPtr wxMEDIUM_GREY_BRUSH_Get();
static extern (C) IntPtr wxLIGHT_GREY_BRUSH_Get();
static extern (C) IntPtr wxTRANSPARENT_BRUSH_Get();
static extern (C) IntPtr wxCYAN_BRUSH_Get();
static extern (C) IntPtr wxRED_BRUSH_Get();
static extern (C) IntPtr wxNullBitmap_Get();
static extern (C) IntPtr wxNullIcon_Get();
static extern (C) IntPtr wxNullCursor_Get();
static extern (C) IntPtr wxNullPen_Get();
static extern (C) IntPtr wxNullBrush_Get();
static extern (C) IntPtr wxNullPalette_Get();
static extern (C) IntPtr wxNullFont_Get();
static extern (C) IntPtr wxNullColour_Get();
//! \endcond
void InitializeStockObjects()
{
Cursor.wxSTANDARD_CURSOR = new Cursor(wxSTANDARD_CURSOR_Get());
Cursor.wxHOURGLASS_CURSOR = new Cursor(wxHOURGLASS_CURSOR_Get());
Cursor.wxCROSS_CURSOR = new Cursor(wxCROSS_CURSOR_Get());
Pen.wxRED_PEN = new Pen(wxGDIObj_GetRedPen());
Pen.wxCYAN_PEN = new Pen(wxGDIObj_GetCyanPen());
Pen.wxGREEN_PEN = new Pen(wxGDIObj_GetGreenPen());
Pen.wxBLACK_PEN = new Pen(wxGDIObj_GetBlackPen());
Pen.wxWHITE_PEN = new Pen(wxGDIObj_GetWhitePen());
Pen.wxTRANSPARENT_PEN = new Pen(wxGDIObj_GetTransparentPen());
Pen.wxBLACK_DASHED_PEN = new Pen(wxGDIObj_GetBlackDashedPen());
Pen.wxGREY_PEN = new Pen(wxGDIObj_GetGreyPen());
Pen.wxMEDIUM_GREY_PEN = new Pen(wxGDIObj_GetMediumGreyPen());
Pen.wxLIGHT_GREY_PEN = new Pen(wxGDIObj_GetLightGreyPen());
Brush.wxBLUE_BRUSH = new Brush(wxBLUE_BRUSH_Get());
Brush.wxGREEN_BRUSH = new Brush(wxGREEN_BRUSH_Get());
Brush.wxWHITE_BRUSH = new Brush(wxWHITE_BRUSH_Get());
Brush.wxBLACK_BRUSH = new Brush(wxBLACK_BRUSH_Get());
Brush.wxGREY_BRUSH = new Brush(wxGREY_BRUSH_Get());
Brush.wxMEDIUM_GREY_BRUSH = new Brush(wxMEDIUM_GREY_BRUSH_Get());
Brush.wxLIGHT_GREY_BRUSH = new Brush(wxLIGHT_GREY_BRUSH_Get());
Brush.wxTRANSPARENT_BRUSH = new Brush(wxTRANSPARENT_BRUSH_Get());
Brush.wxCYAN_BRUSH = new Brush(wxCYAN_BRUSH_Get());
Brush.wxRED_BRUSH = new Brush(wxRED_BRUSH_Get());
Colour.wxBLACK = new Colour("Black");
Colour.wxWHITE = new Colour("White");
Colour.wxRED = new Colour("Red");
Colour.wxBLUE = new Colour("Blue");
Colour.wxGREEN = new Colour("Green");
Colour.wxCYAN = new Colour("Cyan");
Colour.wxLIGHT_GREY = new Colour("Light Gray");
Bitmap.wxNullBitmap = new Bitmap(wxNullBitmap_Get());
Icon.wxNullIcon = new Icon(wxNullIcon_Get());
Cursor.wxNullCursor = new Cursor(wxNullCursor_Get());
Pen.wxNullPen = new Pen(wxNullPen_Get());
Brush.wxNullBrush = new Brush(wxNullBrush_Get());
Palette.wxNullPalette = new Palette(wxNullPalette_Get());
Font.wxNullFont = new Font(wxNullFont_Get());
Colour.wxNullColour = new Colour(wxNullColour_Get());
}
//-----------------------------------------------------------------------------
//! \cond EXTERN
static extern (C) IntPtr wxColourDatabase_ctor();
static extern (C) void wxColourDataBase_dtor(IntPtr self);
static extern (C) IntPtr wxColourDatabase_Find(IntPtr self, string name);
static extern (C) IntPtr wxColourDatabase_FindName(IntPtr self, IntPtr colour);
static extern (C) void wxColourDatabase_AddColour(IntPtr self, string name, IntPtr colour);
//! \endcond
//-----------------------------------------------------------------------------
alias ColourDatabase wxColourDatabase;
public class ColourDatabase : wxObject
{
public this(IntPtr wxobj)
{
super(wxobj);
}
private this(IntPtr wxobj, bool memOwn)
{
super(wxobj);
this.memOwn = memOwn;
}
public this()
{ this(wxColourDatabase_ctor(), true);}
//---------------------------------------------------------------------
override protected void dtor() { wxColourDataBase_dtor(wxobj); }
//-----------------------------------------------------------------------------
public Colour Find(string name)
{
return new Colour(wxColourDatabase_Find(wxobj, name), true);
}
//-----------------------------------------------------------------------------
public string FindName(Colour colour)
{
return cast(string) new wxString(wxColourDatabase_FindName(wxobj, wxObject.SafePtr(colour)), true);
}
//-----------------------------------------------------------------------------
public void AddColour(string name, Colour colour)
{
wxColourDatabase_AddColour(wxobj, name, wxObject.SafePtr(colour));
}
}
//-----------------------------------------------------------------------------
//! \cond EXTERN
static extern (C) IntPtr wxPenList_ctor();
//static extern (C) void wxPenList_AddPen(IntPtr self, IntPtr pen);
//static extern (C) void wxPenList_RemovePen(IntPtr self, IntPtr pen);
static extern (C) IntPtr wxPenList_FindOrCreatePen(IntPtr self, IntPtr colour, int width, int style);
//! \endcond
//-----------------------------------------------------------------------------
alias PenList wxPenList;
public class PenList : wxObject
{
public this(IntPtr wxobj)
{ super(wxobj);}
public this()
{ super(wxPenList_ctor());}
//-----------------------------------------------------------------------------
/+
public void AddPen(Pen pen)
{
wxPenList_AddPen(wxobj, wxObject.SafePtr(pen));
}
+/
//-----------------------------------------------------------------------------
/+
public void RemovePen(Pen pen)
{
wxPenList_RemovePen(wxobj, wxObject.SafePtr(pen));
}
+/
//-----------------------------------------------------------------------------
public Pen FindOrCreatePen(Colour colour, int width, int style)
{
return new Pen(wxPenList_FindOrCreatePen(wxobj, wxObject.SafePtr(colour), width, style));
}
}
//-----------------------------------------------------------------------------
//! \cond EXTERN
static extern (C) IntPtr wxBrushList_ctor();
//static extern (C) void wxBrushList_AddBrush(IntPtr self, IntPtr brush);
//static extern (C) void wxBrushList_RemoveBrush(IntPtr self, IntPtr brush);
static extern (C) IntPtr wxBrushList_FindOrCreateBrush(IntPtr self, IntPtr colour, int style);
//! \endcond
//-----------------------------------------------------------------------------
alias BrushList wxBrushList;
public class BrushList : wxObject
{
public this(IntPtr wxobj)
{ super(wxobj);}
public this()
{ super(wxBrushList_ctor());}
//-----------------------------------------------------------------------------
/+
public void AddBrush(Brush brush)
{
wxBrushList_AddBrush(wxobj, wxObject.SafePtr(brush));
}
//-----------------------------------------------------------------------------
public void RemoveBrush(Brush brush)
{
wxBrushList_RemoveBrush(wxobj, wxObject.SafePtr(brush));
}
+/
//-----------------------------------------------------------------------------
public Brush FindOrCreateBrush(Colour colour, int style)
{
return new Brush(wxBrushList_FindOrCreateBrush(wxobj, wxObject.SafePtr(colour), style));
}
}
//-----------------------------------------------------------------------------
//! \cond EXTERN
static extern (C) IntPtr wxFontList_ctor();
//static extern (C) void wxFontList_AddFont(IntPtr self, IntPtr font);
//static extern (C) void wxFontList_RemoveFont(IntPtr self, IntPtr font);
static extern (C) IntPtr wxFontList_FindOrCreateFont(IntPtr self,
int pointSize,
int family,
int style,
int weight,
bool underline,
string face,
FontEncoding encoding);
//! \endcond
//-----------------------------------------------------------------------------
alias FontList wxFontList;
public class FontList : wxObject
{
public this(IntPtr wxobj)
{ super(wxobj);}
public this()
{ super(wxFontList_ctor());}
//-----------------------------------------------------------------------------
/+
public void AddFont(Font font)
{
wxFontList_AddFont(wxobj, wxObject.SafePtr(font));
}
//-----------------------------------------------------------------------------
public void RemoveFont(Font font)
{
wxFontList_RemoveFont(wxobj, wxObject.SafePtr(font));
}
+/
//-----------------------------------------------------------------------------
public Font FindOrCreateFont(int pointSize, int family, int style, int weight)
{
return FindOrCreateFont(pointSize, family, style, weight, false, "", FontEncoding.wxFONTENCODING_DEFAULT);
}
public Font FindOrCreateFont(int pointSize, int family, int style, int weight, bool underline)
{
return FindOrCreateFont(pointSize, family, style, weight, underline, "", FontEncoding.wxFONTENCODING_DEFAULT);
}
public Font FindOrCreateFont(int pointSize, int family, int style, int weight, bool underline, string face)
{
return FindOrCreateFont(pointSize, family, style, weight, underline, face, FontEncoding.wxFONTENCODING_DEFAULT);
}
public Font FindOrCreateFont(int pointSize, int family, int style, int weight, bool underline, string face, FontEncoding encoding)
{
return new Font(wxFontList_FindOrCreateFont(wxobj, pointSize, family, style, weight, underline, face, encoding));
}
}
//-----------------------------------------------------------------------------
//! \cond EXTERN
static extern (C) IntPtr wxBitmapList_ctor();
static extern (C) void wxBitmapList_AddBitmap(IntPtr self, IntPtr bitmap);
static extern (C) void wxBitmapList_RemoveBitmap(IntPtr self, IntPtr bitmap);
//! \endcond
//-----------------------------------------------------------------------------
alias BitmapList wxBitmapList;
public class BitmapList : wxObject
{
public this(IntPtr wxobj)
{ super(wxobj);}
public this()
{ super(wxBitmapList_ctor());}
//-----------------------------------------------------------------------------
public void AddBitmap(Bitmap bitmap)
{
wxBitmapList_AddBitmap(wxobj, wxObject.SafePtr(bitmap));
}
//-----------------------------------------------------------------------------
public void RemoveBitmap(Bitmap bitmap)
{
wxBitmapList_RemoveBitmap(wxobj, wxObject.SafePtr(bitmap));
}
}
//-----------------------------------------------------------------------------
|
D
|
/// URL decode stdin to stdout.
import std.stdio;
import ae.utils.text;
void urlDecode(ref File f, ref File o)
{
while (!f.eof)
{
char c;
f.rawRead((&c)[0..1]);
if (c == '%')
{
char[2] x;
f.rawRead(x[]);
c = cast(char)fromHex!ubyte(x[]);
}
o.rawWrite((&c)[0..1]);
}
}
void main()
{
urlDecode(stdin, stdout);
}
|
D
|
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/Connection/MySQLData.swift.o : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+HandshakeV10.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+HandshakeResponse41.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLColumnDefinition41.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+OK.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtPrepareOK.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/ByteBuffer+MySQL.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLData.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Metadata.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLGeneric.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLBind.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLTable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLAlterTable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDataTypeStaticRepresentable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDataType.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtPrepare.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLDatabase.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketState.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtExecute.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLBinaryValue.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLDatabaseConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+TransportConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Data/MySQLData+Decimal.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLBoolLiteral.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDefaultLiteral.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLColumn.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLFractionalSecondsPrecision.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLCollation.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLFunction.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLNullBitmap.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLDataDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLRowDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/OldMySQLRowDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLDataEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/OldMySQLRowEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLLogger.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLIdentifier.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnectionHandler.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/MySQLError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLCapabilities.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLFlags.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLStatusFlags.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLDataFormat.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Connect.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLCharacterSet.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLEOFPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLErrorPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLPrimaryKeyDefault.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLInsert.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLUpsert.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+SSLRequest.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLResultSetRow.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLBinaryResultsetRow.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDropIndex.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Query.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+SimpleQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /usr/local/Cellar/libressl/3.0.2/include/openssl/asn1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/tls1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pem2.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/3.0.2/include/openssl/md5.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509.h /usr/local/Cellar/libressl/3.0.2/include/openssl/sha.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/rsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/3.0.2/include/openssl/hmac.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ec.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/3.0.2/include/openssl/rand.h /usr/local/Cellar/libressl/3.0.2/include/openssl/conf.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dh.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/3.0.2/include/openssl/lhash.h /usr/local/Cellar/libressl/3.0.2/include/openssl/stack.h /usr/local/Cellar/libressl/3.0.2/include/openssl/safestack.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pem.h /usr/local/Cellar/libressl/3.0.2/include/openssl/bn.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/3.0.2/include/openssl/bio.h /usr/local/Cellar/libressl/3.0.2/include/openssl/crypto.h /usr/local/Cellar/libressl/3.0.2/include/openssl/srtp.h /usr/local/Cellar/libressl/3.0.2/include/openssl/evp.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/3.0.2/include/openssl/buffer.h /usr/local/Cellar/libressl/3.0.2/include/openssl/err.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/3.0.2/include/openssl/objects.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslv.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509_vfy.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/Connection/MySQLData~partial.swiftmodule : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+HandshakeV10.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+HandshakeResponse41.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLColumnDefinition41.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+OK.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtPrepareOK.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/ByteBuffer+MySQL.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLData.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Metadata.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLGeneric.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLBind.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLTable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLAlterTable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDataTypeStaticRepresentable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDataType.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtPrepare.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLDatabase.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketState.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtExecute.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLBinaryValue.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLDatabaseConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+TransportConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Data/MySQLData+Decimal.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLBoolLiteral.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDefaultLiteral.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLColumn.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLFractionalSecondsPrecision.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLCollation.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLFunction.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLNullBitmap.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLDataDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLRowDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/OldMySQLRowDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLDataEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/OldMySQLRowEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLLogger.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLIdentifier.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnectionHandler.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/MySQLError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLCapabilities.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLFlags.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLStatusFlags.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLDataFormat.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Connect.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLCharacterSet.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLEOFPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLErrorPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLPrimaryKeyDefault.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLInsert.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLUpsert.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+SSLRequest.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLResultSetRow.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLBinaryResultsetRow.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDropIndex.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Query.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+SimpleQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /usr/local/Cellar/libressl/3.0.2/include/openssl/asn1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/tls1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pem2.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/3.0.2/include/openssl/md5.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509.h /usr/local/Cellar/libressl/3.0.2/include/openssl/sha.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/rsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/3.0.2/include/openssl/hmac.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ec.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/3.0.2/include/openssl/rand.h /usr/local/Cellar/libressl/3.0.2/include/openssl/conf.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dh.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/3.0.2/include/openssl/lhash.h /usr/local/Cellar/libressl/3.0.2/include/openssl/stack.h /usr/local/Cellar/libressl/3.0.2/include/openssl/safestack.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pem.h /usr/local/Cellar/libressl/3.0.2/include/openssl/bn.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/3.0.2/include/openssl/bio.h /usr/local/Cellar/libressl/3.0.2/include/openssl/crypto.h /usr/local/Cellar/libressl/3.0.2/include/openssl/srtp.h /usr/local/Cellar/libressl/3.0.2/include/openssl/evp.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/3.0.2/include/openssl/buffer.h /usr/local/Cellar/libressl/3.0.2/include/openssl/err.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/3.0.2/include/openssl/objects.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslv.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509_vfy.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/Connection/MySQLData~partial.swiftdoc : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+HandshakeV10.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+HandshakeResponse41.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLColumnDefinition41.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+OK.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtPrepareOK.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/ByteBuffer+MySQL.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLData.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Metadata.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLGeneric.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLBind.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLTable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLAlterTable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDataTypeStaticRepresentable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDataType.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtPrepare.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLDatabase.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketState.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtExecute.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLBinaryValue.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLDatabaseConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+TransportConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Data/MySQLData+Decimal.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLBoolLiteral.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDefaultLiteral.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLColumn.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLFractionalSecondsPrecision.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLCollation.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLFunction.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLNullBitmap.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLDataDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLRowDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/OldMySQLRowDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLDataEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/OldMySQLRowEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLLogger.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLIdentifier.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnectionHandler.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/MySQLError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLCapabilities.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLFlags.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLStatusFlags.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLDataFormat.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Connect.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLCharacterSet.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLEOFPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLErrorPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLPrimaryKeyDefault.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLInsert.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLUpsert.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+SSLRequest.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLResultSetRow.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLBinaryResultsetRow.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDropIndex.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Query.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+SimpleQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /usr/local/Cellar/libressl/3.0.2/include/openssl/asn1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/tls1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pem2.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/3.0.2/include/openssl/md5.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509.h /usr/local/Cellar/libressl/3.0.2/include/openssl/sha.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/rsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/3.0.2/include/openssl/hmac.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ec.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/3.0.2/include/openssl/rand.h /usr/local/Cellar/libressl/3.0.2/include/openssl/conf.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dh.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/3.0.2/include/openssl/lhash.h /usr/local/Cellar/libressl/3.0.2/include/openssl/stack.h /usr/local/Cellar/libressl/3.0.2/include/openssl/safestack.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pem.h /usr/local/Cellar/libressl/3.0.2/include/openssl/bn.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/3.0.2/include/openssl/bio.h /usr/local/Cellar/libressl/3.0.2/include/openssl/crypto.h /usr/local/Cellar/libressl/3.0.2/include/openssl/srtp.h /usr/local/Cellar/libressl/3.0.2/include/openssl/evp.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/3.0.2/include/openssl/buffer.h /usr/local/Cellar/libressl/3.0.2/include/openssl/err.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/3.0.2/include/openssl/objects.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslv.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509_vfy.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/Connection/MySQLData~partial.swiftsourceinfo : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+HandshakeV10.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+HandshakeResponse41.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLColumnDefinition41.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+OK.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtPrepareOK.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/ByteBuffer+MySQL.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLData.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Metadata.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLGeneric.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLBind.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLTable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLAlterTable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDataTypeStaticRepresentable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDataType.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtPrepare.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLDatabase.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketState.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComStmtExecute.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLBinaryValue.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLDatabaseConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+TransportConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Data/MySQLData+Decimal.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLBoolLiteral.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDefaultLiteral.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLColumn.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLFractionalSecondsPrecision.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLCollation.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLFunction.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLNullBitmap.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLDataDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLRowDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/OldMySQLRowDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Codable/MySQLDataEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Pipeline/MySQLPacketEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/OldMySQLRowEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Database/MySQLLogger.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLIdentifier.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnectionHandler.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/MySQLError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLCapabilities.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLFlags.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLStatusFlags.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLDataFormat.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Connect.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLCharacterSet.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLEOFPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLErrorPacket.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLPrimaryKeyDefault.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLInsert.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLUpsert.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLPacket+SSLRequest.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLResultSetRow.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLBinaryResultsetRow.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLDropIndex.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+Query.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/SQL/MySQLQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Connection/MySQLConnection+SimpleQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/mysql/Sources/MySQL/Protocol/MySQLComQuery.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /usr/local/Cellar/libressl/3.0.2/include/openssl/asn1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/tls1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pem2.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/3.0.2/include/openssl/md5.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509.h /usr/local/Cellar/libressl/3.0.2/include/openssl/sha.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/rsa.h /usr/local/Cellar/libressl/3.0.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/3.0.2/include/openssl/hmac.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ec.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/3.0.2/include/openssl/rand.h /usr/local/Cellar/libressl/3.0.2/include/openssl/conf.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/3.0.2/include/openssl/dh.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/3.0.2/include/openssl/lhash.h /usr/local/Cellar/libressl/3.0.2/include/openssl/stack.h /usr/local/Cellar/libressl/3.0.2/include/openssl/safestack.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ssl.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-ssl/Sources/CNIOOpenSSL/include/c_nio_openssl.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/3.0.2/include/openssl/pem.h /usr/local/Cellar/libressl/3.0.2/include/openssl/bn.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/3.0.2/include/openssl/bio.h /usr/local/Cellar/libressl/3.0.2/include/openssl/crypto.h /usr/local/Cellar/libressl/3.0.2/include/openssl/srtp.h /usr/local/Cellar/libressl/3.0.2/include/openssl/evp.h /usr/local/Cellar/libressl/3.0.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/3.0.2/include/openssl/buffer.h /usr/local/Cellar/libressl/3.0.2/include/openssl/err.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/3.0.2/include/openssl/objects.h /usr/local/Cellar/libressl/3.0.2/include/openssl/opensslv.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/3.0.2/include/openssl/x509_vfy.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Fluent.build/Query/Limit.swift.o : /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Database/Database.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Database/Driver.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Entity/Entity.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Filters.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Group.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Sort.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/MemoryDriver.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Database+Preparation.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Migration.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Preparation.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/PreparationError.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Action.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Comparison.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Filter.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Group.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Join.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Limit.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Query.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Scope.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Sort.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Children.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Parent.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/RelationError.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Siblings.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Database+Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Creator.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Field.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Modifier.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Query.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQLSerializer.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Node.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/PathIndexable.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Polymorphic.swiftmodule
/Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Fluent.build/Limit~partial.swiftmodule : /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Database/Database.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Database/Driver.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Entity/Entity.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Filters.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Group.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Sort.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/MemoryDriver.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Database+Preparation.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Migration.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Preparation.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/PreparationError.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Action.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Comparison.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Filter.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Group.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Join.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Limit.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Query.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Scope.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Sort.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Children.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Parent.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/RelationError.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Siblings.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Database+Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Creator.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Field.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Modifier.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Query.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQLSerializer.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Node.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/PathIndexable.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Polymorphic.swiftmodule
/Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Fluent.build/Limit~partial.swiftdoc : /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Database/Database.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Database/Driver.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Entity/Entity.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Filters.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Group.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Sort.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Memory/MemoryDriver.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Database+Preparation.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Migration.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Preparation.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/PreparationError.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Action.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Comparison.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Filter.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Group.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Join.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Limit.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Query.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Scope.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Query/Sort.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Children.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Parent.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/RelationError.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Siblings.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Database+Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Creator.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Field.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Modifier.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Query.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Schema.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQLSerializer.swift /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/Packages/Fluent-1.4.1/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Node.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/PathIndexable.swiftmodule /Users/okasho/serverProject/tryswift/get_post_patch_and_delate/swift/.build/debug/Polymorphic.swiftmodule
|
D
|
fish-eating bird of warm inland waters having a long flexible neck and slender sharp-pointed bill
a person or other animal that moves abruptly and rapidly
|
D
|
// RUN: %sdc %s -O2 -S --emit-llvm -o - | FileCheck %s
module virtualdispatch;
class A {
char foo() {
return 'A';
}
uint bar() {
return -1;
}
}
auto typeidA(A a) {
return typeid(a);
// CHECK-LABEL: _D15virtualdispatch7typeidAFMC15virtualdispatch1AZC6object9ClassInfo
// CHECK: [[RET:%[a-z0-9\.]+]] = load ptr, ptr %arg.a, align 8
// CHECK: ret ptr [[RET]]
}
auto fooA(A a) {
return a.foo();
// CHECK-LABEL: _D15virtualdispatch4fooAFMC15virtualdispatch1AZa
// CHECK: [[CLASSINFO:%[a-z0-9\.]+]] = load ptr, ptr %arg.a, align 8
// CHECK: [[VTBL:%[a-z0-9\.]+]] = getelementptr inbounds %C15virtualdispatch1A__metadata, ptr [[CLASSINFO]], i64 0, i32 1
// CHECK: [[FUN:%[a-z0-9\.]+]] = load ptr, ptr [[VTBL]], align 8
// CHECK: [[RET:%[a-z0-9\.]+]] = tail call i8 [[FUN]](ptr nonnull %arg.a)
// CHECK: ret i8 [[RET]]
}
auto barA(A a) {
return a.bar();
// CHECK-LABEL: _D15virtualdispatch4barAFMC15virtualdispatch1AZk
// CHECK: [[CLASSINFO:%[a-z0-9\.]+]] = load ptr, ptr %arg.a, align 8
// CHECK: [[VTBL:%[a-z0-9\.]+]] = getelementptr inbounds %C15virtualdispatch1A__metadata, ptr [[CLASSINFO]], i64 0, i32 1, i64 1
// CHECK: [[FUN:%[a-z0-9\.]+]] = load ptr, ptr [[VTBL]], align 8
// CHECK: [[RET:%[a-z0-9\.]+]] = tail call i32 [[FUN]](ptr nonnull %arg.a)
// CHECK: ret i32 [[RET]]
}
class B : A {
override char foo() {
return 'B';
}
final override uint bar() {
return 42;
}
}
auto typeidB(B b) {
return typeid(b);
// CHECK-LABEL: _D15virtualdispatch7typeidBFMC15virtualdispatch1BZC6object9ClassInfo
// CHECK: [[RET:%[a-z0-9\.]+]] = load ptr, ptr %arg.b, align 8
// CHECK: ret ptr [[RET]]
}
auto fooB(B b) {
return b.foo();
// CHECK-LABEL: _D15virtualdispatch4fooBFMC15virtualdispatch1BZa
// CHECK: [[CLASSINFO:%[a-z0-9\.]+]] = load ptr, ptr %arg.b, align 8
// CHECK: [[VTBL:%[a-z0-9\.]+]] = getelementptr inbounds %C15virtualdispatch1B__metadata, ptr [[CLASSINFO]], i64 0, i32 1
// CHECK: [[FUN:%[a-z0-9\.]+]] = load ptr, ptr [[VTBL]], align 8
// CHECK: [[RET:%[a-z0-9\.]+]] = tail call i8 [[FUN]](ptr nonnull %arg.b)
// CHECK: ret i8 [[RET]]
}
auto barB(B b) {
return b.bar();
// CHECK-LABEL: _D15virtualdispatch4barBFMC15virtualdispatch1BZk
// CHECK: ret i32 42
}
final class C : B {
override char foo() {
return 'C';
}
}
auto typeidC(C c) {
return typeid(c);
// CHECK-LABEL: _D15virtualdispatch7typeidCFMC15virtualdispatch1CZC6object9ClassInfo
// CHECK: ret ptr @C15virtualdispatch1C__vtbl
}
auto fooC(C c) {
return c.foo();
// CHECK-LABEL: _D15virtualdispatch4fooCFMC15virtualdispatch1CZa
// CHECK: ret i8 67
}
auto barC(C c) {
return c.bar();
// CHECK-LABEL: _D15virtualdispatch4barCFMC15virtualdispatch1CZk
// CHECK: ret i32 42
}
|
D
|
/Users/nathaneidelson/Developer/CS51-Demo/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/TaskDelegate.o : /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/AFError.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Alamofire.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/MultipartFormData.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Notifications.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ParameterEncoding.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Request.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Response.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ResponseSerialization.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Result.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/SessionDelegate.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/SessionManager.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/TaskDelegate.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Timeline.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Validation.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/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/nathaneidelson/Developer/CS51-Demo/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/nathaneidelson/Developer/CS51-Demo/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
/Users/nathaneidelson/Developer/CS51-Demo/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/TaskDelegate~partial.swiftmodule : /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/AFError.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Alamofire.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/MultipartFormData.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Notifications.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ParameterEncoding.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Request.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Response.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ResponseSerialization.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Result.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/SessionDelegate.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/SessionManager.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/TaskDelegate.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Timeline.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Validation.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/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/nathaneidelson/Developer/CS51-Demo/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/nathaneidelson/Developer/CS51-Demo/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
/Users/nathaneidelson/Developer/CS51-Demo/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/TaskDelegate~partial.swiftdoc : /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/AFError.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Alamofire.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/MultipartFormData.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Notifications.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ParameterEncoding.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Request.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Response.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ResponseSerialization.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Result.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/SessionDelegate.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/SessionManager.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/TaskDelegate.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Timeline.swift /Users/nathaneidelson/Developer/CS51-Demo/Pods/Alamofire/Source/Validation.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/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/nathaneidelson/Developer/CS51-Demo/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/nathaneidelson/Developer/CS51-Demo/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
|
D
|
module drats.event;
import drats.kbd;
enum EventType {
Raw = 0,
Echo = (1<<1),
Key = (1<<2),
Resize = (1<<3),
Mouse = (1<<4),
Paste = (1<<5),
ReleasedKeys = (1<<6),
AllEvents = (Resize|Paste|Mouse)
}
struct Event(EventType t)
{
this(int i1, int i2)
{
_type = t;
coord.wx = i1;
coord.hy = i2;
}
Tuple!(int,"wx",int,"hy") coord;
//int w, h, x, y;
uint ch;
Key key;
KeyMod mod;
Type _type;
public void attach(SlotFunction fn)
{
this._funcs ~= fn;
}
private alias void function(D) SlotFunction;
private SlotFunction[] _funcs;
public void opCall(D d)
{
synchronized
{
foreach(ref f; _funcs)
f(d);
}
}
}
|
D
|
module structuredrpc;
import treeserial;
import std.traits;
import std.meta;
import std.algorithm;
import std.range;
template RPC(Src_) {
alias Src = Src_;
struct RPC {
ubyte id;
}
}
template RPCSend(Src_) {
alias Src = Src_;
enum RPCSend;
}
class RPCError : Exception {
this(string msg, string file = __FILE__, size_t line = __LINE__) {
super(msg, file, line);
}
}
enum rpcIDs(Src, alias symbol)() {
ubyte next = 0;
ubyte[] ids = [];
foreach (mem; getSymbolsByUDA!(symbol, RPC!Src)) {
alias udas = getUDAs!(mem, RPC!Src);
static assert(udas.length == 1);
static if (is(udas[$-1])) {
assert(next+1 != 0);
ids ~= next++;
}
else {
ids ~= udas[$-1].id;
next = udas[$-1].id+1;
}
}
return ids;
}
template rpcByID(Src, alias symbol, ubyte id) {
import std.algorithm;
alias rpcByID = getSymbolsByUDA!(symbol, RPC!Src)[rpcIDs!(Src,symbol).countUntil(id)];
}
template RPCParameters(alias rpc, Src, Connection) {
static if (__traits(isTemplate, rpc)) {
alias Params = Parameters!(rpc!Src);
}
else {
alias Params = Parameters!rpc;
}
static if (is(Connection == typeof(null))) {
alias RPCParameters = Params;
}
else static if (is(Params[0] == Connection)) {
alias RPCParameters = Params[1..$];
}
else static if (is(Params[$-1] == Connection)) {
alias RPCParameters = Params[0..$-1];
}
else {
alias RPCParameters = Params;
}
}
template RPCConnectionsParam(Connection) {
static if (is(Connection == typeof(null)))
alias RPCConnectionsParam = AliasSeq!();
else
alias RPCConnectionsParam = Connection[];
}
string identifier(string id) {
import std.conv;
return id.strip('_');
////return id.find!"a != '_'".array.to!string;
}
mixin template MakeRPCReceive(Src, Connection, alias Serializer) {
import std.meta;
import std.traits;
import std.algorithm;
import treeserial;
template rpcRecv(S:Src) {
void rpcRecv(const(ubyte)[] data) {
enum ids = rpcIDs!(Src, typeof(this));
ubyte msgID = Serializer.deserialize!ubyte(data);
static foreach(id; ids) {
if (msgID == id) {
alias rpcTemplate = rpcByID!(Src, typeof(this),id);
static if (__traits(isTemplate, rpcTemplate))
alias rpc = rpcTemplate!Src;
else
alias rpc = rpcTemplate;
alias Params = Parameters!rpc;
Params args;
scope (success)
rpc(args);
foreach (i, Param; Params) {
static if (deserializable!Param) {
static if (i==Params.length-1)
alias Attributes = NoLength;
else
alias Attributes = AliasSeq!();
args[i] = Serializer.Subserializer!(Attributes).deserialize!Param(data);
}
else throw new RPCError("Parameter \""~Param.stringof~"\" of RPC \""~__traits(identifier, rpc)~"\" cannot be deserialized. If it is a ConnectionType then you called the wrong rpcRecv (call rpcRecv with a connection).");
}
}
}
}
static if (!is(Connection == typeof(null)))
void rpcRecv(Connection connection, const(ubyte)[] data){//// if (!is(ConnectionType!(RPCSrc, src) == typeof(null))) {
enum ids = rpcIDs!(Src, typeof(this));
ubyte msgID = Serializer.deserialize!ubyte(data);
static foreach(id; ids) {
if (msgID == id) {
alias rpcTemplate = rpcByID!(Src, typeof(this),id);
static if (__traits(isTemplate, rpcTemplate))
alias rpc = rpcTemplate!Src;
else
alias rpc = rpcTemplate;
alias Params = RPCParameters!(rpc, Src, Connection);
Params args;
scope (success) {
static if (is(Parameters!rpc[0] == Connection))
rpc(connection, args);
else static if (is(Parameters!rpc[$-1] == Connection))
rpc(args, connection);
else
rpc(args);
}
foreach (i, Param; Params) {
static if (deserializable!Param) {
static if (i==Params.length-1)
alias Attributes = NoLength;
else
alias Attributes = AliasSeq!();
args[i] = Serializer.Subserializer!(Attributes).deserialize!Param(data);
}
else throw new RPCError("Parameter `"~Param.stringof~"` of RPC `"~__traits(identifier, rpcTemplate)~"` cannot be deserialized.");//// If you think this should be the connection type, then for `"~RPCSrc.stringof~"."~__traits(identifier, src)~"` it should be of type `"~ConnectionType!src.stringof~"` (Correct parameter or `SrcType` or src).");
}
}
}
}
}
}
mixin template MakeRPCReceive(Src) {
import treeserial;
mixin MakeRPCReceive!(Src, typeof(null), Serializer!());
}
mixin template MakeRPCReceive(Src, alias Serializer) {
mixin MakeRPCReceive!(Src, typeof(null), Serializer);
}
mixin template MakeRPCReceive(Src, Connection) {
import treeserial;
mixin MakeRPCReceive!(Src, Connection, Serializer!());
}
mixin template MakeRPCSendToImpl(SendTo, Src, ToConnection, Connection, alias Serializer) {
import std.meta;
import std.traits;
import std.algorithm;
import treeserial;
static foreach (i, rpc; getSymbolsByUDA!(SendTo, RPC!Src)) {
mixin(q{
template }~__traits(identifier, rpc).identifier~q{_send(S:Src) }~"{"~q{
auto }~__traits(identifier, rpc).identifier~q{_send(RPCConnectionsParam!Connection connections, const RPCParameters!(rpc, Src, ToConnection) args) {
const(ubyte)[] data = Serializer.serialize!ubyte(rpcIDs!(Src, SendTo)[i]);
alias rpcSend = getSymbolsByUDA!(typeof(this), RPCSend!Src)[0];
foreach (i, arg; args) {
static if (serializable!arg) {
static if (i==args.length-1)
alias Attributes = NoLength;
else
alias Attributes = AliasSeq!();
data ~= Serializer.Subserializer!Attributes.serialize(arg);
}
else throw new RPCError("Parameter \""~typeof(arg).stringof~"\" of RPC \""~__traits(identifier, rpc)~"\" cannot be serialized.");
}
return rpcSend(connections, data);
}
// So last last argument can be different for each client.
static if (RPCParameters!(rpc, Src, ToConnection).length >= 1)
auto }~__traits(identifier, rpc).identifier~q{_send(RPCConnectionsParam!Connection connections, const RPCParameters!(rpc, Src, ToConnection)[0..$-1] args, const RPCParameters!(rpc, Src, ToConnection)[$-1][] lastArgs) {
assert(connections.length == lastArgs.length);
ubyte[] data = Serializer.serialize!ubyte(rpcIDs!(Src, SendTo)[i]);
alias rpcSend = getSymbolsByUDA!(typeof(this), RPCSend!Src)[0];
foreach (i, arg; args) {
static if (serializable!arg) {
data ~= Serializer.Subserializer!().serialize(arg);
}
else throw new RPCError("Parameter \""~typeof(arg).stringof~"\" of RPC \""~__traits(identifier, rpc)~"\" cannot be serialized.");
}
foreach (i, connection; connections) {
data.assumeSafeAppend;
rpcSend([connection], data~Serializer.Subserializer!NoLength.serialize(lastArgs[i]));
}
}
static if (!is(Connection == typeof(null)))
auto }~__traits(identifier, rpc).identifier~q{_send(Connection connection, const RPCParameters!(rpc, Src, Connection) args) }~"{
return "~__traits(identifier, rpc).identifier~"_send([connection], args);
}
}"~q{
});
}
}
mixin template MakeRPCSendTo(SendTo, Src, ConnectionTo, alias Serializer) {
import std.traits;
static if (Parameters!(getSymbolsByUDA!(typeof(this), RPCSend!Src)[0]).length==1)
mixin MakeRPCSendToImpl!(SendTo, Src, ConnectionTo, typeof(null), Serializer);
else
mixin MakeRPCSendToImpl!(SendTo, Src, ConnectionTo, ForeachType!(Parameters!(getSymbolsByUDA!(typeof(this), RPCSend!Src)[0])[0]), Serializer);
}
mixin template MakeRPCSendTo(SendTo, Src) {
import treeserial;
mixin MakeRPCSendTo!(SendTo, Src, typeof(null), Serializer!());
}
mixin template MakeRPCSendTo(SendTo, Src, alias Serializer) {
mixin MakeRPCSendTo!(SendTo, Src, typeof(null), Serializer);
}
mixin template MakeRPCSendTo(SendTo, Src, Connection) {
import treeserial;
mixin MakeRPCSendTo!(SendTo, Src, Connection, Serializer!());
}
mixin template MakeRPCSend(Src, Connection, alias Serializer) {
mixin MakeRPCSendTo!(typeof(this), Src, Connection, Serializer);
}
mixin template MakeRPCSend(Src) {
import treeserial;
mixin MakeRPCSendTo!(typeof(this), Src, typeof(null), Serializer!());
}
mixin template MakeRPCSend(Src, alias Serializer) {
mixin MakeRPCSendTo!(typeof(this), Src, typeof(null), Serializer);
}
mixin template MakeRPCSend(Src, Connection) {
import treeserial;
mixin MakeRPCSendTo!(typeof(this), Src, Connection, Serializer!());
}
|
D
|
instance DIA_AngarDJG_EXIT(C_Info)
{
npc = DJG_705_Angar;
nr = 999;
condition = DIA_AngarDJG_EXIT_Condition;
information = DIA_AngarDJG_EXIT_Info;
permanent = TRUE;
description = Dialog_Ende;
};
func int DIA_AngarDJG_EXIT_Condition()
{
return TRUE;
};
func void DIA_AngarDJG_EXIT_Info()
{
AI_StopProcessInfos(self);
};
instance DIA_AngarDJG_HALLO(C_Info)
{
npc = DJG_705_Angar;
nr = 5;
condition = DIA_AngarDJG_HALLO_Condition;
information = DIA_AngarDJG_HALLO_Info;
description = "Don't I know you?";
};
func int DIA_AngarDJG_HALLO_Condition()
{
return TRUE;
};
func void DIA_AngarDJG_HALLO_Info()
{
AI_Output(other,self,"DIA_AngarDJG_HALLO_15_00"); //Don't I know you? You are Cor Angar. You used to be a templar in the swamp camp.
AI_Output(self,other,"DIA_AngarDJG_HALLO_04_01"); //(resigned) Call me Angar. I have set aside my title. The Brotherhood of the Sleeper has disbanded.
AI_Output(self,other,"DIA_AngarDJG_HALLO_04_02"); //Curious, but you seem somehow familiar to me. Yet, I cannot quite recall you.
AI_Output(other,self,"DIA_AngarDJG_HALLO_15_03"); //What's the matter with you?
AI_Output(self,other,"DIA_AngarDJG_HALLO_04_04"); //(dismissively) Oh. I haven't been able to sleep properly for some time. These constant nightmares.
B_LogEntry(TOPIC_Dragonhunter,"I found Angar in the Valley of Mines.");
};
func void B_SCTellsAngarAboutMadPsi()
{
if(Angar_KnowsMadPsi == FALSE)
{
AI_Output(other,self,"DIA_Angar_B_SCTellsAngarAboutMadPsi_15_00"); //The Brotherhood of the Sleeper has been enslaved by evil.
AI_Output(other,self,"DIA_Angar_B_SCTellsAngarAboutMadPsi_15_01"); //Your former friends from the swamp camp roam the land wearing black robes and feeling really irritated by anything that moves.
AI_Output(self,other,"DIA_Angar_B_SCTellsAngarAboutMadPsi_04_02"); //What are you talking about?
};
};
func void B_SCTellsAngarAboutMadPsi2()
{
if(Angar_KnowsMadPsi == FALSE)
{
AI_Output(other,self,"DIA_Angar_B_SCTellsAngarAboutMadPsi2_15_00"); //They serve the enemy now and are nothing but soulless warriors of evil.
AI_Output(self,other,"DIA_Angar_B_SCTellsAngarAboutMadPsi2_04_01"); //By all the gods. Would that I had not allowed myself to be blinded so. That will never happen to me again, that I swear.
B_GivePlayerXP(XP_Angar_KnowsMadPsi);
Angar_KnowsMadPsi = TRUE;
};
};
instance DIA_Angar_WIEKOMMSTDUHIERHER(C_Info)
{
npc = DJG_705_Angar;
nr = 6;
condition = DIA_Angar_WIEKOMMSTDUHIERHER_Condition;
information = DIA_Angar_WIEKOMMSTDUHIERHER_Info;
description = "How did you get here?";
};
func int DIA_Angar_WIEKOMMSTDUHIERHER_Condition()
{
if(Npc_KnowsInfo(other,DIA_AngarDJG_HALLO))
{
return TRUE;
};
};
func void DIA_Angar_WIEKOMMSTDUHIERHER_Info()
{
AI_Output(other,self,"DIA_Angar_WIEKOMMSTDUHIERHER_15_00"); //How did you get here?
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_04_01"); //After the collapse of the magic barrier, I hid myself in the mountains. It became time for me to do something.
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_04_02"); //I strayed about for days, until I suddenly awoke in the castle. Do not ask me what happened. I don't know.
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_04_03"); //To make matters worse, I have also lost the amulet which I have had for years. I shall go mad if I do not find it again.
Log_CreateTopic(TOPIC_AngarsAmulett,LOG_MISSION);
Log_SetTopicStatus(TOPIC_AngarsAmulett,LOG_Running);
B_LogEntry(TOPIC_AngarsAmulett,"Angar lost his amulet and is now desperately trying to find it.");
Info_AddChoice(DIA_Angar_WIEKOMMSTDUHIERHER,Dialog_Back,DIA_Angar_WIEKOMMSTDUHIERHER_gehen);
Info_AddChoice(DIA_Angar_WIEKOMMSTDUHIERHER,"Where exactly did you lose your amulet?",DIA_Angar_WIEKOMMSTDUHIERHER_amulett);
if(SC_KnowsMadPsi == TRUE)
{
Info_AddChoice(DIA_Angar_WIEKOMMSTDUHIERHER,"The Brotherhood of the Sleeper has been enslaved by evil.",DIA_Angar_WIEKOMMSTDUHIERHER_andere);
}
else
{
Info_AddChoice(DIA_Angar_WIEKOMMSTDUHIERHER,"What happened to the others from the swamp camp?",DIA_Angar_WIEKOMMSTDUHIERHER_andere);
};
if(DJG_Angar_SentToStones == FALSE)
{
Info_AddChoice(DIA_Angar_WIEKOMMSTDUHIERHER,"What will you do next?",DIA_Angar_WIEKOMMSTDUHIERHER_nun);
};
};
func void DIA_Angar_WIEKOMMSTDUHIERHER_amulett()
{
AI_Output(other,self,"DIA_Angar_WIEKOMMSTDUHIERHER_amulett_15_00"); //Where exactly did you lose your amulet?
if(DJG_Angar_SentToStones == FALSE)
{
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_amulett_04_01"); //Somewhere in the south, shortly before I awoke here in the castle.
B_LogEntry(TOPIC_AngarsAmulett,"The amulet is supposed to be somewhere in the south. Angar's going to go looking for it.");
}
else
{
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_amulett_04_02"); //It must be here somewhere.
B_LogEntry(TOPIC_AngarsAmulett,"The amulet is near a rock tomb in the south of the Valley of Mines.");
};
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_amulett_04_03"); //I suspect it was stolen. I absolutely must have it back.
};
func void DIA_Angar_WIEKOMMSTDUHIERHER_andere()
{
if(SC_KnowsMadPsi == TRUE)
{
B_SCTellsAngarAboutMadPsi();
}
else
{
AI_Output(other,self,"DIA_Angar_WIEKOMMSTDUHIERHER_andere_15_00"); //What happened to the others from the swamp camp?
};
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_andere_04_01"); //The last thing I remember is that the Barrier collapsed, accompanied by a nerve-shattering scream.
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_andere_04_02"); //Stricken with panicked fear, we fell to the ground, writhing in pain. That voice. It grew ever louder.
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_andere_04_03"); //And then when it was over, they all ran mad and disappeared into the bleak night, screaming loudly.
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_andere_04_04"); //I have not seen them again.
if(SC_KnowsMadPsi == TRUE)
{
B_SCTellsAngarAboutMadPsi2();
};
};
func void DIA_Angar_WIEKOMMSTDUHIERHER_nun()
{
AI_Output(other,self,"DIA_Angar_WIEKOMMSTDUHIERHER_nun_15_00"); //What will you do next?
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_nun_04_01"); //I shall rest a while first, so that I may take up the search for my lost amulet.
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_nun_04_02"); //I have heard something of dragons.
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_nun_04_03"); //It is also being said that many warriors have come to the Valley of Mines to hunt them.
AI_Output(self,other,"DIA_Angar_WIEKOMMSTDUHIERHER_nun_04_04"); //I am thinking of joining them.
Angar_willDJGwerden = TRUE;
};
func void DIA_Angar_WIEKOMMSTDUHIERHER_gehen()
{
Info_ClearChoices(DIA_Angar_WIEKOMMSTDUHIERHER);
};
instance DIA_Angar_SCTellsAngarAboutMadPsi2(C_Info)
{
npc = DJG_705_Angar;
nr = 7;
condition = DIA_Angar_SCTellsAngarAboutMadPsi2_Condition;
information = DIA_Angar_SCTellsAngarAboutMadPsi2_Info;
description = "The Brotherhood of the Sleeper has been enslaved by evil.";
};
func int DIA_Angar_SCTellsAngarAboutMadPsi2_Condition()
{
if((SC_KnowsMadPsi == TRUE) && (Angar_KnowsMadPsi == FALSE) && Npc_KnowsInfo(other,DIA_Angar_WIEKOMMSTDUHIERHER))
{
return TRUE;
};
};
func void DIA_Angar_SCTellsAngarAboutMadPsi2_Info()
{
B_SCTellsAngarAboutMadPsi();
B_SCTellsAngarAboutMadPsi2();
};
instance DIA_Angar_FOUNDAMULETT(C_Info)
{
npc = DJG_705_Angar;
nr = 7;
condition = DIA_Angar_FOUNDAMULETT_Condition;
information = DIA_Angar_FOUNDAMULETT_Info;
description = "I found your amulet.";
};
func int DIA_Angar_FOUNDAMULETT_Condition()
{
if(Npc_HasItems(other,ItAm_Mana_Angar_MIS) && Npc_KnowsInfo(other,DIA_Angar_WIEKOMMSTDUHIERHER))
{
return TRUE;
};
};
func void B_AngarsAmulettAbgeben()
{
AI_Output(other,self,"DIA_Angar_FOUNDAMULETT_15_00"); //I found your amulet.
AI_Output(self,other,"DIA_Angar_FOUNDAMULETT_04_01"); //Thank you. I thought I would never see it again.
B_GiveInvItems(other,self,ItAm_Mana_Angar_MIS,1);
DJG_AngarGotAmulett = TRUE;
B_GivePlayerXP(XP_AngarDJGUndeadMage);
};
func void DIA_Angar_FOUNDAMULETT_Info()
{
B_AngarsAmulettAbgeben();
Info_AddChoice(DIA_Angar_FOUNDAMULETT,"What makes it so special for you?",DIA_Angar_FOUNDAMULETT_besonders);
Info_AddChoice(DIA_Angar_FOUNDAMULETT,"What are you planning to do now?",DIA_Angar_FOUNDAMULETT_nun);
};
func void DIA_Angar_FOUNDAMULETT_besonders()
{
AI_Output(other,self,"DIA_Angar_FOUNDAMULETT_besonders_15_00"); //What makes it so special for you?
AI_Output(self,other,"DIA_Angar_FOUNDAMULETT_besonders_04_01"); //It was a gift.
AI_Output(other,self,"DIA_Angar_FOUNDAMULETT_besonders_15_02"); //I see.
};
func void DIA_Angar_FOUNDAMULETT_nun()
{
AI_Output(other,self,"DIA_Angar_FOUNDAMULETT_nun_15_00"); //What are you planning to do now?
AI_Output(self,other,"DIA_Angar_FOUNDAMULETT_nun_04_01"); //Get out of this accursed valley.
AI_Output(self,other,"DIA_Angar_FOUNDAMULETT_nun_04_02"); //Perhaps we shall meet again. Farewell.
AI_StopProcessInfos(self);
if((Npc_GetDistToWP(self,"OC_TO_MAGE") < 1000) == FALSE)
{
Npc_ExchangeRoutine(self,"LeavingOW");
};
};
instance DIA_Angar_DJG_ANWERBEN(C_Info)
{
npc = DJG_705_Angar;
nr = 8;
condition = DIA_Angar_DJG_ANWERBEN_Condition;
information = DIA_Angar_DJG_ANWERBEN_Info;
description = "Maybe I can help you find your amulet.";
};
func int DIA_Angar_DJG_ANWERBEN_Condition()
{
if(Npc_KnowsInfo(other,DIA_Angar_WIEKOMMSTDUHIERHER) && (DJG_AngarGotAmulett == FALSE))
{
return TRUE;
};
};
func void DIA_Angar_DJG_ANWERBEN_Info()
{
AI_Output(other,self,"DIA_Angar_DJG_ANWERBEN_15_00"); //Maybe I can help you find your amulet.
AI_Output(self,other,"DIA_Angar_DJG_ANWERBEN_04_01"); //Why not. Some help cannot hurt.
if(DJG_Angar_SentToStones == FALSE)
{
Info_AddChoice(DIA_Angar_DJG_ANWERBEN,"I've got to go.",DIA_Angar_DJG_ANWERBEN_gehen);
Info_AddChoice(DIA_Angar_DJG_ANWERBEN,"Where do you want to look?",DIA_Angar_DJG_ANWERBEN_wo);
Info_AddChoice(DIA_Angar_DJG_ANWERBEN,"When will you go?",DIA_Angar_DJG_ANWERBEN_wann);
};
if(Angar_willDJGwerden == TRUE)
{
Info_AddChoice(DIA_Angar_DJG_ANWERBEN,"What about the dragon hunters?",DIA_Angar_DJG_ANWERBEN_DJG);
};
};
func void DIA_Angar_DJG_ANWERBEN_DJG()
{
AI_Output(other,self,"DIA_Angar_DJG_ANWERBEN_DJG_15_00"); //What about the dragon hunters?
AI_Output(self,other,"DIA_Angar_DJG_ANWERBEN_DJG_04_01"); //I will speak with them later. Maybe they can use a strong arm.
};
func void DIA_Angar_DJG_ANWERBEN_wann()
{
AI_Output(other,self,"DIA_Angar_DJG_ANWERBEN_wann_15_00"); //When will you go?
AI_Output(self,other,"DIA_Angar_DJG_ANWERBEN_wann_04_01"); //As soon as I feel better.
};
func void DIA_Angar_DJG_ANWERBEN_wo()
{
AI_Output(other,self,"DIA_Angar_DJG_ANWERBEN_wo_15_00"); //Where do you want to look?
AI_Output(self,other,"DIA_Angar_DJG_ANWERBEN_wo_04_01"); //I shall go to the south, where I was last.
AI_Output(self,other,"DIA_Angar_DJG_ANWERBEN_wo_04_02"); //There is a cave tomb there, surrounded by many boulders.
};
func void DIA_Angar_DJG_ANWERBEN_gehen()
{
AI_Output(other,self,"DIA_Angar_DJG_ANWERBEN_gehen_15_00"); //I've got to go.
AI_Output(self,other,"DIA_Angar_DJG_ANWERBEN_gehen_04_01"); //Watch your back.
AI_StopProcessInfos(self);
};
instance DIA_AngarDJG_WASMACHSTDU(C_Info)
{
npc = DJG_705_Angar;
nr = 9;
condition = DIA_AngarDJG_WASMACHSTDU_Condition;
information = DIA_AngarDJG_WASMACHSTDU_Info;
description = "Is something wrong?";
};
func int DIA_AngarDJG_WASMACHSTDU_Condition()
{
if((Npc_GetDistToWP(self,"OW_DJG_WATCH_STONEHENGE_01") < 8000) && Npc_KnowsInfo(other,DIA_Angar_DJG_ANWERBEN) && (DJG_AngarGotAmulett == FALSE))
{
return TRUE;
};
};
func void DIA_AngarDJG_WASMACHSTDU_Info()
{
AI_Output(other,self,"DIA_AngarDJG_WASMACHSTDU_15_00"); //Is something wrong?
AI_Output(self,other,"DIA_AngarDJG_WASMACHSTDU_04_01"); //Do you hear that? Never in my life have I heard such a dreadful noise!
AI_Output(other,self,"DIA_AngarDJG_WASMACHSTDU_15_02"); //What do you mean? I don't hear a thing!
AI_Output(self,other,"DIA_AngarDJG_WASMACHSTDU_04_03"); //The whole area here stinks of death and destruction. The putrid creatures guard the rocky entrance to the crypt in front of us.
AI_Output(self,other,"DIA_AngarDJG_WASMACHSTDU_04_04"); //Something ghastly is concealing itself in there and sending its henchmen to the surface of this world.
AI_Output(self,other,"DIA_AngarDJG_WASMACHSTDU_04_05"); //I am almost certain that my amulet was lost somewhere here.
if(Angar_willDJGwerden == TRUE)
{
Info_AddChoice(DIA_AngarDJG_WASMACHSTDU,"Have you talked to the dragon hunters?",DIA_AngarDJG_WASMACHSTDU_DJG);
};
};
func void DIA_AngarDJG_WASMACHSTDU_DJG()
{
AI_Output(other,self,"DIA_AngarDJG_WASMACHSTDU_DJG_15_00"); //Have you talked to the dragon hunters?
AI_Output(self,other,"DIA_AngarDJG_WASMACHSTDU_DJG_04_01"); //Yes. But I had expected a fellowship like the one we had in the Swamp Camp.
AI_Output(self,other,"DIA_AngarDJG_WASMACHSTDU_DJG_04_02"); //The boys are nothing but a wild, motley collection of idiots. It's nothing for me.
};
instance DIA_AngarDJG_WHATSINTHERE(C_Info)
{
npc = DJG_705_Angar;
nr = 10;
condition = DIA_AngarDJG_WHATSINTHERE_Condition;
information = DIA_AngarDJG_WHATSINTHERE_Info;
description = "What's hiding in the cave in the rocks?";
};
func int DIA_AngarDJG_WHATSINTHERE_Condition()
{
if(Npc_KnowsInfo(other,DIA_AngarDJG_WASMACHSTDU) && (DJG_AngarGotAmulett == FALSE))
{
return TRUE;
};
};
func void DIA_AngarDJG_WHATSINTHERE_Info()
{
AI_Output(other,self,"DIA_AngarDJG_WHATSINTHERE_15_00"); //What's hiding in the cave in the rocks?
AI_Output(self,other,"DIA_AngarDJG_WHATSINTHERE_04_01"); //Something will not let me get close to the entrance!
AI_Output(self,other,"DIA_AngarDJG_WHATSINTHERE_04_02"); //It is guarded by a magical creature. I have seen it at night, searching the area. A disgusting thing.
AI_Output(self,other,"DIA_AngarDJG_WHATSINTHERE_04_03"); //It glides back and forth between the trees, and you get the impression that it sucks up all life in its surroundings like a sponge.
B_LogEntry(TOPIC_Dragonhunter,"I found Angar in the Valley of Mines.");
};
instance DIA_AngarDJG_WANTTOGOINTHERE(C_Info)
{
npc = DJG_705_Angar;
nr = 11;
condition = DIA_AngarDJG_WANTTOGOINTHERE_Condition;
information = DIA_AngarDJG_WANTTOGOINTHERE_Info;
description = "Let's go together.";
};
func int DIA_AngarDJG_WANTTOGOINTHERE_Condition()
{
if(Npc_KnowsInfo(other,DIA_AngarDJG_WHATSINTHERE) && (DJG_AngarGotAmulett == FALSE))
{
return TRUE;
};
};
func void DIA_AngarDJG_WANTTOGOINTHERE_Info()
{
AI_Output(other,self,"DIA_AngarDJG_WANTTOGOINTHERE_15_00"); //Let's go together.
AI_Output(self,other,"DIA_AngarDJG_WANTTOGOINTHERE_04_01"); //I shall try it. But be careful.
AI_StopProcessInfos(self);
if(Npc_IsDead(SkeletonMage_Angar))
{
Npc_ExchangeRoutine(self,"Zwischenstop");
}
else
{
Npc_ExchangeRoutine(self,"Angriff");
DJG_AngarAngriff = TRUE;
};
self.aivar[AIV_PARTYMEMBER] = TRUE;
};
instance DIA_AngarDJG_UndeadMageDead(C_Info)
{
npc = DJG_705_Angar;
nr = 13;
condition = DIA_AngarDJG_UndeadMageDead_Condition;
information = DIA_AngarDJG_UndeadMageDead_Info;
important = TRUE;
};
func int DIA_AngarDJG_UndeadMageDead_Condition()
{
if((Npc_GetDistToWP(self,"OW_UNDEAD_DUNGEON_02") < 1000) && (DJG_AngarAngriff == TRUE) && (DJG_AngarGotAmulett == FALSE) && Npc_IsDead(SkeletonMage_Angar))
{
return TRUE;
};
};
func void DIA_AngarDJG_UndeadMageDead_Info()
{
AI_Output(self,other,"DIA_AngarDJG_UndeadMageDead_04_00"); //(bellows) Only death and destruction. I must get out of here.
AI_StopProcessInfos(self);
self.aivar[AIV_PARTYMEMBER] = FALSE;
Npc_ExchangeRoutine(self,"RunToEntrance");
};
instance DIA_AngarDJG_UNDEADMAGECOMES(C_Info)
{
npc = DJG_705_Angar;
nr = 13;
condition = DIA_AngarDJG_UNDEADMAGECOMES_Condition;
information = DIA_AngarDJG_UNDEADMAGECOMES_Info;
important = TRUE;
};
func int DIA_AngarDJG_UNDEADMAGECOMES_Condition()
{
if((Npc_GetDistToWP(self,"OW_PATH_3_13") < 500) && Npc_KnowsInfo(other,DIA_AngarDJG_WANTTOGOINTHERE) && (Npc_KnowsInfo(other,DIA_AngarDJG_UndeadMageDead) == FALSE) && (DJG_AngarGotAmulett == FALSE) && Npc_IsDead(SkeletonMage_Angar))
{
return TRUE;
};
};
func void DIA_AngarDJG_UNDEADMAGECOMES_Info()
{
AI_Output(self,other,"DIA_AngarDJG_UNDEADMAGECOMES_04_00"); //(whispers) There it is! Do you hear that?
AI_StopProcessInfos(self);
Npc_ExchangeRoutine(self,"GotoStonehendgeEntrance");
};
instance DIA_Angar_WASISTLOS(C_Info)
{
npc = DJG_705_Angar;
nr = 14;
condition = DIA_Angar_WASISTLOS_Condition;
information = DIA_Angar_WASISTLOS_Info;
description = "What's the matter?";
};
func int DIA_Angar_WASISTLOS_Condition()
{
if((Npc_GetDistToWP(self,"OW_PATH_3_STONES") < 1000) && (DJG_AngarGotAmulett == FALSE) && Npc_IsDead(SkeletonMage_Angar))
{
return TRUE;
};
};
func void DIA_Angar_WASISTLOS_Info()
{
AI_Output(other,self,"DIA_Angar_WASISTLOS_15_00"); //What's the matter?
AI_Output(self,other,"DIA_Angar_WASISTLOS_04_01"); //I cannot go farther with you.
AI_Output(self,other,"DIA_Angar_WASISTLOS_04_02"); //Something tells me that I will never get out of here alive.
AI_Output(self,other,"DIA_Angar_WASISTLOS_04_03"); //I can't explain it, but ...
if(SC_KnowsMadPsi == TRUE)
{
AI_Output(self,other,"DIA_Angar_WASISTLOS_04_04"); //I have to get out of this accursed land as quickly as possible, otherwise I'm going to suffer the same fate as my brethren.
}
else
{
AI_Output(self,other,"DIA_Angar_WASISTLOS_04_05"); //Every time I face one of these ... hellspawn, I have the feeling that I am fighting my own people.
};
AI_StopProcessInfos(self);
B_LogEntry(TOPIC_Dragonhunter,"Angar just walked off. With all these undead he gets the feeling he's fighting his own people.");
self.aivar[AIV_PARTYMEMBER] = FALSE;
Npc_ExchangeRoutine(self,"LeavingOW");
};
instance DIA_Angar_WHYAREYOUHERE(C_Info)
{
npc = DJG_705_Angar;
nr = 15;
condition = DIA_Angar_WHYAREYOUHERE_Condition;
information = DIA_Angar_WHYAREYOUHERE_Info;
description = "Angar? What are you doing here?";
};
func int DIA_Angar_WHYAREYOUHERE_Condition()
{
if(Npc_GetDistToWP(self,"OW_CAVALORN_01") < 1000)
{
return TRUE;
};
};
func void DIA_Angar_WHYAREYOUHERE_Info()
{
AI_Output(other,self,"DIA_Angar_WHYAREYOUHERE_15_00"); //Angar? What are you doing here?
AI_Output(self,other,"DIA_Angar_WHYAREYOUHERE_04_01"); //I was on my way to the pass when I bumped into the orcs. I couldn't shake off the god-forsaken brutes.
AI_Output(self,other,"DIA_Angar_WHYAREYOUHERE_04_02"); //I'll wait a while and then move across the pass. I'll see you on the other side!
B_LogEntry(TOPIC_Dragonhunter,"I met Angar again, he's still stuck in the Valley of Mines.");
B_GivePlayerXP(XP_AngarDJGAgain);
AI_StopProcessInfos(self);
};
instance DIA_Angar_PERMKAP4(C_Info)
{
npc = DJG_705_Angar;
condition = DIA_Angar_PERMKAP4_Condition;
information = DIA_Angar_PERMKAP4_Info;
permanent = TRUE;
description = "I don't like to leave you alone!";
};
func int DIA_Angar_PERMKAP4_Condition()
{
if(Npc_KnowsInfo(other,DIA_Angar_WHYAREYOUHERE))
{
return TRUE;
};
};
func void DIA_Angar_PERMKAP4_Info()
{
AI_Output(other,self,"DIA_Angar_PERMKAP4_15_00"); //I don't like to leave you alone!
AI_Output(self,other,"DIA_Angar_PERMKAP4_04_01"); //Sure. Off you go. I'll see you.
AI_StopProcessInfos(self);
};
instance DIA_Angar_PICKPOCKET(C_Info)
{
npc = DJG_705_Angar;
nr = 900;
condition = DIA_Angar_PICKPOCKET_Condition;
information = DIA_Angar_PICKPOCKET_Info;
permanent = TRUE;
description = Pickpocket_60;
};
func int DIA_Angar_PICKPOCKET_Condition()
{
return C_Beklauen(47,55);
};
func void DIA_Angar_PICKPOCKET_Info()
{
Info_ClearChoices(DIA_Angar_PICKPOCKET);
Info_AddChoice(DIA_Angar_PICKPOCKET,Dialog_Back,DIA_Angar_PICKPOCKET_BACK);
Info_AddChoice(DIA_Angar_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Angar_PICKPOCKET_DoIt);
};
func void DIA_Angar_PICKPOCKET_DoIt()
{
B_Beklauen();
Info_ClearChoices(DIA_Angar_PICKPOCKET);
};
func void DIA_Angar_PICKPOCKET_BACK()
{
Info_ClearChoices(DIA_Angar_PICKPOCKET);
};
|
D
|
/*
* Create menu item from script instance name
* Source: https://github.com/szapp/Ninja/wiki/Inject-Changes
*/
func int Ninja_Stamina_CreateMenuItem(var string scriptName) {
const int zCMenuItem__Create_G1 = 5052784; //0x4D1970
const int zCMenuItem__Create_G2 = 5105600; //0x4DE7C0
var int strPtr; strPtr = _@s(scriptName);
const int call = 0;
if (CALL_Begin(call)) {
CALL_PtrParam(_@(strPtr));
CALL_PutRetValTo(_@(ret));
CALL__cdecl(MEMINT_SwitchG1G2(zCMenuItem__Create_G1, zCMenuItem__Create_G2));
call = CALL_End();
};
var int ret;
return +ret;
};
/*
* Copy essential properties from one to another menu entry
* Source: https://github.com/szapp/Ninja/wiki/Inject-Changes
*/
func void Ninja_Stamina_CopyMenuItemProperties(var int dstPtr, var int srcPtr) {
if (!dstPtr) || (!srcPtr) {
return;
};
var zCMenuItem src; src = _^(srcPtr);
var zCMenuItem dst; dst = _^(dstPtr);
dst.m_parPosX = src.m_parPosX;
dst.m_parPosY = src.m_parPosY;
dst.m_parDimX = src.m_parDimX;
dst.m_parDimY = src.m_parDimY;
dst.m_pFont = src.m_pFont;
dst.m_pFontSel = src.m_pFontSel;
dst.m_parBackPic = src.m_parBackPic;
};
/*
* Get maximum menu item height
* Source: https://github.com/szapp/Ninja/wiki/Inject-Changes
*/
func int Ninja_Stamina_MenuItemGetHeight(var int itmPtr) {
if (!itmPtr) {
return 0;
};
var zCMenuItem itm; itm = _^(itmPtr);
var int fontPtr; fontPtr = itm.m_pFont;
const int zCFont__GetFontY_G1 = 7209472; //0x6E0200
const int zCFont__GetFontY_G2 = 7902432; //0x7894E0
var int fontHeight;
const int call = 0;
if (CALL_Begin(call)) {
CALL_PutRetValTo(_@(fontHeight));
CALL__thiscall(_@(fontPtr), MEMINT_SwitchG1G2(zCFont__GetFontY_G1, zCFont__GetFontY_G2));
call = CALL_End();
};
// Transform to virtual pixels
MEM_InitGlobalInst();
var zCView screen; screen = _^(MEM_Game._zCSession_viewport);
fontHeight *= 8192 / screen.psizey;
if (fontHeight > itm.m_parDimY) {
return fontHeight;
} else {
return itm.m_parDimY;
};
};
/*
* Insert value into array at specific position
* Source: https://github.com/szapp/Ninja/wiki/Inject-Changes
*/
func void Ninja_Stamina_ArrayInsertAtPos(var int zCArray_ptr, var int pos, var int value) {
const int zCArray__InsertAtPos_G1 = 6267728; //0x5FA350
const int zCArray__InsertAtPos_G2 = 6458144; //0x628B20
var int valuePtr; valuePtr = _@(value);
const int call = 0;
if (CALL_Begin(call)) {
CALL_IntParam(_@(pos));
CALL_PtrParam(_@(valuePtr));
CALL__thiscall(_@(zCArray_ptr), MEMINT_SwitchG1G2(zCArray__InsertAtPos_G1, zCArray__InsertAtPos_G2));
call = CALL_End();
};
};
/*
* Menu initialization function called by Ninja every time a menu is opened
* Source: https://github.com/szapp/Ninja/wiki/Inject-Changes
*
* Note: This functions was slightly modified!
*/
func void Ninja_Stamina_AddKeyMenuEntry(var int menuPtr) {
MEM_InitAll();
// Get menu and menu item list, corresponds to C_MENU_DEF.items[]
var zCMenu menu; menu = _^(menuPtr);
var int items; items = _@(menu.m_listItems_array);
// Modify each menu by its name
if (Hlp_StrCmp(menu.name, "MENU_OPT_CONTROLS")) {
// New menu instances (description and key binding)
var string itm1Str;
var string itm2Str;
var int loc; loc = Ninja_Stamina_GuessLocalization();
if (loc == 1) {
itm1Str = "MENUITEM_KEY_DE_NINJA_STAMINA";
itm2Str = "MENUITEM_INP_DE_NINJA_STAMINA";
} else if (loc == 2) {
itm1Str = "MENUITEM_KEY_PL_NINJA_STAMINA";
itm2Str = "MENUITEM_INP_PL_NINJA_STAMINA";
} else if (loc == 3) {
itm1Str = "MENUITEM_KEY_RU_NINJA_STAMINA";
itm2Str = "MENUITEM_INP_RU_NINJA_STAMINA";
} else {
itm1Str = "MENUITEM_KEY_EN_NINJA_STAMINA";
itm2Str = "MENUITEM_INP_EN_NINJA_STAMINA";
};
// Get new items
var int itm1; itm1 = MEM_GetMenuItemByString(itm1Str);
var int itm2; itm2 = MEM_GetMenuItemByString(itm2Str);
// If the new ones do not exist yet, create them the first time
if (!itm1) {
var zCMenuItem itm;
itm1 = Ninja_Stamina_CreateMenuItem(itm1Str);
itm2 = Ninja_Stamina_CreateMenuItem(itm2Str);
// Copy properties of first key binding entry (left column)
var int itmF_left; itmF_left = MEM_ArrayRead(items, 1);
Ninja_Stamina_CopyMenuItemProperties(itm1, itmF_left);
itm = _^(itmF_left);
var int ypos_l; ypos_l = itm.m_parPosY;
// Retrieve right column entry and copy its properties too
var string rightname; rightname = itm.m_parOnSelAction_S;
rightname = STR_SubStr(rightname, 4, STR_Len(rightname)-4);
var int itmF_right; itmF_right = MEM_GetMenuItemByString(rightname);
if (itmF_right) {
Ninja_Stamina_CopyMenuItemProperties(itm2, itmF_right);
} else { // If not found, copy from left column
Ninja_Stamina_CopyMenuItemProperties(itm2, itmF_left);
itm = _^(itm2);
itm.m_parPosX += 2700; // Default x position
};
itm = _^(itmF_right);
var int ypos_r; ypos_r = itm.m_parPosY;
// Find "BACK" menu item by its action (to add the new ones above)
const int index = 0;
repeat(index, MEM_ArraySize(items));
itm = _^(MEM_ArrayRead(items, index));
if (itm.m_parOnSelAction == /*SEL_ACTION_BACK*/ 1)
&& (itm.m_parItemFlags & /*IT_SELECTABLE*/ 4) {
break;
};
end;
var int y; y = itm.m_parPosY; // Obtain vertical position
// Adjust height of new entries (just above the "BACK" option)
itm = _^(itm1);
itm.m_parPosY = y;
itm = _^(itm2);
itm.m_parPosY = y + (ypos_r - ypos_l); // Maintain possible difference
// Get maximum height of new entries
var int ystep; ystep = Ninja_Stamina_MenuItemGetHeight(itm1);
var int ystep_r; ystep_r = Ninja_Stamina_MenuItemGetHeight(itm2);
if (ystep_r > ystep) {
ystep = ystep_r;
};
// Shift vertical positions of all following menu items below
repeat(i, MEM_ArraySize(items) - index); var int i;
itm = _^(MEM_ArrayRead(items, i + index));
itm.m_parPosY += ystep;
end;
};
// Add new entries at the correct position
Ninja_Stamina_ArrayInsertAtPos(items, index, itm1);
Ninja_Stamina_ArrayInsertAtPos(items, index+1, itm2);
};
/* Modify other menus as well:
.. else if (Hlp_StrCmp(menu.name, "XXXX")) {
// ...
}; */
};
|
D
|
/Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.build/Log/DatabaseLog.swift.o : /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/Database.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/LogSupporting.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/Databases.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.build/DatabaseLog~partial.swiftmodule : /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/Database.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/LogSupporting.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/Databases.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.build/DatabaseLog~partial.swiftdoc : /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/Database.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/LogSupporting.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Database/Databases.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/database-kit.git--3872818599693266265/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
|
D
|
/*
* This file generated automatically from shm.xml by d_client.py.
* Edit at your peril.
*/
/**
* @defgroup XCB_Shm_API XCB Shm API
* @brief Shm XCB Protocol Implementation.
* @{
**/
module xcb.shm;
import xcb.xcb;
import xcb.xproto;
extern(C):
enum int XCB_SHM_MAJOR_VERSION = 1;
enum int XCB_SHM_MINOR_VERSION = 2;
extern(C) __gshared extern xcb_extension_t xcb_shm_id;
alias xcb_shm_seg_t = uint;
/**
* @brief xcb_shm_seg_iterator_t
**/
struct xcb_shm_seg_iterator_t {
xcb_shm_seg_t *data; /**< */
int rem; /**< */
int index; /**< */
}
/** Opcode for xcb_shm_completion. */
enum XCB_SHM_COMPLETION = 0;
/**
* @brief xcb_shm_completion_event_t
**/
struct xcb_shm_completion_event_t {
ubyte response_type; /**< */
ubyte pad0; /**< */
ushort sequence; /**< */
xcb_drawable_t drawable; /**< */
ushort minor_event; /**< */
ubyte major_event; /**< */
ubyte pad1; /**< */
xcb_shm_seg_t shmseg; /**< */
uint offset; /**< */
}
/** Opcode for xcb_shm_bad_seg. */
enum XCB_SHM_BAD_SEG = 0;
alias xcb_shm_bad_seg_error_t = xcb_value_error_t;
/**
* @brief xcb_shm_query_version_cookie_t
**/
struct xcb_shm_query_version_cookie_t {
uint sequence; /**< */
}
/** Opcode for xcb_shm_query_version. */
enum XCB_SHM_QUERY_VERSION = 0;
/**
* @brief xcb_shm_query_version_request_t
**/
struct xcb_shm_query_version_request_t {
ubyte major_opcode; /**< */
ubyte minor_opcode; /**< */
ushort length; /**< */
}
/**
* @brief xcb_shm_query_version_reply_t
**/
struct xcb_shm_query_version_reply_t {
ubyte response_type; /**< */
ubyte shared_pixmaps; /**< */
ushort sequence; /**< */
uint length; /**< */
ushort major_version; /**< */
ushort minor_version; /**< */
ushort uid; /**< */
ushort gid; /**< */
ubyte pixmap_format; /**< */
ubyte[15] pad0; /**< */
}
/** Opcode for xcb_shm_attach. */
enum XCB_SHM_ATTACH = 1;
/**
* @brief xcb_shm_attach_request_t
**/
struct xcb_shm_attach_request_t {
ubyte major_opcode; /**< */
ubyte minor_opcode; /**< */
ushort length; /**< */
xcb_shm_seg_t shmseg; /**< */
uint shmid; /**< */
ubyte read_only; /**< */
ubyte[3] pad0; /**< */
}
/** Opcode for xcb_shm_detach. */
enum XCB_SHM_DETACH = 2;
/**
* @brief xcb_shm_detach_request_t
**/
struct xcb_shm_detach_request_t {
ubyte major_opcode; /**< */
ubyte minor_opcode; /**< */
ushort length; /**< */
xcb_shm_seg_t shmseg; /**< */
}
/** Opcode for xcb_shm_put_image. */
enum XCB_SHM_PUT_IMAGE = 3;
/**
* @brief xcb_shm_put_image_request_t
**/
struct xcb_shm_put_image_request_t {
ubyte major_opcode; /**< */
ubyte minor_opcode; /**< */
ushort length; /**< */
xcb_drawable_t drawable; /**< */
xcb_gcontext_t gc; /**< */
ushort total_width; /**< */
ushort total_height; /**< */
ushort src_x; /**< */
ushort src_y; /**< */
ushort src_width; /**< */
ushort src_height; /**< */
short dst_x; /**< */
short dst_y; /**< */
ubyte depth; /**< */
ubyte format; /**< */
ubyte send_event; /**< */
ubyte pad0; /**< */
xcb_shm_seg_t shmseg; /**< */
uint offset; /**< */
}
/**
* @brief xcb_shm_get_image_cookie_t
**/
struct xcb_shm_get_image_cookie_t {
uint sequence; /**< */
}
/** Opcode for xcb_shm_get_image. */
enum XCB_SHM_GET_IMAGE = 4;
/**
* @brief xcb_shm_get_image_request_t
**/
struct xcb_shm_get_image_request_t {
ubyte major_opcode; /**< */
ubyte minor_opcode; /**< */
ushort length; /**< */
xcb_drawable_t drawable; /**< */
short x; /**< */
short y; /**< */
ushort width; /**< */
ushort height; /**< */
uint plane_mask; /**< */
ubyte format; /**< */
ubyte[3] pad0; /**< */
xcb_shm_seg_t shmseg; /**< */
uint offset; /**< */
}
/**
* @brief xcb_shm_get_image_reply_t
**/
struct xcb_shm_get_image_reply_t {
ubyte response_type; /**< */
ubyte depth; /**< */
ushort sequence; /**< */
uint length; /**< */
xcb_visualid_t visual; /**< */
uint size; /**< */
}
/** Opcode for xcb_shm_create_pixmap. */
enum XCB_SHM_CREATE_PIXMAP = 5;
/**
* @brief xcb_shm_create_pixmap_request_t
**/
struct xcb_shm_create_pixmap_request_t {
ubyte major_opcode; /**< */
ubyte minor_opcode; /**< */
ushort length; /**< */
xcb_pixmap_t pid; /**< */
xcb_drawable_t drawable; /**< */
ushort width; /**< */
ushort height; /**< */
ubyte depth; /**< */
ubyte[3] pad0; /**< */
xcb_shm_seg_t shmseg; /**< */
uint offset; /**< */
}
/** Opcode for xcb_shm_attach_fd. */
enum XCB_SHM_ATTACH_FD = 6;
/**
* @brief xcb_shm_attach_fd_request_t
**/
struct xcb_shm_attach_fd_request_t {
ubyte major_opcode; /**< */
ubyte minor_opcode; /**< */
ushort length; /**< */
xcb_shm_seg_t shmseg; /**< */
ubyte read_only; /**< */
ubyte[3] pad0; /**< */
}
/**
* @brief xcb_shm_create_segment_cookie_t
**/
struct xcb_shm_create_segment_cookie_t {
uint sequence; /**< */
}
/** Opcode for xcb_shm_create_segment. */
enum XCB_SHM_CREATE_SEGMENT = 7;
/**
* @brief xcb_shm_create_segment_request_t
**/
struct xcb_shm_create_segment_request_t {
ubyte major_opcode; /**< */
ubyte minor_opcode; /**< */
ushort length; /**< */
xcb_shm_seg_t shmseg; /**< */
uint size; /**< */
ubyte read_only; /**< */
ubyte[3] pad0; /**< */
}
/**
* @brief xcb_shm_create_segment_reply_t
**/
struct xcb_shm_create_segment_reply_t {
ubyte response_type; /**< */
ubyte nfd; /**< */
ushort sequence; /**< */
uint length; /**< */
ubyte[24] pad0; /**< */
}
/**
* Get the next element of the iterator
* @param i Pointer to a xcb_shm_seg_iterator_t
*
* Get the next element in the iterator. The member rem is
* decreased by one. The member data points to the next
* element. The member index is increased by sizeof(xcb_shm_seg_t)
*/
void xcb_shm_seg_next (xcb_shm_seg_iterator_t *i /**< */);
/**
* Return the iterator pointing to the last element
* @param i An xcb_shm_seg_iterator_t
* @return The iterator pointing to the last element
*
* Set the current element in the iterator to the last element.
* The member rem is set to 0. The member data points to the
* last element.
*/
xcb_generic_iterator_t xcb_shm_seg_end (xcb_shm_seg_iterator_t i /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
*/
xcb_shm_query_version_cookie_t xcb_shm_query_version (xcb_connection_t *c /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
* This form can be used only if the request will cause
* a reply to be generated. Any returned error will be
* placed in the event queue.
*/
xcb_shm_query_version_cookie_t xcb_shm_query_version_unchecked (xcb_connection_t *c /**< */);
/**
* Return the reply
* @param c The connection
* @param cookie The cookie
* @param e The xcb_generic_error_t supplied
*
* Returns the reply of the request asked by
*
* The parameter @p e supplied to this function must be NULL if
* xcb_shm_query_version_unchecked(). is used.
* Otherwise, it stores the error if any.
*
* The returned value must be freed by the caller using free().
*/
xcb_shm_query_version_reply_t * xcb_shm_query_version_reply (xcb_connection_t *c /**< */,
xcb_shm_query_version_cookie_t cookie /**< */,
xcb_generic_error_t **e /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
* This form can be used only if the request will not cause
* a reply to be generated. Any returned error will be
* saved for handling by xcb_request_check().
*/
xcb_void_cookie_t xcb_shm_attach_checked (xcb_connection_t *c /**< */,
xcb_shm_seg_t shmseg /**< */,
uint shmid /**< */,
ubyte read_only /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
*/
xcb_void_cookie_t xcb_shm_attach (xcb_connection_t *c /**< */,
xcb_shm_seg_t shmseg /**< */,
uint shmid /**< */,
ubyte read_only /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
* This form can be used only if the request will not cause
* a reply to be generated. Any returned error will be
* saved for handling by xcb_request_check().
*/
xcb_void_cookie_t xcb_shm_detach_checked (xcb_connection_t *c /**< */,
xcb_shm_seg_t shmseg /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
*/
xcb_void_cookie_t xcb_shm_detach (xcb_connection_t *c /**< */,
xcb_shm_seg_t shmseg /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
* This form can be used only if the request will not cause
* a reply to be generated. Any returned error will be
* saved for handling by xcb_request_check().
*/
xcb_void_cookie_t xcb_shm_put_image_checked (xcb_connection_t *c /**< */,
xcb_drawable_t drawable /**< */,
xcb_gcontext_t gc /**< */,
ushort total_width /**< */,
ushort total_height /**< */,
ushort src_x /**< */,
ushort src_y /**< */,
ushort src_width /**< */,
ushort src_height /**< */,
short dst_x /**< */,
short dst_y /**< */,
ubyte depth /**< */,
ubyte format /**< */,
ubyte send_event /**< */,
xcb_shm_seg_t shmseg /**< */,
uint offset /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
*/
xcb_void_cookie_t xcb_shm_put_image (xcb_connection_t *c /**< */,
xcb_drawable_t drawable /**< */,
xcb_gcontext_t gc /**< */,
ushort total_width /**< */,
ushort total_height /**< */,
ushort src_x /**< */,
ushort src_y /**< */,
ushort src_width /**< */,
ushort src_height /**< */,
short dst_x /**< */,
short dst_y /**< */,
ubyte depth /**< */,
ubyte format /**< */,
ubyte send_event /**< */,
xcb_shm_seg_t shmseg /**< */,
uint offset /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
*/
xcb_shm_get_image_cookie_t xcb_shm_get_image (xcb_connection_t *c /**< */,
xcb_drawable_t drawable /**< */,
short x /**< */,
short y /**< */,
ushort width /**< */,
ushort height /**< */,
uint plane_mask /**< */,
ubyte format /**< */,
xcb_shm_seg_t shmseg /**< */,
uint offset /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
* This form can be used only if the request will cause
* a reply to be generated. Any returned error will be
* placed in the event queue.
*/
xcb_shm_get_image_cookie_t xcb_shm_get_image_unchecked (xcb_connection_t *c /**< */,
xcb_drawable_t drawable /**< */,
short x /**< */,
short y /**< */,
ushort width /**< */,
ushort height /**< */,
uint plane_mask /**< */,
ubyte format /**< */,
xcb_shm_seg_t shmseg /**< */,
uint offset /**< */);
/**
* Return the reply
* @param c The connection
* @param cookie The cookie
* @param e The xcb_generic_error_t supplied
*
* Returns the reply of the request asked by
*
* The parameter @p e supplied to this function must be NULL if
* xcb_shm_get_image_unchecked(). is used.
* Otherwise, it stores the error if any.
*
* The returned value must be freed by the caller using free().
*/
xcb_shm_get_image_reply_t * xcb_shm_get_image_reply (xcb_connection_t *c /**< */,
xcb_shm_get_image_cookie_t cookie /**< */,
xcb_generic_error_t **e /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
* This form can be used only if the request will not cause
* a reply to be generated. Any returned error will be
* saved for handling by xcb_request_check().
*/
xcb_void_cookie_t xcb_shm_create_pixmap_checked (xcb_connection_t *c /**< */,
xcb_pixmap_t pid /**< */,
xcb_drawable_t drawable /**< */,
ushort width /**< */,
ushort height /**< */,
ubyte depth /**< */,
xcb_shm_seg_t shmseg /**< */,
uint offset /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
*/
xcb_void_cookie_t xcb_shm_create_pixmap (xcb_connection_t *c /**< */,
xcb_pixmap_t pid /**< */,
xcb_drawable_t drawable /**< */,
ushort width /**< */,
ushort height /**< */,
ubyte depth /**< */,
xcb_shm_seg_t shmseg /**< */,
uint offset /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
* This form can be used only if the request will not cause
* a reply to be generated. Any returned error will be
* saved for handling by xcb_request_check().
*/
xcb_void_cookie_t xcb_shm_attach_fd_checked (xcb_connection_t *c /**< */,
xcb_shm_seg_t shmseg /**< */,
int shm_fd /**< */,
ubyte read_only /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
*/
xcb_void_cookie_t xcb_shm_attach_fd (xcb_connection_t *c /**< */,
xcb_shm_seg_t shmseg /**< */,
int shm_fd /**< */,
ubyte read_only /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
*/
xcb_shm_create_segment_cookie_t xcb_shm_create_segment (xcb_connection_t *c /**< */,
xcb_shm_seg_t shmseg /**< */,
uint size /**< */,
ubyte read_only /**< */);
/**
*
* @param c The connection
* @return A cookie
*
* Delivers a request to the X server.
*
* This form can be used only if the request will cause
* a reply to be generated. Any returned error will be
* placed in the event queue.
*/
xcb_shm_create_segment_cookie_t xcb_shm_create_segment_unchecked (xcb_connection_t *c /**< */,
xcb_shm_seg_t shmseg /**< */,
uint size /**< */,
ubyte read_only /**< */);
/**
* Return the reply
* @param c The connection
* @param cookie The cookie
* @param e The xcb_generic_error_t supplied
*
* Returns the reply of the request asked by
*
* The parameter @p e supplied to this function must be NULL if
* xcb_shm_create_segment_unchecked(). is used.
* Otherwise, it stores the error if any.
*
* The returned value must be freed by the caller using free().
*/
xcb_shm_create_segment_reply_t * xcb_shm_create_segment_reply (xcb_connection_t *c /**< */,
xcb_shm_create_segment_cookie_t cookie /**< */,
xcb_generic_error_t **e /**< */);
/**
* Return the reply fds
* @param c The connection
* @param reply The reply
*
* Returns the array of reply fds of the request asked by
*
* The returned value must be freed by the caller using free().
*/
int * xcb_shm_create_segment_reply_fds (xcb_connection_t *c /**< */,
xcb_shm_create_segment_reply_t *reply /**< */);
/**
* @}
*/
|
D
|
/home/hustccc/OS_Tutorial_Summer_of_Code/rCore_Labs/Lab5/os/target/riscv64imac-unknown-none-elf/debug/deps/buddy_system_allocator-95dbe59adb66f57b.rmeta: /home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/lib.rs /home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/frame.rs /home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/linked_list.rs
/home/hustccc/OS_Tutorial_Summer_of_Code/rCore_Labs/Lab5/os/target/riscv64imac-unknown-none-elf/debug/deps/buddy_system_allocator-95dbe59adb66f57b.d: /home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/lib.rs /home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/frame.rs /home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/linked_list.rs
/home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/lib.rs:
/home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/frame.rs:
/home/hustccc/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/buddy_system_allocator-0.3.9/src/linked_list.rs:
|
D
|
module aoj;
import std.algorithm;
import std.ascii;
import std.range;
import std.stdio;
import std.string;
void main() {
string name, type;
for (;;) {
string[] line = split(readln());
name = line[0];
type = line[1];
if (type == "X") { break; }
string[] words;
ulong prev = 0;
foreach (i; 1 .. name.length) {
if (name[i] == '_') {
words ~= name[prev .. i];
prev = i + 1;
} else if (isUpper(name[i])) {
words ~= name[prev .. i];
prev = i;
}
}
words ~= name[prev .. $];
if (type == "U") {
writeln(join(words.map!capitalize, ""));
} else if (type == "L") {
write(toLower(words[0]));
writeln(join(words[1 .. $].map!capitalize, ""));
} else if (type == "D") {
writeln(join(words.map!toLower, "_"));
} else {
assert(false);
}
}
}
|
D
|
/Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Moya.build/Objects-normal/x86_64/Image.o : /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MultipartFormData.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/URL+Moya.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Image.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/AnyEncodable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Cancellable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/ValidationType.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/TargetType.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Moya+Alamofire.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Response.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/URLRequest+Encoding.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Task.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider+Internal.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/AccessTokenPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/NetworkLoggerPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/CredentialsPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/NetworkActivityPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/RequestTypeWrapper.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaError.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider+Defaults.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MultiTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Endpoint.swift /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/Moya/Moya-umbrella.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Moya.build/unextended-module.modulemap /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Moya.build/Objects-normal/x86_64/Image~partial.swiftmodule : /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MultipartFormData.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/URL+Moya.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Image.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/AnyEncodable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Cancellable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/ValidationType.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/TargetType.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Moya+Alamofire.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Response.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/URLRequest+Encoding.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Task.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider+Internal.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/AccessTokenPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/NetworkLoggerPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/CredentialsPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/NetworkActivityPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/RequestTypeWrapper.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaError.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider+Defaults.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MultiTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Endpoint.swift /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/Moya/Moya-umbrella.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Moya.build/unextended-module.modulemap /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Moya.build/Objects-normal/x86_64/Image~partial.swiftdoc : /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MultipartFormData.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/URL+Moya.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Image.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/AnyEncodable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Cancellable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/ValidationType.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/TargetType.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Moya+Alamofire.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Response.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/URLRequest+Encoding.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Task.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider+Internal.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/AccessTokenPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/NetworkLoggerPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/CredentialsPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Plugins/NetworkActivityPlugin.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/RequestTypeWrapper.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaError.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MoyaProvider+Defaults.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/MultiTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Moya/Sources/Moya/Endpoint.swift /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/Moya/Moya-umbrella.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Moya.build/unextended-module.modulemap /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
extern (C):
version (linux)
{
enum WRITE = 1;
enum EXIT = 60;
}
version (FreeBSD)
{
__gshared void* __start_minfo;
__gshared void* __stop_minfo;
enum WRITE = 4;
enum EXIT = 1;
}
void main() pure nothrow @nogc
{
asm pure nothrow @nogc
{
naked;
mov EAX, WRITE;
mov EDI, 1; // STDOUT
mov ESI, 0x400008;
mov EDX, 7;
syscall;
mov EAX, EXIT;
xor EDI, EDI;
syscall;
}
}
|
D
|
import std.stdio: writeln;
import core.memory: GC;
import std.typecons: Tuple, tuple;
import std.algorithm.iteration: mean;
import std.algorithm.iteration: sum;
import std.datetime.stopwatch: AutoStart, StopWatch;
/* Benchmarking Function */
auto bench(alias fun, string units = "msecs",
ulong minN = 10, bool doPrint = false)(ulong n, string msg = "")
{
auto times = new double[n];
auto sw = StopWatch(AutoStart.no);
for(ulong i = 0; i < n; ++i)
{
sw.start();
fun();
sw.stop();
times[i] = cast(double)sw.peek.total!units;
sw.reset();
}
double ave = mean(times);
double sd = 0;
if(n >= minN)
{
for(ulong i = 0; i < n; ++i)
sd += (times[i] - ave)^^2;
sd /= (n - 1);
sd ^^= 0.5;
}else{
sd = double.nan;
}
static if(doPrint)
writeln(msg ~ "Mean time("~ units ~ "): ", ave, ", Standard Deviation: ", sd);
return tuple!("mean", "sd")(ave, sd);
}
/* Fill Functions */
auto fill_for(alias x, ulong n)()
{
alias T = typeof(x);
auto arr = new T[n];
for(ulong i = 0; i < n; ++i)
arr[i] = x;
return arr;
}
auto fill_foreach(alias x, ulong n)()
{
alias T = typeof(x);
auto arr = new T[n];
foreach(ref el; arr)
el = x;
return arr;
}
auto fill_slice(alias x, ulong n)()
{
alias T = typeof(x);
auto arr = new T[n];
arr[] = x;
return arr;
}
/**
Here explicitly uses D's GC.malloc with respective scan
Note that using GC.BlkAttr.NO_SCAN is faster than malloc.
*/
auto fill_mask(alias x, ulong n, uint mask = GC.BlkAttr.NO_SCAN)()
{
alias T = typeof(x);
auto arr = (cast(T*)GC.malloc(T.sizeof*n, mask))[0..n];
if(arr == null)
assert(0, "Array Allocation Failed!");
arr[] = x;
return arr;
}
void main()
{
double x = 42;
const(ulong) size = 100_000; ulong ntrials = 100;
bench!(fill_slice!(x, size), "usecs", 10, true)(ntrials, "Slice: ");
bench!(fill_foreach!(x, size), "usecs", 10, true)(ntrials, "Foreach: ");
bench!(fill_for!(x, size), "usecs", 10, true)(ntrials, "For: ");
bench!(fill_mask!(x, size, GC.BlkAttr.NO_SCAN), "usecs", 10, true)(ntrials, "Slice & GC.BlkAttr.NO_SCAN: ");
bench!(fill_mask!(x, size, GC.BlkAttr.NONE), "usecs", 10, true)(ntrials, "Slice & GC.BlkAttr.NONE: ");
bench!(fill_mask!(x, size, GC.BlkAttr.NO_MOVE), "usecs", 10, true)(ntrials, "Slice & GC.BlkAttr.MOVE: ");
}
|
D
|
/**
Copyright: Copyright (c) 2016-2017 Andrey Penechko.
License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0).
Authors: Andrey Penechko.
*/
module voxelman.world.storage.iomanager;
import voxelman.log;
import std.experimental.allocator.mallocator;
import std.bitmanip;
import std.array : empty;
import std.traits;
import cbor;
import pluginlib;
import voxelman.core.config;
import voxelman.container.buffer;
import voxelman.config.configmanager : ConfigOption, ConfigManager;
import voxelman.world.worlddb;
import voxelman.utils.mapping;
alias SaveHandler = void delegate(ref PluginDataSaver);
alias LoadHandler = void delegate(ref PluginDataLoader);
final class IoManager : IResourceManager
{
package(voxelman.world) LoadHandler[] worldLoadHandlers;
package(voxelman.world) SaveHandler[] worldSaveHandlers;
StringMap stringMap;
private:
ConfigOption saveDirOpt;
ConfigOption worldNameOpt;
void delegate(string) onPostInit;
auto dbKey = IoKey(null);
void loadStringKeys(ref PluginDataLoader loader) {
stringMap.load(loader.readEntryDecoded!(string[])(dbKey));
if (stringMap.strings.length == 0) {
stringMap.put(null); // reserve 0 index for string map
}
}
void saveStringKeys(ref PluginDataSaver saver) {
saver.writeEntryEncoded(dbKey, stringMap.strings);
}
public:
this(void delegate(string) onPostInit)
{
this.onPostInit = onPostInit;
stringMap.put(null); // reserve 0 index for string map
worldLoadHandlers ~= &loadStringKeys;
worldSaveHandlers ~= &saveStringKeys;
}
override string id() @property { return "voxelman.world.iomanager"; }
override void init(IResourceManagerRegistry resmanRegistry) {
ConfigManager config = resmanRegistry.getResourceManager!ConfigManager;
saveDirOpt = config.registerOption!string("save_dir", "../../saves");
worldNameOpt = config.registerOption!string("world_name", "world");
}
override void postInit() {
import std.path : buildPath;
import std.file : mkdirRecurse;
auto saveFilename = buildPath(saveDirOpt.get!string, worldNameOpt.get!string~".db");
mkdirRecurse(saveDirOpt.get!string);
onPostInit(saveFilename);
}
StringMap* getStringMap() {
return &stringMap;
}
void registerWorldLoadSaveHandlers(LoadHandler loadHandler, SaveHandler saveHandler)
{
worldLoadHandlers ~= loadHandler;
worldSaveHandlers ~= saveHandler;
}
}
struct IoKey {
string str;
uint id = uint.max;
}
struct StringMap {
Buffer!string array;
uint[string] map;
void load(string[] ids) {
array.clear();
foreach(str; ids) {
put(str);
}
}
string[] strings() {
return array.data;
}
uint put(string key) {
uint id = cast(uint)array.data.length;
map[key] = id;
array.put(key);
return id;
}
uint get(ref IoKey key) {
if (key.id == uint.max) {
key.id = map.get(key.str, uint.max);
if (key.id == uint.max) {
key.id = put(key.str);
}
}
return key.id;
}
}
enum IoStorageType {
database,
network
}
struct PluginDataSaver
{
StringMap* stringMap;
private Buffer!ubyte buffer;
private size_t prevDataLength;
Buffer!ubyte* beginWrite() {
prevDataLength = buffer.data.length;
return &buffer;
}
IoStorageType storageType() { return IoStorageType.database; }
void endWrite(ref IoKey key) {
// write empty entries, they will be deleted in storage worker
uint entrySize = cast(uint)(buffer.data.length - prevDataLength);
buffer.put(*cast(ubyte[4]*)&entrySize);
buffer.put(formWorldKey(stringMap.get(key)));
}
void writeEntryEncoded(T)(ref IoKey key, T data) {
beginWrite();
encodeCbor(buffer, data);
endWrite(key);
}
void writeMapping(T)(ref IoKey key, T mapping)
if (__traits(isSame, TemplateOf!T, Mapping))
{
auto sink = beginWrite();
encodeCborArrayHeader(sink, mapping.infoArray.length);
foreach(const ref info; mapping.infoArray)
{
encodeCborString(sink, info.name);
}
endWrite(key);
}
package(voxelman.world) void reset() @nogc {
buffer.clear();
}
package(voxelman.world) int opApply(scope int delegate(ubyte[16] key, ubyte[] data) dg)
{
ubyte[] data = buffer.data;
while(!data.empty)
{
ubyte[16] key = data[$-16..$];
uint entrySize = *cast(uint*)(data[$-4-16..$-16].ptr);
ubyte[] entry = data[$-4-16-entrySize..$-4-16];
auto result = dg(key, entry);
data = data[0..$-4-16-entrySize];
if (result) return result;
}
return 0;
}
}
unittest
{
PluginDataSaver saver;
StringMap stringMap;
saver.stringMap = &stringMap;
auto dbKey1 = IoKey("Key1");
saver.writeEntryEncoded(dbKey1, 1);
auto dbKey2 = IoKey("Key2");
auto sink = saver.beginWrite();
encodeCbor(sink, 2);
saver.endWrite(dbKey2);
// iteration
foreach(ubyte[16] key, ubyte[] data; saver) {
//
}
saver.reset();
}
struct PluginDataLoader
{
StringMap* stringMap;
WorldDb worldDb;
IoStorageType storageType() { return IoStorageType.database; }
ubyte[] readEntryRaw(ref IoKey key) {
auto data = worldDb.get(formWorldKey(stringMap.get(key)));
return data;
}
/// decodes entry if data in db is not empty. Leaves value untouched otherwise.
void readEntryDecoded(T)(ref IoKey key, ref T value) {
ubyte[] data = readEntryRaw(key);
if (data)
decodeCbor!(Yes.Duplicate)(data, value);
}
T readEntryDecoded(T)(ref IoKey key) {
ubyte[] data = readEntryRaw(key);
T value;
if (data) {
decodeCbor!(Yes.Duplicate)(data, value);
}
return value;
}
void readMapping(T)(ref IoKey key, ref T mapping)
if (__traits(isSame, TemplateOf!T, Mapping))
{
ubyte[] data = readEntryRaw(key);
if (data)
{
string[] value;
decodeCbor!(Yes.Duplicate)(data, value);
mapping.setMapping(value);
}
}
}
|
D
|
import std.stdio;
import std.conv;
int fib(int n) {
return n < 2 ? n : fib(n - 1) + fib(n - 2);
}
void main(string[] args) {
writeln(fib(to!int(args[1])));
}
|
D
|
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric, std.container, std.range;
void get(Args...)(ref Args args)
{
import std.traits, std.meta, std.typecons;
static if (Args.length == 1) {
alias Arg = Args[0];
static if (isArray!Arg) {
static if (isSomeChar!(ElementType!Arg)) {
args[0] = readln.chomp.to!Arg;
} else {
args[0] = readln.split.to!Arg;
}
} else static if (isTuple!Arg) {
auto input = readln.split;
static foreach (i; 0..Fields!Arg.length) {
args[0][i] = input[i].to!(Fields!Arg[i]);
}
} else {
args[0] = readln.chomp.to!Arg;
}
} else {
auto input = readln.split;
assert(input.length == Args.length);
static foreach (i; 0..Args.length) {
args[i] = input[i].to!(Args[i]);
}
}
}
void get_lines(Args...)(size_t N, ref Args args)
{
import std.traits, std.range;
static foreach (i; 0..Args.length) {
static assert(isArray!(Args[i]));
args[i].length = N;
}
foreach (i; 0..N) {
static if (Args.length == 1) {
get(args[0][i]);
} else {
auto input = readln.split;
static foreach (j; 0..Args.length) {
args[j][i] = input[j].to!(ElementType!(Args[j]));
}
}
}
}
void main()
{
int H, W; get(H, W);
long[][] AA; get_lines(H, AA);
auto DP = new long[][][](H, W, H + W);
foreach (i; 0..H) foreach (j; 0..W) foreach (k; 0..H + W) {
if (i + 1 < H) {
DP[i + 1][j][k] = max(DP[i + 1][j][k], DP[i][j][k]);
if (k < H + W - 1) DP[i + 1][j][k + 1] = max(DP[i + 1][j][k + 1], DP[i][j][k] + AA[i][j]);
}
if (j + 1 < W) {
DP[i][j + 1][k] = max(DP[i][j + 1][k], DP[i][j][k]);
if (k < H + W - 1) DP[i][j + 1][k + 1] = max(DP[i][j + 1][k + 1], DP[i][j][k] + AA[i][j]);
}
}
foreach_reverse (k; 0..H + W - 1) {
DP[H - 1][W - 1][k + 1] = max(DP[H - 1][W - 1][k + 1], DP[H - 1][W - 1][k] + AA[H - 1][W - 1]);
}
foreach (i; 1..H + W) writeln(DP[H - 1][W - 1][i]);
}
|
D
|
import dub_test_root; //import the list of all modules
import tested;
void main() {
assert(runUnitTests!allModules(new PrettyConsoleTestResultWriter), "Unit tests failed.");
}
|
D
|
/**
* This module defines an Option!T type and a related Some!T type for
* dealing nullable data in a safe manner.
*/
module dstruct.option;
import std.traits: isPointer;
/**
* This type represents a value which cannot be null by its contracts.
*/
struct Some(T) if (is(T == class) || isPointer!T) {
private:
T _value;
public:
/// Disable default construction for Some!T types.
@disable this();
/**
* Construct this object by wrapping a given value.
*
* Params:
* value = The value to create the object with.
*/
@safe pure nothrow
this(U)(inout(U) value) inout if(is(U : T))
in {
assert(value !is null, "A null value was given to Some.");
} body {
_value = value;
}
/**
* Get the value from this object.
*
* Returns: The value wrapped by this object.
*/
@safe pure nothrow
@property inout(T) get() inout
out(value) {
assert(value !is null, "Some returned null!");
} body {
return _value;
}
/**
* Assign another value to this object.
*
* Params:
* value = The value to set.
*/
@safe pure nothrow
void opAssign(U)(U value) if(is(U : T))
in {
assert(value !is null, "A null value was given to Some.");
} body {
_value = value;
}
/// Implicitly convert Some!T objects to T.
alias get this;
}
/**
* A helper function for constructing Some!T values.
*
* Params:
* value = A value to wrap.
*
* Returns: The value wrapped in a non-nullable type.
*/
@safe pure nothrow
inout(Some!T) some(T)(inout(T) value) {
return inout(Some!T)(value);
}
// Test basic usage.
unittest {
class Klass {}
struct Struct {}
Some!Klass k = new Klass();
k = new Klass();
Klass k2 = k;
Some!(Struct*) s = new Struct();
Struct* s1 = s;
}
// Test immutable
unittest {
class Klass {}
immutable(Some!Klass) k = new immutable Klass();
}
// Test class hierarchies.
unittest {
class Animal {}
class Dog : Animal {}
Some!Animal a = new Animal();
a = new Dog();
auto d = new Dog();
d = cast(Dog) a;
assert(d !is null);
Some!Dog d2 = new Dog();
Animal a2 = d2;
}
// Test conversion between wrapper types when wrapped types are compatible.
unittest {
class Animal {}
class Dog : Animal {}
Some!Animal a = new Animal();
Some!Dog d = new Dog();
a = d;
}
// Test the wrapper function.
unittest {
class Klass {}
auto m = some(new Klass());
auto c = some(new const Klass());
auto i = some(new immutable Klass());
assert(is(typeof(m) == Some!Klass));
assert(is(typeof(c) == const(Some!Klass)));
assert(is(typeof(i) == immutable(Some!Klass)));
}
/**
* This type represents an optional value for T.
*
* This is a means of explicitly dealing with null values in every case.
*/
struct Option(T) if(is(T == class) || isPointer!T) {
private:
T _value;
public:
/**
* Construct this object by wrapping a given value.
*
* Params:
* value = The value to create the object with.
*/
@safe pure nothrow
this(U)(inout(U) value) inout if(is(U : T)) {
_value = value;
}
/**
* Get the value from this object.
*
* Contracts ensure this value isn't null.
*
* Returns: Some value from this object.
*/
@safe pure nothrow
@property Some!T get()
in {
assert(_value !is null, "get called for a null Option type!");
} body {
return Some!T(_value);
}
/// ditto
@trusted pure nothrow
@property const(Some!T) get() const
in {
assert(_value !is null, "get called for a null Option type!");
} body {
return Some!T(cast(T) _value);
}
/// ditto
@trusted pure nothrow
@property immutable(Some!T) get() immutable
in {
assert(_value !is null, "get called for a null Option type!");
} body {
return Some!T(cast(T) _value);
}
/**
* Returns: True if the value this option type does not hold a value.
*/
@trusted pure nothrow
@property bool isNull() const {
return _value is null;
}
/**
* Assign another value to this object.
*
* Params:
* value = The value to set.
*/
@safe pure nothrow
void opAssign(U)(U value) if(is(U : T)) {
_value = value;
}
/**
* Permit foreach over an option type.
*
* Example:
* ---
* Option!T value = null;
*
* foreach(someValue; value) {
* // We never enter this loop body.
* }
*
* value = new T();
*
* foreach(someValue; value) {
* // We enter this loop body exactly once.
* }
* ---
*/
int opApply(int delegate(Some!T) dg) {
if (_value !is null) {
return dg(Some!T(_value));
}
return 0;
}
/// ditto
int opApply(int delegate(const(Some!T)) dg) const {
if (_value !is null) {
return dg(cast(const) Some!T(cast(T) _value));
}
return 0;
}
/// ditto
int opApply(int delegate(immutable(Some!T)) dg) immutable {
if (_value !is null) {
return dg(cast(immutable) Some!T(cast(T) _value));
}
return 0;
}
/// Reverse iteration is exactly the same as forward iteration.
alias opApplyReverse = opApply;
}
/**
* A helper function for constructing Option!T values.
*
* Params:
* value = A value to wrap.
*
* Returns: The value wrapped in an option type.
*/
@safe pure nothrow
inout(Option!T) option(T)(inout(T) value) {
return inout(Option!T)(value);
}
/// ditto
@safe pure nothrow
inout(Option!T) option(T)(inout(Some!T) value) {
return option(value._value);
}
// Test basic usage for Option
unittest {
class Klass {}
struct Struct {}
Option!Klass k = new Klass();
k = new Klass();
Klass k2 = k.get;
Option!(Struct*) s = new Struct();
Struct* s1 = s.get;
}
// Test class hierarchies for Option
unittest {
class Animal {}
class Dog : Animal {}
Option!Animal a = new Animal();
a = new Dog();
auto d = new Dog();
d = cast(Dog) a.get;
assert(d !is null);
Option!Dog d2 = new Dog();
Animal a2 = d2.get;
}
// Test get across constness.
unittest {
class Klass {}
Option!Klass m = new Klass();
const Option!Klass c = new const Klass();
immutable Option!Klass i = new immutable Klass();
auto someM = m.get();
auto someC = c.get();
auto someI = i.get();
assert(is(typeof(someM) == Some!Klass));
assert(is(typeof(someC) == const(Some!Klass)));
assert(is(typeof(someI) == immutable(Some!Klass)));
}
// Test foreach on option across constness.
unittest {
class Klass {}
Option!Klass m = new Klass();
const Option!Klass c = new const Klass();
immutable Option!Klass i = new immutable Klass();
size_t mCount = 0;
size_t cCount = 0;
size_t iCount = 0;
foreach(val; m) {
++mCount;
}
foreach(val; c) {
++cCount;
}
foreach(val; i) {
++iCount;
}
assert(mCount == 1);
assert(cCount == 1);
assert(iCount == 1);
}
// Test empty foreach
unittest {
class Klass {}
Option!Klass m = null;
const Option!Klass c = null;
immutable Option!Klass i = null;
size_t mCount = 0;
size_t cCount = 0;
size_t iCount = 0;
foreach(val; m) {
++mCount;
}
foreach(val; c) {
++cCount;
}
foreach(val; i) {
++iCount;
}
assert(mCount == 0);
assert(cCount == 0);
assert(iCount == 0);
}
// Test foreach_reverse on option across constness.
unittest {
class Klass {}
Option!Klass m = new Klass();
const Option!Klass c = new const Klass();
immutable Option!Klass i = new immutable Klass();
size_t mCount = 0;
size_t cCount = 0;
size_t iCount = 0;
foreach_reverse(val; m) {
++mCount;
}
foreach_reverse(val; c) {
++cCount;
}
foreach_reverse(val; i) {
++iCount;
}
assert(mCount == 1);
assert(cCount == 1);
assert(iCount == 1);
}
// Test empty foreach_reverse
unittest {
class Klass {}
Option!Klass m = null;
const Option!Klass c = null;
immutable Option!Klass i = null;
size_t mCount = 0;
size_t cCount = 0;
size_t iCount = 0;
foreach_reverse(val; m) {
++mCount;
}
foreach_reverse(val; c) {
++cCount;
}
foreach_reverse(val; i) {
++iCount;
}
assert(mCount == 0);
assert(cCount == 0);
assert(iCount == 0);
}
// Test setting Option from Some
unittest {
class Klass {}
Option!Klass m = some(new Klass());
const Option!Klass c = some(new const Klass());
immutable Option!Klass i = some(new immutable Klass());
Option!Klass m2 = option(some(new Klass()));
const Option!Klass c2 = option(some(new const Klass()));
immutable Option!Klass i2 = option(some(new immutable Klass()));
Option!Klass m3;
m3 = some(new Klass());
}
// Test isNull
unittest {
class Klass {}
Option!Klass m;
assert(m.isNull);
m = new Klass();
assert(!m.isNull);
}
/**
* This type represents a range over an optional type.
*
* This is a RandomAccessRange.
*/
struct OptionRange(T) if(is(T == class) || isPointer!T) {
private:
T _value;
public:
/**
* Construct this range by wrapping a given value.
*
* Params:
* value = The value to create the range with.
*/
@safe pure nothrow
this(U)(U value) if(is(U : T)) {
_value = value;
}
///
@trusted pure nothrow
void popFront()
in {
assert(_value !is null, "Attempted to pop an empty range!");
} body {
static if(is(T == const) || is(T == immutable)) {
// Force the pointer held here into being null.
*(cast(void**) &_value) = null;
} else {
_value = null;
}
}
///
alias popBack = popFront;
///
@safe pure nothrow
@property inout(T) front() inout {
return _value;
}
///
alias back = front;
///
@safe pure nothrow
@property bool empty() const {
return _value is null;
}
///
@safe pure nothrow
@property typeof(this) save() {
return this;
}
///
@safe pure nothrow
@property size_t length() const {
return _value !is null ? 1 : 0;
}
///
@safe pure nothrow
inout(T) opIndex(size_t index) inout
in {
assert(index <= length, "Index out of bounds!");
} body {
return _value;
}
}
/**
* Create an OptionRange from an Option type.
*
* The range shall be empty when the option has no value,
* and it shall have one item when the option has a value.
*
* Params:
* optionalValue = An optional value.
*
* Returns: A range of 0 or 1 values.
*/
@safe pure nothrow
OptionRange!T range(T)(Option!T optionalValue) {
if (optionalValue.isNull) {
return typeof(return).init;
}
return OptionRange!T(optionalValue.get);
}
/// ditto
@trusted pure nothrow
OptionRange!(const(T)) range(T)(const(Option!T) optionalValue) {
return cast(typeof(return)) range(cast(Option!T)(optionalValue));
}
/// ditto
@trusted pure nothrow
OptionRange!(immutable(T)) range(T)(immutable(Option!T) optionalValue) {
return cast(typeof(return)) range(cast(Option!T)(optionalValue));
}
// Test creating ranges from option types.
unittest {
class Klass {}
Option!Klass m = new Klass();
const(Option!Klass) c = new const Klass();
immutable(Option!Klass) i = new immutable Klass();
auto mRange = m.range;
auto cRange = c.range;
auto iRange = i.range;
assert(!mRange.empty);
assert(!cRange.empty);
assert(!iRange.empty);
assert(mRange.length == 1);
assert(cRange.length == 1);
assert(iRange.length == 1);
assert(mRange[0] is m.get);
assert(cRange[0] is c.get);
assert(iRange[0] is i.get);
assert(mRange.front is mRange.back);
assert(cRange.front is cRange.back);
assert(iRange.front is iRange.back);
auto mRangeSave = mRange.save;
auto cRangeSave = cRange.save;
auto iRangeSave = iRange.save;
mRange.popFront();
cRange.popFront();
iRange.popFront();
assert(mRange.empty);
assert(cRange.empty);
assert(iRange.empty);
assert(mRange.length == 0);
assert(cRange.length == 0);
assert(iRange.length == 0);
assert(!mRangeSave.empty);
assert(!cRangeSave.empty);
assert(!iRangeSave.empty);
}
unittest {
import std.range;
// Test that all of the essential properties hold for this type.
static assert(isInputRange!(OptionRange!(void*)));
static assert(isForwardRange!(OptionRange!(void*)));
static assert(isBidirectionalRange!(OptionRange!(void*)));
static assert(isRandomAccessRange!(OptionRange!(void*)));
static assert(!isInfinite!(OptionRange!(void*)));
}
// Test std.algorithm integration
unittest {
class Klass {
int x = 3;
}
import std.algorithm;
Option!Klass foo = new Klass();
auto squareSum(R)(R range) {
return reduce!((x, y) => x + y)(0, range.map!(val => val.x * val.x));
}
auto fooSum = squareSum(foo.range);
import std.stdio;
assert(fooSum == 9);
Option!Klass bar;
auto barSum = squareSum(bar.range);
assert(barSum == 0);
}
|
D
|
var int Scar_ItemsGiven_Chapter_1;
var int Scar_ItemsGiven_Chapter_2;
var int Scar_ItemsGiven_Chapter_3;
var int Scar_ItemsGiven_Chapter_4;
var int Scar_ItemsGiven_Chapter_5;
FUNC VOID B_GiveTradeInv_Mod_Scar_MT (var C_NPC slf)
{
if ((Kapitel >= 1)
&& (Scar_ItemsGiven_Chapter_1 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 80);
CreateInvItems (slf, ItRw_Arrow, 25);
CreateInvItems (slf, ItRw_Bolt, 25);
// ------ Waffen ------
CreateInvItems (slf, ItRw_Crossbow_L_01, 1);
CreateInvItems (slf, ItRw_Crossbow_L_02, 1);
CreateInvItems (slf, ItRw_Bow_L_01, 1);
CreateInvItems (slf, ItRw_Bow_L_02, 1);
CreateInvItems (slf, ItRw_Sld_Bow, 1);
CreateInvItems (slf, ItMw_Nagelkeule2, 1);
CreateInvItems (slf, ItMw_Kriegshammer1, 1);
CreateInvItems (slf, ItMw_Kriegskeule, 1);
CreateInvItems (slf, ItMw_ShortSword4, 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_Streitaxt1, 1);
CreateInvItems (slf, ItMw_2H_Sword_Light_01, 1);
CreateInvItems (slf, ItMw_2h_Sld_Axe, 1);
CreateInvItems (slf, ItMw_2h_Sld_Sword, 1);
CreateInvItems (slf, ItMw_Hellebarde, 1);
CreateInvItems (slf, ItMw_2h_Bau_Axe, 1);
CreateInvItems (slf, ItMw_Richtstab, 1);
CreateInvItems (slf, ItAm_Prot_Total_01, 1);
Scar_ItemsGiven_Chapter_1 = TRUE;
};
if ((Kapitel >= 2) //Joly: wird eh erst ab 2. Kapitel vom SC erreicht.
&& (Scar_ItemsGiven_Chapter_2 == FALSE))
{
CreateInvItems (slf, ItAt_ShadowHorn, 1);
CreateInvItems (slf, ItMi_Gold, 200);
CreateInvItems (slf, ItRw_Arrow, 100);
CreateInvItems (slf, ItRw_Bolt, 100);
CreateInvItems (slf, ItRw_Crossbow_M_01, 1);
CreateInvItems (slf, ItRw_Bow_M_02, 1);
CreateInvItems (slf, ItMw_Steinbrecher, 1);
CreateInvItems (slf, ItMw_Schwert2, 1);
CreateInvItems (slf, ItMw_Schwert3, 1);
CreateInvItems (slf, ItMw_Morgenstern, 1);
CreateInvItems (slf, ItMw_Bartaxt, 1);
CreateInvItems (slf, ItMw_Zweihaender2, 1);
CreateInvItems (slf, ItMw_Streitaxt2, 1);
Scar_ItemsGiven_Chapter_2 = TRUE;
};
if ((Kapitel >= 3)
&& (Scar_ItemsGiven_Chapter_3 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 100);
CreateInvItems (slf, ItRw_Arrow, 100);
CreateInvItems (slf, ItRw_Bolt, 100);
CreateInvItems (slf, ItRw_Crossbow_M_02, 1);
CreateInvItems (slf, ItRw_Bow_M_03, 1);
CreateInvItems (slf, ItMw_Streitkolben, 1);
CreateInvItems (slf, ItMw_Rubinklinge, 1);
CreateInvItems (slf, ItMw_Schwert5, 1);
CreateInvItems (slf, ItMw_Rabenschnabel, 1);
CreateInvItems (slf, ItMw_Inquisitor, 1);
CreateInvItems (slf, ItMw_Meisterdegen, 1);
CreateInvItems (slf, ItMw_Zweihaender3, 1);
CreateInvItems (slf, ItMW_Addon_Keule_2h_01, 1);
Scar_ItemsGiven_Chapter_3 = TRUE;
};
if ((Kapitel >= 4)
&& (Scar_ItemsGiven_Chapter_4 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 150);
CreateInvItems (slf, ItRw_Arrow, 100);
CreateInvItems (slf, ItRw_Bolt, 100);
CreateInvItems (slf, ItRw_Crossbow_H_01, 1);
CreateInvItems (slf, ItRw_Bow_H_01, 1);
CreateInvItems (slf, ItMw_Folteraxt, 1);
CreateInvItems (slf, ItMW_Addon_Betty, 1);
CreateInvItems (slf, ItMw_Krummschwert, 1);
Scar_ItemsGiven_Chapter_4 = TRUE;
};
if ((Kapitel >= 5)
&& (Scar_ItemsGiven_Chapter_5 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 200);
CreateInvItems (slf, ItRw_Arrow, 100);
CreateInvItems (slf, ItRw_Bolt, 100);
CreateInvItems (slf, ItRw_Crossbow_H_02, 1);
CreateInvItems (slf, ItRw_Bow_H_04, 1);
CreateInvItems (slf, ItMw_Berserkeraxt, 1);
Scar_ItemsGiven_Chapter_5 = TRUE;
};
};
|
D
|
//module input;
import dlsl.trackball;
import derelict.glfw3.glfw3;
import appstate;
private VDrive_State* vd;
void registerCallbacks( GLFWwindow* window, void* user_pointer = null ) {
vd = cast( VDrive_State* )user_pointer;
glfwSetWindowUserPointer( window, user_pointer );
glfwSetWindowSizeCallback( window, &windowSizeCallback );
glfwSetMouseButtonCallback( window, &mouseButtonCallback );
glfwSetCursorPosCallback( window, &cursorPosCallback );
glfwSetKeyCallback( window, &keyCallback );
}
struct TrackballButton {
Trackball tb;
alias tb this;
ubyte button;
}
auto ref initTrackball(
ref VDrive_State vd,
float perspective_fovy = 60,
float window_height = 1080,
float cam_pos_x = 3,
float cam_pos_y = 3,
float cam_pos_z = -6,
float cam_target_x = 0,
float cam_target_y = 0,
float cam_target_z = 0,
) {
home_pos_x = cam_pos_x;
home_pos_y = cam_pos_y;
home_pos_z = cam_pos_z;
home_trg_x = cam_target_x;
home_trg_y = cam_target_y;
home_trg_z = cam_target_z;
vd.tb.camHome;
vd.tb.perspectiveFovyWindowHeight( perspective_fovy, window_height );
vd.window.registerCallbacks( &vd );
return vd;
}
/// Callback Function for capturing window resize events
extern( C ) void windowSizeCallback( GLFWwindow * window, int w, int h ) nothrow {
// the extent might change at swapchain creation when the specified extent is not usable
vd.swapchainExtent( w, h );
vd.window_resized = true;
}
/// Callback Function for capturing mouse motion events
extern( C ) void cursorPosCallback( GLFWwindow * window, double x, double y ) nothrow {
if( vd.tb.button == 0 ) return;
switch( vd.tb.button ) {
case 1 : vd.tb.orbit( x, y ); break;
case 2 : vd.tb.xform( x, y ); break;
case 4 : vd.tb.dolly( x, y ); break;
default : break;
}
}
/// Callback Function for capturing mouse motion events
extern( C ) void mouseButtonCallback( GLFWwindow * window, int key, int val, int mod ) nothrow {
// compute mouse button bittfield flags
switch( key ) {
case 0 : vd.tb.button += 2 * val - 1; break;
case 1 : vd.tb.button += 8 * val - 4; break;
case 2 : vd.tb.button += 4 * val - 2; break;
default : vd.tb.button = 0;
}
if( vd.tb.button == 0 ) return;
// set trackball reference if any mouse button is pressed
double xpos, ypos;
glfwGetCursorPos( window, &xpos, &ypos );
vd.tb.reference( xpos, ypos );
}
/// Callback Function for capturing mouse wheel events
extern( C ) void scrollCallback( GLFWwindow * window, double x, double y ) nothrow {
}
/// Callback Function for capturing keyboard events
extern( C ) void keyCallback( GLFWwindow * window, int key, int scancode, int val, int mod ) nothrow {
if( val != GLFW_PRESS ) return;
switch( key ) {
case GLFW_KEY_ESCAPE : glfwSetWindowShouldClose( window, GLFW_TRUE ); break;
case GLFW_KEY_HOME : vd.tb.camHome; break;
case GLFW_KEY_KP_ENTER : if( mod == GLFW_MOD_ALT ) window.toggleFullscreen; break;
default : break;
}
}
private:
float home_pos_x, home_pos_y, home_pos_z; // camera home position, defined when initializing the trackball
float home_trg_x, home_trg_y, home_trg_z; // camera home target, same as above
bool fb_fullscreen = false; // keep track if we are in fullscreen mode
int win_x, win_y, win_w, win_h; // remember position and size of window when switching to fullscreen mode
// set camera back to its initial state
void camHome( ref TrackballButton tb ) nothrow @nogc {
tb.lookAt( home_pos_x, home_pos_y, home_pos_z, home_trg_x, home_trg_y, home_trg_z );
}
// toggle fullscreen state of window
void toggleFullscreen( GLFWwindow * window ) nothrow @nogc {
if( fb_fullscreen ) {
fb_fullscreen = false;
glfwSetWindowMonitor( window, null, win_x, win_y, win_w, win_h, GLFW_DONT_CARE );
} else {
fb_fullscreen = true;
glfwGetWindowPos( window, &win_x, &win_y );
glfwGetWindowSize( window, &win_w, &win_h );
auto monitor = glfwGetPrimaryMonitor();
auto vidmode = glfwGetVideoMode( monitor );
glfwSetWindowMonitor( window, glfwGetPrimaryMonitor(), 0, 0, vidmode.width, vidmode.height, vidmode.refreshRate );
}
}
|
D
|
module webidl.binding.test;
import webidl.binding.generator;
import std.stdio;
import webidl.grammar;
import pegged.grammar : ParseTree;
import std.array : appender, array, Appender;
import std.algorithm : each, sort, schwartzSort, filter, uniq, sum, max, maxElement, copy;
import std.algorithm : each, joiner, map;
import std.range : chain, enumerate;
import std.conv : text, to;
import std.range : zip, only;
version (unittest) {
import unit_threaded;
__gshared bool updatedMethods = false;
static this() {
import openmethods : updateMethods;
if (!updatedMethods) {
updateMethods();
updatedMethods = true;
}
}
auto getGenerator(string input) {
auto semantics = new Semantics();
auto document = WebIDL(input);
if (!document.successful)
writeln(document);
document.successful.shouldEqual(true);
semantics.analyse("mod",document);
struct Helper {
IR ir;
Module module_;
Semantics semantics;
string generateDBindings() { return ir.generateDBindings(module_); }
string generateDImports() { return ir.generateDImports(module_); }
string generateJsExports(string[] filtered = []) {
auto app = IndentedStringAppender();
ir.nodes.each!(n => n.toJsExport(semantics, filtered, &app));
return app.data;
}
string generateJsGlobalBindings(string[] filtered = []) {
auto app = IndentedStringAppender();
ir.generateJsGlobalBindings(filtered, app);
return app.data;
}
string generateJsDecoders(string[] filtered = []) {
auto decodedTypes = ir.generateDecodedTypes(filtered).sort!((a,b){return a.mangled < b.mangled;}).uniq!((a, b){return a.mangled == b.mangled;});
bool first = true;
auto app = IndentedStringAppender();
foreach(decoder; decodedTypes.filter!(e => e.mangled != "string")) {
if (!first)
app.putLn(",");
else
first = false;
decoder.generateJsDecoder(app, semantics, true);
}
return app.data;
}
string generateJsEncoders(string[] filtered = []) {
auto encodedTypes = ir.generateEncodedTypes(filtered).sort!((a,b){return a.mangled < b.mangled;}).uniq!((a, b){return a.mangled == b.mangled;});
bool first = true;
auto app = IndentedStringAppender();
foreach(encoder; encodedTypes.filter!(e => e.mangled != "string")) {
if (!first)
app.putLn(",");
else
first = false;
encoder.generateJsEncoder(app, semantics, true);
}
return app.data;
}
}
return Helper(semantics.toIr(), semantics.modules["mod"], semantics);
}
void shouldBeLike(string a, string b, in string file = __FILE__, in size_t line = __LINE__) {
import std.string : lineSplitter, strip;
import std.algorithm : map, filter, equal;
import std.range : empty;
auto as = a.lineSplitter.map!(l => l.strip).filter!(l => !l.empty);
auto bs = b.lineSplitter.map!(l => l.strip).filter!(l => !l.empty);
while (!as.empty && !bs.empty) {
if (!as.front.equal(bs.front))
a.shouldEqual(b, file, line);
as.popFront();
bs.popFront();
}
if (as.empty != bs.empty)
a.shouldEqual(b);
}
}
@("default")
unittest {
auto gen = getGenerator(q{
interface Event {
DelayNode createDelay (optional double maxDelayTime = 1.0);
};
});
gen.generateDBindings.shouldBeLike(q{
struct Event {
JsHandle handle;
alias handle this;
auto createDelay(double maxDelayTime /* = 1.0 */) {
return DelayNode(JsHandle(Event_createDelay(this.handle, maxDelayTime)));
}
auto createDelay() {
return DelayNode(JsHandle(Event_createDelay_0(this.handle)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Handle Event_createDelay(Handle, double);
extern (C) Handle Event_createDelay_0(Handle);
});
}
@("test-b")
unittest {
auto gen = getGenerator(q{
[Constructor(DOMString type, optional EventInit eventInitDict),
Exposed=(Window,Worker,AudioWorklet)]
interface Event {
readonly attribute DOMString type;
attribute EventTarget? target;
sequence<EventTarget> composedPath();
const unsigned short NONE = 0;
attribute unsigned short eventPhase;
};
interface Window {
};
interface AudioWorklet {
};
});
gen.generateDBindings.shouldBeLike(q{
struct AudioWorklet {
JsHandle handle;
alias handle this;
auto Event(string type, EventInit eventInitDict) {
return .Event(JsHandle(AudioWorklet_Event(this.handle, type, eventInitDict.handle)));
}
}
struct Event {
JsHandle handle;
alias handle this;
auto type() {
return Event_type_Get(this.handle);
}
void target(Optional!(EventTarget) target) {
Event_target_Set(this.handle, !target.empty, target.front.handle);
}
auto target() {
return Event_target_Get(this.handle);
}
auto composedPath() {
return Sequence!(EventTarget)(JsHandle(Event_composedPath(this.handle)));
}
enum ushort NONE = 0;
void eventPhase(ushort eventPhase) {
Event_eventPhase_Set(this.handle, eventPhase);
}
auto eventPhase() {
return Event_eventPhase_Get(this.handle);
}
}
struct Window {
JsHandle handle;
alias handle this;
auto Event(string type, EventInit eventInitDict) {
return .Event(JsHandle(Window_Event(this.handle, type, eventInitDict.handle)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Handle AudioWorklet_Event(Handle, string, Handle);
extern (C) string Event_type_Get(Handle);
extern (C) void Event_target_Set(Handle, bool, Handle);
extern (C) Optional!(EventTarget) Event_target_Get(Handle);
extern (C) Handle Event_composedPath(Handle);
extern (C) void Event_eventPhase_Set(Handle, ushort);
extern (C) ushort Event_eventPhase_Get(Handle);
extern (C) Handle Window_Event(Handle, string, Handle);
});
gen.generateJsExports.shouldBeLike("
AudioWorklet_Event: (ctx, typeLen, typePtr, eventInitDict) => {
return spasm.addObject(new spasm.objects[ctx].Event(spasm_decode_string(typeLen, typePtr), spasm.objects[eventInitDict]));
},
Event_type_Get: (rawResult, ctx) => {
spasm_encode_string(rawResult, spasm.objects[ctx].type);
},
Event_target_Set: (ctx, targetDefined, target) => {
spasm.objects[ctx].target = targetDefined ? spasm.objects[target] : undefined;
},
Event_target_Get: (rawResult, ctx) => {
spasm_encode_optional_Handle(rawResult, spasm.objects[ctx].target);
},
Event_composedPath: (ctx) => {
return spasm.addObject(spasm.objects[ctx].composedPath());
},
Event_eventPhase_Set: (ctx, eventPhase) => {
spasm.objects[ctx].eventPhase = eventPhase;
},
Event_eventPhase_Get: (ctx) => {
return spasm.objects[ctx].eventPhase;
},
Window_Event: (ctx, typeLen, typePtr, eventInitDict) => {
return spasm.addObject(new spasm.objects[ctx].Event(spasm_decode_string(typeLen, typePtr), spasm.objects[eventInitDict]));
},
");
}
@("enum")
unittest {
auto gen = getGenerator(q{
enum ImageOrientation { "none", "flipY", "with-hypen" };
interface Foo {
attribute ImageOrientation orientation;
ImageOrientation needs();
void wants(ImageOrientation o);
};
});
gen.generateDBindings.shouldBeLike(q{
struct Foo {
JsHandle handle;
alias handle this;
void orientation(ImageOrientation orientation) {
Foo_orientation_Set(this.handle, orientation);
}
auto orientation() {
return Foo_orientation_Get(this.handle);
}
auto needs() {
return Foo_needs(this.handle);
}
void wants(ImageOrientation o) {
Foo_wants(this.handle, o);
}
}
enum ImageOrientation {
none,
flipY,
with_hypen
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void Foo_orientation_Set(Handle, ImageOrientation);
extern (C) ImageOrientation Foo_orientation_Get(Handle);
extern (C) ImageOrientation Foo_needs(Handle);
extern (C) void Foo_wants(Handle, ImageOrientation);
});
gen.generateJsExports.shouldBeLike("
Foo_orientation_Set: (ctx, orientation) => {
spasm.objects[ctx].orientation = spasm_decode_ImageOrientation(orientation);
},
Foo_orientation_Get: (ctx) => {
return spasm_encode_ImageOrientation(spasm.objects[ctx].orientation);
},
Foo_needs: (ctx) => {
return spasm_encode_ImageOrientation(spasm.objects[ctx].needs());
},
Foo_wants: (ctx, o) => {
spasm.objects[ctx].wants(spasm_decode_ImageOrientation(o));
},
");
}
unittest {
auto gen = getGenerator(q{
callback SomethingCallback = DOMString (DOMString msg, boolean v);
callback DecodeErrorCallback = void (DOMException error);
});
gen.generateDBindings.shouldBeLike(q{
alias DecodeErrorCallback = void delegate(DOMException);
alias SomethingCallback = string delegate(string, bool);
});
gen.generateDImports.shouldBeEmpty;
gen.generateJsExports.shouldBeLike("");
}
@("sequence")
unittest {
auto gen = getGenerator(q{
interface BaseAudioContext : EventTarget {
PeriodicWave createPeriodicWave (sequence<float> real, optional PeriodicWaveConstraints constraints);
};
});
gen.generateDBindings.shouldBeLike(q{
struct BaseAudioContext {
EventTarget _parent;
alias _parent this;
this(JsHandle h) {
_parent = .EventTarget(h);
}
auto createPeriodicWave(Sequence!(float) real_, PeriodicWaveConstraints constraints) {
return PeriodicWave(JsHandle(BaseAudioContext_createPeriodicWave(this._parent, real_.handle, constraints.handle)));
}
auto createPeriodicWave(Sequence!(float) real_) {
return PeriodicWave(JsHandle(BaseAudioContext_createPeriodicWave_0(this._parent, real_.handle)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Handle BaseAudioContext_createPeriodicWave(Handle, Handle, Handle);
extern (C) Handle BaseAudioContext_createPeriodicWave_0(Handle, Handle);
});
gen.generateJsExports.shouldBeLike("
BaseAudioContext_createPeriodicWave: (ctx, real, constraints) => {
return spasm.addObject(spasm.objects[ctx].createPeriodicWave(spasm.objects[real], spasm.objects[constraints]));
},
BaseAudioContext_createPeriodicWave_0: (ctx, real) => {
return spasm.addObject(spasm.objects[ctx].createPeriodicWave(spasm.objects[real]));
},
");
}
@("optional")
unittest {
auto gen = getGenerator(q{
interface Foo {
void bar (optional unsigned long number);
};
});
gen.generateDBindings.shouldBeLike(q{
struct Foo {
JsHandle handle;
alias handle this;
void bar(uint number) {
Foo_bar(this.handle, number);
}
void bar() {
Foo_bar_0(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void Foo_bar(Handle, uint);
extern (C) void Foo_bar_0(Handle);
});
gen.generateJsExports.shouldBeLike("
Foo_bar: (ctx, number) => {
spasm.objects[ctx].bar(number);
},
Foo_bar_0: (ctx) => {
spasm.objects[ctx].bar();
},
");
}
@("null")
unittest {
auto gen = getGenerator(q{
interface Foo {
void bar (unsigned long? number, Bar? constraints);
};
});
gen.generateDBindings.shouldBeLike(q{
struct Foo {
JsHandle handle;
alias handle this;
void bar(Optional!(uint) number, Optional!(Bar) constraints) {
Foo_bar(this.handle, !number.empty, number.front, !constraints.empty, constraints.front.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void Foo_bar(Handle, bool, uint, bool, Handle);
});
gen.generateJsExports.shouldBeLike("
Foo_bar: (ctx, numberDefined, number, constraintsDefined, constraints) => {
spasm.objects[ctx].bar(numberDefined ? number : undefined, constraintsDefined ? spasm.objects[constraints] : undefined);
},
");
}
@("interface.callback")
unittest {
auto gen = getGenerator(q{
callback DecodeErrorCallback = void (DOMException error);
callback DecodeSuccessCallback = void (AudioBuffer decodedData);
interface BaseAudioContext : EventTarget {
Promise<AudioBuffer> decodeAudioData (ArrayBuffer audioData, optional DecodeSuccessCallback? successCallback, optional DecodeErrorCallback? errorCallback);
};
});
gen.generateDBindings.shouldBeLike(q{
struct BaseAudioContext {
EventTarget _parent;
alias _parent this;
this(JsHandle h) {
_parent = .EventTarget(h);
}
auto decodeAudioData(ArrayBuffer audioData, Optional!(DecodeSuccessCallback) successCallback, Optional!(DecodeErrorCallback) errorCallback) {
return Promise!(AudioBuffer)(JsHandle(BaseAudioContext_decodeAudioData(this._parent, audioData.handle, !successCallback.empty, successCallback.front, !errorCallback.empty, errorCallback.front)));
}
auto decodeAudioData(ArrayBuffer audioData, Optional!(DecodeSuccessCallback) successCallback) {
return Promise!(AudioBuffer)(JsHandle(BaseAudioContext_decodeAudioData_0(this._parent, audioData.handle, !successCallback.empty, successCallback.front)));
}
auto decodeAudioData(ArrayBuffer audioData) {
return Promise!(AudioBuffer)(JsHandle(BaseAudioContext_decodeAudioData_1(this._parent, audioData.handle)));
}
}
alias DecodeErrorCallback = void delegate(DOMException);
alias DecodeSuccessCallback = void delegate(AudioBuffer);
});
gen.generateDImports.shouldBeLike(q{
extern (C) Handle BaseAudioContext_decodeAudioData(Handle, Handle, bool, DecodeSuccessCallback, bool, DecodeErrorCallback);
extern (C) Handle BaseAudioContext_decodeAudioData_0(Handle, Handle, bool, DecodeSuccessCallback);
extern (C) Handle BaseAudioContext_decodeAudioData_1(Handle, Handle);
});
gen.generateJsExports.shouldBeLike("
BaseAudioContext_decodeAudioData: (ctx, audioData, successCallbackDefined, successCallbackCtx, successCallbackPtr, errorCallbackDefined, errorCallbackCtx, errorCallbackPtr) => {
return spasm.addObject(spasm.objects[ctx].decodeAudioData(spasm.objects[audioData], successCallbackDefined ? (decodedData)=>{encode_handle(0, decodedData);spasm_indirect_function_get(successCallbackPtr)(successCallbackCtx, 0)} : undefined, errorCallbackDefined ? (error)=>{encode_handle(0, error);spasm_indirect_function_get(errorCallbackPtr)(errorCallbackCtx, 0)} : undefined));
},
BaseAudioContext_decodeAudioData_0: (ctx, audioData, successCallbackDefined, successCallbackCtx, successCallbackPtr) => {
return spasm.addObject(spasm.objects[ctx].decodeAudioData(spasm.objects[audioData], successCallbackDefined ? (decodedData)=>{encode_handle(0, decodedData);spasm_indirect_function_get(successCallbackPtr)(successCallbackCtx, 0)} : undefined));
},
BaseAudioContext_decodeAudioData_1: (ctx, audioData) => {
return spasm.addObject(spasm.objects[ctx].decodeAudioData(spasm.objects[audioData]));
},
");
}
@("sumType.interface")
unittest {
auto gen = getGenerator(q{
enum AudioContextLatencyCategory { "balanced", "interactive", "playback" };
interface AudioContextOptions {
attribute (AudioContextLatencyCategory or double) latencyHint;
attribute (boolean or double)? sampleRate;
(DOMString or AudioContextLatencyCategory) fooBar();
};
});
gen.generateDBindings.shouldBeLike(q{
enum AudioContextLatencyCategory {
balanced,
interactive,
playback
}
struct AudioContextOptions {
JsHandle handle;
alias handle this;
void latencyHint(SumType!(AudioContextLatencyCategory, double) latencyHint) {
AudioContextOptions_latencyHint_Set(this.handle, latencyHint);
}
auto latencyHint() {
return AudioContextOptions_latencyHint_Get(this.handle);
}
void sampleRate(Optional!(SumType!(bool, double)) sampleRate) {
AudioContextOptions_sampleRate_Set(this.handle, !sampleRate.empty, sampleRate.front);
}
auto sampleRate() {
return AudioContextOptions_sampleRate_Get(this.handle);
}
auto fooBar() {
return AudioContextOptions_fooBar(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void AudioContextOptions_latencyHint_Set(Handle, SumType!(AudioContextLatencyCategory, double));
extern (C) SumType!(AudioContextLatencyCategory, double) AudioContextOptions_latencyHint_Get(Handle);
extern (C) void AudioContextOptions_sampleRate_Set(Handle, bool, SumType!(bool, double));
extern (C) Optional!(SumType!(bool, double)) AudioContextOptions_sampleRate_Get(Handle);
extern (C) SumType!(string, AudioContextLatencyCategory) AudioContextOptions_fooBar(Handle);
});
// TODO: the optionals and unions returned from js should probably be stored in first extra param
gen.generateJsExports.shouldBeLike("
AudioContextOptions_latencyHint_Set: (ctx, latencyHint) => {
spasm.objects[ctx].latencyHint = spasm_decode_union2_AudioContextLatencyCategory_double(latencyHint);
},
AudioContextOptions_latencyHint_Get: (rawResult, ctx) => {
spasm_encode_union2_AudioContextLatencyCategory_double(rawResult, spasm.objects[ctx].latencyHint);
},
AudioContextOptions_sampleRate_Set: (ctx, sampleRateDefined, sampleRate) => {
spasm.objects[ctx].sampleRate = sampleRateDefined ? spasm_decode_union2_bool_double(sampleRate) : undefined;
},
AudioContextOptions_sampleRate_Get: (rawResult, ctx) => {
spasm_encode_optional_union2_bool_double(rawResult, spasm.objects[ctx].sampleRate);
},
AudioContextOptions_fooBar: (rawResult, ctx) => {
spasm_encode_union2_string_AudioContextLatencyCategory(rawResult, spasm.objects[ctx].fooBar());
},
");
}
@("sumType.dictionary")
unittest {
auto gen = getGenerator(q{
enum AudioContextLatencyCategory { "balanced", "interactive", "playback" };
dictionary AudioContextOptions {
(AudioContextLatencyCategory or double) latencyHint = "interactive";
(boolean or double)? sampleRate;
};
});
gen.generateDBindings.shouldBeLike(q{
enum AudioContextLatencyCategory {
balanced,
interactive,
playback
}
struct AudioContextOptions {
JsHandle handle;
alias handle this;
static auto create() {
return AudioContextOptions(JsHandle(spasm_add__object()));
}
void latencyHint(SumType!(AudioContextLatencyCategory, double) latencyHint) {
AudioContextOptions_latencyHint_Set(this.handle, latencyHint);
}
auto latencyHint() {
return AudioContextOptions_latencyHint_Get(this.handle);
}
void sampleRate(Optional!(SumType!(bool, double)) sampleRate) {
AudioContextOptions_sampleRate_Set(this.handle, !sampleRate.empty, sampleRate.front);
}
auto sampleRate() {
return AudioContextOptions_sampleRate_Get(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void AudioContextOptions_latencyHint_Set(Handle, SumType!(AudioContextLatencyCategory, double));
extern (C) SumType!(AudioContextLatencyCategory, double) AudioContextOptions_latencyHint_Get(Handle);
extern (C) void AudioContextOptions_sampleRate_Set(Handle, bool, SumType!(bool, double));
extern (C) Optional!(SumType!(bool, double)) AudioContextOptions_sampleRate_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
AudioContextOptions_latencyHint_Set: (ctx, latencyHint) => {
spasm.objects[ctx].latencyHint = spasm_decode_union2_AudioContextLatencyCategory_double(latencyHint);
},
AudioContextOptions_latencyHint_Get: (rawResult, ctx) => {
spasm_encode_union2_AudioContextLatencyCategory_double(rawResult, spasm.objects[ctx].latencyHint);
},
AudioContextOptions_sampleRate_Set: (ctx, sampleRateDefined, sampleRate) => {
spasm.objects[ctx].sampleRate = sampleRateDefined ? spasm_decode_union2_bool_double(sampleRate) : undefined;
},
AudioContextOptions_sampleRate_Get: (rawResult, ctx) => {
spasm_encode_optional_union2_bool_double(rawResult, spasm.objects[ctx].sampleRate);
},
");
}
@("partial")
unittest {
// TODO: test partial interface with an optional attribute
}
@("partial.friendlyName")
unittest {
auto gen = getGenerator(q{
interface double {
};
partial interface double {
[CEReactions] attribute DOMString real;
};
});
gen.generateDBindings.shouldBeLike(q{
struct double_ {
JsHandle handle;
alias handle this;
void real_(string real_) {
double_real_Set(this.handle, real_);
}
auto real_() {
return double_real_Get(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void double_real_Set(Handle, string);
extern (C) string double_real_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
double_real_Set: (ctx, realLen, realPtr) => {
spasm.objects[ctx].real = spasm_decode_string(realLen, realPtr);
},
double_real_Get: (rawResult, ctx) => {
spasm_encode_string(rawResult, spasm.objects[ctx].real);
},
");
}
@("dictionary.primitives")
unittest {
auto gen = getGenerator(q{
dictionary AudioTimestamp {
double contextTime;
};
});
gen.generateDBindings.shouldBeLike(q{
struct AudioTimestamp {
JsHandle handle;
alias handle this;
static auto create() {
return AudioTimestamp(JsHandle(spasm_add__object()));
}
void contextTime(double contextTime) {
AudioTimestamp_contextTime_Set(this.handle, contextTime);
}
auto contextTime() {
return AudioTimestamp_contextTime_Get(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void AudioTimestamp_contextTime_Set(Handle, double);
extern (C) double AudioTimestamp_contextTime_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
AudioTimestamp_contextTime_Set: (ctx, contextTime) => {
spasm.objects[ctx].contextTime = contextTime;
},
AudioTimestamp_contextTime_Get: (ctx) => {
return spasm.objects[ctx].contextTime;
},
");
}
@("dictionary.inheritance")
unittest {
auto gen = getGenerator(q{
dictionary AudioWorkletNodeOptions : AudioNodeOptions {
};
});
gen.generateDBindings.shouldBeLike(q{
struct AudioWorkletNodeOptions {
AudioNodeOptions _parent;
alias _parent this;
this(JsHandle h) {
_parent = .AudioNodeOptions(h);
}
static auto create() {
return AudioWorkletNodeOptions(JsHandle(spasm_add__object()));
}
}
});
gen.generateDImports.shouldBeLike(q{});
gen.generateJsExports.shouldBeLike("");
}
@("interface.friendlyName")
unittest {
auto gen = getGenerator(q{
interface double {
attribute double real;
};
});
gen.generateDBindings.shouldBeLike(q{
struct double_ {
JsHandle handle;
alias handle this;
void real_(double real_) {
double_real_Set(this.handle, real_);
}
auto real_() {
return double_real_Get(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void double_real_Set(Handle, double);
extern (C) double double_real_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
double_real_Set: (ctx, real) => {
spasm.objects[ctx].real = real;
},
double_real_Get: (ctx) => {
return spasm.objects[ctx].real;
},
");
}
@("dictionary.record")
unittest {
auto gen = getGenerator(q{
dictionary AudioWorkletNodeOptions {
record<DOMString, double> real;
};
});
gen.generateDBindings.shouldBeLike(q{
struct AudioWorkletNodeOptions {
JsHandle handle;
alias handle this;
static auto create() {
return AudioWorkletNodeOptions(JsHandle(spasm_add__object()));
}
void real_(Record!(string, double) real_) {
AudioWorkletNodeOptions_real_Set(this.handle, real_.handle);
}
auto real_() {
return Record!(string, double)(JsHandle(AudioWorkletNodeOptions_real_Get(this.handle)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void AudioWorkletNodeOptions_real_Set(Handle, Handle);
extern (C) Handle AudioWorkletNodeOptions_real_Get(Handle);
});
// TODO: jsExports
}
@("dictionary.float")
unittest {
auto gen = getGenerator(q{
dictionary AudioParamDescriptor {
float maxValue = 3.4028235e38;
float minValue = -3.4028235e38;
};
});
gen.generateDBindings.shouldBeLike(q{
struct AudioParamDescriptor {
JsHandle handle;
alias handle this;
static auto create() {
return AudioParamDescriptor(JsHandle(spasm_add__object()));
}
void maxValue(float maxValue) {
AudioParamDescriptor_maxValue_Set(this.handle, maxValue);
}
auto maxValue() {
return AudioParamDescriptor_maxValue_Get(this.handle);
}
void minValue(float minValue) {
AudioParamDescriptor_minValue_Set(this.handle, minValue);
}
auto minValue() {
return AudioParamDescriptor_minValue_Get(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void AudioParamDescriptor_maxValue_Set(Handle, float);
extern (C) float AudioParamDescriptor_maxValue_Get(Handle);
extern (C) void AudioParamDescriptor_minValue_Set(Handle, float);
extern (C) float AudioParamDescriptor_minValue_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
AudioParamDescriptor_maxValue_Set: (ctx, maxValue) => {
spasm.objects[ctx].maxValue = maxValue;
},
AudioParamDescriptor_maxValue_Get: (ctx) => {
return spasm.objects[ctx].maxValue;
},
AudioParamDescriptor_minValue_Set: (ctx, minValue) => {
spasm.objects[ctx].minValue = minValue;
},
AudioParamDescriptor_minValue_Get: (ctx) => {
return spasm.objects[ctx].minValue;
},
");
}
@("interface.maplike")
unittest {
auto gen = getGenerator(q{
[Exposed=Window]
interface AudioParamMap {
readonly maplike<DOMString, AudioParam>;
};
});
// TODO: a readonly maplike should probably not have clear, set, delete, etc.
gen.generateDBindings.shouldBeLike(q{
struct AudioParamMap {
JsHandle handle;
alias handle this;
uint size() {
return Maplike_string_Handle_size(this.handle);
}
void clear() {
Maplike_string_Handle_clear(this.handle);
}
void delete_(string key) {
Maplike_string_Handle_delete(this.handle, key);
}
Iterator!(ArrayPair!(string, AudioParam)) entries() {
return Iterator!(ArrayPair!(string, AudioParam))(JsHandle(Maplike_string_Handle_entries(this.handle)));
}
extern(C) void forEach(void delegate(string, Handle, Handle) callback) {
Maplike_string_Handle_forEach(this.handle, callback);
}
AudioParam get(string key) {
return AudioParam(JsHandle(Maplike_string_Handle_get(this.handle, key)));
}
bool has(string key) {
return Maplike_string_Handle_has(this.handle, key);
}
Iterator!(string) keys() {
return Iterator!(string)(JsHandle(Maplike_string_Handle_keys(this.handle)));
}
void set(string key, AudioParam value) {
Maplike_string_Handle_set(this.handle, key, value.handle);
}
Iterator!(AudioParam) values() {
return Iterator!(AudioParam)(JsHandle(Maplike_string_Handle_values(this.handle)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) uint Maplike_string_Handle_size(Handle);
extern (C) void Maplike_string_Handle_clear(Handle);
extern (C) void Maplike_string_Handle_delete(Handle, string key);
extern (C) Handle Maplike_string_Handle_entries(Handle);
extern (C) void Maplike_string_Handle_forEach(Handle, void delegate(string, Handle, Handle));
extern (C) AudioParam Maplike_string_Handle_get(Handle, string);
extern (C) bool Maplike_string_Handle_has(Handle, string);
extern (C) Handle Maplike_string_Handle_keys(Handle);
extern (C) void Maplike_string_Handle_set(Handle, string key, Handle value);
extern (C) Handle Maplike_string_Handle_values(Handle);
});
gen.generateJsExports.shouldBeLike("");
}
@("friendlyName")
unittest {
"real".friendlyName.shouldEqual("real_");
"with-hypen".friendlyName.shouldEqual("with_hypen");
"0with-number".friendlyName.shouldEqual("_0with_number");
}
@("putCamelCase")
unittest {
{
auto app = appender!string;
app.putCamelCase("HTMLAnchorElement");
app.data.shouldEqual("htmlAnchorElement");
}
{
auto app = appender!string;
app.putCamelCase("HtmlAnchorElement");
app.data.shouldEqual("htmlAnchorElement");
}
{
auto app = appender!string;
app.putCamelCase("htmlAnchorElement");
app.data.shouldEqual("htmlAnchorElement");
}
}
@("optional.string")
unittest {
auto gen = getGenerator(q{
interface BaseAudioContext : EventTarget {
DOMString? createPeriodicWave();
attribute DOMString? name;
void foo(DOMString? title);
};
});
gen.generateDBindings.shouldBeLike(q{
struct BaseAudioContext {
EventTarget _parent;
alias _parent this;
this(JsHandle h) {
_parent = .EventTarget(h);
}
auto createPeriodicWave() {
return BaseAudioContext_createPeriodicWave(this._parent);
}
void name(Optional!(string) name) {
BaseAudioContext_name_Set(this._parent, !name.empty, name.front);
}
auto name() {
return BaseAudioContext_name_Get(this._parent);
}
void foo(Optional!(string) title) {
BaseAudioContext_foo(this._parent, !title.empty, title.front);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Optional!(string) BaseAudioContext_createPeriodicWave(Handle);
extern (C) void BaseAudioContext_name_Set(Handle, bool, string);
extern (C) Optional!(string) BaseAudioContext_name_Get(Handle);
extern (C) void BaseAudioContext_foo(Handle, bool, string);
});
gen.generateJsExports.shouldBeLike("
BaseAudioContext_createPeriodicWave: (rawResult, ctx) => {
spasm_encode_optional_string(rawResult, spasm.objects[ctx].createPeriodicWave());
},
BaseAudioContext_name_Set: (ctx, nameDefined, nameLen, namePtr) => {
spasm.objects[ctx].name = nameDefined ? spasm_decode_string(nameLen, namePtr) : undefined;
},
BaseAudioContext_name_Get: (rawResult, ctx) => {
spasm_encode_optional_string(rawResult, spasm.objects[ctx].name);
},
BaseAudioContext_foo: (ctx, titleDefined, titleLen, titlePtr) => {
spasm.objects[ctx].foo(titleDefined ? spasm_decode_string(titleLen, titlePtr) : undefined);
},
");
}
@("interface.nullable")
unittest {
auto gen = getGenerator(q{
interface ClipboardEvent : Event {
readonly attribute DataTransfer? clipboardData;
};
});
gen.generateDBindings.shouldBeLike(q{
struct ClipboardEvent {
Event _parent;
alias _parent this;
this(JsHandle h) {
_parent = .Event(h);
}
auto clipboardData() {
return ClipboardEvent_clipboardData_Get(this._parent);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Optional!(DataTransfer) ClipboardEvent_clipboardData_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
ClipboardEvent_clipboardData_Get: (rawResult, ctx) => {
spasm_encode_optional_Handle(rawResult, spasm.objects[ctx].clipboardData);
},
");
}
@("dictionary.nullable")
unittest {
auto gen = getGenerator(q{
dictionary FocusEventInit {
EventTarget? relatedTarget = null;
};
});
gen.generateDBindings.shouldBeLike(q{
struct FocusEventInit {
JsHandle handle;
alias handle this;
static auto create() {
return FocusEventInit(JsHandle(spasm_add__object()));
}
void relatedTarget(Optional!(EventTarget) relatedTarget) {
FocusEventInit_relatedTarget_Set(this.handle, !relatedTarget.empty, relatedTarget.front.handle);
}
auto relatedTarget() {
return FocusEventInit_relatedTarget_Get(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void FocusEventInit_relatedTarget_Set(Handle, bool, Handle);
extern (C) Optional!(EventTarget) FocusEventInit_relatedTarget_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
FocusEventInit_relatedTarget_Set: (ctx, relatedTargetDefined, relatedTarget) => {
spasm.objects[ctx].relatedTarget = relatedTargetDefined ? spasm.objects[relatedTarget] : undefined;
},
FocusEventInit_relatedTarget_Get: (rawResult, ctx) => {
spasm_encode_optional_Handle(rawResult, spasm.objects[ctx].relatedTarget);
},
");
}
@("interface.mixin")
unittest {
auto gen = getGenerator(q{
interface mixin GenericTransformStream {
readonly attribute WritableStream writable;
readonly attribute ReadbleStream readable;
};
interface TextDecoderStream {
};
TextDecoderStream includes GenericTransformStream;
});
gen.generateDBindings.shouldBeLike(q{
struct TextDecoderStream {
JsHandle handle;
alias handle this;
auto writable() {
return WritableStream(JsHandle(GenericTransformStream_writable_Get(this.handle)));
}
auto readable() {
return ReadbleStream(JsHandle(GenericTransformStream_readable_Get(this.handle)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Handle GenericTransformStream_writable_Get(Handle);
extern (C) Handle GenericTransformStream_readable_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
GenericTransformStream_writable_Get: (ctx) => {
return spasm.addObject(spasm.objects[ctx].writable);
},
GenericTransformStream_readable_Get: (ctx) => {
return spasm.addObject(spasm.objects[ctx].readable);
},
");
}
@("interface.ExtendedAttribute")
unittest {
auto gen = getGenerator(q{
interface HTMLOrSVGElement {
[SameObject] readonly attribute DOMStringMap datacube;
};
});
gen.generateDBindings.shouldBeLike(q{
struct HTMLOrSVGElement {
JsHandle handle;
alias handle this;
auto datacube() {
return DOMStringMap(JsHandle(HTMLOrSVGElement_datacube_Get(this.handle)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Handle HTMLOrSVGElement_datacube_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
HTMLOrSVGElement_datacube_Get: (ctx) => {
return spasm.addObject(spasm.objects[ctx].datacube);
},
");
}
@("interface.special")
unittest {
auto gen = getGenerator(q{
[Exposed=Window,
OverrideBuiltins]
interface DOMStringMap {
getter DOMString (DOMString name);
[CEReactions] setter void (DOMString name, DOMString value);
[CEReactions] deleter void (DOMString name);
getter DOMString byKey(DOMString name);
[CEReactions] setter void byKey(DOMString name, DOMString value);
};
});
gen.generateDBindings.shouldBeLike(q{
struct DOMStringMap {
JsHandle handle;
alias handle this;
auto opIndex(string name) {
return DOMStringMap_getter__string(this.handle, name);
}
auto opDispatch(string name)() {
return DOMStringMap_getter__string(this.handle, name);
}
void opIndexAssign(string value, string name) {
DOMStringMap_setter__string_string(this.handle, name, value);
}
void opDispatch(string name)(string value) {
DOMStringMap_setter__string_string(this.handle, name, value);
}
void remove(string name) {
DOMStringMap_deleter(this.handle, name);
}
auto byKey(string name) {
return DOMStringMap_byKey_getter(this.handle, name);
}
void byKey(string name, string value) {
DOMStringMap_byKey_setter(this.handle, name, value);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) string DOMStringMap_getter__string(Handle, string);
extern (C) void DOMStringMap_setter__string_string(Handle, string, string);
extern (C) void DOMStringMap_deleter(Handle, string);
extern (C) string DOMStringMap_byKey_getter(Handle, string);
extern (C) void DOMStringMap_byKey_setter(Handle, string, string);
});
gen.generateJsExports.shouldBeLike("
DOMStringMap_getter__string: (rawResult, ctx, nameLen, namePtr) => {
spasm_encode_string(rawResult, spasm.objects[ctx][spasm_decode_string(nameLen, namePtr)]);
},
DOMStringMap_setter__string_string: (ctx, nameLen, namePtr, valueLen, valuePtr) => {
spasm.objects[ctx][spasm_decode_string(nameLen, namePtr)] = spasm_decode_string(valueLen, valuePtr);
},
DOMStringMap_deleter: (ctx, nameLen, namePtr) => {
delete spasm.objects[ctx][spasm_decode_string(nameLen, namePtr)];
},
DOMStringMap_byKey_getter: (rawResult, ctx, nameLen, namePtr) => {
spasm_encode_string(rawResult, spasm.objects[ctx].byKey(spasm_decode_string(nameLen, namePtr)));
},
DOMStringMap_byKey_setter: (ctx, nameLen, namePtr, valueLen, valuePtr) => {
spasm.objects[ctx].byKey(spasm_decode_string(nameLen, namePtr), spasm_decode_string(valueLen, valuePtr));
},
");
}
@("interface.extendedAttributeList")
unittest {
getGenerator(q{
[Constructor(DOMString type, ErrorEventInit eventInitDict, symbolBar bar, any thing)]
interface ErrorEvent : Event {
};
});
}
@("interface.mixin.required")
unittest {
getGenerator(q{
interface mixin SVGTests {
[SameObject] readonly attribute Foo requiredExtensions;
};
});
}
@("comments")
unittest {
getGenerator(q{
interface Foo {
/* AlphaFunction (not supported in ES20) */
/* NEVER */
/* LESS */
/* EQUAL */
/* LEQUAL */
};
});
}
@("typedef.callback")
unittest {
auto gen = getGenerator(q{
typedef double DOMHighResTimeStamp;
callback FrameRequestCallback = void (DOMHighResTimeStamp time);
interface AnimationFrameProvider {
unsigned long requestAnimationFrame(FrameRequestCallback callback);
};
});
gen.generateDBindings.shouldBeLike(q{
struct AnimationFrameProvider {
JsHandle handle;
alias handle this;
auto requestAnimationFrame(FrameRequestCallback callback) {
return AnimationFrameProvider_requestAnimationFrame(this.handle, callback);
}
}
alias DOMHighResTimeStamp = double;
alias FrameRequestCallback = void delegate(double);
});
gen.generateDImports.shouldBeLike(q{
extern (C) uint AnimationFrameProvider_requestAnimationFrame(Handle, FrameRequestCallback);
});
gen.generateJsExports.shouldBeLike("
AnimationFrameProvider_requestAnimationFrame: (ctx, callbackCtx, callbackPtr) => {
return spasm.objects[ctx].requestAnimationFrame((time)=>{spasm_indirect_function_get(callbackPtr)(callbackCtx, time)});
},");
}
@("typedef.interface")
unittest {
auto gen = getGenerator(q{
interface TextDecoder {
USVString decode(optional BufferSource input, optional TextDecodeOptions options);
BufferSource encode(optional TextDecodeOptions options);
};
typedef (ArrayBufferView or ArrayBuffer) BufferSource;
});
gen.generateDBindings.shouldBeLike(q{
alias BufferSource = SumType!(ArrayBufferView, ArrayBuffer);
struct TextDecoder {
JsHandle handle;
alias handle this;
auto decode(BufferSource input, TextDecodeOptions options) {
return TextDecoder_decode(this.handle, input, options.handle);
}
auto decode(BufferSource input) {
return TextDecoder_decode_0(this.handle, input);
}
auto decode() {
return TextDecoder_decode_1(this.handle);
}
auto encode(TextDecodeOptions options) {
return TextDecoder_encode(this.handle, options.handle);
}
auto encode() {
return TextDecoder_encode_0(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) string TextDecoder_decode(Handle, BufferSource, Handle);
extern (C) string TextDecoder_decode_0(Handle, BufferSource);
extern (C) string TextDecoder_decode_1(Handle);
extern (C) BufferSource TextDecoder_encode(Handle, Handle);
extern (C) BufferSource TextDecoder_encode_0(Handle);
});
gen.generateJsExports.shouldBeLike("
TextDecoder_decode: (rawResult, ctx, input, options) => {
spasm_encode_string(rawResult, spasm.objects[ctx].decode(spasm_decode_BufferSource(input), spasm.objects[options]));
},
TextDecoder_decode_0: (rawResult, ctx, input) => {
spasm_encode_string(rawResult, spasm.objects[ctx].decode(spasm_decode_BufferSource(input)));
},
TextDecoder_decode_1: (rawResult, ctx) => {
spasm_encode_string(rawResult, spasm.objects[ctx].decode());
},
TextDecoder_encode: (rawResult, ctx, options) => {
spasm_encode_BufferSource(rawResult, spasm.objects[ctx].encode(spasm.objects[options]));
},
TextDecoder_encode_0: (rawResult, ctx) => {
spasm_encode_BufferSource(rawResult, spasm.objects[ctx].encode());
},
");
}
@("typedef.nullable")
unittest {
auto gen = getGenerator(q{
typedef (Blob or BufferSource or FormData or URLSearchParams or ReadableStream or USVString) BodyInit;
dictionary RequestInit {
BodyInit? body;
};
});
gen.generateDBindings.shouldBeLike(q{
alias BodyInit = SumType!(Blob, BufferSource, FormData, URLSearchParams, ReadableStream, string);
struct RequestInit {
JsHandle handle;
alias handle this;
static auto create() {
return RequestInit(JsHandle(spasm_add__object()));
}
void body_(Optional!(BodyInit) body_) {
RequestInit_body_Set(this.handle, !body_.empty, body_.front);
}
auto body_() {
return RequestInit_body_Get(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void RequestInit_body_Set(Handle, bool, BodyInit);
extern (C) Optional!(BodyInit) RequestInit_body_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
RequestInit_body_Set: (ctx, bodyDefined, body) => {
spasm.objects[ctx].body = bodyDefined ? spasm_decode_BodyInit(body) : undefined;
},
RequestInit_body_Get: (rawResult, ctx) => {
spasm_encode_optional_BodyInit(rawResult, spasm.objects[ctx].body);
},
");
}
@("sequence.nullable")
unittest {
auto gen = getGenerator(q{
interface Foo {
sequence<long>? bar(sequence<DOMString> names);
};
});
gen.generateDBindings.shouldBeLike(q{
struct Foo {
JsHandle handle;
alias handle this;
auto bar(Sequence!(string) names) {
return Foo_bar(this.handle, names.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Optional!(Sequence!(int)) Foo_bar(Handle, Handle);
});
gen.generateJsExports.shouldBeLike("
Foo_bar: (rawResult, ctx, names) => {
spasm_encode_optional_sequence(rawResult, spasm.objects[ctx].bar(spasm.objects[names]));
},
");
}
@("return.nullable")
unittest {
auto gen = getGenerator(q{
interface Foo {
getter File? item(unsigned long index);
};
});
// TODO: also opIndex
gen.generateDBindings.shouldBeLike(q{
struct Foo {
JsHandle handle;
alias handle this;
auto item(uint index) {
return Foo_item_getter(this.handle, index);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Optional!(File) Foo_item_getter(Handle, uint);
});
gen.generateJsExports.shouldBeLike("
Foo_item_getter: (rawResult, ctx, index) => {
spasm_encode_optional_Handle(rawResult, spasm.objects[ctx].item(index));
},
");
}
@("partial.mixin")
unittest {
auto gen = getGenerator(q{
interface mixin Foo {
DOMString name();
readonly attribute boolean fatal;
};
partial interface Foo {
long long size();
};
interface Bar {
};
Bar includes Foo;
});
gen.generateDBindings.shouldBeLike(q{
struct Bar {
JsHandle handle;
alias handle this;
auto name() {
return Foo_name(this.handle);
}
auto fatal() {
return Foo_fatal_Get(this.handle);
}
auto size() {
return Foo_size(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) string Foo_name(Handle);
extern (C) bool Foo_fatal_Get(Handle);
extern (C) long Foo_size(Handle);
});
gen.generateJsExports.shouldBeLike("
Foo_name: (rawResult, ctx) => {
spasm_encode_string(rawResult, spasm.objects[ctx].name());
},
Foo_fatal_Get: (ctx) => {
return spasm.objects[ctx].fatal;
},
Foo_size: (ctx) => {
return spasm.objects[ctx].size();
},
");
}
@("namespace")
unittest {
auto gen = getGenerator(q{
namespace console {
void clear();
};
});
auto funcs = gen.semantics.toIr();
gen.generateDBindings.shouldBeLike(q{
struct console {
static:
void clear() {
console_clear();
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void console_clear();
});
gen.generateJsExports.shouldBeLike("
console_clear: () => {
console.clear();
},
");
}
@("callback.sumtype")
unittest {
auto gen = getGenerator(q{
callback OnErrorEventHandlerNonNull = any ((Event or DOMString) event, optional DOMString source, optional unsigned long lineno, optional unsigned long colno, optional any error);
});
gen.generateDBindings.shouldBeLike(q{
alias OnErrorEventHandlerNonNull = Any delegate(SumType!(Event, string), string, uint, uint, Any);
});
}
@("module.imports.mixin")
unittest {
auto semantics = new Semantics();
auto documentA = WebIDL(q{
interface Foo {
};
Foo includes Bar;
});
auto documentB = WebIDL(q{
interface mixin Bar {
Hup get();
};
interface Hup {
};
});
documentA.successful.shouldBeTrue;
documentB.successful.shouldBeTrue;
auto moduleA = semantics.analyse("a",documentA);
auto moduleB = semantics.analyse("b",documentB);
auto ir = semantics.toIr();
ir.getImports(moduleA).shouldEqual(["import spasm.bindings.b;"]);
ir.getImports(moduleB).shouldEqual([]);
}
@("module.imports.mixin.indirect")
unittest {
auto semantics = new Semantics();
auto documentA = WebIDL(q{
interface Foo {
};
Foo includes Bar;
});
auto documentB = WebIDL(q{
interface mixin Bar {
Hup get();
};
});
auto documentC = WebIDL(q{
interface Hup {
};
});
documentA.successful.shouldBeTrue;
documentB.successful.shouldBeTrue;
documentC.successful.shouldBeTrue;
auto moduleA = semantics.analyse("a",documentA);
auto moduleB = semantics.analyse("b",documentB);
auto moduleC = semantics.analyse("c",documentC);
auto ir = semantics.toIr();
ir.getImports(moduleA).shouldEqual(["import spasm.bindings.b;","import spasm.bindings.c;"]);
ir.getImports(moduleB).shouldEqual(["import spasm.bindings.c;"]);
ir.generateDImports(moduleB).shouldBeLike("extern (C) Handle Bar_get(Handle);");
}
@("module.imports.partial")
unittest {
auto semantics = new Semantics();
auto documentA = WebIDL(q{
interface Foo {
};
});
auto documentB = WebIDL(q{
partial interface Foo {
Hup get();
};
interface Hup {
};
});
documentA.successful.shouldBeTrue;
documentB.successful.shouldBeTrue;
auto moduleA = semantics.analyse("a",documentA);
auto moduleB = semantics.analyse("b",documentB);
auto ir = semantics.toIr();
ir.getImports(moduleA).shouldEqual(["import spasm.bindings.b;"]);
ir.getImports(moduleB).shouldEqual([]);
}
@("module.imports.partial.indirect")
unittest {
auto semantics = new Semantics();
auto documentA = WebIDL(q{
interface Foo {
};
});
auto documentB = WebIDL(q{
partial interface Foo {
Hup get();
};
});
auto documentC = WebIDL(q{
interface Hup {
};
});
documentA.successful.shouldBeTrue;
documentB.successful.shouldBeTrue;
documentC.successful.shouldBeTrue;
auto moduleA = semantics.analyse("a",documentA);
auto moduleB = semantics.analyse("b",documentB);
auto moduleC = semantics.analyse("c",documentC);
auto ir = semantics.toIr();
ir.generateDImports(moduleA).shouldBeLike("extern (C) Handle Foo_get(Handle);");
ir.getImports(moduleA).shouldEqual(["import spasm.bindings.c;"]);
// TODO: we don't need to import c
ir.getImports(moduleB).shouldEqual(["import spasm.bindings.c;"]);
}
@("any")
unittest {
auto gen = getGenerator(q{
[Exposed=(Window,Worker,Worklet)]
namespace foo {
void log(any data);
any get();
};
});
auto funcs = gen.semantics.toIr();
gen.generateDBindings.shouldBeLike(q{
struct foo {
static:
void log(T0)(T0 data) {
Handle _handle_data = getOrCreateHandle(data);
foo_log(_handle_data);
dropHandle!(T0)(_handle_data);
}
auto get() {
return Any(JsHandle(foo_get()));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void foo_log(Handle);
extern (C) Handle foo_get();
});
gen.generateJsExports.shouldBeLike("
foo_log: (data) => {
foo.log(spasm.objects[data]);
},
foo_get: () => {
return spasm.addObject(foo.get());
},
");
}
@("optional.typedef")
unittest {
auto gen = getGenerator(q{
callback OnErrorEventHandlerNonNull = any ((Event or DOMString) event, optional DOMString source, optional unsigned long lineno, optional unsigned long colno, optional any error);
typedef OnErrorEventHandlerNonNull? OnErrorEventHandler;
interface WorkerGlobalScope : EventTarget {
attribute OnErrorEventHandler onerror;
};
});
gen.generateDBindings.shouldBeLike(q{
alias OnErrorEventHandler = Optional!(OnErrorEventHandlerNonNull);
alias OnErrorEventHandlerNonNull = Any delegate(SumType!(Event, string), string, uint, uint, Any);
struct WorkerGlobalScope {
EventTarget _parent;
alias _parent this;
this(JsHandle h) {
_parent = .EventTarget(h);
}
void onerror(OnErrorEventHandler onerror) {
WorkerGlobalScope_onerror_Set(this._parent, !onerror.empty, onerror.front);
}
auto onerror() {
return WorkerGlobalScope_onerror_Get(this._parent);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void WorkerGlobalScope_onerror_Set(Handle, bool, OnErrorEventHandlerNonNull);
extern (C) OnErrorEventHandler WorkerGlobalScope_onerror_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
WorkerGlobalScope_onerror_Set: (ctx, onerrorDefined, onerrorCtx, onerrorPtr) => {
spasm.objects[ctx].onerror = onerrorDefined ? (event, source, lineno, colno, error)=>{spasm_encode_union2_Event_string(0, event);spasm_encode_string(12, source);encode_handle(20, error);return spasm_decode_Handle(spasm_indirect_function_get(onerrorPtr)(onerrorCtx, 0, 12, lineno, colno, 20))} : undefined;
},
WorkerGlobalScope_onerror_Get: (rawResult, ctx) => {
spasm_encode_optional_Handle(rawResult, spasm.objects[ctx].onerror);
},
");
}
@("sumtype.nested")
unittest {
auto gen = getGenerator(q{
interface XMLHttpRequest : XMLHttpRequestEventTarget {
void send(optional (Document or BodyInit)? body = null);
};
typedef (Blob or BufferSource or FormData or URLSearchParams or ReadableStream or USVString) BodyInit;
});
gen.generateDBindings.shouldBeLike(q{
alias BodyInit = SumType!(Blob, BufferSource, FormData, URLSearchParams, ReadableStream, string);
struct XMLHttpRequest {
XMLHttpRequestEventTarget _parent;
alias _parent this;
this(JsHandle h) {
_parent = .XMLHttpRequestEventTarget(h);
}
void send(Optional!(SumType!(Document, BodyInit)) body_ /* = no!(SumType!(Document, BodyInit)) */) {
XMLHttpRequest_send(this._parent, !body_.empty, body_.front);
}
void send() {
XMLHttpRequest_send_0(this._parent);
}
} });
gen.generateDImports.shouldBeLike(q{
extern (C) void XMLHttpRequest_send(Handle, bool, SumType!(Document, BodyInit));
extern (C) void XMLHttpRequest_send_0(Handle);
});
gen.generateJsExports.shouldBeLike("
XMLHttpRequest_send: (ctx, bodyDefined, body) => {
spasm.objects[ctx].send(bodyDefined ? spasm_decode_union2_Document_BodyInit(body) : undefined);
},
XMLHttpRequest_send_0: (ctx) => {
spasm.objects[ctx].send();
},
");
}
@("inheritance.mixin")
unittest {
auto gen = getGenerator(q{
interface mixin GenericTransformStream {
readonly attribute WritableStream writable;
};
interface TextDecoderStream : Foo {
};
TextDecoderStream includes GenericTransformStream;
});
gen.generateDBindings.shouldBeLike(q{
struct TextDecoderStream {
Foo _parent;
alias _parent this;
this(JsHandle h) {
_parent = .Foo(h);
}
auto writable() {
return WritableStream(JsHandle(GenericTransformStream_writable_Get(this._parent)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Handle GenericTransformStream_writable_Get(Handle);
});
gen.generateJsExports.shouldBeLike("
GenericTransformStream_writable_Get: (ctx) => {
return spasm.addObject(spasm.objects[ctx].writable);
},
");
}
@("exposed.constructor.overloads")
unittest {
auto gen = getGenerator(q{
[Constructor(unsigned long sw, unsigned long sh),
Constructor(Uint8ClampedArray data, unsigned long sw, optional unsigned long sh),
Exposed=(Window),
Serializable]
interface ImageData {
};
interface Window {
void stuff((ImageData or string) s);
};
});
gen.generateDBindings.shouldBeLike(q{
struct ImageData {
JsHandle handle;
alias handle this;
}
struct Window {
JsHandle handle;
alias handle this;
void stuff(SumType!(.ImageData, string) s) {
Window_stuff(this.handle, s);
}
auto ImageData(uint sw, uint sh) {
return .ImageData(JsHandle(Window_ImageData__uint_uint(this.handle, sw, sh)));
}
auto ImageData(Uint8ClampedArray data, uint sw, uint sh) {
return .ImageData(JsHandle(Window_ImageData__Handle_uint_uint(this.handle, data.handle, sw, sh)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void Window_stuff(Handle, SumType!(ImageData, string));
extern (C) Handle Window_ImageData__uint_uint(Handle, uint, uint);
extern (C) Handle Window_ImageData__Handle_uint_uint(Handle, Handle, uint, uint);
});
gen.generateJsExports.shouldBeLike("
Window_stuff: (ctx, s) => {
spasm.objects[ctx].stuff(spasm_decode_union2_ImageData_string(s));
},
Window_ImageData__uint_uint: (ctx, sw, sh) => {
return spasm.addObject(new spasm.objects[ctx].ImageData(sw, sh));
},
Window_ImageData__Handle_uint_uint: (ctx, data, sw, sh) => {
return spasm.addObject(new spasm.objects[ctx].ImageData(spasm.objects[data], sw, sh));
},
");
gen.generateJsDecoders.shouldBeLike("
spasm_decode_Handle = decode_handle,
spasm_decode_union2_ImageData_string = (ptr)=>{
if (getUInt(ptr) == 0) {
return spasm_decode_Handle(ptr+4);
} else if (getUInt(ptr) == 1) {
return spasm_decode_Handle(ptr+4);
}
}");
}
@("mixin.partial")
unittest {
auto gen = getGenerator(q{
callback EventHandlerNonNull = any (Event event);
typedef EventHandlerNonNull EventHandler;
interface mixin GlobalEventHandlers {
attribute EventHandler onabort;
};
partial interface GlobalEventHandlers {
attribute EventHandler ongotpointercapture;
};
partial interface GlobalEventHandlers {
attribute EventHandler ontouchstart;
};
interface Window {
};
Window includes GlobalEventHandlers;
});
gen.generateDBindings.shouldBeLike(q{
alias EventHandler = EventHandlerNonNull;
alias EventHandlerNonNull = Any delegate(Event);
struct Window {
JsHandle handle;
alias handle this;
void onabort(EventHandler onabort) {
GlobalEventHandlers_onabort_Set(this.handle, onabort);
}
auto onabort() {
return GlobalEventHandlers_onabort_Get(this.handle);
}
void ongotpointercapture(EventHandler ongotpointercapture) {
GlobalEventHandlers_ongotpointercapture_Set(this.handle, ongotpointercapture);
}
auto ongotpointercapture() {
return GlobalEventHandlers_ongotpointercapture_Get(this.handle);
}
void ontouchstart(EventHandler ontouchstart) {
GlobalEventHandlers_ontouchstart_Set(this.handle, ontouchstart);
}
auto ontouchstart() {
return GlobalEventHandlers_ontouchstart_Get(this.handle);
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) void GlobalEventHandlers_onabort_Set(Handle, EventHandler);
extern (C) EventHandler GlobalEventHandlers_onabort_Get(Handle);
extern (C) void GlobalEventHandlers_ongotpointercapture_Set(Handle, EventHandler);
extern (C) EventHandler GlobalEventHandlers_ongotpointercapture_Get(Handle);
extern (C) void GlobalEventHandlers_ontouchstart_Set(Handle, EventHandler);
extern (C) EventHandler GlobalEventHandlers_ontouchstart_Get(Handle); });
gen.generateJsExports.shouldBeLike("
GlobalEventHandlers_onabort_Set: (ctx, onabortCtx, onabortPtr) => {
spasm.objects[ctx].onabort = (event)=>{encode_handle(0, event);return spasm_decode_Handle(spasm_indirect_function_get(onabortPtr)(onabortCtx, 0))};
},
GlobalEventHandlers_onabort_Get: (ctx) => {
return spasm.objects[ctx].onabort;
},
GlobalEventHandlers_ongotpointercapture_Set: (ctx, ongotpointercaptureCtx, ongotpointercapturePtr) => {
spasm.objects[ctx].ongotpointercapture = (event)=>{encode_handle(0, event);return spasm_decode_Handle(spasm_indirect_function_get(ongotpointercapturePtr)(ongotpointercaptureCtx, 0))};
},
GlobalEventHandlers_ongotpointercapture_Get: (ctx) => {
return spasm.objects[ctx].ongotpointercapture;
},
GlobalEventHandlers_ontouchstart_Set: (ctx, ontouchstartCtx, ontouchstartPtr) => {
spasm.objects[ctx].ontouchstart = (event)=>{encode_handle(0, event);return spasm_decode_Handle(spasm_indirect_function_get(ontouchstartPtr)(ontouchstartCtx, 0))};
},
GlobalEventHandlers_ontouchstart_Get: (ctx) => {
return spasm.objects[ctx].ontouchstart;
},
");
gen.generateJsDecoders.shouldBeLike("spasm_decode_Handle = decode_handle");
}
@("decode.sequence")
unittest {
auto gen = getGenerator(q{
[Constructor(USVString url, optional (DOMString or sequence<DOMString>) protocols = []), Exposed=(Window)]
interface WebSocket : EventTarget {
};
interface Window {
};
});
gen.generateDBindings.shouldBeLike(q{
struct WebSocket {
EventTarget _parent;
alias _parent this;
this(JsHandle h) {
_parent = .EventTarget(h);
}
}
struct Window {
JsHandle handle;
alias handle this;
auto WebSocket(string url, SumType!(string, Sequence!(string)) protocols /* = [] */) {
return .WebSocket(JsHandle(Window_WebSocket(this.handle, url, protocols)));
}
}
});
gen.generateDImports.shouldBeLike(q{
extern (C) Handle Window_WebSocket(Handle, string, SumType!(string, Sequence!(string)));
});
gen.generateJsExports.shouldBeLike("
Window_WebSocket: (ctx, urlLen, urlPtr, protocols) => {
return spasm.addObject(new spasm.objects[ctx].WebSocket(spasm_decode_string(urlLen, urlPtr), spasm_decode_union2_string_sequence(protocols)));
},
");
gen.generateJsDecoders.should == "spasm_decode_sequence = decode_handle,
spasm_decode_union2_string_sequence = (ptr)=>{
if (getUInt(ptr) == 0) {
return spasm_decode_string(ptr+4);
} else if (getUInt(ptr) == 1) {
return spasm_decode_sequence(ptr+4);
}
}";
}
|
D
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.