-
Notifications
You must be signed in to change notification settings - Fork 15.2k
[SPIRV][HLSL] Implement CBuffer access lowering pass #159136
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
Merged
Changes from 2 commits
Commits
Show all changes
5 commits
Select commit
Hold shift + click to select a range
75405bc
[SPIRV][HLSL] Implement CBuffer access lowering pass
s-perron 0e5355d
Remove use of deprecated function.
s-perron b562bf1
Fix for code review.
s-perron 846a9fb
Add error for undefined cbuffer handle.
s-perron ec2a660
Remove constant expr code. Does not seem to be happening anymore.
s-perron File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,172 @@ | ||
//===- SPIRVCBufferAccess.cpp - Translate CBuffer Loads | ||
//--------------------===// | ||
s-perron marked this conversation as resolved.
Outdated
Show resolved
Hide resolved
|
||
// | ||
// 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 | ||
// | ||
//===----------------------------------------------------------------------===// | ||
// | ||
// This pass replaces all accesses to constant buffer global variables with | ||
// accesses to the proper SPIR-V resource. It's designed to run after the | ||
// DXIL preparation passes and before the main SPIR-V legalization passes. | ||
s-perron marked this conversation as resolved.
Outdated
Show resolved
Hide resolved
|
||
// | ||
// The pass operates as follows: | ||
// 1. It finds all constant buffers by looking for the `!hlsl.cbs` metadata. | ||
// 2. For each cbuffer, it finds the global variable holding the resource handle | ||
// and the global variables for each of the cbuffer's members. | ||
// 3. For each member variable, it creates a call to the | ||
// `llvm.spv.resource.getpointer` intrinsic. This intrinsic takes the | ||
// resource handle and the member's index within the cbuffer as arguments. | ||
// The result is a pointer to that member within the SPIR-V resource. | ||
// 4. It then replaces all uses of the original member global variable with the | ||
// pointer returned by the `getpointer` intrinsic. This effectively retargets | ||
// all loads and GEPs to the new resource pointer. | ||
// 5. Finally, it cleans up by deleting the original global variables and the | ||
// `!hlsl.cbs` metadata. | ||
// | ||
// This approach allows subsequent passes, like SPIRVEmitIntrinsics, to | ||
// correctly handle GEPs that operate on the result of the `getpointer` call, | ||
// folding them into a single OpAccessChain instruction. | ||
// | ||
//===----------------------------------------------------------------------===// | ||
|
||
#include "SPIRVCBufferAccess.h" | ||
#include "SPIRV.h" | ||
#include "llvm/Frontend/HLSL/CBuffer.h" | ||
#include "llvm/IR/IRBuilder.h" | ||
#include "llvm/IR/IntrinsicsSPIRV.h" | ||
#include "llvm/IR/Module.h" | ||
|
||
#define DEBUG_TYPE "spirv-cbuffer-access" | ||
using namespace llvm; | ||
|
||
// Finds the single instruction that defines the resource handle. This is | ||
// typically a call to `llvm.spv.resource.handlefrombinding`. | ||
static Instruction *findHandleDef(GlobalVariable *HandleVar) { | ||
for (User *U : HandleVar->users()) { | ||
if (auto *SI = dyn_cast<StoreInst>(U)) { | ||
if (auto *I = dyn_cast<Instruction>(SI->getValueOperand())) { | ||
return I; | ||
} | ||
} | ||
} | ||
return nullptr; | ||
} | ||
|
||
static bool replaceCBufferAccesses(Module &M) { | ||
std::optional<hlsl::CBufferMetadata> CBufMD = hlsl::CBufferMetadata::get(M); | ||
if (!CBufMD) | ||
return false; | ||
|
||
for (const hlsl::CBufferMapping &Mapping : *CBufMD) { | ||
Instruction *HandleDef = findHandleDef(Mapping.Handle); | ||
if (!HandleDef) { | ||
// If there's no handle definition, it might be because the cbuffer is | ||
s-perron marked this conversation as resolved.
Outdated
Show resolved
Hide resolved
|
||
// unused. In this case, we can just clean up the globals. | ||
if (Mapping.Handle->use_empty()) { | ||
for (const auto &Member : Mapping.Members) { | ||
if (Member.GV->use_empty()) { | ||
Member.GV->eraseFromParent(); | ||
} | ||
} | ||
Mapping.Handle->eraseFromParent(); | ||
} | ||
continue; | ||
} | ||
|
||
// The handle definition should dominate all uses of the cbuffer members. | ||
// We'll insert our getpointer calls right after it. | ||
IRBuilder<> Builder(HandleDef->getNextNode()); | ||
|
||
for (uint32_t Index = 0; Index < Mapping.Members.size(); ++Index) { | ||
GlobalVariable *MemberGV = Mapping.Members[Index].GV; | ||
if (MemberGV->use_empty()) { | ||
continue; | ||
} | ||
|
||
// Create the getpointer intrinsic call. | ||
Value *IndexVal = Builder.getInt32(Index); | ||
Type *PtrType = MemberGV->getType(); | ||
Value *GetPointerCall = Builder.CreateIntrinsic( | ||
PtrType, Intrinsic::spv_resource_getpointer, {HandleDef, IndexVal}); | ||
|
||
// We cannot use replaceAllUsesWith here because some uses may be | ||
// ConstantExprs, which cannot be replaced with non-constants. | ||
SmallVector<User *, 4> Users(MemberGV->users()); | ||
for (User *U : Users) { | ||
if (auto *CE = dyn_cast<ConstantExpr>(U)) { | ||
s-perron marked this conversation as resolved.
Outdated
Show resolved
Hide resolved
|
||
SmallVector<Instruction *, 4> Insts; | ||
std::function<void(ConstantExpr *)> findInstructions = | ||
[&](ConstantExpr *Const) { | ||
for (User *ConstU : Const->users()) { | ||
if (auto *ConstCE = dyn_cast<ConstantExpr>(ConstU)) { | ||
findInstructions(ConstCE); | ||
} else if (auto *I = dyn_cast<Instruction>(ConstU)) { | ||
Insts.push_back(I); | ||
} | ||
} | ||
}; | ||
findInstructions(CE); | ||
|
||
for (Instruction *I : Insts) { | ||
Instruction *NewInst = CE->getAsInstruction(); | ||
NewInst->insertBefore(I->getIterator()); | ||
I->replaceUsesOfWith(CE, NewInst); | ||
s-perron marked this conversation as resolved.
Outdated
Show resolved
Hide resolved
|
||
NewInst->replaceUsesOfWith(MemberGV, GetPointerCall); | ||
} | ||
} else { | ||
U->replaceUsesOfWith(MemberGV, GetPointerCall); | ||
} | ||
} | ||
} | ||
} | ||
|
||
// Now that all uses are replaced, clean up the globals and metadata. | ||
for (const hlsl::CBufferMapping &Mapping : *CBufMD) { | ||
for (const auto &Member : Mapping.Members) { | ||
Member.GV->eraseFromParent(); | ||
} | ||
// Erase the stores to the handle variable before erasing the handle itself. | ||
SmallVector<Instruction *, 4> HandleStores; | ||
for (User *U : Mapping.Handle->users()) { | ||
if (auto *SI = dyn_cast<StoreInst>(U)) { | ||
HandleStores.push_back(SI); | ||
} | ||
} | ||
for (Instruction *I : HandleStores) { | ||
I->eraseFromParent(); | ||
} | ||
Mapping.Handle->eraseFromParent(); | ||
} | ||
|
||
CBufMD->eraseFromModule(); | ||
return true; | ||
} | ||
|
||
PreservedAnalyses SPIRVCBufferAccess::run(Module &M, | ||
ModuleAnalysisManager &AM) { | ||
if (replaceCBufferAccesses(M)) { | ||
return PreservedAnalyses::none(); | ||
} | ||
return PreservedAnalyses::all(); | ||
} | ||
|
||
namespace { | ||
s-perron marked this conversation as resolved.
Show resolved
Hide resolved
|
||
class SPIRVCBufferAccessLegacy : public ModulePass { | ||
public: | ||
bool runOnModule(Module &M) override { return replaceCBufferAccesses(M); } | ||
StringRef getPassName() const override { return "SPIRV CBuffer Access"; } | ||
SPIRVCBufferAccessLegacy() : ModulePass(ID) {} | ||
|
||
static char ID; // Pass identification. | ||
}; | ||
char SPIRVCBufferAccessLegacy::ID = 0; | ||
} // end anonymous namespace | ||
|
||
INITIALIZE_PASS(SPIRVCBufferAccessLegacy, DEBUG_TYPE, "SPIRV CBuffer Access", | ||
false, false) | ||
|
||
ModulePass *llvm::createSPIRVCBufferAccessLegacyPass() { | ||
return new SPIRVCBufferAccessLegacy(); | ||
} |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,23 @@ | ||
//===- SPIRVCBufferAccess.cpp - Translate CBuffer Loads | ||
//--------------------===// | ||
// | ||
// 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 | ||
// | ||
|
||
#ifndef LLVM_LIB_TARGET_SPIRV_SPIRVCBUFFERACCESS_H_ | ||
#define LLVM_LIB_TARGET_SPIRV_SPIRVCBUFFERACCESS_H_ | ||
|
||
#include "llvm/IR/PassManager.h" | ||
|
||
namespace llvm { | ||
|
||
class SPIRVCBufferAccess : public PassInfoMixin<SPIRVCBufferAccess> { | ||
public: | ||
PreservedAnalyses run(Module &M, ModuleAnalysisManager &AM); | ||
}; | ||
|
||
} // namespace llvm | ||
|
||
#endif // LLVM_LIB_TARGET_SPIRV_SPIRVCBUFFERACCESS_H_ |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,49 @@ | ||
; RUN: llc -O0 -verify-machineinstrs -mtriple=spirv1.6-vulkan1.3-library %s -o - | FileCheck %s | ||
|
||
; CHECK-DAG: OpDecorate %[[MyCBuffer:[0-9]+]] DescriptorSet 0 | ||
; CHECK-DAG: OpDecorate %[[MyCBuffer]] Binding 0 | ||
; CHECK-DAG: OpMemberDecorate %[[__cblayout_MyCBuffer:[0-9]+]] 0 Offset 0 | ||
; CHECK-DAG: OpMemberDecorate %[[__cblayout_MyCBuffer]] 1 Offset 16 | ||
; CHECK-DAG: %[[uint:[0-9]+]] = OpTypeInt 32 0 | ||
; CHECK-DAG: %[[uint_0:[0-9]+]] = OpConstant %[[uint]] 0{{$}} | ||
; CHECK-DAG: %[[uint_1:[0-9]+]] = OpConstant %[[uint]] 1{{$}} | ||
; CHECK-DAG: %[[float:[0-9]+]] = OpTypeFloat 32 | ||
; CHECK-DAG: %[[v4float:[0-9]+]] = OpTypeVector %[[float]] 4 | ||
; CHECK-DAG: %[[__cblayout_MyCBuffer]] = OpTypeStruct %[[v4float]] %[[v4float]] | ||
; CHECK-DAG: %[[wrapper:[0-9]+]] = OpTypeStruct %[[__cblayout_MyCBuffer]] | ||
; CHECK-DAG: %[[wrapper_ptr_t:[0-9]+]] = OpTypePointer Uniform %[[wrapper]] | ||
; CHECK-DAG: %[[MyCBuffer]] = OpVariable %[[wrapper_ptr_t]] Uniform | ||
; CHECK-DAG: %[[_ptr_Uniform_v4float:[0-9]+]] = OpTypePointer Uniform %[[v4float]] | ||
|
||
%__cblayout_MyCBuffer = type <{ <4 x float>, <4 x float> }> | ||
|
||
@MyCBuffer.cb = local_unnamed_addr global target("spirv.VulkanBuffer", target("spirv.Layout", %__cblayout_MyCBuffer, 32, 0, 16), 2, 0) poison | ||
@a = external hidden local_unnamed_addr addrspace(12) global <4 x float>, align 16 | ||
@b = external hidden local_unnamed_addr addrspace(12) global <4 x float>, align 16 | ||
@MyCBuffer.str = private unnamed_addr constant [10 x i8] c"MyCBuffer\00", align 1 | ||
@.str = private unnamed_addr constant [7 x i8] c"output\00", align 1 | ||
|
||
; Function Attrs: mustprogress nofree noinline norecurse nosync nounwind willreturn memory(readwrite, argmem: write, inaccessiblemem: none) | ||
define void @main() local_unnamed_addr #1 { | ||
entry: | ||
; CHECK: %[[tmp:[0-9]+]] = OpCopyObject %[[wrapper_ptr_t]] %[[MyCBuffer]] | ||
%MyCBuffer.cb_h.i.i = tail call target("spirv.VulkanBuffer", target("spirv.Layout", %__cblayout_MyCBuffer, 32, 0, 16), 2, 0) @llvm.spv.resource.handlefrombinding.tspirv.VulkanBuffer_tspirv.Layout_s___cblayout_MyCBuffers_32_0_16t_2_0t(i32 0, i32 0, i32 1, i32 0, ptr nonnull @MyCBuffer.str) | ||
store target("spirv.VulkanBuffer", target("spirv.Layout", %__cblayout_MyCBuffer, 32, 0, 16), 2, 0) %MyCBuffer.cb_h.i.i, ptr @MyCBuffer.cb, align 8 | ||
%0 = tail call target("spirv.Image", <4 x float>, 5, 2, 0, 0, 2, 3) @llvm.spv.resource.handlefrombinding.tspirv.Image_v4f32_5_2_0_0_2_3t(i32 0, i32 0, i32 1, i32 0, ptr nonnull @.str) | ||
; CHECK: %[[a_ptr:.+]] = OpAccessChain %[[_ptr_Uniform_v4float]] %[[tmp]] %[[uint_0]] %[[uint_0]] | ||
; CHECK: %[[b_ptr:.+]] = OpAccessChain %[[_ptr_Uniform_v4float]] %[[tmp]] %[[uint_0]] %[[uint_1]] | ||
; CHECK: %[[a_val:.+]] = OpLoad %[[v4float]] %[[a_ptr]] | ||
; CHECK: %[[b_val:.+]] = OpLoad %[[v4float]] %[[b_ptr]] | ||
%a_val = load <4 x float>, ptr addrspace(12) @a, align 16 | ||
%b_val = load <4 x float>, ptr addrspace(12) @b, align 16 | ||
%add = fadd <4 x float> %a_val, %b_val | ||
%output_ptr = tail call noundef ptr addrspace(11) @llvm.spv.resource.getpointer.p11.tspirv.Image_v4f32_5_2_0_0_2_3t(target("spirv.Image", <4 x float>, 5, 2, 0, 0, 2, 3) %0, i32 0) | ||
store <4 x float> %add, ptr addrspace(11) %output_ptr, align 16 | ||
ret void | ||
} | ||
|
||
attributes #1 = { "hlsl.numthreads"="1,1,1" "hlsl.shader"="compute" } | ||
|
||
!hlsl.cbs = !{!0} | ||
|
||
!0 = !{ptr @MyCBuffer.cb, ptr addrspace(12) @a, ptr addrspace(12) @b} |
57 changes: 57 additions & 0 deletions
57
llvm/test/CodeGen/SPIRV/hlsl-resources/cbuffer_constant_expr.ll
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,57 @@ | ||
; RUN: llc -O0 -verify-machineinstrs -mtriple=spirv1.6-vulkan1.3-library %s -o - | FileCheck %s | ||
; Test that uses of cbuffer members inside ConstantExprs are handled correctly. | ||
|
||
; CHECK-DAG: OpDecorate %[[MyCBuffer:[0-9]+]] DescriptorSet 0 | ||
; CHECK-DAG: OpDecorate %[[MyCBuffer]] Binding 0 | ||
; CHECK-DAG: OpMemberDecorate %[[__cblayout_MyCBuffer:[0-9]+]] 0 Offset 0 | ||
; CHECK-DAG: OpMemberDecorate %[[__cblayout_MyCBuffer]] 1 Offset 16 | ||
; CHECK-DAG: %[[uint:[0-9]+]] = OpTypeInt 32 0 | ||
; CHECK-DAG: %[[uint_0:[0-9]+]] = OpConstant %[[uint]] 0{{$}} | ||
; CHECK-DAG: %[[uint_1:[0-9]+]] = OpConstant %[[uint]] 1{{$}} | ||
; CHECK-DAG: %[[float:[0-9]+]] = OpTypeFloat 32 | ||
; CHECK-DAG: %[[v4float:[0-9]+]] = OpTypeVector %[[float]] 4 | ||
; CHECK-DAG: %[[MyStruct:[0-9]+]] = OpTypeStruct %[[v4float]] | ||
; CHECK-DAG: %[[__cblayout_MyCBuffer]] = OpTypeStruct %[[MyStruct]] %[[v4float]] | ||
; CHECK-DAG: %[[wrapper:[0-9]+]] = OpTypeStruct %[[__cblayout_MyCBuffer]] | ||
; CHECK-DAG: %[[wrapper_ptr_t:[0-9]+]] = OpTypePointer Uniform %[[wrapper]] | ||
; CHECK-DAG: %[[MyCBuffer]] = OpVariable %[[wrapper_ptr_t]] Uniform | ||
; CHECK-DAG: %[[_ptr_Uniform_v4float:[0-9]+]] = OpTypePointer Uniform %[[v4float]] | ||
; CHECK-DAG: %[[_ptr_Uniform_float:[0-9]+]] = OpTypePointer Uniform %[[float]] | ||
|
||
%MyStruct = type { <4 x float> } | ||
%__cblayout_MyCBuffer = type <{ %MyStruct, <4 x float> }> | ||
|
||
@MyCBuffer.cb = local_unnamed_addr global target("spirv.VulkanBuffer", target("spirv.Layout", %__cblayout_MyCBuffer, 32, 0, 16), 2, 0) poison | ||
@s = external hidden local_unnamed_addr addrspace(12) global %MyStruct, align 16 | ||
@v = external hidden local_unnamed_addr addrspace(12) global <4 x float>, align 16 | ||
@MyCBuffer.str = private unnamed_addr constant [10 x i8] c"MyCBuffer\00", align 1 | ||
@.str = private unnamed_addr constant [7 x i8] c"output\00", align 1 | ||
|
||
define void @main() { | ||
entry: | ||
; CHECK: %[[tmp:[0-9]+]] = OpCopyObject %[[wrapper_ptr_t]] %[[MyCBuffer]] | ||
%MyCBuffer.cb_h.i.i = tail call target("spirv.VulkanBuffer", target("spirv.Layout", %__cblayout_MyCBuffer, 32, 0, 16), 2, 0) @llvm.spv.resource.handlefrombinding.tspirv.VulkanBuffer_tspirv.Layout_s___cblayout_MyCBuffers_32_0_16t_2_0t(i32 0, i32 0, i32 1, i32 0, ptr nonnull @MyCBuffer.str) | ||
store target("spirv.VulkanBuffer", target("spirv.Layout", %__cblayout_MyCBuffer, 32, 0, 16), 2, 0) %MyCBuffer.cb_h.i.i, ptr @MyCBuffer.cb, align 8 | ||
%0 = tail call target("spirv.Image", float, 5, 2, 0, 0, 2, 3) @llvm.spv.resource.handlefrombinding.tspirv.Image_f32_5_2_0_0_2_3t(i32 0, i32 0, i32 1, i32 0, ptr nonnull @.str) | ||
|
||
; This GEP is a ConstantExpr that uses @s | ||
; CHECK: %[[tmp_ptr:[0-9]+]] = OpAccessChain {{%[0-9]+}} %[[tmp]] %[[uint_0]] %[[uint_0]] | ||
; CHECK: %[[v_ptr:.+]] = OpAccessChain %[[_ptr_Uniform_v4float]] %[[tmp]] %[[uint_0]] %[[uint_1]] | ||
; CHECK: %[[s_ptr_gep:[0-9]+]] = OpInBoundsAccessChain %[[_ptr_Uniform_float]] %[[tmp_ptr]] %[[uint_0]] %[[uint_1]] | ||
%gep = getelementptr inbounds %MyStruct, ptr addrspace(12) @s, i32 0, i32 0, i32 1 | ||
|
||
; CHECK: %[[s_val:.+]] = OpLoad %[[float]] %[[s_ptr_gep]] | ||
%load_from_gep = load float, ptr addrspace(12) %gep, align 4 | ||
|
||
; CHECK: %[[v_val:.+]] = OpLoad %[[v4float]] %[[v_ptr]] | ||
%load_v = load <4 x float>, ptr addrspace(12) @v, align 16 | ||
|
||
%extract_v = extractelement <4 x float> %load_v, i64 0 | ||
%add = fadd float %load_from_gep, %extract_v | ||
%get_output_ptr = tail call noundef align 4 dereferenceable(4) ptr addrspace(11) @llvm.spv.resource.getpointer.p11.tspirv.Image_f32_5_2_0_0_2_3t(target("spirv.Image", float, 5, 2, 0, 0, 2, 3) %0, i32 0) | ||
store float %add, ptr addrspace(11) %get_output_ptr, align 4 | ||
ret void | ||
} | ||
|
||
!hlsl.cbs = !{!0} | ||
!0 = !{ptr @MyCBuffer.cb, ptr addrspace(12) @s, ptr addrspace(12) @v} |
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.