| //===--- RIFF.cpp - Binary container file format --------------------------===// |
| // |
| // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. |
| // See https://llvm.org/LICENSE.txt for license information. |
| // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception |
| // |
| //===----------------------------------------------------------------------===// |
| |
| #include "RIFF.h" |
| #include "support/Logger.h" |
| #include "llvm/Support/Endian.h" |
| |
| namespace clang { |
| namespace clangd { |
| namespace riff { |
| |
| llvm::Expected<Chunk> readChunk(llvm::StringRef &Stream) { |
| if (Stream.size() < 8) |
| return error("incomplete chunk header: {0} bytes available", Stream.size()); |
| Chunk C; |
| std::copy(Stream.begin(), Stream.begin() + 4, C.ID.begin()); |
| Stream = Stream.drop_front(4); |
| uint32_t Len = llvm::support::endian::read32le(Stream.take_front(4).begin()); |
| Stream = Stream.drop_front(4); |
| if (Stream.size() < Len) |
| return error("truncated chunk: want {0}, got {1}", Len, Stream.size()); |
| C.Data = Stream.take_front(Len); |
| Stream = Stream.drop_front(Len); |
| if ((Len % 2) && !Stream.empty()) { // Skip padding byte. |
| if (Stream.front()) |
| return error("nonzero padding byte"); |
| Stream = Stream.drop_front(); |
| } |
| return std::move(C); |
| } |
| |
| llvm::raw_ostream &operator<<(llvm::raw_ostream &OS, const Chunk &C) { |
| OS.write(C.ID.data(), C.ID.size()); |
| char Size[4]; |
| llvm::support::endian::write32le(Size, C.Data.size()); |
| OS.write(Size, sizeof(Size)); |
| OS << C.Data; |
| if (C.Data.size() % 2) |
| OS.write(0); |
| return OS; |
| } |
| |
| llvm::Expected<File> readFile(llvm::StringRef Stream) { |
| auto RIFF = readChunk(Stream); |
| if (!RIFF) |
| return RIFF.takeError(); |
| if (RIFF->ID != fourCC("RIFF")) |
| return error("not a RIFF container: root is {0}", fourCCStr(RIFF->ID)); |
| if (RIFF->Data.size() < 4) |
| return error("RIFF chunk too short"); |
| File F; |
| std::copy(RIFF->Data.begin(), RIFF->Data.begin() + 4, F.Type.begin()); |
| for (llvm::StringRef Body = RIFF->Data.drop_front(4); !Body.empty();) |
| if (auto Chunk = readChunk(Body)) { |
| F.Chunks.push_back(*Chunk); |
| } else |
| return Chunk.takeError(); |
| return std::move(F); |
| } |
| |
| llvm::raw_ostream &operator<<(llvm::raw_ostream &OS, const File &F) { |
| // To avoid copies, we serialize the outer RIFF chunk "by hand". |
| size_t DataLen = 4; // Predict length of RIFF chunk data. |
| for (const auto &C : F.Chunks) |
| DataLen += 4 + 4 + C.Data.size() + (C.Data.size() % 2); |
| OS << "RIFF"; |
| char Size[4]; |
| llvm::support::endian::write32le(Size, DataLen); |
| OS.write(Size, sizeof(Size)); |
| OS.write(F.Type.data(), F.Type.size()); |
| for (const auto &C : F.Chunks) |
| OS << C; |
| return OS; |
| } |
| |
| } // namespace riff |
| } // namespace clangd |
| } // namespace clang |