boo/lib/graphicsdev/Metal.mm

1598 lines
59 KiB
Plaintext
Raw Normal View History

2015-11-16 22:03:46 +00:00
#include "../mac/CocoaCommon.hpp"
#if BOO_HAS_METAL
2016-03-08 21:18:38 +00:00
#include "logvisor/logvisor.hpp"
#include "boo/IApplication.hpp"
#include "boo/graphicsdev/Metal.hpp"
#include "boo/IGraphicsContext.hpp"
#include "Common.hpp"
#include <vector>
#include <unordered_map>
#include <unordered_set>
#include "xxhash.h"
2015-12-27 04:20:07 +00:00
#if !__has_feature(objc_arc)
#error ARC Required
#endif
#define MAX_UNIFORM_COUNT 8
#define MAX_TEXTURE_COUNT 8
namespace boo
{
2016-03-08 21:18:38 +00:00
static logvisor::Module Log("boo::Metal");
2015-11-09 02:24:45 +00:00
struct MetalCommandQueue;
class MetalDataFactoryImpl;
2015-11-09 02:24:45 +00:00
struct MetalShareableShader : IShareableShader<MetalDataFactoryImpl, MetalShareableShader>
{
id<MTLFunction> m_shader;
MetalShareableShader(MetalDataFactoryImpl& fac, uint64_t srcKey, uint64_t binKey, id<MTLFunction> s)
: IShareableShader(fac, srcKey, binKey), m_shader(s) {}
};
class MetalDataFactoryImpl : public MetalDataFactory, public GraphicsDataFactoryHead
{
friend struct MetalCommandQueue;
friend class MetalDataFactory::Context;
IGraphicsContext* m_parent;
std::unordered_map<uint64_t, std::unique_ptr<MetalShareableShader>> m_sharedShaders;
struct MetalContext* m_ctx;
uint32_t m_sampleCount;
public:
std::unordered_map<uint64_t, uint64_t> m_sourceToBinary;
char m_libfile[MAXPATHLEN];
bool m_hasCompiler = false;
MetalDataFactoryImpl(IGraphicsContext* parent, MetalContext* ctx, uint32_t sampleCount)
: m_parent(parent), m_ctx(ctx), m_sampleCount(sampleCount)
{
snprintf(m_libfile, MAXPATHLEN, "%sboo_metal_shader.metallib", getenv("TMPDIR"));
for (auto& arg : APP->getArgs())
if (arg == "--metal-compile")
{
m_hasCompiler = CheckForMetalCompiler();
break;
}
}
~MetalDataFactoryImpl() = default;
Platform platform() const { return Platform::Metal; }
const char* platformName() const { return "Metal"; }
void commitTransaction(const std::function<bool(IGraphicsDataFactory::Context& ctx)>&);
ObjToken<IGraphicsBufferD> newPoolBuffer(BufferUse use, size_t stride, size_t count);
2017-03-05 23:34:24 +00:00
void _unregisterShareableShader(uint64_t srcKey, uint64_t binKey) { m_sharedShaders.erase(srcKey); }
static bool CheckForMetalCompiler()
{
pid_t pid = fork();
if (!pid)
{
execlp("xcrun", "xcrun", "-sdk", "macosx", "metal", NULL);
/* xcrun returns 72 if metal command not found;
* emulate that if xcrun not found */
exit(72);
}
int status, ret;
while ((ret = waitpid(pid, &status, 0)) < 0 && errno == EINTR) {}
if (ret < 0)
return false;
return WEXITSTATUS(status) == 1;
}
uint64_t CompileLib(std::vector<uint8_t>& blobOut, const char* source, uint64_t srcKey)
{
if (!m_hasCompiler)
{
/* Cache the source if there's no compiler */
size_t sourceLen = strlen(source);
/* First byte unset to indicate source data */
blobOut.resize(sourceLen + 2);
memcpy(&blobOut[1], source, sourceLen);
}
else
{
/* Cache the binary otherwise */
int compilerOut[2];
int compilerIn[2];
pipe(compilerOut);
pipe(compilerIn);
/* Pipe source write to compiler */
pid_t compilerPid = fork();
if (!compilerPid)
{
dup2(compilerIn[0], STDIN_FILENO);
dup2(compilerOut[1], STDOUT_FILENO);
close(compilerOut[0]);
close(compilerOut[1]);
close(compilerIn[0]);
close(compilerIn[1]);
execlp("xcrun", "xcrun", "-sdk", "macosx", "metal", "-o", "/dev/stdout", "-Wno-unused-variable",
"-Wno-unused-const-variable", "-Wno-unused-function", "-x", "metal", "-", NULL);
fprintf(stderr, "execlp fail %s\n", strerror(errno));
exit(1);
}
close(compilerIn[0]);
close(compilerOut[1]);
/* Pipe compiler to linker */
pid_t linkerPid = fork();
if (!linkerPid)
{
dup2(compilerOut[0], STDIN_FILENO);
close(compilerOut[0]);
close(compilerIn[1]);
/* metallib doesn't like outputting to a pipe, so temp file will have to do */
execlp("xcrun", "xcrun", "-sdk", "macosx", "metallib", "-", "-o", m_libfile, NULL);
fprintf(stderr, "execlp fail %s\n", strerror(errno));
exit(1);
}
close(compilerOut[0]);
/* Stream in source */
const char* inPtr = source;
size_t inRem = strlen(source);
while (inRem)
{
ssize_t writeRes = write(compilerIn[1], inPtr, inRem);
if (writeRes < 0)
{
fprintf(stderr, "write fail %s\n", strerror(errno));
break;
}
inPtr += writeRes;
inRem -= writeRes;
}
close(compilerIn[1]);
/* Wait for completion */
int compilerStat, linkerStat;
if (waitpid(compilerPid, &compilerStat, 0) < 0 || waitpid(linkerPid, &linkerStat, 0) < 0)
{
fprintf(stderr, "waitpid fail %s\n", strerror(errno));
return 0;
}
if (WEXITSTATUS(compilerStat) || WEXITSTATUS(linkerStat))
return 0;
/* Copy temp file into buffer with first byte set to indicate binary data */
FILE* fin = fopen(m_libfile, "rb");
fseek(fin, 0, SEEK_END);
long libLen = ftell(fin);
fseek(fin, 0, SEEK_SET);
blobOut.resize(libLen + 1);
blobOut[0] = 1;
fread(&blobOut[1], 1, libLen, fin);
fclose(fin);
}
XXH64_state_t hashState;
XXH64_reset(&hashState, 0);
XXH64_update(&hashState, blobOut.data(), blobOut.size());
uint64_t binKey = XXH64_digest(&hashState);
m_sourceToBinary[srcKey] = binKey;
return binKey;
}
uint64_t CompileLib(__strong id<MTLLibrary>& libOut, const char* source, uint64_t srcKey,
MTLCompileOptions* compOpts, NSError * _Nullable *err)
{
libOut = [m_ctx->m_dev newLibraryWithSource:@(source)
options:compOpts
error:err];
if (srcKey)
{
XXH64_state_t hashState;
XXH64_reset(&hashState, 0);
uint8_t zero = 0;
XXH64_update(&hashState, &zero, 1);
XXH64_update(&hashState, source, strlen(source) + 1);
uint64_t binKey = XXH64_digest(&hashState);
m_sourceToBinary[srcKey] = binKey;
return binKey;
}
return 0;
}
};
2015-11-09 06:45:14 +00:00
#define MTL_STATIC MTLResourceCPUCacheModeWriteCombined|MTLResourceStorageModeShared
2015-11-09 02:24:45 +00:00
#define MTL_DYNAMIC MTLResourceCPUCacheModeWriteCombined|MTLResourceStorageModeShared
class MetalGraphicsBufferS : public GraphicsDataNode<IGraphicsBufferS>
{
2015-11-09 02:24:45 +00:00
friend class MetalDataFactory;
friend struct MetalCommandQueue;
MetalGraphicsBufferS(const ObjToken<BaseGraphicsData>& parent, BufferUse use, MetalContext* ctx,
const void* data, size_t stride, size_t count)
: GraphicsDataNode<IGraphicsBufferS>(parent), m_stride(stride), m_count(count), m_sz(stride * count)
{
2016-01-11 22:26:40 +00:00
m_buf = [ctx->m_dev newBufferWithBytes:data length:m_sz options:MTL_STATIC];
}
public:
size_t m_stride;
size_t m_count;
2015-11-09 02:24:45 +00:00
size_t m_sz;
2016-01-11 22:26:40 +00:00
id<MTLBuffer> m_buf;
2015-11-09 02:24:45 +00:00
~MetalGraphicsBufferS() = default;
};
template<class DataCls>
class MetalGraphicsBufferD : public GraphicsDataNode<IGraphicsBufferD, DataCls>
{
2015-11-09 02:24:45 +00:00
friend class MetalDataFactory;
friend class MetalDataFactoryImpl;
2015-11-09 02:24:45 +00:00
friend struct MetalCommandQueue;
MetalCommandQueue* m_q;
2015-12-02 22:25:30 +00:00
std::unique_ptr<uint8_t[]> m_cpuBuf;
int m_validSlots = 0;
MetalGraphicsBufferD(const ObjToken<DataCls>& parent, MetalCommandQueue* q, BufferUse use,
MetalContext* ctx, size_t stride, size_t count)
: GraphicsDataNode<IGraphicsBufferD, DataCls>(parent), m_q(q), m_stride(stride),
m_count(count), m_sz(stride * count)
{
2015-12-02 22:25:30 +00:00
m_cpuBuf.reset(new uint8_t[m_sz]);
2016-01-11 22:26:40 +00:00
m_bufs[0] = [ctx->m_dev newBufferWithLength:m_sz options:MTL_DYNAMIC];
m_bufs[1] = [ctx->m_dev newBufferWithLength:m_sz options:MTL_DYNAMIC];
}
public:
size_t m_stride;
size_t m_count;
2015-11-09 02:24:45 +00:00
size_t m_sz;
2016-01-11 22:26:40 +00:00
id<MTLBuffer> m_bufs[2];
2015-11-09 02:24:45 +00:00
MetalGraphicsBufferD() = default;
2016-02-16 19:41:16 +00:00
void update(int b)
{
int slot = 1 << b;
if ((slot & m_validSlots) == 0)
{
id<MTLBuffer> res = m_bufs[b];
memcpy(res.contents, m_cpuBuf.get(), m_sz);
m_validSlots |= slot;
}
}
void load(const void* data, size_t sz)
{
size_t bufSz = std::min(sz, m_sz);
memcpy(m_cpuBuf.get(), data, bufSz);
m_validSlots = 0;
}
void* map(size_t sz)
{
if (sz > m_sz)
return nullptr;
return m_cpuBuf.get();
}
void unmap()
{
m_validSlots = 0;
}
};
class MetalTextureS : public GraphicsDataNode<ITextureS>
{
2015-11-09 02:24:45 +00:00
friend class MetalDataFactory;
MetalTextureS(const ObjToken<BaseGraphicsData>& parent, MetalContext* ctx, size_t width, size_t height,
size_t mips, TextureFormat fmt, const void* data, size_t sz)
: GraphicsDataNode<ITextureS>(parent)
{
2015-11-28 04:07:53 +00:00
MTLPixelFormat pfmt = MTLPixelFormatRGBA8Unorm;
2016-02-16 19:41:16 +00:00
NSUInteger ppitchNum = 4;
NSUInteger ppitchDenom = 1;
2015-11-28 04:07:53 +00:00
switch (fmt)
{
case TextureFormat::I8:
pfmt = MTLPixelFormatR8Unorm;
2016-02-16 19:41:16 +00:00
ppitchNum = 1;
2015-11-28 04:07:53 +00:00
break;
2016-02-16 19:41:16 +00:00
case TextureFormat::DXT1:
pfmt = MTLPixelFormatBC1_RGBA;
ppitchNum = 1;
ppitchDenom = 2;
2015-11-28 04:07:53 +00:00
default: break;
}
2016-02-16 19:41:16 +00:00
2015-11-18 23:55:25 +00:00
@autoreleasepool
{
2016-01-11 22:26:40 +00:00
MTLTextureDescriptor* desc =
[MTLTextureDescriptor texture2DDescriptorWithPixelFormat:pfmt
width:width height:height
mipmapped:(mips>1)?YES:NO];
desc.usage = MTLTextureUsageShaderRead;
desc.mipmapLevelCount = mips;
m_tex = [ctx->m_dev newTextureWithDescriptor:desc];
const uint8_t* dataIt = reinterpret_cast<const uint8_t*>(data);
for (size_t i=0 ; i<mips ; ++i)
{
[m_tex replaceRegion:MTLRegionMake2D(0, 0, width, height)
mipmapLevel:i
withBytes:dataIt
2016-02-16 19:41:16 +00:00
bytesPerRow:width * ppitchNum / ppitchDenom];
dataIt += width * height * ppitchNum / ppitchDenom;
2017-01-29 03:56:17 +00:00
if (width > 1)
width /= 2;
if (height > 1)
height /= 2;
2016-01-11 22:26:40 +00:00
}
}
}
public:
2016-01-11 22:26:40 +00:00
id<MTLTexture> m_tex;
2015-11-09 02:24:45 +00:00
~MetalTextureS() = default;
};
2016-02-16 19:41:16 +00:00
class MetalTextureSA : public GraphicsDataNode<ITextureSA>
2015-11-28 04:07:53 +00:00
{
friend class MetalDataFactory;
MetalTextureSA(const ObjToken<BaseGraphicsData>& parent, MetalContext* ctx, size_t width,
size_t height, size_t layers, size_t mips,
2015-11-28 04:07:53 +00:00
TextureFormat fmt, const void* data, size_t sz)
: GraphicsDataNode<ITextureSA>(parent)
2015-11-28 04:07:53 +00:00
{
MTLPixelFormat pfmt = MTLPixelFormatRGBA8Unorm;
NSUInteger ppitch = 4;
switch (fmt)
{
case TextureFormat::I8:
pfmt = MTLPixelFormatR8Unorm;
ppitch = 1;
break;
default: break;
}
2016-02-16 19:41:16 +00:00
2015-11-28 04:07:53 +00:00
@autoreleasepool
{
2016-01-11 22:26:40 +00:00
MTLTextureDescriptor* desc =
[MTLTextureDescriptor texture2DDescriptorWithPixelFormat:pfmt
width:width height:height
2017-01-29 03:56:17 +00:00
mipmapped:(mips>1)?YES:NO];
2016-01-11 22:26:40 +00:00
desc.textureType = MTLTextureType2DArray;
desc.arrayLength = layers;
2017-01-29 03:56:17 +00:00
desc.mipmapLevelCount = mips;
2016-01-11 22:26:40 +00:00
desc.usage = MTLTextureUsageShaderRead;
m_tex = [ctx->m_dev newTextureWithDescriptor:desc];
const uint8_t* dataIt = reinterpret_cast<const uint8_t*>(data);
2017-01-29 03:56:17 +00:00
for (size_t i=0 ; i<mips ; ++i)
2016-01-11 22:26:40 +00:00
{
2017-01-29 03:56:17 +00:00
for (size_t j=0 ; j<layers ; ++j)
{
[m_tex replaceRegion:MTLRegionMake2D(0, 0, width, height)
mipmapLevel:i
slice:j
withBytes:dataIt
bytesPerRow:width * ppitch
bytesPerImage:width * height * ppitch];
dataIt += width * height * ppitch;
}
if (width > 1)
width /= 2;
if (height > 1)
height /= 2;
2016-01-11 22:26:40 +00:00
}
2015-11-28 04:07:53 +00:00
}
}
public:
2016-01-11 22:26:40 +00:00
id<MTLTexture> m_tex;
2015-11-28 04:07:53 +00:00
~MetalTextureSA() = default;
};
2016-02-16 19:41:16 +00:00
class MetalTextureD : public GraphicsDataNode<ITextureD>
{
2015-11-09 02:24:45 +00:00
friend class MetalDataFactory;
friend struct MetalCommandQueue;
MetalCommandQueue* m_q;
size_t m_width = 0;
size_t m_height = 0;
2015-12-02 22:25:30 +00:00
std::unique_ptr<uint8_t[]> m_cpuBuf;
size_t m_cpuSz;
size_t m_pxPitch;
int m_validSlots = 0;
MetalTextureD(const ObjToken<BaseGraphicsData>& parent, MetalCommandQueue* q, MetalContext* ctx,
size_t width, size_t height, TextureFormat fmt)
: GraphicsDataNode<ITextureD>(parent), m_q(q), m_width(width), m_height(height)
2015-11-09 02:24:45 +00:00
{
2015-12-02 22:25:30 +00:00
MTLPixelFormat format;
switch (fmt)
{
case TextureFormat::RGBA8:
format = MTLPixelFormatRGBA8Unorm;
m_pxPitch = 4;
break;
case TextureFormat::I8:
format = MTLPixelFormatR8Unorm;
m_pxPitch = 1;
break;
default:
2016-03-08 21:18:38 +00:00
Log.report(logvisor::Fatal, "unsupported tex format");
2015-12-02 22:25:30 +00:00
}
2016-02-16 19:41:16 +00:00
2015-12-02 22:25:30 +00:00
m_cpuSz = width * height * m_pxPitch;
m_cpuBuf.reset(new uint8_t[m_cpuSz]);
2016-02-16 19:41:16 +00:00
2015-11-18 23:55:25 +00:00
@autoreleasepool
{
2016-01-11 22:26:40 +00:00
MTLTextureDescriptor* desc =
[MTLTextureDescriptor texture2DDescriptorWithPixelFormat:format
width:width height:height
mipmapped:NO];
desc.usage = MTLTextureUsageShaderRead;
m_texs[0] = [ctx->m_dev newTextureWithDescriptor:desc];
m_texs[1] = [ctx->m_dev newTextureWithDescriptor:desc];
2015-11-18 23:55:25 +00:00
}
}
public:
2016-01-11 22:26:40 +00:00
id<MTLTexture> m_texs[2];
2015-11-09 02:24:45 +00:00
~MetalTextureD() = default;
2016-02-16 19:41:16 +00:00
void update(int b)
{
int slot = 1 << b;
if ((slot & m_validSlots) == 0)
{
id<MTLTexture> res = m_texs[b];
[res replaceRegion:MTLRegionMake2D(0, 0, m_width, m_height)
mipmapLevel:0 withBytes:m_cpuBuf.get() bytesPerRow:m_width*m_pxPitch];
m_validSlots |= slot;
}
}
void load(const void* data, size_t sz)
{
size_t bufSz = std::min(sz, m_cpuSz);
memcpy(m_cpuBuf.get(), data, bufSz);
m_validSlots = 0;
}
void* map(size_t sz)
{
if (sz > m_cpuSz)
return nullptr;
return m_cpuBuf.get();
}
void unmap()
{
m_validSlots = 0;
}
};
2016-02-16 19:41:16 +00:00
#define MAX_BIND_TEXS 4
class MetalTextureR : public GraphicsDataNode<ITextureR>
{
2015-11-09 02:24:45 +00:00
friend class MetalDataFactory;
friend struct MetalCommandQueue;
size_t m_width = 0;
size_t m_height = 0;
size_t m_samples = 0;
size_t m_colorBindCount;
size_t m_depthBindCount;
2016-02-16 19:41:16 +00:00
2017-10-01 04:23:28 +00:00
void Setup(MetalContext* ctx)
{
2017-10-01 04:23:28 +00:00
if (m_colorBindCount > MAX_BIND_TEXS)
Log.report(logvisor::Fatal, "too many color bindings for render texture");
2017-10-01 04:23:28 +00:00
if (m_depthBindCount > MAX_BIND_TEXS)
Log.report(logvisor::Fatal, "too many depth bindings for render texture");
2015-11-09 06:45:14 +00:00
@autoreleasepool
{
2016-01-11 22:26:40 +00:00
MTLTextureDescriptor* desc =
[MTLTextureDescriptor texture2DDescriptorWithPixelFormat:MTLPixelFormatBGRA8Unorm
2017-10-01 04:23:28 +00:00
width:m_width height:m_height
2016-01-11 22:26:40 +00:00
mipmapped:NO];
desc.storageMode = MTLStorageModePrivate;
2015-11-09 02:24:45 +00:00
2017-10-01 04:23:28 +00:00
if (m_samples > 1)
2016-01-11 22:26:40 +00:00
{
desc.textureType = MTLTextureType2DMultisample;
2017-10-01 04:23:28 +00:00
desc.sampleCount = m_samples;
desc.usage = MTLTextureUsageRenderTarget;
m_colorTex = [ctx->m_dev newTextureWithDescriptor:desc];
2016-01-11 22:26:40 +00:00
desc.pixelFormat = MTLPixelFormatDepth32Float;
m_depthTex = [ctx->m_dev newTextureWithDescriptor:desc];
}
else
{
desc.textureType = MTLTextureType2D;
desc.sampleCount = 1;
desc.usage = MTLTextureUsageRenderTarget;
m_colorTex = [ctx->m_dev newTextureWithDescriptor:desc];
2016-01-11 22:26:40 +00:00
desc.pixelFormat = MTLPixelFormatDepth32Float;
m_depthTex = [ctx->m_dev newTextureWithDescriptor:desc];
2017-10-01 04:23:28 +00:00
}
2017-10-01 04:23:28 +00:00
desc.textureType = MTLTextureType2D;
desc.sampleCount = 1;
desc.usage = MTLTextureUsageShaderRead;
if (m_colorBindCount)
{
desc.pixelFormat = MTLPixelFormatBGRA8Unorm;
for (int i=0 ; i<m_colorBindCount ; ++i)
m_colorBindTex[i] = [ctx->m_dev newTextureWithDescriptor:desc];
}
if (m_depthBindCount)
{
desc.pixelFormat = MTLPixelFormatDepth32Float;
for (int i=0 ; i<m_depthBindCount ; ++i)
m_depthBindTex[i] = [ctx->m_dev newTextureWithDescriptor:desc];
}
2016-01-11 22:26:40 +00:00
2016-04-03 06:18:30 +00:00
{
m_passDesc = [MTLRenderPassDescriptor renderPassDescriptor];
m_passDesc.colorAttachments[0].texture = m_colorTex;
m_passDesc.colorAttachments[0].loadAction = MTLLoadActionLoad;
m_passDesc.colorAttachments[0].storeAction = MTLStoreActionStore;
m_passDesc.depthAttachment.texture = m_depthTex;
m_passDesc.depthAttachment.loadAction = MTLLoadActionLoad;
m_passDesc.depthAttachment.storeAction = MTLStoreActionStore;
2016-04-03 06:22:03 +00:00
m_passDesc.depthAttachment.clearDepth = 0.f;
2016-04-03 06:18:30 +00:00
}
{
m_clearDepthPassDesc = [MTLRenderPassDescriptor renderPassDescriptor];
2016-01-11 22:26:40 +00:00
2016-04-03 06:18:30 +00:00
m_clearDepthPassDesc.colorAttachments[0].texture = m_colorTex;
m_clearDepthPassDesc.colorAttachments[0].loadAction = MTLLoadActionLoad;
m_clearDepthPassDesc.colorAttachments[0].storeAction = MTLStoreActionStore;
2016-04-03 06:18:30 +00:00
m_clearDepthPassDesc.depthAttachment.texture = m_depthTex;
m_clearDepthPassDesc.depthAttachment.loadAction = MTLLoadActionClear;
m_clearDepthPassDesc.depthAttachment.storeAction = MTLStoreActionStore;
m_clearDepthPassDesc.depthAttachment.clearDepth = 0.f;
}
{
m_clearColorPassDesc = [MTLRenderPassDescriptor renderPassDescriptor];
m_clearColorPassDesc.colorAttachments[0].texture = m_colorTex;
m_clearColorPassDesc.colorAttachments[0].loadAction = MTLLoadActionClear;
m_clearColorPassDesc.colorAttachments[0].storeAction = MTLStoreActionStore;
m_clearDepthPassDesc.colorAttachments[0].clearColor = MTLClearColorMake(0.0, 0.0, 0.0, 0.0);
2016-04-03 06:18:30 +00:00
m_clearColorPassDesc.depthAttachment.texture = m_depthTex;
m_clearColorPassDesc.depthAttachment.loadAction = MTLLoadActionLoad;
m_clearColorPassDesc.depthAttachment.storeAction = MTLStoreActionStore;
2016-04-03 06:22:03 +00:00
m_clearColorPassDesc.depthAttachment.clearDepth = 0.f;
2016-04-03 06:18:30 +00:00
}
{
m_clearBothPassDesc = [MTLRenderPassDescriptor renderPassDescriptor];
m_clearBothPassDesc.colorAttachments[0].texture = m_colorTex;
m_clearBothPassDesc.colorAttachments[0].loadAction = MTLLoadActionClear;
m_clearBothPassDesc.colorAttachments[0].storeAction = MTLStoreActionStore;
m_clearBothPassDesc.colorAttachments[0].clearColor = MTLClearColorMake(0.0, 0.0, 0.0, 0.0);
2016-04-03 06:18:30 +00:00
m_clearBothPassDesc.depthAttachment.texture = m_depthTex;
m_clearBothPassDesc.depthAttachment.loadAction = MTLLoadActionClear;
m_clearBothPassDesc.depthAttachment.storeAction = MTLStoreActionStore;
2016-04-03 06:22:03 +00:00
m_clearBothPassDesc.depthAttachment.clearDepth = 0.f;
2016-04-03 06:18:30 +00:00
}
}
}
2016-02-16 19:41:16 +00:00
MetalTextureR(const ObjToken<BaseGraphicsData>& parent, MetalContext* ctx, size_t width, size_t height,
size_t samples, size_t colorBindCount, size_t depthBindCount)
: GraphicsDataNode<ITextureR>(parent), m_width(width), m_height(height), m_samples(samples),
m_colorBindCount(colorBindCount),
m_depthBindCount(depthBindCount)
{
if (samples == 0) m_samples = 1;
2017-10-01 04:23:28 +00:00
Setup(ctx);
}
public:
size_t samples() const {return m_samples;}
id<MTLTexture> m_colorTex;
2016-01-11 22:26:40 +00:00
id<MTLTexture> m_depthTex;
id<MTLTexture> m_colorBindTex[MAX_BIND_TEXS] = {};
id<MTLTexture> m_depthBindTex[MAX_BIND_TEXS] = {};
2016-01-11 22:26:40 +00:00
MTLRenderPassDescriptor* m_passDesc;
2016-04-03 06:18:30 +00:00
MTLRenderPassDescriptor* m_clearDepthPassDesc;
MTLRenderPassDescriptor* m_clearColorPassDesc;
MTLRenderPassDescriptor* m_clearBothPassDesc;
2015-11-09 02:24:45 +00:00
~MetalTextureR() = default;
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
void resize(MetalContext* ctx, size_t width, size_t height)
{
if (width < 1)
width = 1;
if (height < 1)
height = 1;
m_width = width;
m_height = height;
2017-10-01 04:23:28 +00:00
Setup(ctx);
}
};
2016-02-16 19:41:16 +00:00
static const size_t SEMANTIC_SIZE_TABLE[] =
{
2015-11-28 04:07:53 +00:00
0,
12,
2015-11-28 04:07:53 +00:00
16,
12,
2015-11-28 04:07:53 +00:00
16,
16,
4,
8,
2015-11-28 04:07:53 +00:00
16,
16,
16
};
2015-11-09 02:24:45 +00:00
static const MTLVertexFormat SEMANTIC_TYPE_TABLE[] =
{
2015-11-28 04:07:53 +00:00
MTLVertexFormatInvalid,
2015-11-09 02:24:45 +00:00
MTLVertexFormatFloat3,
2015-11-28 04:07:53 +00:00
MTLVertexFormatFloat4,
2015-11-09 02:24:45 +00:00
MTLVertexFormatFloat3,
2015-11-28 04:07:53 +00:00
MTLVertexFormatFloat4,
MTLVertexFormatFloat4,
2015-11-09 02:24:45 +00:00
MTLVertexFormatUChar4Normalized,
MTLVertexFormatFloat2,
2015-11-28 04:07:53 +00:00
MTLVertexFormatFloat4,
MTLVertexFormatFloat4,
2015-11-09 02:24:45 +00:00
MTLVertexFormatFloat4
};
struct MetalVertexFormat : GraphicsDataNode<IVertexFormat>
{
size_t m_elementCount;
2016-01-11 22:26:40 +00:00
MTLVertexDescriptor* m_vdesc;
2016-12-10 02:31:50 +00:00
size_t m_stride = 0;
size_t m_instStride = 0;
MetalVertexFormat(const ObjToken<BaseGraphicsData>& parent,
size_t elementCount, const VertexElementDescriptor* elements)
: GraphicsDataNode<IVertexFormat>(parent), m_elementCount(elementCount)
{
2015-11-09 02:24:45 +00:00
for (size_t i=0 ; i<elementCount ; ++i)
{
const VertexElementDescriptor* elemin = &elements[i];
2015-11-28 04:07:53 +00:00
int semantic = int(elemin->semantic & VertexSemantic::SemanticMask);
if ((elemin->semantic & VertexSemantic::Instanced) != VertexSemantic::None)
2016-12-10 02:31:50 +00:00
m_instStride += SEMANTIC_SIZE_TABLE[semantic];
2015-11-28 04:07:53 +00:00
else
2016-12-10 02:31:50 +00:00
m_stride += SEMANTIC_SIZE_TABLE[semantic];
2015-11-09 02:24:45 +00:00
}
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
m_vdesc = [MTLVertexDescriptor vertexDescriptor];
2016-01-11 22:26:40 +00:00
MTLVertexBufferLayoutDescriptor* layoutDesc = m_vdesc.layouts[0];
2016-12-10 02:31:50 +00:00
layoutDesc.stride = m_stride;
2015-11-09 06:45:14 +00:00
layoutDesc.stepFunction = MTLVertexStepFunctionPerVertex;
layoutDesc.stepRate = 1;
2016-02-16 19:41:16 +00:00
2016-01-11 22:26:40 +00:00
layoutDesc = m_vdesc.layouts[1];
2016-12-10 02:31:50 +00:00
layoutDesc.stride = m_instStride;
2015-11-28 04:07:53 +00:00
layoutDesc.stepFunction = MTLVertexStepFunctionPerInstance;
layoutDesc.stepRate = 1;
2016-02-16 19:41:16 +00:00
size_t offset = 0;
2015-11-28 04:07:53 +00:00
size_t instOffset = 0;
for (size_t i=0 ; i<elementCount ; ++i)
{
const VertexElementDescriptor* elemin = &elements[i];
2016-01-11 22:26:40 +00:00
MTLVertexAttributeDescriptor* attrDesc = m_vdesc.attributes[i];
2015-11-28 04:07:53 +00:00
int semantic = int(elemin->semantic & VertexSemantic::SemanticMask);
if ((elemin->semantic & VertexSemantic::Instanced) != VertexSemantic::None)
{
attrDesc.offset = instOffset;
attrDesc.bufferIndex = 1;
instOffset += SEMANTIC_SIZE_TABLE[semantic];
}
else
{
attrDesc.offset = offset;
attrDesc.bufferIndex = 0;
offset += SEMANTIC_SIZE_TABLE[semantic];
}
attrDesc.format = SEMANTIC_TYPE_TABLE[semantic];
}
}
};
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
static const MTLBlendFactor BLEND_FACTOR_TABLE[] =
{
MTLBlendFactorZero,
MTLBlendFactorOne,
MTLBlendFactorSourceColor,
MTLBlendFactorOneMinusSourceColor,
MTLBlendFactorDestinationColor,
MTLBlendFactorOneMinusDestinationColor,
MTLBlendFactorSourceAlpha,
MTLBlendFactorOneMinusSourceAlpha,
MTLBlendFactorDestinationAlpha,
MTLBlendFactorOneMinusDestinationAlpha,
#if __MAC_OS_X_VERSION_MAX_ALLOWED >= 101200
MTLBlendFactorSource1Color,
MTLBlendFactorOneMinusSource1Color,
#else
MTLBlendFactorSourceColor,
MTLBlendFactorOneMinusSourceColor,
#endif
};
static const MTLPrimitiveType PRIMITIVE_TABLE[] =
{
MTLPrimitiveTypeTriangle,
MTLPrimitiveTypeTriangleStrip
};
#define COLOR_WRITE_MASK (MTLColorWriteMaskRed | MTLColorWriteMaskGreen | MTLColorWriteMaskBlue)
class MetalShaderPipeline : public GraphicsDataNode<IShaderPipeline>
{
2015-11-09 02:24:45 +00:00
friend class MetalDataFactory;
friend struct MetalCommandQueue;
2016-12-10 02:31:50 +00:00
friend struct MetalShaderDataBinding;
2015-11-09 02:24:45 +00:00
MTLCullMode m_cullMode = MTLCullModeNone;
MTLPrimitiveType m_drawPrim;
MetalShareableShader::Token m_vert;
MetalShareableShader::Token m_frag;
2016-02-16 19:41:16 +00:00
MetalShaderPipeline(const ObjToken<BaseGraphicsData>& parent,
MetalContext* ctx,
MetalShareableShader::Token&& vert,
MetalShareableShader::Token&& frag,
const ObjToken<IVertexFormat>& vtxFmt, NSUInteger targetSamples,
BlendFactor srcFac, BlendFactor dstFac, Primitive prim,
ZTest depthTest, bool depthWrite, bool colorWrite,
bool alphaWrite, CullMode culling)
: GraphicsDataNode<IShaderPipeline>(parent),
m_drawPrim(PRIMITIVE_TABLE[int(prim)]),
m_vert(std::move(vert)), m_frag(std::move(frag))
{
2017-03-10 21:07:29 +00:00
switch (culling)
{
case CullMode::None:
default:
m_cullMode = MTLCullModeNone;
break;
case CullMode::Backface:
2015-11-09 02:24:45 +00:00
m_cullMode = MTLCullModeBack;
2017-03-10 21:07:29 +00:00
break;
case CullMode::Frontface:
m_cullMode = MTLCullModeFront;
break;
}
2016-02-16 19:41:16 +00:00
2016-01-11 22:26:40 +00:00
MTLRenderPipelineDescriptor* desc = [MTLRenderPipelineDescriptor new];
desc.vertexFunction = m_vert.get().m_shader;
desc.fragmentFunction = m_frag.get().m_shader;
desc.vertexDescriptor = vtxFmt.cast<MetalVertexFormat>()->m_vdesc;
2016-01-11 22:26:40 +00:00
desc.sampleCount = targetSamples;
desc.colorAttachments[0].pixelFormat = MTLPixelFormatBGRA8Unorm;
desc.colorAttachments[0].writeMask = (colorWrite ? COLOR_WRITE_MASK : 0) |
(alphaWrite ? MTLColorWriteMaskAlpha : 0);
2016-01-11 22:26:40 +00:00
desc.colorAttachments[0].blendingEnabled = dstFac != BlendFactor::Zero;
if (srcFac == BlendFactor::Subtract || dstFac == BlendFactor::Subtract)
{
desc.colorAttachments[0].sourceRGBBlendFactor = MTLBlendFactorDestinationColor;
desc.colorAttachments[0].destinationRGBBlendFactor = MTLBlendFactorSourceColor;
desc.colorAttachments[0].rgbBlendOperation = MTLBlendOperationSubtract;
}
else
{
desc.colorAttachments[0].sourceRGBBlendFactor = BLEND_FACTOR_TABLE[int(srcFac)];
desc.colorAttachments[0].destinationRGBBlendFactor = BLEND_FACTOR_TABLE[int(dstFac)];
desc.colorAttachments[0].rgbBlendOperation = MTLBlendOperationAdd;
}
desc.colorAttachments[0].sourceAlphaBlendFactor = MTLBlendFactorOne;
desc.colorAttachments[0].destinationAlphaBlendFactor = MTLBlendFactorZero;
2016-01-11 22:26:40 +00:00
desc.depthAttachmentPixelFormat = MTLPixelFormatDepth32Float;
desc.inputPrimitiveTopology = MTLPrimitiveTopologyClassTriangle;
2015-11-09 02:24:45 +00:00
NSError* err = nullptr;
2016-01-11 22:26:40 +00:00
m_state = [ctx->m_dev newRenderPipelineStateWithDescriptor:desc error:&err];
2015-11-09 02:24:45 +00:00
if (err)
2016-03-08 21:18:38 +00:00
Log.report(logvisor::Fatal, "error making shader pipeline: %s",
2015-11-09 02:24:45 +00:00
[[err localizedDescription] UTF8String]);
2016-02-16 19:41:16 +00:00
2016-01-11 22:26:40 +00:00
MTLDepthStencilDescriptor* dsDesc = [MTLDepthStencilDescriptor new];
switch (depthTest)
{
case ZTest::None:
default:
dsDesc.depthCompareFunction = MTLCompareFunctionAlways;
break;
case ZTest::LEqual:
dsDesc.depthCompareFunction = MTLCompareFunctionGreaterEqual;
break;
case ZTest::Greater:
dsDesc.depthCompareFunction = MTLCompareFunctionLess;
break;
case ZTest::GEqual:
dsDesc.depthCompareFunction = MTLCompareFunctionLessEqual;
break;
case ZTest::Equal:
dsDesc.depthCompareFunction = MTLCompareFunctionEqual;
break;
}
2016-01-11 22:26:40 +00:00
dsDesc.depthWriteEnabled = depthWrite;
m_dsState = [ctx->m_dev newDepthStencilStateWithDescriptor:dsDesc];
}
public:
2016-01-11 22:26:40 +00:00
id<MTLRenderPipelineState> m_state;
id<MTLDepthStencilState> m_dsState;
2015-11-09 02:24:45 +00:00
~MetalShaderPipeline() = default;
MetalShaderPipeline& operator=(const MetalShaderPipeline&) = delete;
MetalShaderPipeline(const MetalShaderPipeline&) = delete;
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
void bind(id<MTLRenderCommandEncoder> enc)
{
2016-01-11 22:26:40 +00:00
[enc setRenderPipelineState:m_state];
[enc setDepthStencilState:m_dsState];
2015-11-09 02:24:45 +00:00
[enc setCullMode:m_cullMode];
}
2015-11-09 02:24:45 +00:00
};
2016-02-16 19:41:16 +00:00
static id<MTLBuffer> GetBufferGPUResource(const ObjToken<IGraphicsBuffer>& buf, int idx)
{
if (buf->dynamic())
{
const MetalGraphicsBufferD<BaseGraphicsData>* cbuf = buf.cast<MetalGraphicsBufferD<BaseGraphicsData>>();
2016-01-11 22:26:40 +00:00
return cbuf->m_bufs[idx];
}
else
{
const MetalGraphicsBufferS* cbuf = buf.cast<MetalGraphicsBufferS>();
2016-01-11 22:26:40 +00:00
return cbuf->m_buf;
}
}
static id<MTLBuffer> GetBufferGPUResource(const ObjToken<IGraphicsBuffer>& buf, int idx, size_t& strideOut)
{
if (buf->dynamic())
{
const MetalGraphicsBufferD<BaseGraphicsData>* cbuf = buf.cast<MetalGraphicsBufferD<BaseGraphicsData>>();
strideOut = cbuf->m_stride;
return cbuf->m_bufs[idx];
}
else
{
const MetalGraphicsBufferS* cbuf = buf.cast<MetalGraphicsBufferS>();
strideOut = cbuf->m_stride;
return cbuf->m_buf;
}
}
static id<MTLTexture> GetTextureGPUResource(const ObjToken<ITexture>& tex, int idx, int bindIdx, bool depth)
{
2015-11-28 04:07:53 +00:00
switch (tex->type())
{
case TextureType::Dynamic:
{
const MetalTextureD* ctex = tex.cast<MetalTextureD>();
2016-01-11 22:26:40 +00:00
return ctex->m_texs[idx];
}
2015-11-28 04:07:53 +00:00
case TextureType::Static:
{
const MetalTextureS* ctex = tex.cast<MetalTextureS>();
2016-01-11 22:26:40 +00:00
return ctex->m_tex;
}
2015-11-28 04:07:53 +00:00
case TextureType::StaticArray:
{
const MetalTextureSA* ctex = tex.cast<MetalTextureSA>();
2016-01-11 22:26:40 +00:00
return ctex->m_tex;
2015-11-28 04:07:53 +00:00
}
case TextureType::Render:
{
const MetalTextureR* ctex = tex.cast<MetalTextureR>();
return depth ? ctex->m_depthBindTex[bindIdx] : ctex->m_colorBindTex[bindIdx];
}
2015-11-28 04:07:53 +00:00
default: break;
}
2015-11-09 02:24:45 +00:00
return nullptr;
}
struct MetalShaderDataBinding : GraphicsDataNode<IShaderDataBinding>
{
ObjToken<IShaderPipeline> m_pipeline;
ObjToken<IGraphicsBuffer> m_vbuf;
ObjToken<IGraphicsBuffer> m_instVbo;
ObjToken<IGraphicsBuffer> m_ibuf;
std::vector<ObjToken<IGraphicsBuffer>> m_ubufs;
std::vector<size_t> m_ubufOffs;
std::vector<bool> m_fubufs;
struct BoundTex
{
ObjToken<ITexture> tex;
int idx;
bool depth;
};
std::vector<BoundTex> m_texs;
2016-12-10 02:31:50 +00:00
size_t m_baseVert;
size_t m_baseInst;
MetalShaderDataBinding(const ObjToken<BaseGraphicsData>& d,
MetalContext* ctx,
const ObjToken<IShaderPipeline>& pipeline,
const ObjToken<IGraphicsBuffer>& vbuf,
const ObjToken<IGraphicsBuffer>& instVbo,
const ObjToken<IGraphicsBuffer>& ibuf,
size_t ubufCount, const ObjToken<IGraphicsBuffer>* ubufs, const PipelineStage* ubufStages,
2016-03-30 21:07:12 +00:00
const size_t* ubufOffs, const size_t* ubufSizes,
size_t texCount, const ObjToken<ITexture>* texs,
const int* texBindIdxs, const bool* depthBind,
size_t baseVert, size_t baseInst)
: GraphicsDataNode<IShaderDataBinding>(d),
m_pipeline(pipeline),
m_vbuf(vbuf),
2015-11-28 04:07:53 +00:00
m_instVbo(instVbo),
m_ibuf(ibuf),
2016-12-10 02:31:50 +00:00
m_baseVert(baseVert),
m_baseInst(baseInst)
{
2016-04-05 02:37:46 +00:00
if (ubufCount && ubufStages)
2016-03-30 21:07:12 +00:00
{
m_fubufs.reserve(ubufCount);
2016-04-05 02:37:46 +00:00
for (size_t i=0 ; i<ubufCount ; ++i)
m_fubufs.push_back(ubufStages[i] == PipelineStage::Fragment);
2016-04-05 02:37:46 +00:00
}
if (ubufCount && ubufOffs && ubufSizes)
{
m_ubufOffs.reserve(ubufCount);
2016-03-30 21:07:12 +00:00
for (size_t i=0 ; i<ubufCount ; ++i)
{
#ifndef NDEBUG
if (ubufOffs[i] % 256)
Log.report(logvisor::Fatal, "non-256-byte-aligned uniform-offset %d provided to newShaderDataBinding", int(i));
#endif
m_ubufOffs.push_back(ubufOffs[i]);
2016-03-30 21:07:12 +00:00
}
}
m_ubufs.reserve(ubufCount);
for (size_t i=0 ; i<ubufCount ; ++i)
2016-03-30 21:07:12 +00:00
{
#ifndef NDEBUG
if (!ubufs[i])
Log.report(logvisor::Fatal, "null uniform-buffer %d provided to newShaderDataBinding", int(i));
#endif
m_ubufs.push_back(ubufs[i]);
2016-03-30 21:07:12 +00:00
}
m_texs.reserve(texCount);
for (size_t i=0 ; i<texCount ; ++i)
2016-03-30 21:07:12 +00:00
{
m_texs.push_back({texs[i], texBindIdxs ? texBindIdxs[i] : 0, depthBind ? depthBind[i] : false});
2016-03-30 21:07:12 +00:00
}
}
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
void bind(id<MTLRenderCommandEncoder> enc, int b)
{
m_pipeline.cast<MetalShaderPipeline>()->bind(enc);
2016-12-10 02:31:50 +00:00
size_t stride;
2015-11-28 04:07:53 +00:00
if (m_vbuf)
{
id<MTLBuffer> buf = GetBufferGPUResource(m_vbuf, b, stride);
[enc setVertexBuffer:buf offset:stride * m_baseVert atIndex:0];
}
2015-11-28 04:07:53 +00:00
if (m_instVbo)
{
id<MTLBuffer> buf = GetBufferGPUResource(m_instVbo, b, stride);
[enc setVertexBuffer:buf offset:stride * m_baseInst atIndex:1];
}
if (m_ubufOffs.size())
for (size_t i=0 ; i<m_ubufs.size() ; ++i)
2016-04-05 02:37:46 +00:00
{
if (m_fubufs.size() && m_fubufs[i])
2016-04-05 02:37:46 +00:00
[enc setFragmentBuffer:GetBufferGPUResource(m_ubufs[i], b) offset:m_ubufOffs[i] atIndex:i+2];
2016-04-04 06:13:11 +00:00
else
2016-04-05 02:37:46 +00:00
[enc setVertexBuffer:GetBufferGPUResource(m_ubufs[i], b) offset:m_ubufOffs[i] atIndex:i+2];
}
2016-03-30 21:07:12 +00:00
else
for (size_t i=0 ; i<m_ubufs.size() ; ++i)
2016-04-05 02:37:46 +00:00
{
if (m_fubufs.size() && m_fubufs[i])
2016-04-05 02:37:46 +00:00
[enc setFragmentBuffer:GetBufferGPUResource(m_ubufs[i], b) offset:0 atIndex:i+2];
else
[enc setVertexBuffer:GetBufferGPUResource(m_ubufs[i], b) offset:0 atIndex:i+2];
}
for (size_t i=0 ; i<m_texs.size() ; ++i)
if (m_texs[i].tex)
[enc setFragmentTexture:GetTextureGPUResource(m_texs[i].tex, b, m_texs[i].idx, m_texs[i].depth) atIndex:i];
}
};
2015-11-09 02:24:45 +00:00
struct MetalCommandQueue : IGraphicsCommandQueue
{
Platform platform() const { return IGraphicsDataFactory::Platform::Metal; }
const char* platformName() const { return "Metal"; }
2015-11-09 02:24:45 +00:00
MetalContext* m_ctx;
IWindow* m_parentWindow;
IGraphicsContext* m_parent;
2016-01-11 22:26:40 +00:00
id<MTLCommandBuffer> m_cmdBuf;
id<MTLRenderCommandEncoder> m_enc;
2015-12-05 01:12:52 +00:00
bool m_running = true;
2016-02-16 19:41:16 +00:00
int m_fillBuf = 0;
int m_drawBuf = 0;
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
MetalCommandQueue(MetalContext* ctx, IWindow* parentWindow, IGraphicsContext* parent)
: m_ctx(ctx), m_parentWindow(parentWindow), m_parent(parent)
{
2015-11-09 06:45:14 +00:00
@autoreleasepool
{
2016-01-11 22:26:40 +00:00
m_cmdBuf = [ctx->m_q commandBuffer];
2015-11-09 06:45:14 +00:00
}
}
2016-02-16 19:41:16 +00:00
2015-12-05 01:12:52 +00:00
void stopRenderer()
{
m_running = false;
if (m_inProgress && m_cmdBuf.status != MTLCommandBufferStatusNotEnqueued)
2016-01-11 22:26:40 +00:00
[m_cmdBuf waitUntilCompleted];
2015-12-05 01:12:52 +00:00
}
2016-02-16 19:41:16 +00:00
2015-12-05 01:12:52 +00:00
~MetalCommandQueue()
{
if (m_running) stopRenderer();
}
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
MetalShaderDataBinding* m_boundData = nullptr;
MTLPrimitiveType m_currentPrimitive = MTLPrimitiveTypeTriangle;
void setShaderDataBinding(const ObjToken<IShaderDataBinding>& binding)
{
@autoreleasepool
{
MetalShaderDataBinding* cbind = binding.cast<MetalShaderDataBinding>();
cbind->bind(m_enc, m_fillBuf);
m_boundData = cbind;
m_currentPrimitive = cbind->m_pipeline.cast<MetalShaderPipeline>()->m_drawPrim;
}
}
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
MetalTextureR* m_boundTarget = nullptr;
void _setRenderTarget(const ObjToken<ITextureR>& target, bool clearColor, bool clearDepth)
{
2015-11-18 23:55:25 +00:00
@autoreleasepool
{
MetalTextureR* ctarget = target.cast<MetalTextureR>();
[m_enc endEncoding];
2016-04-03 06:18:30 +00:00
if (clearColor && clearDepth)
m_enc = [m_cmdBuf renderCommandEncoderWithDescriptor:ctarget->m_clearBothPassDesc];
else if (clearColor)
m_enc = [m_cmdBuf renderCommandEncoderWithDescriptor:ctarget->m_clearColorPassDesc];
else if (clearDepth)
m_enc = [m_cmdBuf renderCommandEncoderWithDescriptor:ctarget->m_clearDepthPassDesc];
else
m_enc = [m_cmdBuf renderCommandEncoderWithDescriptor:ctarget->m_passDesc];
[m_enc setFrontFacingWinding:MTLWindingCounterClockwise];
if (ctarget == m_boundTarget)
{
if (m_boundVp.width || m_boundVp.height)
[m_enc setViewport:m_boundVp];
if (m_boundScissor.width || m_boundScissor.height)
[m_enc setScissorRect:m_boundScissor];
}
else
m_boundTarget = ctarget;
2015-11-18 23:55:25 +00:00
}
}
2016-02-16 19:41:16 +00:00
void setRenderTarget(const ObjToken<ITextureR>& target)
2016-04-03 06:18:30 +00:00
{
_setRenderTarget(target, false, false);
}
2016-09-12 05:28:54 +00:00
MTLViewport m_boundVp = {};
2016-04-05 02:37:46 +00:00
void setViewport(const SWindowRect& rect, float znear, float zfar)
{
m_boundVp = MTLViewport{double(rect.location[0]), double(rect.location[1]),
double(rect.size[0]), double(rect.size[1]), znear, zfar};
[m_enc setViewport:m_boundVp];
}
2016-02-16 19:41:16 +00:00
MTLScissorRect m_boundScissor = {};
2015-11-28 04:07:53 +00:00
void setScissor(const SWindowRect& rect)
{
if (m_boundTarget)
{
SWindowRect intersectRect = rect.intersect(SWindowRect(0, 0, m_boundTarget->m_width, m_boundTarget->m_height));
m_boundScissor = MTLScissorRect{NSUInteger(intersectRect.location[0]),
NSUInteger(m_boundTarget->m_height - intersectRect.location[1] - intersectRect.size[1]),
NSUInteger(intersectRect.size[0]), NSUInteger(intersectRect.size[1])};
[m_enc setScissorRect:m_boundScissor];
}
2015-11-28 04:07:53 +00:00
}
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
std::unordered_map<MetalTextureR*, std::pair<size_t, size_t>> m_texResizes;
void resizeRenderTexture(const ObjToken<ITextureR>& tex, size_t width, size_t height)
{
MetalTextureR* ctex = tex.cast<MetalTextureR>();
m_texResizes[ctex] = std::make_pair(width, height);
}
2015-12-21 00:40:52 +00:00
void schedulePostFrameHandler(std::function<void(void)>&& func)
{
func();
}
2016-02-16 19:41:16 +00:00
2015-11-18 23:55:25 +00:00
void flushBufferUpdates() {}
2016-02-16 19:41:16 +00:00
float m_clearColor[4] = {0.f,0.f,0.f,0.f};
void setClearColor(const float rgba[4])
{
m_clearColor[0] = rgba[0];
m_clearColor[1] = rgba[1];
m_clearColor[2] = rgba[2];
m_clearColor[3] = rgba[3];
}
2016-02-16 19:41:16 +00:00
void clearTarget(bool render=true, bool depth=true)
{
if (!m_boundTarget)
return;
2016-04-03 06:18:30 +00:00
_setRenderTarget(m_boundTarget, render, depth);
}
2016-02-16 19:41:16 +00:00
void draw(size_t start, size_t count)
{
[m_enc drawPrimitives:m_currentPrimitive vertexStart:start vertexCount:count];
}
2016-02-16 19:41:16 +00:00
void drawIndexed(size_t start, size_t count)
{
[m_enc drawIndexedPrimitives:m_currentPrimitive
2016-01-11 22:26:40 +00:00
indexCount:count
indexType:MTLIndexTypeUInt32
indexBuffer:GetBufferGPUResource(m_boundData->m_ibuf, m_fillBuf)
indexBufferOffset:start*4];
}
2016-02-16 19:41:16 +00:00
void drawInstances(size_t start, size_t count, size_t instCount)
{
[m_enc drawPrimitives:m_currentPrimitive
2016-02-24 21:07:48 +00:00
vertexStart:start vertexCount:count instanceCount:instCount];
}
2016-02-16 19:41:16 +00:00
void drawInstancesIndexed(size_t start, size_t count, size_t instCount)
{
[m_enc drawIndexedPrimitives:m_currentPrimitive
2016-01-11 22:26:40 +00:00
indexCount:count
indexType:MTLIndexTypeUInt32
indexBuffer:GetBufferGPUResource(m_boundData->m_ibuf, m_fillBuf)
indexBufferOffset:start*4
instanceCount:instCount];
}
2016-02-16 19:41:16 +00:00
void resolveBindTexture(const ObjToken<ITextureR>& texture, const SWindowRect& rect, bool tlOrigin,
int bindIdx, bool color, bool depth)
2016-02-25 05:06:13 +00:00
{
MetalTextureR* tex = texture.cast<MetalTextureR>();
@autoreleasepool
{
[m_enc endEncoding];
SWindowRect intersectRect = rect.intersect(SWindowRect(0, 0, tex->m_width, tex->m_height));
NSUInteger y = tlOrigin ? intersectRect.location[1] : int(tex->m_height) -
intersectRect.location[1] - intersectRect.size[1];
MTLOrigin origin = {NSUInteger(intersectRect.location[0]), y, 0};
id<MTLBlitCommandEncoder> blitEnc = [m_cmdBuf blitCommandEncoder];
if (color && tex->m_colorBindTex[bindIdx])
{
[blitEnc copyFromTexture:tex->m_colorTex
sourceSlice:0
sourceLevel:0
sourceOrigin:origin
sourceSize:MTLSizeMake(intersectRect.size[0], intersectRect.size[1], 1)
toTexture:tex->m_colorBindTex[bindIdx]
destinationSlice:0
destinationLevel:0
destinationOrigin:origin];
}
if (depth && tex->m_depthBindTex[bindIdx])
{
[blitEnc copyFromTexture:tex->m_depthTex
sourceSlice:0
sourceLevel:0
sourceOrigin:origin
sourceSize:MTLSizeMake(intersectRect.size[0], intersectRect.size[1], 1)
toTexture:tex->m_depthBindTex[bindIdx]
destinationSlice:0
destinationLevel:0
destinationOrigin:origin];
}
[blitEnc endEncoding];
m_enc = [m_cmdBuf renderCommandEncoderWithDescriptor:tex->m_passDesc];
[m_enc setFrontFacingWinding:MTLWindingCounterClockwise];
if (m_boundVp.width || m_boundVp.height)
[m_enc setViewport:m_boundVp];
if (m_boundScissor.width || m_boundScissor.height)
[m_enc setScissorRect:m_boundScissor];
}
2016-02-25 05:06:13 +00:00
}
ObjToken<ITextureR> m_needsDisplay;
void resolveDisplay(const ObjToken<ITextureR>& source)
{
m_needsDisplay = source;
2015-11-09 02:24:45 +00:00
}
2016-02-16 19:41:16 +00:00
2015-11-09 02:24:45 +00:00
bool m_inProgress = false;
void execute()
{
2015-12-05 01:12:52 +00:00
if (!m_running)
return;
2016-02-16 19:41:16 +00:00
2015-12-02 22:25:30 +00:00
/* Update dynamic data here */
MetalDataFactoryImpl* gfxF = static_cast<MetalDataFactoryImpl*>(m_parent->getDataFactory());
std::unique_lock<std::mutex> datalk(gfxF->m_dataMutex);
if (gfxF->m_dataHead)
2015-12-02 22:25:30 +00:00
{
for (BaseGraphicsData& d : *gfxF->m_dataHead)
{
if (d.m_DBufs)
for (IGraphicsBufferD& b : *d.m_DBufs)
static_cast<MetalGraphicsBufferD<BaseGraphicsData>&>(b).update(m_fillBuf);
if (d.m_DTexs)
for (ITextureD& t : *d.m_DTexs)
static_cast<MetalTextureD&>(t).update(m_fillBuf);
}
2015-12-02 22:25:30 +00:00
}
if (gfxF->m_poolHead)
2016-12-10 02:31:50 +00:00
{
for (BaseGraphicsPool& p : *gfxF->m_poolHead)
{
if (p.m_DBufs)
for (IGraphicsBufferD& b : *p.m_DBufs)
static_cast<MetalGraphicsBufferD<BaseGraphicsData>&>(b).update(m_fillBuf);
}
2016-12-10 02:31:50 +00:00
}
2015-12-18 21:33:53 +00:00
datalk.unlock();
2016-02-16 19:41:16 +00:00
2015-11-09 06:45:14 +00:00
@autoreleasepool
{
2016-01-11 22:26:40 +00:00
[m_enc endEncoding];
m_enc = nullptr;
2016-02-16 19:41:16 +00:00
2015-11-09 06:45:14 +00:00
/* Abandon if in progress (renderer too slow) */
if (m_inProgress)
{
2016-01-11 22:26:40 +00:00
m_cmdBuf = [m_ctx->m_q commandBuffer];
2015-11-09 06:45:14 +00:00
return;
}
2016-02-16 19:41:16 +00:00
2015-11-09 06:45:14 +00:00
/* Perform texture resizes */
if (m_texResizes.size())
{
for (const auto& resize : m_texResizes)
resize.first->resize(m_ctx, resize.second.first, resize.second.second);
m_texResizes.clear();
2016-01-11 22:26:40 +00:00
m_cmdBuf = [m_ctx->m_q commandBuffer];
2015-11-09 06:45:14 +00:00
return;
}
2016-02-16 19:41:16 +00:00
/* Wrap up and present if needed */
if (m_needsDisplay)
{
MetalContext::Window& w = m_ctx->m_windows[m_parentWindow];
{
std::unique_lock<std::mutex> lk(w.m_resizeLock);
if (w.m_needsResize)
{
w.m_metalLayer.drawableSize = w.m_size;
w.m_needsResize = NO;
m_needsDisplay.reset();
return;
}
}
id<CAMetalDrawable> drawable = [w.m_metalLayer nextDrawable];
if (drawable)
{
MetalTextureR* src = m_needsDisplay.cast<MetalTextureR>();
id<MTLTexture> dest = drawable.texture;
if (src->m_colorTex.width == dest.width &&
src->m_colorTex.height == dest.height)
{
id<MTLBlitCommandEncoder> blitEnc = [m_cmdBuf blitCommandEncoder];
[blitEnc copyFromTexture:src->m_colorTex
sourceSlice:0
sourceLevel:0
sourceOrigin:MTLOriginMake(0, 0, 0)
sourceSize:MTLSizeMake(dest.width, dest.height, 1)
toTexture:dest
destinationSlice:0
destinationLevel:0
destinationOrigin:MTLOriginMake(0, 0, 0)];
[blitEnc endEncoding];
[m_cmdBuf presentDrawable:drawable];
}
}
m_needsDisplay.reset();
}
2016-02-16 19:41:16 +00:00
2015-11-09 06:45:14 +00:00
m_drawBuf = m_fillBuf;
2015-12-02 22:25:30 +00:00
m_fillBuf ^= 1;
2016-02-16 19:41:16 +00:00
2016-01-11 22:26:40 +00:00
[m_cmdBuf addCompletedHandler:^(id<MTLCommandBuffer> buf) {m_inProgress = false;}];
2015-11-09 06:45:14 +00:00
m_inProgress = true;
2016-01-11 22:26:40 +00:00
[m_cmdBuf commit];
m_cmdBuf = [m_ctx->m_q commandBuffer];
}
}
};
2016-02-16 19:41:16 +00:00
MetalDataFactory::Context::Context(MetalDataFactory& parent)
: m_parent(parent), m_data(new BaseGraphicsData(static_cast<MetalDataFactoryImpl&>(parent))) {}
2016-02-16 19:41:16 +00:00
MetalDataFactory::Context::~Context() {}
2016-02-16 19:41:16 +00:00
ObjToken<IGraphicsBufferS>
MetalDataFactory::Context::newStaticBuffer(BufferUse use, const void* data, size_t stride, size_t count)
{
@autoreleasepool
{
MetalDataFactoryImpl& factory = static_cast<MetalDataFactoryImpl&>(m_parent);
return {new MetalGraphicsBufferS(m_data, use, factory.m_ctx, data, stride, count)};
}
}
ObjToken<IGraphicsBufferD>
MetalDataFactory::Context::newDynamicBuffer(BufferUse use, size_t stride, size_t count)
{
@autoreleasepool
{
MetalDataFactoryImpl& factory = static_cast<MetalDataFactoryImpl&>(m_parent);
MetalCommandQueue* q = static_cast<MetalCommandQueue*>(factory.m_parent->getCommandQueue());
return {new MetalGraphicsBufferD<BaseGraphicsData>(m_data, q, use, factory.m_ctx, stride, count)};
}
}
ObjToken<ITextureS>
MetalDataFactory::Context::newStaticTexture(size_t width, size_t height, size_t mips, TextureFormat fmt,
TextureClampMode clampMode, const void* data, size_t sz)
{
@autoreleasepool
{
MetalDataFactoryImpl& factory = static_cast<MetalDataFactoryImpl&>(m_parent);
return {new MetalTextureS(m_data, factory.m_ctx, width, height, mips, fmt, data, sz)};
}
}
ObjToken<ITextureSA>
MetalDataFactory::Context::newStaticArrayTexture(size_t width, size_t height, size_t layers, size_t mips,
TextureFormat fmt, TextureClampMode clampMode,
const void* data, size_t sz)
{
@autoreleasepool
{
MetalDataFactoryImpl& factory = static_cast<MetalDataFactoryImpl&>(m_parent);
return {new MetalTextureSA(m_data, factory.m_ctx, width, height, layers, mips, fmt, data, sz)};
}
2015-11-28 04:07:53 +00:00
}
ObjToken<ITextureD>
MetalDataFactory::Context::newDynamicTexture(size_t width, size_t height, TextureFormat fmt,
TextureClampMode clampMode)
{
@autoreleasepool
{
MetalDataFactoryImpl& factory = static_cast<MetalDataFactoryImpl&>(m_parent);
MetalCommandQueue* q = static_cast<MetalCommandQueue*>(factory.m_parent->getCommandQueue());
return {new MetalTextureD(m_data, q, factory.m_ctx, width, height, fmt)};
}
}
ObjToken<ITextureR>
MetalDataFactory::Context::newRenderTexture(size_t width, size_t height, TextureClampMode clampMode,
size_t colorBindCount, size_t depthBindCount)
{
@autoreleasepool
{
MetalDataFactoryImpl& factory = static_cast<MetalDataFactoryImpl&>(m_parent);
return {new MetalTextureR(m_data, factory.m_ctx, width, height, factory.m_sampleCount,
colorBindCount, depthBindCount)};
}
}
ObjToken<IVertexFormat>
MetalDataFactory::Context::newVertexFormat(size_t elementCount, const VertexElementDescriptor* elements,
size_t baseVert, size_t baseInst)
{
@autoreleasepool
{
return {new struct MetalVertexFormat(m_data, elementCount, elements)};
}
}
ObjToken<IShaderPipeline>
MetalDataFactory::Context::newShaderPipeline(const char* vertSource, const char* fragSource,
std::vector<uint8_t>* vertBlobOut,
std::vector<uint8_t>* fragBlobOut,
const ObjToken<IVertexFormat>& vtxFmt, unsigned targetSamples,
BlendFactor srcFac, BlendFactor dstFac, Primitive prim,
ZTest depthTest, bool depthWrite, bool colorWrite,
bool alphaWrite, CullMode culling)
{
2017-03-20 05:08:19 +00:00
@autoreleasepool
{
2017-03-20 05:08:19 +00:00
MetalDataFactoryImpl& factory = static_cast<MetalDataFactoryImpl&>(m_parent);
MTLCompileOptions* compOpts = [MTLCompileOptions new];
2017-10-22 06:09:58 +00:00
compOpts.languageVersion = MTLLanguageVersion1_2;
2017-03-20 05:08:19 +00:00
NSError* err = nullptr;
XXH64_state_t hashState;
uint64_t srcHashes[2] = {};
uint64_t binHashes[2] = {};
2017-03-20 05:08:19 +00:00
XXH64_reset(&hashState, 0);
if (vertSource)
{
XXH64_update(&hashState, vertSource, strlen(vertSource));
srcHashes[0] = XXH64_digest(&hashState);
auto binSearch = factory.m_sourceToBinary.find(srcHashes[0]);
if (binSearch != factory.m_sourceToBinary.cend())
binHashes[0] = binSearch->second;
}
else if (vertBlobOut && !vertBlobOut->empty())
{
XXH64_update(&hashState, vertBlobOut->data(), vertBlobOut->size());
binHashes[0] = XXH64_digest(&hashState);
}
2017-03-20 05:08:19 +00:00
XXH64_reset(&hashState, 0);
if (fragSource)
{
XXH64_update(&hashState, fragSource, strlen(fragSource));
srcHashes[1] = XXH64_digest(&hashState);
auto binSearch = factory.m_sourceToBinary.find(srcHashes[1]);
if (binSearch != factory.m_sourceToBinary.cend())
binHashes[1] = binSearch->second;
}
else if (fragBlobOut && !fragBlobOut->empty())
{
XXH64_update(&hashState, fragBlobOut->data(), fragBlobOut->size());
binHashes[1] = XXH64_digest(&hashState);
}
if (vertBlobOut && vertBlobOut->empty())
binHashes[0] = factory.CompileLib(*vertBlobOut, vertSource, srcHashes[0]);
if (fragBlobOut && fragBlobOut->empty())
binHashes[1] = factory.CompileLib(*fragBlobOut, fragSource, srcHashes[1]);
2017-03-20 05:08:19 +00:00
MetalShareableShader::Token vertShader;
MetalShareableShader::Token fragShader;
auto vertFind = binHashes[0] ? factory.m_sharedShaders.find(binHashes[0]) :
factory.m_sharedShaders.end();
2017-03-20 05:08:19 +00:00
if (vertFind != factory.m_sharedShaders.end())
{
2017-03-20 05:08:19 +00:00
vertShader = vertFind->second->lock();
}
2017-03-20 05:08:19 +00:00
else
{
id<MTLLibrary> vertShaderLib;
if (vertBlobOut && !vertBlobOut->empty())
{
if ((*vertBlobOut)[0] == 1)
{
dispatch_data_t vertData = dispatch_data_create(vertBlobOut->data() + 1, vertBlobOut->size() - 1, nullptr, nullptr);
vertShaderLib = [factory.m_ctx->m_dev newLibraryWithData:vertData error:&err];
if (!vertShaderLib)
Log.report(logvisor::Fatal, "error loading vert library: %s", [[err localizedDescription] UTF8String]);
}
else
{
factory.CompileLib(vertShaderLib, (char*)vertBlobOut->data() + 1, 0, compOpts, &err);
}
}
else
binHashes[0] = factory.CompileLib(vertShaderLib, vertSource, srcHashes[0], compOpts, &err);
2017-03-20 05:08:19 +00:00
if (!vertShaderLib)
{
printf("%s\n", vertSource);
Log.report(logvisor::Fatal, "error compiling vert shader: %s", [[err localizedDescription] UTF8String]);
}
id<MTLFunction> vertFunc = [vertShaderLib newFunctionWithName:@"vmain"];
2016-02-16 19:41:16 +00:00
2017-03-20 05:08:19 +00:00
auto it =
factory.m_sharedShaders.emplace(std::make_pair(binHashes[0],
std::make_unique<MetalShareableShader>(factory, srcHashes[0], binHashes[0], vertFunc))).first;
2017-03-20 05:08:19 +00:00
vertShader = it->second->lock();
}
auto fragFind = binHashes[1] ? factory.m_sharedShaders.find(binHashes[1]) :
factory.m_sharedShaders.end();
2017-03-20 05:08:19 +00:00
if (fragFind != factory.m_sharedShaders.end())
{
fragShader = fragFind->second->lock();
}
else
{
id<MTLLibrary> fragShaderLib;
if (fragBlobOut && !fragBlobOut->empty())
{
if ((*fragBlobOut)[0] == 1)
{
dispatch_data_t fragData = dispatch_data_create(fragBlobOut->data() + 1, fragBlobOut->size() - 1, nullptr, nullptr);
fragShaderLib = [factory.m_ctx->m_dev newLibraryWithData:fragData error:&err];
if (!fragShaderLib)
Log.report(logvisor::Fatal, "error loading frag library: %s", [[err localizedDescription] UTF8String]);
}
else
{
factory.CompileLib(fragShaderLib, (char*)fragBlobOut->data() + 1, 0, compOpts, &err);
}
}
else
binHashes[1] = factory.CompileLib(fragShaderLib, fragSource, srcHashes[1], compOpts, &err);
2017-03-20 05:08:19 +00:00
if (!fragShaderLib)
{
printf("%s\n", fragSource);
Log.report(logvisor::Fatal, "error compiling frag shader: %s", [[err localizedDescription] UTF8String]);
}
id<MTLFunction> fragFunc = [fragShaderLib newFunctionWithName:@"fmain"];
auto it =
factory.m_sharedShaders.emplace(std::make_pair(binHashes[1],
std::make_unique<MetalShareableShader>(factory, srcHashes[1], binHashes[1], fragFunc))).first;
2017-03-20 05:08:19 +00:00
fragShader = it->second->lock();
}
return {new MetalShaderPipeline(m_data, factory.m_ctx, std::move(vertShader), std::move(fragShader),
vtxFmt, targetSamples, srcFac, dstFac, prim, depthTest, depthWrite,
colorWrite, alphaWrite, culling)};
}
}
ObjToken<IShaderDataBinding>
MetalDataFactory::Context::newShaderDataBinding(const ObjToken<IShaderPipeline>& pipeline,
const ObjToken<IVertexFormat>& vtxFormat,
const ObjToken<IGraphicsBuffer>& vbo,
const ObjToken<IGraphicsBuffer>& instVbo,
const ObjToken<IGraphicsBuffer>& ibo,
size_t ubufCount, const ObjToken<IGraphicsBuffer>* ubufs, const PipelineStage* ubufStages,
2016-03-30 21:07:12 +00:00
const size_t* ubufOffs, const size_t* ubufSizes,
size_t texCount, const ObjToken<ITexture>* texs,
const int* texBindIdxs, const bool* depthBind,
size_t baseVert, size_t baseInst)
{
@autoreleasepool
{
MetalDataFactoryImpl& factory = static_cast<MetalDataFactoryImpl&>(m_parent);
return {new MetalShaderDataBinding(m_data,
factory.m_ctx, pipeline, vbo, instVbo, ibo,
ubufCount, ubufs, ubufStages, ubufOffs,
ubufSizes, texCount, texs, texBindIdxs,
depthBind, baseVert, baseInst)};
}
}
void MetalDataFactoryImpl::commitTransaction(const FactoryCommitFunc& trans)
{
2016-03-30 21:07:12 +00:00
MetalDataFactory::Context ctx(*this);
trans(ctx);
}
2016-12-10 02:31:50 +00:00
ObjToken<IGraphicsBufferD> MetalDataFactoryImpl::newPoolBuffer(BufferUse use, size_t stride, size_t count)
2016-12-10 02:31:50 +00:00
{
ObjToken<BaseGraphicsPool> pool(new BaseGraphicsPool(*this));
2016-12-10 02:31:50 +00:00
MetalCommandQueue* q = static_cast<MetalCommandQueue*>(m_parent->getCommandQueue());
return {new MetalGraphicsBufferD<BaseGraphicsPool>(pool, q, use, m_ctx, stride, count)};
2016-12-11 20:20:29 +00:00
}
2015-11-09 02:24:45 +00:00
IGraphicsCommandQueue* _NewMetalCommandQueue(MetalContext* ctx, IWindow* parentWindow,
IGraphicsContext* parent)
{
2015-11-09 02:24:45 +00:00
return new struct MetalCommandQueue(ctx, parentWindow, parent);
}
2016-02-16 19:41:16 +00:00
IGraphicsDataFactory* _NewMetalDataFactory(IGraphicsContext* parent, MetalContext* ctx, uint32_t sampleCount)
{
return new class MetalDataFactoryImpl(parent, ctx, sampleCount);
}
}
2015-11-16 22:03:46 +00:00
#endif