• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 // Copyright 2019 The Dawn Authors
2 //
3 // Licensed under the Apache License, Version 2.0 (the "License");
4 // you may not use this file except in compliance with the License.
5 // You may obtain a copy of the License at
6 //
7 //     http://www.apache.org/licenses/LICENSE-2.0
8 //
9 // Unless required by applicable law or agreed to in writing, software
10 // distributed under the License is distributed on an "AS IS" BASIS,
11 // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12 // See the License for the specific language governing permissions and
13 // limitations under the License.
14 
15 #include "dawn_native/CommandEncoder.h"
16 
17 #include "common/BitSetIterator.h"
18 #include "dawn_native/BindGroup.h"
19 #include "dawn_native/Buffer.h"
20 #include "dawn_native/CommandBuffer.h"
21 #include "dawn_native/CommandBufferStateTracker.h"
22 #include "dawn_native/Commands.h"
23 #include "dawn_native/ComputePassEncoder.h"
24 #include "dawn_native/Device.h"
25 #include "dawn_native/ErrorData.h"
26 #include "dawn_native/RenderPassEncoder.h"
27 #include "dawn_native/RenderPipeline.h"
28 
29 #include <map>
30 
31 namespace dawn_native {
32 
33     namespace {
34 
ValidateCopySizeFitsInTexture(const TextureCopy & textureCopy,const Extent3D & copySize)35         MaybeError ValidateCopySizeFitsInTexture(const TextureCopy& textureCopy,
36                                                  const Extent3D& copySize) {
37             const TextureBase* texture = textureCopy.texture.Get();
38             if (textureCopy.mipLevel >= texture->GetNumMipLevels()) {
39                 return DAWN_VALIDATION_ERROR("Copy mipLevel out of range");
40             }
41 
42             if (textureCopy.arrayLayer >= texture->GetArrayLayers()) {
43                 return DAWN_VALIDATION_ERROR("Copy arrayLayer out of range");
44             }
45 
46             Extent3D extent = texture->GetMipLevelPhysicalSize(textureCopy.mipLevel);
47 
48             // All texture dimensions are in uint32_t so by doing checks in uint64_t we avoid
49             // overflows.
50             if (uint64_t(textureCopy.origin.x) + uint64_t(copySize.width) >
51                     static_cast<uint64_t>(extent.width) ||
52                 uint64_t(textureCopy.origin.y) + uint64_t(copySize.height) >
53                     static_cast<uint64_t>(extent.height)) {
54                 return DAWN_VALIDATION_ERROR("Copy would touch outside of the texture");
55             }
56 
57             // TODO(cwallez@chromium.org): Check the depth bound differently for 2D arrays and 3D
58             // textures
59             if (textureCopy.origin.z != 0 || copySize.depth > 1) {
60                 return DAWN_VALIDATION_ERROR("No support for z != 0 and depth > 1 for now");
61             }
62 
63             return {};
64         }
65 
ValidateCopySizeFitsInBuffer(const Ref<BufferBase> & buffer,uint64_t offset,uint64_t size)66         MaybeError ValidateCopySizeFitsInBuffer(const Ref<BufferBase>& buffer,
67                                                 uint64_t offset,
68                                                 uint64_t size) {
69             uint64_t bufferSize = buffer->GetSize();
70             bool fitsInBuffer = offset <= bufferSize && (size <= (bufferSize - offset));
71             if (!fitsInBuffer) {
72                 return DAWN_VALIDATION_ERROR("Copy would overflow the buffer");
73             }
74 
75             return {};
76         }
77 
ValidateCopySizeFitsInBuffer(const BufferCopy & bufferCopy,uint64_t dataSize)78         MaybeError ValidateCopySizeFitsInBuffer(const BufferCopy& bufferCopy, uint64_t dataSize) {
79             return ValidateCopySizeFitsInBuffer(bufferCopy.buffer, bufferCopy.offset, dataSize);
80         }
81 
ValidateB2BCopySizeAlignment(uint64_t dataSize,uint64_t srcOffset,uint64_t dstOffset)82         MaybeError ValidateB2BCopySizeAlignment(uint64_t dataSize,
83                                                 uint64_t srcOffset,
84                                                 uint64_t dstOffset) {
85             // Copy size must be a multiple of 4 bytes on macOS.
86             if (dataSize % 4 != 0) {
87                 return DAWN_VALIDATION_ERROR("Copy size must be a multiple of 4 bytes");
88             }
89 
90             // SourceOffset and destinationOffset must be multiples of 4 bytes on macOS.
91             if (srcOffset % 4 != 0 || dstOffset % 4 != 0) {
92                 return DAWN_VALIDATION_ERROR(
93                     "Source offset and destination offset must be multiples of 4 bytes");
94             }
95 
96             return {};
97         }
98 
ValidateTexelBufferOffset(const BufferCopy & bufferCopy,const Format & format)99         MaybeError ValidateTexelBufferOffset(const BufferCopy& bufferCopy, const Format& format) {
100             if (bufferCopy.offset % format.blockByteSize != 0) {
101                 return DAWN_VALIDATION_ERROR(
102                     "Buffer offset must be a multiple of the texel or block size");
103             }
104 
105             return {};
106         }
107 
ValidateImageHeight(const Format & format,uint32_t imageHeight,uint32_t copyHeight)108         MaybeError ValidateImageHeight(const Format& format,
109                                        uint32_t imageHeight,
110                                        uint32_t copyHeight) {
111             if (imageHeight < copyHeight) {
112                 return DAWN_VALIDATION_ERROR("Image height must not be less than the copy height.");
113             }
114 
115             if (imageHeight % format.blockHeight != 0) {
116                 return DAWN_VALIDATION_ERROR(
117                     "Image height must be a multiple of compressed texture format block width");
118             }
119 
120             return {};
121         }
122 
PushDebugMarkerStack(unsigned int * counter)123         inline MaybeError PushDebugMarkerStack(unsigned int* counter) {
124             *counter += 1;
125             return {};
126         }
127 
PopDebugMarkerStack(unsigned int * counter)128         inline MaybeError PopDebugMarkerStack(unsigned int* counter) {
129             if (*counter == 0) {
130                 return DAWN_VALIDATION_ERROR("Pop must be balanced by a corresponding Push.");
131             } else {
132                 *counter -= 1;
133             }
134 
135             return {};
136         }
137 
ValidateDebugGroups(const unsigned int counter)138         inline MaybeError ValidateDebugGroups(const unsigned int counter) {
139             if (counter != 0) {
140                 return DAWN_VALIDATION_ERROR("Each Push must be balanced by a corresponding Pop.");
141             }
142 
143             return {};
144         }
145 
ValidateTextureSampleCountInCopyCommands(const TextureBase * texture)146         MaybeError ValidateTextureSampleCountInCopyCommands(const TextureBase* texture) {
147             if (texture->GetSampleCount() > 1) {
148                 return DAWN_VALIDATION_ERROR("The sample count of textures must be 1");
149             }
150 
151             return {};
152         }
153 
ValidateEntireSubresourceCopied(const TextureCopy & src,const TextureCopy & dst,const Extent3D & copySize)154         MaybeError ValidateEntireSubresourceCopied(const TextureCopy& src,
155                                                    const TextureCopy& dst,
156                                                    const Extent3D& copySize) {
157             Extent3D srcSize = src.texture.Get()->GetSize();
158 
159             if (dst.origin.x != 0 || dst.origin.y != 0 || dst.origin.z != 0 ||
160                 srcSize.width != copySize.width || srcSize.height != copySize.height ||
161                 srcSize.depth != copySize.depth) {
162                 return DAWN_VALIDATION_ERROR(
163                     "The entire subresource must be copied when using a depth/stencil texture or "
164                     "when samples are greater than 1.");
165             }
166 
167             return {};
168         }
169 
ValidateTextureToTextureCopyRestrictions(const TextureCopy & src,const TextureCopy & dst,const Extent3D & copySize)170         MaybeError ValidateTextureToTextureCopyRestrictions(const TextureCopy& src,
171                                                             const TextureCopy& dst,
172                                                             const Extent3D& copySize) {
173             const uint32_t srcSamples = src.texture.Get()->GetSampleCount();
174             const uint32_t dstSamples = dst.texture.Get()->GetSampleCount();
175 
176             if (srcSamples != dstSamples) {
177                 return DAWN_VALIDATION_ERROR(
178                     "Source and destination textures must have matching sample counts.");
179             } else if (srcSamples > 1) {
180                 // D3D12 requires entire subresource to be copied when using CopyTextureRegion when
181                 // samples > 1.
182                 DAWN_TRY(ValidateEntireSubresourceCopied(src, dst, copySize));
183             }
184 
185             if (src.texture.Get()->GetFormat().format != dst.texture.Get()->GetFormat().format) {
186                 // Metal requires texture-to-texture copies be the same format
187                 return DAWN_VALIDATION_ERROR("Source and destination texture formats must match.");
188             }
189 
190             if (src.texture.Get()->GetFormat().HasDepthOrStencil()) {
191                 // D3D12 requires entire subresource to be copied when using CopyTextureRegion is
192                 // used with depth/stencil.
193                 DAWN_TRY(ValidateEntireSubresourceCopied(src, dst, copySize));
194             }
195 
196             return {};
197         }
198 
ComputeTextureCopyBufferSize(const Format & textureFormat,const Extent3D & copySize,uint32_t rowPitch,uint32_t imageHeight,uint32_t * bufferSize)199         MaybeError ComputeTextureCopyBufferSize(const Format& textureFormat,
200                                                 const Extent3D& copySize,
201                                                 uint32_t rowPitch,
202                                                 uint32_t imageHeight,
203                                                 uint32_t* bufferSize) {
204             ASSERT(imageHeight >= copySize.height);
205             uint32_t blockByteSize = textureFormat.blockByteSize;
206             uint32_t blockWidth = textureFormat.blockWidth;
207             uint32_t blockHeight = textureFormat.blockHeight;
208 
209             // TODO(cwallez@chromium.org): check for overflows
210             uint32_t slicePitch = rowPitch * imageHeight / blockWidth;
211             uint32_t sliceSize = rowPitch * (copySize.height / blockHeight - 1) +
212                                  (copySize.width / blockWidth) * blockByteSize;
213             *bufferSize = (slicePitch * (copySize.depth - 1)) + sliceSize;
214 
215             return {};
216         }
217 
ComputeDefaultRowPitch(const Format & format,uint32_t width)218         uint32_t ComputeDefaultRowPitch(const Format& format, uint32_t width) {
219             return width / format.blockWidth * format.blockByteSize;
220         }
221 
ValidateRowPitch(const Format & format,const Extent3D & copySize,uint32_t rowPitch)222         MaybeError ValidateRowPitch(const Format& format,
223                                     const Extent3D& copySize,
224                                     uint32_t rowPitch) {
225             if (rowPitch % kTextureRowPitchAlignment != 0) {
226                 return DAWN_VALIDATION_ERROR("Row pitch must be a multiple of 256");
227             }
228 
229             if (rowPitch < copySize.width / format.blockWidth * format.blockByteSize) {
230                 return DAWN_VALIDATION_ERROR(
231                     "Row pitch must not be less than the number of bytes per row");
232             }
233 
234             return {};
235         }
236 
ValidateImageOrigin(const Format & format,const Origin3D & offset)237         MaybeError ValidateImageOrigin(const Format& format, const Origin3D& offset) {
238             if (offset.x % format.blockWidth != 0) {
239                 return DAWN_VALIDATION_ERROR(
240                     "Offset.x must be a multiple of compressed texture format block width");
241             }
242 
243             if (offset.y % format.blockHeight != 0) {
244                 return DAWN_VALIDATION_ERROR(
245                     "Offset.y must be a multiple of compressed texture format block height");
246             }
247 
248             return {};
249         }
250 
ValidateImageCopySize(const Format & format,const Extent3D & extent)251         MaybeError ValidateImageCopySize(const Format& format, const Extent3D& extent) {
252             if (extent.width % format.blockWidth != 0) {
253                 return DAWN_VALIDATION_ERROR(
254                     "Extent.width must be a multiple of compressed texture format block width");
255             }
256 
257             if (extent.height % format.blockHeight != 0) {
258                 return DAWN_VALIDATION_ERROR(
259                     "Extent.height must be a multiple of compressed texture format block height");
260             }
261 
262             return {};
263         }
264 
ValidateCanUseAs(BufferBase * buffer,dawn::BufferUsageBit usage)265         MaybeError ValidateCanUseAs(BufferBase* buffer, dawn::BufferUsageBit usage) {
266             ASSERT(HasZeroOrOneBits(usage));
267             if (!(buffer->GetUsage() & usage)) {
268                 return DAWN_VALIDATION_ERROR("buffer doesn't have the required usage.");
269             }
270 
271             return {};
272         }
273 
ValidateCanUseAs(TextureBase * texture,dawn::TextureUsageBit usage)274         MaybeError ValidateCanUseAs(TextureBase* texture, dawn::TextureUsageBit usage) {
275             ASSERT(HasZeroOrOneBits(usage));
276             if (!(texture->GetUsage() & usage)) {
277                 return DAWN_VALIDATION_ERROR("texture doesn't have the required usage.");
278             }
279 
280             return {};
281         }
282 
ValidateAttachmentArrayLayersAndLevelCount(const TextureViewBase * attachment)283         MaybeError ValidateAttachmentArrayLayersAndLevelCount(const TextureViewBase* attachment) {
284             // Currently we do not support layered rendering.
285             if (attachment->GetLayerCount() > 1) {
286                 return DAWN_VALIDATION_ERROR(
287                     "The layer count of the texture view used as attachment cannot be greater than "
288                     "1");
289             }
290 
291             if (attachment->GetLevelCount() > 1) {
292                 return DAWN_VALIDATION_ERROR(
293                     "The mipmap level count of the texture view used as attachment cannot be "
294                     "greater than 1");
295             }
296 
297             return {};
298         }
299 
ValidateOrSetAttachmentSize(const TextureViewBase * attachment,uint32_t * width,uint32_t * height)300         MaybeError ValidateOrSetAttachmentSize(const TextureViewBase* attachment,
301                                                uint32_t* width,
302                                                uint32_t* height) {
303             const Extent3D& textureSize = attachment->GetTexture()->GetSize();
304             const uint32_t attachmentWidth = textureSize.width >> attachment->GetBaseMipLevel();
305             const uint32_t attachmentHeight = textureSize.height >> attachment->GetBaseMipLevel();
306 
307             if (*width == 0) {
308                 DAWN_ASSERT(*height == 0);
309                 *width = attachmentWidth;
310                 *height = attachmentHeight;
311                 DAWN_ASSERT(*width != 0 && *height != 0);
312             } else if (*width != attachmentWidth || *height != attachmentHeight) {
313                 return DAWN_VALIDATION_ERROR("Attachment size mismatch");
314             }
315 
316             return {};
317         }
318 
ValidateOrSetColorAttachmentSampleCount(const TextureViewBase * colorAttachment,uint32_t * sampleCount)319         MaybeError ValidateOrSetColorAttachmentSampleCount(const TextureViewBase* colorAttachment,
320                                                            uint32_t* sampleCount) {
321             if (*sampleCount == 0) {
322                 *sampleCount = colorAttachment->GetTexture()->GetSampleCount();
323                 DAWN_ASSERT(*sampleCount != 0);
324             } else if (*sampleCount != colorAttachment->GetTexture()->GetSampleCount()) {
325                 return DAWN_VALIDATION_ERROR("Color attachment sample counts mismatch");
326             }
327 
328             return {};
329         }
330 
ValidateResolveTarget(const DeviceBase * device,const RenderPassColorAttachmentDescriptor * colorAttachment)331         MaybeError ValidateResolveTarget(
332             const DeviceBase* device,
333             const RenderPassColorAttachmentDescriptor* colorAttachment) {
334             if (colorAttachment->resolveTarget == nullptr) {
335                 return {};
336             }
337 
338             DAWN_TRY(device->ValidateObject(colorAttachment->resolveTarget));
339 
340             if (!colorAttachment->attachment->GetTexture()->IsMultisampledTexture()) {
341                 return DAWN_VALIDATION_ERROR(
342                     "Cannot set resolve target when the sample count of the color attachment is 1");
343             }
344 
345             if (colorAttachment->resolveTarget->GetTexture()->IsMultisampledTexture()) {
346                 return DAWN_VALIDATION_ERROR("Cannot use multisampled texture as resolve target");
347             }
348 
349             if (colorAttachment->resolveTarget->GetLayerCount() > 1) {
350                 return DAWN_VALIDATION_ERROR(
351                     "The array layer count of the resolve target must be 1");
352             }
353 
354             if (colorAttachment->resolveTarget->GetLevelCount() > 1) {
355                 return DAWN_VALIDATION_ERROR("The mip level count of the resolve target must be 1");
356             }
357 
358             uint32_t colorAttachmentBaseMipLevel = colorAttachment->attachment->GetBaseMipLevel();
359             const Extent3D& colorTextureSize = colorAttachment->attachment->GetTexture()->GetSize();
360             uint32_t colorAttachmentWidth = colorTextureSize.width >> colorAttachmentBaseMipLevel;
361             uint32_t colorAttachmentHeight = colorTextureSize.height >> colorAttachmentBaseMipLevel;
362 
363             uint32_t resolveTargetBaseMipLevel = colorAttachment->resolveTarget->GetBaseMipLevel();
364             const Extent3D& resolveTextureSize =
365                 colorAttachment->resolveTarget->GetTexture()->GetSize();
366             uint32_t resolveTargetWidth = resolveTextureSize.width >> resolveTargetBaseMipLevel;
367             uint32_t resolveTargetHeight = resolveTextureSize.height >> resolveTargetBaseMipLevel;
368             if (colorAttachmentWidth != resolveTargetWidth ||
369                 colorAttachmentHeight != resolveTargetHeight) {
370                 return DAWN_VALIDATION_ERROR(
371                     "The size of the resolve target must be the same as the color attachment");
372             }
373 
374             dawn::TextureFormat resolveTargetFormat =
375                 colorAttachment->resolveTarget->GetFormat().format;
376             if (resolveTargetFormat != colorAttachment->attachment->GetFormat().format) {
377                 return DAWN_VALIDATION_ERROR(
378                     "The format of the resolve target must be the same as the color attachment");
379             }
380 
381             return {};
382         }
383 
ValidateRenderPassColorAttachment(const DeviceBase * device,const RenderPassColorAttachmentDescriptor * colorAttachment,uint32_t * width,uint32_t * height,uint32_t * sampleCount)384         MaybeError ValidateRenderPassColorAttachment(
385             const DeviceBase* device,
386             const RenderPassColorAttachmentDescriptor* colorAttachment,
387             uint32_t* width,
388             uint32_t* height,
389             uint32_t* sampleCount) {
390             DAWN_ASSERT(colorAttachment != nullptr);
391 
392             DAWN_TRY(device->ValidateObject(colorAttachment->attachment));
393 
394             const TextureViewBase* attachment = colorAttachment->attachment;
395             if (!attachment->GetFormat().IsColor() || !attachment->GetFormat().isRenderable) {
396                 return DAWN_VALIDATION_ERROR(
397                     "The format of the texture view used as color attachment is not color "
398                     "renderable");
399             }
400 
401             DAWN_TRY(ValidateOrSetColorAttachmentSampleCount(attachment, sampleCount));
402 
403             DAWN_TRY(ValidateResolveTarget(device, colorAttachment));
404 
405             DAWN_TRY(ValidateAttachmentArrayLayersAndLevelCount(attachment));
406             DAWN_TRY(ValidateOrSetAttachmentSize(attachment, width, height));
407 
408             return {};
409         }
410 
ValidateRenderPassDepthStencilAttachment(const DeviceBase * device,const RenderPassDepthStencilAttachmentDescriptor * depthStencilAttachment,uint32_t * width,uint32_t * height,uint32_t * sampleCount)411         MaybeError ValidateRenderPassDepthStencilAttachment(
412             const DeviceBase* device,
413             const RenderPassDepthStencilAttachmentDescriptor* depthStencilAttachment,
414             uint32_t* width,
415             uint32_t* height,
416             uint32_t* sampleCount) {
417             DAWN_ASSERT(depthStencilAttachment != nullptr);
418 
419             DAWN_TRY(device->ValidateObject(depthStencilAttachment->attachment));
420 
421             const TextureViewBase* attachment = depthStencilAttachment->attachment;
422             if (!attachment->GetFormat().HasDepthOrStencil() ||
423                 !attachment->GetFormat().isRenderable) {
424                 return DAWN_VALIDATION_ERROR(
425                     "The format of the texture view used as depth stencil attachment is not a "
426                     "depth stencil format");
427             }
428 
429             // *sampleCount == 0 must only happen when there is no color attachment. In that case we
430             // do not need to validate the sample count of the depth stencil attachment.
431             const uint32_t depthStencilSampleCount = attachment->GetTexture()->GetSampleCount();
432             if (*sampleCount != 0) {
433                 if (depthStencilSampleCount != *sampleCount) {
434                     return DAWN_VALIDATION_ERROR("Depth stencil attachment sample counts mismatch");
435                 }
436             } else {
437                 *sampleCount = depthStencilSampleCount;
438             }
439 
440             DAWN_TRY(ValidateAttachmentArrayLayersAndLevelCount(attachment));
441             DAWN_TRY(ValidateOrSetAttachmentSize(attachment, width, height));
442 
443             return {};
444         }
445 
ValidateRenderPassDescriptor(const DeviceBase * device,const RenderPassDescriptor * descriptor,uint32_t * width,uint32_t * height,uint32_t * sampleCount)446         MaybeError ValidateRenderPassDescriptor(const DeviceBase* device,
447                                                 const RenderPassDescriptor* descriptor,
448                                                 uint32_t* width,
449                                                 uint32_t* height,
450                                                 uint32_t* sampleCount) {
451             if (descriptor->colorAttachmentCount > kMaxColorAttachments) {
452                 return DAWN_VALIDATION_ERROR("Setting color attachments out of bounds");
453             }
454 
455             for (uint32_t i = 0; i < descriptor->colorAttachmentCount; ++i) {
456                 DAWN_TRY(ValidateRenderPassColorAttachment(device, descriptor->colorAttachments[i],
457                                                            width, height, sampleCount));
458             }
459 
460             if (descriptor->depthStencilAttachment != nullptr) {
461                 DAWN_TRY(ValidateRenderPassDepthStencilAttachment(
462                     device, descriptor->depthStencilAttachment, width, height, sampleCount));
463             }
464 
465             if (descriptor->colorAttachmentCount == 0 &&
466                 descriptor->depthStencilAttachment == nullptr) {
467                 return DAWN_VALIDATION_ERROR("Cannot use render pass with no attachments.");
468             }
469 
470             return {};
471         }
472 
ValidateComputePassDescriptor(const DeviceBase * device,const ComputePassDescriptor * descriptor)473         MaybeError ValidateComputePassDescriptor(const DeviceBase* device,
474                                                  const ComputePassDescriptor* descriptor) {
475             return {};
476         }
477 
478         enum class PassType {
479             Render,
480             Compute,
481         };
482 
483         // Helper class to encapsulate the logic of tracking per-resource usage during the
484         // validation of command buffer passes. It is used both to know if there are validation
485         // errors, and to get a list of resources used per pass for backends that need the
486         // information.
487         class PassResourceUsageTracker {
488           public:
BufferUsedAs(BufferBase * buffer,dawn::BufferUsageBit usage)489             void BufferUsedAs(BufferBase* buffer, dawn::BufferUsageBit usage) {
490                 // std::map's operator[] will create the key and return 0 if the key didn't exist
491                 // before.
492                 dawn::BufferUsageBit& storedUsage = mBufferUsages[buffer];
493 
494                 if (usage == dawn::BufferUsageBit::Storage &&
495                     storedUsage & dawn::BufferUsageBit::Storage) {
496                     mStorageUsedMultipleTimes = true;
497                 }
498 
499                 storedUsage |= usage;
500             }
501 
TextureUsedAs(TextureBase * texture,dawn::TextureUsageBit usage)502             void TextureUsedAs(TextureBase* texture, dawn::TextureUsageBit usage) {
503                 // std::map's operator[] will create the key and return 0 if the key didn't exist
504                 // before.
505                 dawn::TextureUsageBit& storedUsage = mTextureUsages[texture];
506 
507                 if (usage == dawn::TextureUsageBit::Storage &&
508                     storedUsage & dawn::TextureUsageBit::Storage) {
509                     mStorageUsedMultipleTimes = true;
510                 }
511 
512                 storedUsage |= usage;
513             }
514 
515             // Performs the per-pass usage validation checks
ValidateUsages(PassType pass) const516             MaybeError ValidateUsages(PassType pass) const {
517                 // Storage resources cannot be used twice in the same compute pass
518                 if (pass == PassType::Compute && mStorageUsedMultipleTimes) {
519                     return DAWN_VALIDATION_ERROR(
520                         "Storage resource used multiple times in compute pass");
521                 }
522 
523                 // Buffers can only be used as single-write or multiple read.
524                 for (auto& it : mBufferUsages) {
525                     BufferBase* buffer = it.first;
526                     dawn::BufferUsageBit usage = it.second;
527 
528                     if (usage & ~buffer->GetUsage()) {
529                         return DAWN_VALIDATION_ERROR("Buffer missing usage for the pass");
530                     }
531 
532                     bool readOnly = (usage & kReadOnlyBufferUsages) == usage;
533                     bool singleUse = dawn::HasZeroOrOneBits(usage);
534 
535                     if (!readOnly && !singleUse) {
536                         return DAWN_VALIDATION_ERROR(
537                             "Buffer used as writable usage and another usage in pass");
538                     }
539                 }
540 
541                 // Textures can only be used as single-write or multiple read.
542                 // TODO(cwallez@chromium.org): implement per-subresource tracking
543                 for (auto& it : mTextureUsages) {
544                     TextureBase* texture = it.first;
545                     dawn::TextureUsageBit usage = it.second;
546 
547                     if (usage & ~texture->GetUsage()) {
548                         return DAWN_VALIDATION_ERROR("Texture missing usage for the pass");
549                     }
550 
551                     // For textures the only read-only usage in a pass is Sampled, so checking the
552                     // usage constraint simplifies to checking a single usage bit is set.
553                     if (!dawn::HasZeroOrOneBits(it.second)) {
554                         return DAWN_VALIDATION_ERROR(
555                             "Texture used with more than one usage in pass");
556                     }
557                 }
558 
559                 return {};
560             }
561 
562             // Returns the per-pass usage for use by backends for APIs with explicit barriers.
AcquireResourceUsage()563             PassResourceUsage AcquireResourceUsage() {
564                 PassResourceUsage result;
565                 result.buffers.reserve(mBufferUsages.size());
566                 result.bufferUsages.reserve(mBufferUsages.size());
567                 result.textures.reserve(mTextureUsages.size());
568                 result.textureUsages.reserve(mTextureUsages.size());
569 
570                 for (auto& it : mBufferUsages) {
571                     result.buffers.push_back(it.first);
572                     result.bufferUsages.push_back(it.second);
573                 }
574 
575                 for (auto& it : mTextureUsages) {
576                     result.textures.push_back(it.first);
577                     result.textureUsages.push_back(it.second);
578                 }
579 
580                 return result;
581             }
582 
583           private:
584             std::map<BufferBase*, dawn::BufferUsageBit> mBufferUsages;
585             std::map<TextureBase*, dawn::TextureUsageBit> mTextureUsages;
586             bool mStorageUsedMultipleTimes = false;
587         };
588 
TrackBindGroupResourceUsage(BindGroupBase * group,PassResourceUsageTracker * tracker)589         void TrackBindGroupResourceUsage(BindGroupBase* group, PassResourceUsageTracker* tracker) {
590             const auto& layoutInfo = group->GetLayout()->GetBindingInfo();
591 
592             for (uint32_t i : IterateBitSet(layoutInfo.mask)) {
593                 dawn::BindingType type = layoutInfo.types[i];
594 
595                 switch (type) {
596                     case dawn::BindingType::UniformBuffer: {
597                         BufferBase* buffer = group->GetBindingAsBufferBinding(i).buffer;
598                         tracker->BufferUsedAs(buffer, dawn::BufferUsageBit::Uniform);
599                     } break;
600 
601                     case dawn::BindingType::StorageBuffer: {
602                         BufferBase* buffer = group->GetBindingAsBufferBinding(i).buffer;
603                         tracker->BufferUsedAs(buffer, dawn::BufferUsageBit::Storage);
604                     } break;
605 
606                     case dawn::BindingType::SampledTexture: {
607                         TextureBase* texture = group->GetBindingAsTextureView(i)->GetTexture();
608                         tracker->TextureUsedAs(texture, dawn::TextureUsageBit::Sampled);
609                     } break;
610 
611                     case dawn::BindingType::Sampler:
612                         break;
613 
614                     case dawn::BindingType::StorageTexture:
615                     case dawn::BindingType::ReadonlyStorageBuffer:
616                         UNREACHABLE();
617                         break;
618                 }
619             }
620         }
621 
622     }  // namespace
623 
624     enum class CommandEncoderBase::EncodingState : uint8_t {
625         TopLevel,
626         ComputePass,
627         RenderPass,
628         Finished
629     };
630 
CommandEncoderBase(DeviceBase * device,const CommandEncoderDescriptor *)631     CommandEncoderBase::CommandEncoderBase(DeviceBase* device, const CommandEncoderDescriptor*)
632         : ObjectBase(device), mEncodingState(EncodingState::TopLevel) {
633     }
634 
~CommandEncoderBase()635     CommandEncoderBase::~CommandEncoderBase() {
636         if (!mWereCommandsAcquired) {
637             MoveToIterator();
638             FreeCommands(&mIterator);
639         }
640     }
641 
AcquireCommands()642     CommandIterator CommandEncoderBase::AcquireCommands() {
643         ASSERT(!mWereCommandsAcquired);
644         mWereCommandsAcquired = true;
645         return std::move(mIterator);
646     }
647 
AcquireResourceUsages()648     CommandBufferResourceUsage CommandEncoderBase::AcquireResourceUsages() {
649         ASSERT(!mWereResourceUsagesAcquired);
650         mWereResourceUsagesAcquired = true;
651         return std::move(mResourceUsages);
652     }
653 
MoveToIterator()654     void CommandEncoderBase::MoveToIterator() {
655         if (!mWasMovedToIterator) {
656             mIterator = std::move(mAllocator);
657             mWasMovedToIterator = true;
658         }
659     }
660 
661     // Implementation of the API's command recording methods
662 
BeginComputePass(const ComputePassDescriptor * descriptor)663     ComputePassEncoderBase* CommandEncoderBase::BeginComputePass(
664         const ComputePassDescriptor* descriptor) {
665         DeviceBase* device = GetDevice();
666         if (ConsumedError(ValidateCanRecordTopLevelCommands())) {
667             return ComputePassEncoderBase::MakeError(device, this);
668         }
669 
670         if (ConsumedError(ValidateComputePassDescriptor(device, descriptor))) {
671             return ComputePassEncoderBase::MakeError(device, this);
672         }
673 
674         mAllocator.Allocate<BeginComputePassCmd>(Command::BeginComputePass);
675 
676         mEncodingState = EncodingState::ComputePass;
677         return new ComputePassEncoderBase(device, this, &mAllocator);
678     }
679 
BeginRenderPass(const RenderPassDescriptor * descriptor)680     RenderPassEncoderBase* CommandEncoderBase::BeginRenderPass(
681         const RenderPassDescriptor* descriptor) {
682         DeviceBase* device = GetDevice();
683 
684         if (ConsumedError(ValidateCanRecordTopLevelCommands())) {
685             return RenderPassEncoderBase::MakeError(device, this);
686         }
687 
688         uint32_t width = 0;
689         uint32_t height = 0;
690         uint32_t sampleCount = 0;
691         if (ConsumedError(
692                 ValidateRenderPassDescriptor(device, descriptor, &width, &height, &sampleCount))) {
693             return RenderPassEncoderBase::MakeError(device, this);
694         }
695 
696         ASSERT(width > 0 && height > 0 && sampleCount > 0);
697 
698         mEncodingState = EncodingState::RenderPass;
699 
700         BeginRenderPassCmd* cmd = mAllocator.Allocate<BeginRenderPassCmd>(Command::BeginRenderPass);
701 
702         for (uint32_t i = 0; i < descriptor->colorAttachmentCount; ++i) {
703             if (descriptor->colorAttachments[i] != nullptr) {
704                 cmd->colorAttachmentsSet.set(i);
705                 cmd->colorAttachments[i].view = descriptor->colorAttachments[i]->attachment;
706                 cmd->colorAttachments[i].resolveTarget =
707                     descriptor->colorAttachments[i]->resolveTarget;
708                 cmd->colorAttachments[i].loadOp = descriptor->colorAttachments[i]->loadOp;
709                 cmd->colorAttachments[i].storeOp = descriptor->colorAttachments[i]->storeOp;
710                 cmd->colorAttachments[i].clearColor = descriptor->colorAttachments[i]->clearColor;
711             }
712         }
713 
714         cmd->hasDepthStencilAttachment = descriptor->depthStencilAttachment != nullptr;
715         if (cmd->hasDepthStencilAttachment) {
716             cmd->hasDepthStencilAttachment = true;
717             cmd->depthStencilAttachment.view = descriptor->depthStencilAttachment->attachment;
718             cmd->depthStencilAttachment.clearDepth = descriptor->depthStencilAttachment->clearDepth;
719             cmd->depthStencilAttachment.clearStencil =
720                 descriptor->depthStencilAttachment->clearStencil;
721             cmd->depthStencilAttachment.depthLoadOp =
722                 descriptor->depthStencilAttachment->depthLoadOp;
723             cmd->depthStencilAttachment.depthStoreOp =
724                 descriptor->depthStencilAttachment->depthStoreOp;
725             cmd->depthStencilAttachment.stencilLoadOp =
726                 descriptor->depthStencilAttachment->stencilLoadOp;
727             cmd->depthStencilAttachment.stencilStoreOp =
728                 descriptor->depthStencilAttachment->stencilStoreOp;
729         }
730 
731         cmd->width = width;
732         cmd->height = height;
733         cmd->sampleCount = sampleCount;
734 
735         return new RenderPassEncoderBase(device, this, &mAllocator);
736     }
737 
CopyBufferToBuffer(BufferBase * source,uint64_t sourceOffset,BufferBase * destination,uint64_t destinationOffset,uint64_t size)738     void CommandEncoderBase::CopyBufferToBuffer(BufferBase* source,
739                                                 uint64_t sourceOffset,
740                                                 BufferBase* destination,
741                                                 uint64_t destinationOffset,
742                                                 uint64_t size) {
743         if (ConsumedError(ValidateCanRecordTopLevelCommands())) {
744             return;
745         }
746 
747         if (ConsumedError(GetDevice()->ValidateObject(source))) {
748             return;
749         }
750 
751         if (ConsumedError(GetDevice()->ValidateObject(destination))) {
752             return;
753         }
754 
755         CopyBufferToBufferCmd* copy =
756             mAllocator.Allocate<CopyBufferToBufferCmd>(Command::CopyBufferToBuffer);
757         copy->source = source;
758         copy->sourceOffset = sourceOffset;
759         copy->destination = destination;
760         copy->destinationOffset = destinationOffset;
761         copy->size = size;
762     }
763 
CopyBufferToTexture(const BufferCopyView * source,const TextureCopyView * destination,const Extent3D * copySize)764     void CommandEncoderBase::CopyBufferToTexture(const BufferCopyView* source,
765                                                  const TextureCopyView* destination,
766                                                  const Extent3D* copySize) {
767         if (ConsumedError(ValidateCanRecordTopLevelCommands())) {
768             return;
769         }
770 
771         if (ConsumedError(GetDevice()->ValidateObject(source->buffer))) {
772             return;
773         }
774 
775         if (ConsumedError(GetDevice()->ValidateObject(destination->texture))) {
776             return;
777         }
778 
779         CopyBufferToTextureCmd* copy =
780             mAllocator.Allocate<CopyBufferToTextureCmd>(Command::CopyBufferToTexture);
781         copy->source.buffer = source->buffer;
782         copy->source.offset = source->offset;
783         copy->destination.texture = destination->texture;
784         copy->destination.origin = destination->origin;
785         copy->copySize = *copySize;
786         copy->destination.mipLevel = destination->mipLevel;
787         copy->destination.arrayLayer = destination->arrayLayer;
788         if (source->rowPitch == 0) {
789             copy->source.rowPitch =
790                 ComputeDefaultRowPitch(destination->texture->GetFormat(), copySize->width);
791         } else {
792             copy->source.rowPitch = source->rowPitch;
793         }
794         if (source->imageHeight == 0) {
795             copy->source.imageHeight = copySize->height;
796         } else {
797             copy->source.imageHeight = source->imageHeight;
798         }
799     }
800 
CopyTextureToBuffer(const TextureCopyView * source,const BufferCopyView * destination,const Extent3D * copySize)801     void CommandEncoderBase::CopyTextureToBuffer(const TextureCopyView* source,
802                                                  const BufferCopyView* destination,
803                                                  const Extent3D* copySize) {
804         if (ConsumedError(ValidateCanRecordTopLevelCommands())) {
805             return;
806         }
807 
808         if (ConsumedError(GetDevice()->ValidateObject(source->texture))) {
809             return;
810         }
811 
812         if (ConsumedError(GetDevice()->ValidateObject(destination->buffer))) {
813             return;
814         }
815 
816         CopyTextureToBufferCmd* copy =
817             mAllocator.Allocate<CopyTextureToBufferCmd>(Command::CopyTextureToBuffer);
818         copy->source.texture = source->texture;
819         copy->source.origin = source->origin;
820         copy->copySize = *copySize;
821         copy->source.mipLevel = source->mipLevel;
822         copy->source.arrayLayer = source->arrayLayer;
823         copy->destination.buffer = destination->buffer;
824         copy->destination.offset = destination->offset;
825         if (destination->rowPitch == 0) {
826             copy->destination.rowPitch =
827                 ComputeDefaultRowPitch(source->texture->GetFormat(), copySize->width);
828         } else {
829             copy->destination.rowPitch = destination->rowPitch;
830         }
831         if (destination->imageHeight == 0) {
832             copy->destination.imageHeight = copySize->height;
833         } else {
834             copy->destination.imageHeight = destination->imageHeight;
835         }
836     }
837 
CopyTextureToTexture(const TextureCopyView * source,const TextureCopyView * destination,const Extent3D * copySize)838     void CommandEncoderBase::CopyTextureToTexture(const TextureCopyView* source,
839                                                   const TextureCopyView* destination,
840                                                   const Extent3D* copySize) {
841         if (ConsumedError(ValidateCanRecordTopLevelCommands())) {
842             return;
843         }
844 
845         if (ConsumedError(GetDevice()->ValidateObject(source->texture))) {
846             return;
847         }
848 
849         if (ConsumedError(GetDevice()->ValidateObject(destination->texture))) {
850             return;
851         }
852 
853         CopyTextureToTextureCmd* copy =
854             mAllocator.Allocate<CopyTextureToTextureCmd>(Command::CopyTextureToTexture);
855         copy->source.texture = source->texture;
856         copy->source.origin = source->origin;
857         copy->source.mipLevel = source->mipLevel;
858         copy->source.arrayLayer = source->arrayLayer;
859         copy->destination.texture = destination->texture;
860         copy->destination.origin = destination->origin;
861         copy->destination.mipLevel = destination->mipLevel;
862         copy->destination.arrayLayer = destination->arrayLayer;
863         copy->copySize = *copySize;
864     }
865 
Finish(const CommandBufferDescriptor * descriptor)866     CommandBufferBase* CommandEncoderBase::Finish(const CommandBufferDescriptor* descriptor) {
867         if (GetDevice()->ConsumedError(ValidateFinish(descriptor))) {
868             // Even if finish validation fails, it is now invalid to call any encoding commands on
869             // this object, so we set its state to finished.
870             mEncodingState = EncodingState::Finished;
871             return CommandBufferBase::MakeError(GetDevice());
872         }
873         ASSERT(!IsError());
874 
875         mEncodingState = EncodingState::Finished;
876 
877         MoveToIterator();
878         return GetDevice()->CreateCommandBuffer(this, descriptor);
879     }
880 
881     // Implementation of functions to interact with sub-encoders
882 
HandleError(const char * message)883     void CommandEncoderBase::HandleError(const char* message) {
884         if (mEncodingState != EncodingState::Finished) {
885             if (!mGotError) {
886                 mGotError = true;
887                 mErrorMessage = message;
888             }
889         } else {
890             GetDevice()->HandleError(message);
891         }
892     }
893 
ConsumeError(ErrorData * error)894     void CommandEncoderBase::ConsumeError(ErrorData* error) {
895         HandleError(error->GetMessage().c_str());
896         delete error;
897     }
898 
PassEnded()899     void CommandEncoderBase::PassEnded() {
900         // This function may still be called when the command encoder is finished, just do nothing.
901         if (mEncodingState == EncodingState::Finished) {
902             return;
903         }
904 
905         if (mEncodingState == EncodingState::ComputePass) {
906             mAllocator.Allocate<EndComputePassCmd>(Command::EndComputePass);
907         } else {
908             ASSERT(mEncodingState == EncodingState::RenderPass);
909             mAllocator.Allocate<EndRenderPassCmd>(Command::EndRenderPass);
910         }
911         mEncodingState = EncodingState::TopLevel;
912     }
913 
914     // Implementation of the command buffer validation that can be precomputed before submit
915 
ValidateFinish(const CommandBufferDescriptor *)916     MaybeError CommandEncoderBase::ValidateFinish(const CommandBufferDescriptor*) {
917         DAWN_TRY(GetDevice()->ValidateObject(this));
918 
919         if (mGotError) {
920             return DAWN_VALIDATION_ERROR(mErrorMessage);
921         }
922 
923         if (mEncodingState != EncodingState::TopLevel) {
924             return DAWN_VALIDATION_ERROR("Command buffer recording ended mid-pass");
925         }
926 
927         MoveToIterator();
928         mIterator.Reset();
929 
930         Command type;
931         while (mIterator.NextCommandId(&type)) {
932             switch (type) {
933                 case Command::BeginComputePass: {
934                     mIterator.NextCommand<BeginComputePassCmd>();
935                     DAWN_TRY(ValidateComputePass());
936                 } break;
937 
938                 case Command::BeginRenderPass: {
939                     BeginRenderPassCmd* cmd = mIterator.NextCommand<BeginRenderPassCmd>();
940                     DAWN_TRY(ValidateRenderPass(cmd));
941                 } break;
942 
943                 case Command::CopyBufferToBuffer: {
944                     CopyBufferToBufferCmd* copy = mIterator.NextCommand<CopyBufferToBufferCmd>();
945 
946                     DAWN_TRY(
947                         ValidateCopySizeFitsInBuffer(copy->source, copy->sourceOffset, copy->size));
948                     DAWN_TRY(ValidateCopySizeFitsInBuffer(copy->destination,
949                                                           copy->destinationOffset, copy->size));
950                     DAWN_TRY(ValidateB2BCopySizeAlignment(copy->size, copy->sourceOffset,
951                                                           copy->destinationOffset));
952 
953                     DAWN_TRY(ValidateCanUseAs(copy->source.Get(), dawn::BufferUsageBit::CopySrc));
954                     DAWN_TRY(
955                         ValidateCanUseAs(copy->destination.Get(), dawn::BufferUsageBit::CopyDst));
956 
957                     mResourceUsages.topLevelBuffers.insert(copy->source.Get());
958                     mResourceUsages.topLevelBuffers.insert(copy->destination.Get());
959                 } break;
960 
961                 case Command::CopyBufferToTexture: {
962                     CopyBufferToTextureCmd* copy = mIterator.NextCommand<CopyBufferToTextureCmd>();
963 
964                     DAWN_TRY(
965                         ValidateTextureSampleCountInCopyCommands(copy->destination.texture.Get()));
966 
967                     DAWN_TRY(ValidateImageHeight(copy->destination.texture->GetFormat(),
968                                                  copy->source.imageHeight, copy->copySize.height));
969                     DAWN_TRY(ValidateImageOrigin(copy->destination.texture->GetFormat(),
970                                                  copy->destination.origin));
971                     DAWN_TRY(ValidateImageCopySize(copy->destination.texture->GetFormat(),
972                                                    copy->copySize));
973 
974                     uint32_t bufferCopySize = 0;
975                     DAWN_TRY(ValidateRowPitch(copy->destination.texture->GetFormat(),
976                                               copy->copySize, copy->source.rowPitch));
977 
978                     DAWN_TRY(ComputeTextureCopyBufferSize(
979                         copy->destination.texture->GetFormat(), copy->copySize,
980                         copy->source.rowPitch, copy->source.imageHeight, &bufferCopySize));
981 
982                     DAWN_TRY(ValidateCopySizeFitsInTexture(copy->destination, copy->copySize));
983                     DAWN_TRY(ValidateCopySizeFitsInBuffer(copy->source, bufferCopySize));
984                     DAWN_TRY(ValidateTexelBufferOffset(copy->source,
985                                                        copy->destination.texture->GetFormat()));
986 
987                     DAWN_TRY(
988                         ValidateCanUseAs(copy->source.buffer.Get(), dawn::BufferUsageBit::CopySrc));
989                     DAWN_TRY(ValidateCanUseAs(copy->destination.texture.Get(),
990                                               dawn::TextureUsageBit::CopyDst));
991 
992                     mResourceUsages.topLevelBuffers.insert(copy->source.buffer.Get());
993                     mResourceUsages.topLevelTextures.insert(copy->destination.texture.Get());
994                 } break;
995 
996                 case Command::CopyTextureToBuffer: {
997                     CopyTextureToBufferCmd* copy = mIterator.NextCommand<CopyTextureToBufferCmd>();
998 
999                     DAWN_TRY(ValidateTextureSampleCountInCopyCommands(copy->source.texture.Get()));
1000 
1001                     DAWN_TRY(ValidateImageHeight(copy->source.texture->GetFormat(),
1002                                                  copy->destination.imageHeight,
1003                                                  copy->copySize.height));
1004                     DAWN_TRY(ValidateImageOrigin(copy->source.texture->GetFormat(),
1005                                                  copy->source.origin));
1006                     DAWN_TRY(
1007                         ValidateImageCopySize(copy->source.texture->GetFormat(), copy->copySize));
1008 
1009                     uint32_t bufferCopySize = 0;
1010                     DAWN_TRY(ValidateRowPitch(copy->source.texture->GetFormat(), copy->copySize,
1011                                               copy->destination.rowPitch));
1012                     DAWN_TRY(ComputeTextureCopyBufferSize(
1013                         copy->source.texture->GetFormat(), copy->copySize,
1014                         copy->destination.rowPitch, copy->destination.imageHeight,
1015                         &bufferCopySize));
1016 
1017                     DAWN_TRY(ValidateCopySizeFitsInTexture(copy->source, copy->copySize));
1018                     DAWN_TRY(ValidateCopySizeFitsInBuffer(copy->destination, bufferCopySize));
1019                     DAWN_TRY(ValidateTexelBufferOffset(copy->destination,
1020                                                        copy->source.texture->GetFormat()));
1021 
1022                     DAWN_TRY(ValidateCanUseAs(copy->source.texture.Get(),
1023                                               dawn::TextureUsageBit::CopySrc));
1024                     DAWN_TRY(ValidateCanUseAs(copy->destination.buffer.Get(),
1025                                               dawn::BufferUsageBit::CopyDst));
1026 
1027                     mResourceUsages.topLevelTextures.insert(copy->source.texture.Get());
1028                     mResourceUsages.topLevelBuffers.insert(copy->destination.buffer.Get());
1029                 } break;
1030 
1031                 case Command::CopyTextureToTexture: {
1032                     CopyTextureToTextureCmd* copy =
1033                         mIterator.NextCommand<CopyTextureToTextureCmd>();
1034 
1035                     DAWN_TRY(ValidateTextureToTextureCopyRestrictions(
1036                         copy->source, copy->destination, copy->copySize));
1037 
1038                     DAWN_TRY(ValidateImageOrigin(copy->source.texture->GetFormat(),
1039                                                  copy->source.origin));
1040                     DAWN_TRY(
1041                         ValidateImageCopySize(copy->source.texture->GetFormat(), copy->copySize));
1042                     DAWN_TRY(ValidateImageOrigin(copy->destination.texture->GetFormat(),
1043                                                  copy->destination.origin));
1044                     DAWN_TRY(ValidateImageCopySize(copy->destination.texture->GetFormat(),
1045                                                    copy->copySize));
1046 
1047                     DAWN_TRY(ValidateCopySizeFitsInTexture(copy->source, copy->copySize));
1048                     DAWN_TRY(ValidateCopySizeFitsInTexture(copy->destination, copy->copySize));
1049 
1050                     DAWN_TRY(ValidateCanUseAs(copy->source.texture.Get(),
1051                                               dawn::TextureUsageBit::CopySrc));
1052                     DAWN_TRY(ValidateCanUseAs(copy->destination.texture.Get(),
1053                                               dawn::TextureUsageBit::CopyDst));
1054 
1055                     mResourceUsages.topLevelTextures.insert(copy->source.texture.Get());
1056                     mResourceUsages.topLevelTextures.insert(copy->destination.texture.Get());
1057                 } break;
1058 
1059                 default:
1060                     return DAWN_VALIDATION_ERROR("Command disallowed outside of a pass");
1061             }
1062         }
1063 
1064         return {};
1065     }
1066 
ValidateComputePass()1067     MaybeError CommandEncoderBase::ValidateComputePass() {
1068         PassResourceUsageTracker usageTracker;
1069         CommandBufferStateTracker persistentState;
1070 
1071         Command type;
1072         while (mIterator.NextCommandId(&type)) {
1073             switch (type) {
1074                 case Command::EndComputePass: {
1075                     mIterator.NextCommand<EndComputePassCmd>();
1076 
1077                     DAWN_TRY(ValidateDebugGroups(mDebugGroupStackSize));
1078 
1079                     DAWN_TRY(usageTracker.ValidateUsages(PassType::Compute));
1080                     mResourceUsages.perPass.push_back(usageTracker.AcquireResourceUsage());
1081                     return {};
1082                 } break;
1083 
1084                 case Command::Dispatch: {
1085                     mIterator.NextCommand<DispatchCmd>();
1086                     DAWN_TRY(persistentState.ValidateCanDispatch());
1087                 } break;
1088 
1089                 case Command::DispatchIndirect: {
1090                     DispatchIndirectCmd* cmd = mIterator.NextCommand<DispatchIndirectCmd>();
1091                     DAWN_TRY(persistentState.ValidateCanDispatch());
1092                     usageTracker.BufferUsedAs(cmd->indirectBuffer.Get(),
1093                                               dawn::BufferUsageBit::Indirect);
1094                 } break;
1095 
1096                 case Command::InsertDebugMarker: {
1097                     InsertDebugMarkerCmd* cmd = mIterator.NextCommand<InsertDebugMarkerCmd>();
1098                     mIterator.NextData<char>(cmd->length + 1);
1099                 } break;
1100 
1101                 case Command::PopDebugGroup: {
1102                     mIterator.NextCommand<PopDebugGroupCmd>();
1103                     DAWN_TRY(PopDebugMarkerStack(&mDebugGroupStackSize));
1104                 } break;
1105 
1106                 case Command::PushDebugGroup: {
1107                     PushDebugGroupCmd* cmd = mIterator.NextCommand<PushDebugGroupCmd>();
1108                     mIterator.NextData<char>(cmd->length + 1);
1109                     DAWN_TRY(PushDebugMarkerStack(&mDebugGroupStackSize));
1110                 } break;
1111 
1112                 case Command::SetComputePipeline: {
1113                     SetComputePipelineCmd* cmd = mIterator.NextCommand<SetComputePipelineCmd>();
1114                     ComputePipelineBase* pipeline = cmd->pipeline.Get();
1115                     persistentState.SetComputePipeline(pipeline);
1116                 } break;
1117 
1118                 case Command::SetBindGroup: {
1119                     SetBindGroupCmd* cmd = mIterator.NextCommand<SetBindGroupCmd>();
1120                     if (cmd->dynamicOffsetCount > 0) {
1121                         mIterator.NextData<uint64_t>(cmd->dynamicOffsetCount);
1122                     }
1123 
1124                     TrackBindGroupResourceUsage(cmd->group.Get(), &usageTracker);
1125                     persistentState.SetBindGroup(cmd->index, cmd->group.Get());
1126                 } break;
1127 
1128                 default:
1129                     return DAWN_VALIDATION_ERROR("Command disallowed inside a compute pass");
1130             }
1131         }
1132 
1133         UNREACHABLE();
1134         return DAWN_VALIDATION_ERROR("Unfinished compute pass");
1135     }
1136 
ValidateRenderPass(BeginRenderPassCmd * renderPass)1137     MaybeError CommandEncoderBase::ValidateRenderPass(BeginRenderPassCmd* renderPass) {
1138         PassResourceUsageTracker usageTracker;
1139         CommandBufferStateTracker persistentState;
1140 
1141         // Track usage of the render pass attachments
1142         for (uint32_t i : IterateBitSet(renderPass->colorAttachmentsSet)) {
1143             RenderPassColorAttachmentInfo* colorAttachment = &renderPass->colorAttachments[i];
1144             TextureBase* texture = colorAttachment->view->GetTexture();
1145             usageTracker.TextureUsedAs(texture, dawn::TextureUsageBit::OutputAttachment);
1146 
1147             TextureViewBase* resolveTarget = colorAttachment->resolveTarget.Get();
1148             if (resolveTarget != nullptr) {
1149                 usageTracker.TextureUsedAs(resolveTarget->GetTexture(),
1150                                            dawn::TextureUsageBit::OutputAttachment);
1151             }
1152         }
1153 
1154         if (renderPass->hasDepthStencilAttachment) {
1155             TextureBase* texture = renderPass->depthStencilAttachment.view->GetTexture();
1156             usageTracker.TextureUsedAs(texture, dawn::TextureUsageBit::OutputAttachment);
1157         }
1158 
1159         Command type;
1160         while (mIterator.NextCommandId(&type)) {
1161             switch (type) {
1162                 case Command::EndRenderPass: {
1163                     mIterator.NextCommand<EndRenderPassCmd>();
1164 
1165                     DAWN_TRY(ValidateDebugGroups(mDebugGroupStackSize));
1166 
1167                     DAWN_TRY(usageTracker.ValidateUsages(PassType::Render));
1168                     mResourceUsages.perPass.push_back(usageTracker.AcquireResourceUsage());
1169                     return {};
1170                 } break;
1171 
1172                 case Command::Draw: {
1173                     mIterator.NextCommand<DrawCmd>();
1174                     DAWN_TRY(persistentState.ValidateCanDraw());
1175                 } break;
1176 
1177                 case Command::DrawIndexed: {
1178                     mIterator.NextCommand<DrawIndexedCmd>();
1179                     DAWN_TRY(persistentState.ValidateCanDrawIndexed());
1180                 } break;
1181 
1182                 case Command::DrawIndirect: {
1183                     DrawIndirectCmd* cmd = mIterator.NextCommand<DrawIndirectCmd>();
1184                     DAWN_TRY(persistentState.ValidateCanDraw());
1185                     usageTracker.BufferUsedAs(cmd->indirectBuffer.Get(),
1186                                               dawn::BufferUsageBit::Indirect);
1187                 } break;
1188 
1189                 case Command::DrawIndexedIndirect: {
1190                     DrawIndexedIndirectCmd* cmd = mIterator.NextCommand<DrawIndexedIndirectCmd>();
1191                     DAWN_TRY(persistentState.ValidateCanDrawIndexed());
1192                     usageTracker.BufferUsedAs(cmd->indirectBuffer.Get(),
1193                                               dawn::BufferUsageBit::Indirect);
1194                 } break;
1195 
1196                 case Command::InsertDebugMarker: {
1197                     InsertDebugMarkerCmd* cmd = mIterator.NextCommand<InsertDebugMarkerCmd>();
1198                     mIterator.NextData<char>(cmd->length + 1);
1199                 } break;
1200 
1201                 case Command::PopDebugGroup: {
1202                     mIterator.NextCommand<PopDebugGroupCmd>();
1203                     DAWN_TRY(PopDebugMarkerStack(&mDebugGroupStackSize));
1204                 } break;
1205 
1206                 case Command::PushDebugGroup: {
1207                     PushDebugGroupCmd* cmd = mIterator.NextCommand<PushDebugGroupCmd>();
1208                     mIterator.NextData<char>(cmd->length + 1);
1209                     DAWN_TRY(PushDebugMarkerStack(&mDebugGroupStackSize));
1210                 } break;
1211 
1212                 case Command::SetRenderPipeline: {
1213                     SetRenderPipelineCmd* cmd = mIterator.NextCommand<SetRenderPipelineCmd>();
1214                     RenderPipelineBase* pipeline = cmd->pipeline.Get();
1215 
1216                     DAWN_TRY(pipeline->ValidateCompatibleWith(renderPass));
1217                     persistentState.SetRenderPipeline(pipeline);
1218                 } break;
1219 
1220                 case Command::SetStencilReference: {
1221                     mIterator.NextCommand<SetStencilReferenceCmd>();
1222                 } break;
1223 
1224                 case Command::SetBlendColor: {
1225                     mIterator.NextCommand<SetBlendColorCmd>();
1226                 } break;
1227 
1228                 case Command::SetViewport: {
1229                     mIterator.NextCommand<SetViewportCmd>();
1230                 } break;
1231 
1232                 case Command::SetScissorRect: {
1233                     mIterator.NextCommand<SetScissorRectCmd>();
1234                 } break;
1235 
1236                 case Command::SetBindGroup: {
1237                     SetBindGroupCmd* cmd = mIterator.NextCommand<SetBindGroupCmd>();
1238                     if (cmd->dynamicOffsetCount > 0) {
1239                         mIterator.NextData<uint64_t>(cmd->dynamicOffsetCount);
1240                     }
1241 
1242                     TrackBindGroupResourceUsage(cmd->group.Get(), &usageTracker);
1243                     persistentState.SetBindGroup(cmd->index, cmd->group.Get());
1244                 } break;
1245 
1246                 case Command::SetIndexBuffer: {
1247                     SetIndexBufferCmd* cmd = mIterator.NextCommand<SetIndexBufferCmd>();
1248 
1249                     usageTracker.BufferUsedAs(cmd->buffer.Get(), dawn::BufferUsageBit::Index);
1250                     persistentState.SetIndexBuffer();
1251                 } break;
1252 
1253                 case Command::SetVertexBuffers: {
1254                     SetVertexBuffersCmd* cmd = mIterator.NextCommand<SetVertexBuffersCmd>();
1255                     auto buffers = mIterator.NextData<Ref<BufferBase>>(cmd->count);
1256                     mIterator.NextData<uint64_t>(cmd->count);
1257 
1258                     for (uint32_t i = 0; i < cmd->count; ++i) {
1259                         usageTracker.BufferUsedAs(buffers[i].Get(), dawn::BufferUsageBit::Vertex);
1260                     }
1261                     persistentState.SetVertexBuffer(cmd->startSlot, cmd->count);
1262                 } break;
1263 
1264                 default:
1265                     return DAWN_VALIDATION_ERROR("Command disallowed inside a render pass");
1266             }
1267         }
1268 
1269         UNREACHABLE();
1270         return DAWN_VALIDATION_ERROR("Unfinished render pass");
1271     }
1272 
ValidateCanRecordTopLevelCommands() const1273     MaybeError CommandEncoderBase::ValidateCanRecordTopLevelCommands() const {
1274         if (mEncodingState != EncodingState::TopLevel) {
1275             return DAWN_VALIDATION_ERROR("Command cannot be recorded inside a pass");
1276         }
1277         return {};
1278     }
1279 
1280 }  // namespace dawn_native
1281