Skip to content
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

IRGen: Add the ability to mark certain generic entry points in back traces #76849

Open
wants to merge 3 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 3 additions & 1 deletion include/swift/AST/IRGenOptions.h
Original file line number Diff line number Diff line change
Expand Up @@ -484,6 +484,8 @@ class IRGenOptions {
// (LLVM's 'frame-pointer=all').
unsigned AsyncFramePointerAll : 1;

unsigned UseProfilingMarkerThunks : 1;

/// The number of threads for multi-threaded code generation.
unsigned NumThreads = 0;

Expand Down Expand Up @@ -574,7 +576,7 @@ class IRGenOptions {
ColocateTypeDescriptors(true), UseRelativeProtocolWitnessTables(false),
UseFragileResilientProtocolWitnesses(false),
EnableHotColdSplit(false), EmitAsyncFramePushPopMetadata(false),
AsyncFramePointerAll(false),
AsyncFramePointerAll(false), UseProfilingMarkerThunks(false),
CmdArgs(), SanitizeCoverage(llvm::SanitizerCoverageOptions()),
TypeInfoFilter(TypeInfoDumpFilter::All),
PlatformCCallingConvention(llvm::CallingConv::C), UseCASBackend(false),
Expand Down
7 changes: 7 additions & 0 deletions include/swift/Option/FrontendOptions.td
Original file line number Diff line number Diff line change
Expand Up @@ -1349,6 +1349,13 @@ def disable_new_llvm_pass_manager :
Flag<["-"], "disable-new-llvm-pass-manager">,
HelpText<"Disable the new llvm pass manager">;

def enable_profiling_marker_thunks :
Flag<["-"], "enable-profiling-marker-thunks">,
HelpText<"Enable profiling marker thunks">;
def disable_profiling_marker_thunks :
Flag<["-"], "disable-profiling-marker-thunks">,
HelpText<"Disable profiling marker thunks">;

def enable_objective_c_protocol_symbolic_references :
Flag<["-"], "enable-objective-c-protocol-symbolic-references">,
HelpText<"Enable objective-c protocol symbolic references">;
Expand Down
4 changes: 4 additions & 0 deletions lib/Frontend/CompilerInvocation.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -3469,6 +3469,10 @@ static bool ParseIRGenArgs(IRGenOptions &Opts, ArgList &Args,
Args.hasFlag(OPT_enable_fragile_resilient_protocol_witnesses,
OPT_disable_fragile_resilient_protocol_witnesses,
Opts.UseFragileResilientProtocolWitnesses);
Opts.UseProfilingMarkerThunks =
Args.hasFlag(OPT_enable_profiling_marker_thunks,
OPT_disable_profiling_marker_thunks,
Opts.UseProfilingMarkerThunks);
Opts.EnableHotColdSplit =
Args.hasFlag(OPT_enable_split_cold_code,
OPT_disable_split_cold_code,
Expand Down
6 changes: 6 additions & 0 deletions lib/IRGen/CallEmission.h
Original file line number Diff line number Diff line change
Expand Up @@ -77,6 +77,8 @@ class CallEmission {
/// RemainingArgsForCallee, at least between calls.
bool EmittedCall;

bool UseProfilingThunk = false;

/// The basic block to which the call to a potentially throwing foreign
/// function should jump to continue normal execution of the program.
llvm::BasicBlock *invokeNormalDest = nullptr;
Expand Down Expand Up @@ -123,6 +125,10 @@ class CallEmission {
return CurCallee.getSubstitutions();
}

void useProfilingThunk() {
UseProfilingThunk = true;
}

virtual void begin();
virtual void end();
virtual SILType getParameterType(unsigned index) = 0;
Expand Down
9 changes: 9 additions & 0 deletions lib/IRGen/Callee.h
Original file line number Diff line number Diff line change
Expand Up @@ -374,6 +374,15 @@ namespace irgen {
}

public:

FunctionPointer withProfilingThunk(llvm::Function *thunk) const {
auto res = FunctionPointer(kind, thunk, nullptr/*secondaryValue*/,
AuthInfo, Sig);
res.useSignature = useSignature;
return res;
}


FunctionPointer()
: kind(FunctionPointer::Kind::Function), Value(nullptr),
SecondaryValue(nullptr) {}
Expand Down
31 changes: 30 additions & 1 deletion lib/IRGen/GenCall.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -52,6 +52,7 @@
#include "GenType.h"
#include "IRGenFunction.h"
#include "IRGenModule.h"
#include "IRGenMangler.h"
#include "LoadableTypeInfo.h"
#include "NativeConventionSchema.h"
#include "Signature.h"
Expand Down Expand Up @@ -3189,6 +3190,27 @@ void CallEmission::emitToUnmappedMemory(Address result) {
}
}
}
static FunctionPointer getProfilingFuncFor(IRGenFunction &IGF,
FunctionPointer fnToCall,
Callee &callee) {
auto genericFn = cast<llvm::Function>(fnToCall.getRawPointer());
auto replacementTypes = callee.getSubstitutions().getReplacementTypes();
llvm::SmallString<64> name;
{
llvm::raw_svector_ostream os(name);
os << "__swift_prof_thunk__generic_func__";
os << replacementTypes.size();
os << "__";
for (auto replTy : replacementTypes) {
IRGenMangler mangler;
os << mangler.mangleTypeMetadataFull(replTy->getCanonicalType());
os << "___";
}
os << "fun__";
}
auto *thunk = IGF.IGM.getOrCreateProfilingThunk(genericFn, name);
return fnToCall.withProfilingThunk(thunk);
}

/// The private routine to ultimately emit a call or invoke instruction.
llvm::CallBase *CallEmission::emitCallSite() {
Expand Down Expand Up @@ -3219,7 +3241,14 @@ llvm::CallBase *CallEmission::emitCallSite() {
} else
IGF.setCallsThunksWithForeignExceptionTraps();
}
auto call = createCall(fn, Args);

auto fnToCall = fn;
if (UseProfilingThunk) {
assert(fnToCall.isConstant() && "Non constant function in profiling thunk");
fnToCall = getProfilingFuncFor(IGF, fnToCall, CurCallee);
}

auto call = createCall(fnToCall, Args);
if (invokeNormalDest)
IGF.Builder.emitBlock(invokeNormalDest);

Expand Down
59 changes: 59 additions & 0 deletions lib/IRGen/GenDecl.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -6278,3 +6278,62 @@ void IRGenModule::setColocateMetadataSection(llvm::Function *f) {
break;
}
}

llvm::Function *IRGenModule::getOrCreateProfilingThunk(
llvm::Function *f,
StringRef prefix) {

llvm::SmallString<32> name;
{
llvm::raw_svector_ostream os(name);
os << prefix;
os << f->getName();
}

auto thunk = cast<llvm::Function>(
getOrCreateHelperFunction(name, f->getReturnType(),
f->getFunctionType()->params(),
[&](IRGenFunction &IGF) {
Explosion args = IGF.collectParameters();
auto res = IGF.Builder.CreateCall(f->getFunctionType(), f, args.getAll());
res->setAttributes(f->getAttributes());
(void)args.claimAll();
if (res->getType()->isVoidTy()) {
IGF.Builder.CreateRetVoid();
} else {
IGF.Builder.CreateRet(res);
}
}, /*isNoInline*/ true));

thunk->setAttributes(f->getAttributes());
thunk->setCallingConv(f->getCallingConv());
thunk->setDLLStorageClass(f->getDLLStorageClass());
if (f->getComdat())
thunk->setComdat(f->getParent()->getOrInsertComdat(thunk->getName()));
setMustHaveFramePointer(thunk);
thunk->addFnAttr(llvm::Attribute::NoInline);

return cast<llvm::Function>(thunk);
}

llvm::Function*
IRGenModule::getAddrOfWitnessTableProfilingThunk(
llvm::Function *witness,
const NormalProtocolConformance &conformance) {

assert(
conformance.getDeclContext()->getSelfNominalTypeDecl()->isGenericContext());

return getOrCreateProfilingThunk(witness,
"__swift_prof_thunk__generic_witness__");
}

llvm::Function *
IRGenModule::getAddrOfVTableProfilingThunk(
llvm::Function *vTableFun, ClassDecl *classDecl) {

assert(classDecl->getSelfNominalTypeDecl()->isGenericContext());

return getOrCreateProfilingThunk(vTableFun,
"__swift_prof_thunk__generic_vtable__");
}
19 changes: 14 additions & 5 deletions lib/IRGen/GenMeta.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -287,7 +287,8 @@ static Flags getMethodDescriptorFlags(ValueDecl *fn) {
static void buildMethodDescriptorFields(IRGenModule &IGM,
const SILVTable *VTable,
SILDeclRef fn,
ConstantStructBuilder &descriptor) {
ConstantStructBuilder &descriptor,
ClassDecl *classDecl) {
auto *func = cast<AbstractFunctionDecl>(fn.getDecl());
// Classify the method.
using Flags = MethodDescriptorFlags;
Expand Down Expand Up @@ -318,6 +319,13 @@ static void buildMethodDescriptorFields(IRGenModule &IGM,
descriptor.addRelativeAddress(implFn);
} else {
llvm::Function *implFn = IGM.getAddrOfSILFunction(impl, NotForDefinition);

if (IGM.getOptions().UseProfilingMarkerThunks &&
classDecl->getSelfNominalTypeDecl()->isGenericContext() &&
!impl->getLoweredFunctionType()->isCoroutine()) {
implFn = IGM.getAddrOfVTableProfilingThunk(implFn, classDecl);
}

descriptor.addCompactFunctionReference(implFn);
}
} else {
Expand All @@ -328,7 +336,8 @@ static void buildMethodDescriptorFields(IRGenModule &IGM,
}

void IRGenModule::emitNonoverriddenMethodDescriptor(const SILVTable *VTable,
SILDeclRef declRef) {
SILDeclRef declRef,
ClassDecl *classDecl) {
auto entity = LinkEntity::forMethodDescriptor(declRef);
auto *var = cast<llvm::GlobalVariable>(
getAddrOfLLVMVariable(entity, ConstantInit(), DebugTypeInfo()));
Expand All @@ -343,7 +352,7 @@ void IRGenModule::emitNonoverriddenMethodDescriptor(const SILVTable *VTable,
ConstantInitBuilder ib(*this);
ConstantStructBuilder sb(ib.beginStruct(MethodDescriptorStructTy));

buildMethodDescriptorFields(*this, VTable, declRef, sb);
buildMethodDescriptorFields(*this, VTable, declRef, sb, classDecl);

auto init = sb.finishAndCreateFuture();

Expand Down Expand Up @@ -2081,7 +2090,7 @@ namespace {

// Actually build the descriptor.
auto descriptor = B.beginStruct(IGM.MethodDescriptorStructTy);
buildMethodDescriptorFields(IGM, VTable, fn, descriptor);
buildMethodDescriptorFields(IGM, VTable, fn, descriptor, getType());
descriptor.finishAndAddTo(B);

// Emit method dispatch thunk if the class is resilient.
Expand Down Expand Up @@ -2129,7 +2138,7 @@ namespace {
// exist in the table in the class's context descriptor since it isn't
// in the vtable, but external clients need to be able to link against the
// symbol.
IGM.emitNonoverriddenMethodDescriptor(VTable, fn);
IGM.emitNonoverriddenMethodDescriptor(VTable, fn, getType());
}

void addOverrideTable() {
Expand Down
23 changes: 20 additions & 3 deletions lib/IRGen/GenProto.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -1631,7 +1631,17 @@ class AccessorConformanceInfo : public ConformanceInfo {
if (Func->isAsync()) {
witness = IGM.getAddrOfAsyncFunctionPointer(Func);
} else {
witness = IGM.getAddrOfSILFunction(Func, NotForDefinition);

auto *conformance = dyn_cast<NormalProtocolConformance>(&Conformance);
auto f = IGM.getAddrOfSILFunction(Func, NotForDefinition);
if (IGM.getOptions().UseProfilingMarkerThunks &&
conformance &&
conformance->getDeclContext()->
getSelfNominalTypeDecl()->isGenericContext() &&
!Func->getLoweredFunctionType()->isCoroutine())
witness = IGM.getAddrOfWitnessTableProfilingThunk(f, *conformance);
else witness = f;

}
} else {
// The method is removed by dead method elimination.
Expand Down Expand Up @@ -1994,11 +2004,18 @@ void ResilientWitnessTableBuilder::collectResilientWitnesses(

SILFunction *Func = entry.getMethodWitness().Witness;
llvm::Constant *witness;
bool isGenericConformance =
conformance.getDeclContext()->getSelfNominalTypeDecl()->isGenericContext();
if (Func) {
if (Func->isAsync())
witness = IGM.getAddrOfAsyncFunctionPointer(Func);
else
witness = IGM.getAddrOfSILFunction(Func, NotForDefinition);
else {
auto f = IGM.getAddrOfSILFunction(Func, NotForDefinition);
if (isGenericConformance && IGM.getOptions().UseProfilingMarkerThunks &&
!Func->getLoweredFunctionType()->isCoroutine())
witness = IGM.getAddrOfWitnessTableProfilingThunk(f, conformance);
else witness = f;
}
} else {
// The method is removed by dead method elimination.
// It should be never called. We add a null pointer.
Expand Down
6 changes: 6 additions & 0 deletions lib/IRGen/IRGenModule.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -1477,6 +1477,12 @@ void IRGenModule::setHasNoFramePointer(llvm::Function *F) {
F->addFnAttrs(b);
}

void IRGenModule::setMustHaveFramePointer(llvm::Function *F) {
llvm::AttrBuilder b(getLLVMContext());
b.addAttribute("frame-pointer", "all");
F->addFnAttrs(b);
}

/// Construct initial function attributes from options.
void IRGenModule::constructInitialFnAttributes(
llvm::AttrBuilder &Attrs, OptimizationMode FuncOptMode,
Expand Down
14 changes: 13 additions & 1 deletion lib/IRGen/IRGenModule.h
Original file line number Diff line number Diff line change
Expand Up @@ -1586,6 +1586,7 @@ private: \
StackProtectorMode stackProtect = StackProtectorMode::NoStackProtector);
void setHasNoFramePointer(llvm::AttrBuilder &Attrs);
void setHasNoFramePointer(llvm::Function *F);
void setMustHaveFramePointer(llvm::Function *F);
llvm::AttributeList constructInitialAttributes();
StackProtectorMode shouldEmitStackProtector(SILFunction *f);

Expand Down Expand Up @@ -1660,7 +1661,8 @@ private: \
llvm::Constant *getAddrOfMethodDescriptor(SILDeclRef declRef,
ForDefinition_t forDefinition);
void emitNonoverriddenMethodDescriptor(const SILVTable *VTable,
SILDeclRef declRef);
SILDeclRef declRef,
ClassDecl *classDecl);

Address getAddrOfEnumCase(EnumElementDecl *Case,
ForDefinition_t forDefinition);
Expand Down Expand Up @@ -1821,6 +1823,16 @@ private: \
bool isDynamicallyReplaceableImplementation = false,
bool shouldCallPreviousImplementation = false);

llvm::Function *
getAddrOfWitnessTableProfilingThunk(llvm::Function *witness,
const NormalProtocolConformance &C);

llvm::Function *
getAddrOfVTableProfilingThunk(llvm::Function *f, ClassDecl *decl);

llvm::Function *getOrCreateProfilingThunk(llvm::Function *f,
StringRef prefix);

void emitDynamicReplacementOriginalFunctionThunk(SILFunction *f);

llvm::Function *getAddrOfContinuationPrototype(CanSILFunctionType fnType);
Expand Down
9 changes: 9 additions & 0 deletions lib/IRGen/IRGenSIL.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -3819,6 +3819,15 @@ void IRGenSILFunction::visitFullApplySite(FullApplySite site) {
SubstitutionMap subMap = site.getSubstitutionMap();
emitPolymorphicArguments(*this, origCalleeType,
subMap, &witnessMetadata, llArgs);

// We currently only support non-async calls with profiling thunks.
if (IGM.getOptions().UseProfilingMarkerThunks &&
isa<FunctionRefInst>(site.getCallee()) &&
!site.getOrigCalleeType()->isAsync() &&
subMap.hasAnySubstitutableParams() &&
!subMap.getRecursiveProperties().hasPrimaryArchetype()) {
emission->useProfilingThunk();
}
}

if (calleeFP.shouldPassContinuationDirectly()) {
Expand Down
Loading