mirror of
https://github.com/apple/swift.git
synced 2025-12-14 20:36:38 +01:00
introduce a common superclass, SILNode. This is in preparation for allowing instructions to have multiple results. It is also a somewhat more elegant representation for instructions that have zero results. Instructions that are known to have exactly one result inherit from a class, SingleValueInstruction, that subclasses both ValueBase and SILInstruction. Some care must be taken when working with SILNode pointers and testing for equality; please see the comment on SILNode for more information. A number of SIL passes needed to be updated in order to handle this new distinction between SIL values and SIL instructions. Note that the SIL parser is now stricter about not trying to assign a result value from an instruction (like 'return' or 'strong_retain') that does not produce any.
1247 lines
46 KiB
C++
1247 lines
46 KiB
C++
//===--- FunctionSignatureOpts.cpp - Optimizes function signatures --------===//
|
|
//
|
|
// This source file is part of the Swift.org open source project
|
|
//
|
|
// Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors
|
|
// Licensed under Apache License v2.0 with Runtime Library Exception
|
|
//
|
|
// See https://swift.org/LICENSE.txt for license information
|
|
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
|
|
//
|
|
//===----------------------------------------------------------------------===//
|
|
///
|
|
/// \file
|
|
///
|
|
/// This pass defines function signature related optimizations.
|
|
/// When a function signature optimization is performed, changes are made to
|
|
/// the original function and after all function signature optimizations are
|
|
/// finished, a new function is created and the old function is turned into
|
|
/// a thunk.
|
|
///
|
|
/// Another possibility is to implement these optimizations as separate passes,
|
|
/// but then we would send slightly different functions to the pass pipeline
|
|
/// multiple times through notifyPassManagerOfFunction.
|
|
///
|
|
/// TODO: Optimize function with generic parameters.
|
|
///
|
|
/// TODO: Improve epilogue release matcher, i.e. do a data flow instead of
|
|
/// only finding releases in the return block.
|
|
///
|
|
//===----------------------------------------------------------------------===//
|
|
|
|
#define DEBUG_TYPE "sil-function-signature-opt"
|
|
#include "swift/SILOptimizer/Analysis/ARCAnalysis.h"
|
|
#include "swift/SILOptimizer/Analysis/CallerAnalysis.h"
|
|
#include "swift/SILOptimizer/Analysis/EpilogueARCAnalysis.h"
|
|
#include "swift/SILOptimizer/Analysis/RCIdentityAnalysis.h"
|
|
#include "swift/SILOptimizer/PassManager/Passes.h"
|
|
#include "swift/SILOptimizer/PassManager/Transforms.h"
|
|
#include "swift/SILOptimizer/Utils/FunctionSignatureOptUtils.h"
|
|
#include "swift/SILOptimizer/Utils/Local.h"
|
|
#include "swift/SILOptimizer/Utils/SILInliner.h"
|
|
#include "swift/SILOptimizer/Utils/SpecializationMangler.h"
|
|
#include "swift/SIL/DebugUtils.h"
|
|
#include "swift/SIL/SILFunction.h"
|
|
#include "swift/SIL/SILCloner.h"
|
|
#include "swift/SIL/SILValue.h"
|
|
#include "llvm/ADT/Statistic.h"
|
|
#include "llvm/Support/Debug.h"
|
|
|
|
using namespace swift;
|
|
|
|
STATISTIC(NumFunctionSignaturesOptimized, "Total func sig optimized");
|
|
STATISTIC(NumDeadArgsEliminated, "Total dead args eliminated");
|
|
STATISTIC(NumOwnedConvertedToGuaranteed, "Total owned args -> guaranteed args");
|
|
STATISTIC(NumOwnedConvertedToNotOwnedResult, "Total owned result -> not owned result");
|
|
STATISTIC(NumSROAArguments, "Total SROA arguments optimized");
|
|
|
|
using SILParameterInfoList = llvm::SmallVector<SILParameterInfo, 8>;
|
|
using ArgumentIndexMap = llvm::SmallDenseMap<int, int>;
|
|
|
|
//===----------------------------------------------------------------------===//
|
|
// Utilities
|
|
//===----------------------------------------------------------------------===//
|
|
|
|
/// Return the single return value of the function.
|
|
static SILValue findReturnValue(SILFunction *F) {
|
|
auto RBB = F->findReturnBB();
|
|
if (RBB == F->end())
|
|
return SILValue();
|
|
auto Term = dyn_cast<ReturnInst>(RBB->getTerminator());
|
|
return Term->getOperand();
|
|
}
|
|
|
|
/// Return the single apply found in this function.
|
|
static SILInstruction *findOnlyApply(SILFunction *F) {
|
|
SILInstruction *OnlyApply = nullptr;
|
|
for (auto &B : *F) {
|
|
for (auto &X : B) {
|
|
if (!isa<ApplyInst>(X) && !isa<TryApplyInst>(X))
|
|
continue;
|
|
assert(!OnlyApply && "There are more than 1 function calls");
|
|
OnlyApply = &X;
|
|
}
|
|
}
|
|
assert(OnlyApply && "There is no function calls");
|
|
return OnlyApply;
|
|
}
|
|
|
|
//===----------------------------------------------------------------------===//
|
|
// Function Signature Transformation
|
|
//===----------------------------------------------------------------------===//
|
|
class FunctionSignatureTransform {
|
|
/// The actual function to analyze and transform.
|
|
SILFunction *F;
|
|
|
|
/// The newly created function.
|
|
SILFunction *NewF;
|
|
|
|
/// The RC identity analysis we are using.
|
|
RCIdentityAnalysis *RCIA;
|
|
|
|
/// Post order analysis we are using.
|
|
EpilogueARCAnalysis *EA;
|
|
|
|
// The function signature mangler we are using.
|
|
Mangle::FunctionSignatureSpecializationMangler &Mangler;
|
|
|
|
// Keep tracks to argument mapping.
|
|
ArgumentIndexMap &AIM;
|
|
|
|
// Self argument is modified.
|
|
bool shouldModifySelfArgument;
|
|
|
|
/// Keep a "view" of precompiled information on arguments that we use
|
|
/// during our optimization.
|
|
llvm::SmallVector<ArgumentDescriptor, 4> &ArgumentDescList;
|
|
|
|
/// Keep a "view" of precompiled information on the direct results that we
|
|
/// will use during our optimization.
|
|
llvm::SmallVector<ResultDescriptor, 4> &ResultDescList;
|
|
|
|
/// Return a function name based on ArgumentDescList and ResultDescList.
|
|
std::string createOptimizedSILFunctionName();
|
|
|
|
/// Return a function type based on ArgumentDescList and ResultDescList.
|
|
CanSILFunctionType createOptimizedSILFunctionType();
|
|
|
|
private:
|
|
/// ----------------------------------------------------------///
|
|
/// Dead argument transformation. ///
|
|
/// ----------------------------------------------------------///
|
|
/// Find any dead argument opportunities.
|
|
bool DeadArgumentAnalyzeParameters();
|
|
/// Modify the current function so that later function signature analysis
|
|
/// are more effective.
|
|
void DeadArgumentTransformFunction();
|
|
/// Remove the dead argument once the new function is created.
|
|
void DeadArgumentFinalizeOptimizedFunction();
|
|
|
|
/// ----------------------------------------------------------///
|
|
/// Owned to guaranteed transformation. ///
|
|
/// ----------------------------------------------------------///
|
|
bool OwnedToGuaranteedAnalyzeResults();
|
|
bool OwnedToGuaranteedAnalyzeParameters();
|
|
|
|
/// Modify the current function so that later function signature analysis
|
|
/// are more effective.
|
|
void OwnedToGuaranteedTransformFunctionResults();
|
|
void OwnedToGuaranteedTransformFunctionParameters();
|
|
|
|
/// Find any owned to guaranteed opportunities.
|
|
bool OwnedToGuaranteedAnalyze() {
|
|
bool Result = OwnedToGuaranteedAnalyzeResults();
|
|
bool Params = OwnedToGuaranteedAnalyzeParameters();
|
|
return Params || Result;
|
|
}
|
|
|
|
/// Do the actual owned to guaranteed transformations.
|
|
void OwnedToGuaranteedTransform() {
|
|
OwnedToGuaranteedTransformFunctionResults();
|
|
OwnedToGuaranteedTransformFunctionParameters();
|
|
}
|
|
|
|
/// Set up epilogue work for the thunk result based in the given argument.
|
|
void OwnedToGuaranteedAddResultRelease(ResultDescriptor &RD,
|
|
SILBuilder &Builder,
|
|
SILFunction *F);
|
|
|
|
/// Set up epilogue work for the thunk argument based in the given argument.
|
|
void OwnedToGuaranteedAddArgumentRelease(ArgumentDescriptor &AD,
|
|
SILBuilder &Builder,
|
|
SILFunction *F);
|
|
|
|
/// Add the release for converted arguments and result.
|
|
void OwnedToGuaranteedFinalizeThunkFunction(SILBuilder &B, SILFunction *F);
|
|
|
|
/// ----------------------------------------------------------///
|
|
/// Argument explosion transformation. ///
|
|
/// ----------------------------------------------------------///
|
|
/// Find any argument explosion opportunities.
|
|
bool ArgumentExplosionAnalyzeParameters();
|
|
/// Explode the argument in the optimized function and replace the uses of
|
|
/// the original argument.
|
|
void ArgumentExplosionFinalizeOptimizedFunction();
|
|
|
|
/// Setup the thunk arguments based on the given argument descriptor info.
|
|
/// Every transformation must defines this interface. Default implementation
|
|
/// simply passes it through.
|
|
void addThunkArgument(ArgumentDescriptor &AD, SILBuilder &Builder,
|
|
SILBasicBlock *BB,
|
|
llvm::SmallVectorImpl<SILValue> &NewArgs) {
|
|
// Dead argument.
|
|
if (AD.IsEntirelyDead) {
|
|
return;
|
|
}
|
|
|
|
// Explode the argument.
|
|
if (AD.Explode) {
|
|
llvm::SmallVector<SILValue, 4> LeafValues;
|
|
AD.ProjTree.createTreeFromValue(Builder, BB->getParent()->getLocation(),
|
|
BB->getArgument(AD.Index), LeafValues);
|
|
NewArgs.append(LeafValues.begin(), LeafValues.end());
|
|
return;
|
|
}
|
|
|
|
// All other arguments get pushed as what they are.
|
|
NewArgs.push_back(BB->getArgument(AD.Index));
|
|
}
|
|
|
|
/// Take ArgumentDescList and ResultDescList and create an optimized function
|
|
/// based on the current function we are analyzing. This also has the side effect
|
|
/// of turning the current function into a thunk.
|
|
void createFunctionSignatureOptimizedFunction();
|
|
|
|
/// Compute the optimized function type based on the given argument descriptor.
|
|
void computeOptimizedArgInterface(ArgumentDescriptor &A, SILParameterInfoList &O);
|
|
|
|
public:
|
|
/// Constructor.
|
|
FunctionSignatureTransform(SILFunction *F,
|
|
RCIdentityAnalysis *RCIA, EpilogueARCAnalysis *EA,
|
|
Mangle::FunctionSignatureSpecializationMangler &Mangler,
|
|
ArgumentIndexMap &AIM,
|
|
llvm::SmallVector<ArgumentDescriptor, 4> &ADL,
|
|
llvm::SmallVector<ResultDescriptor, 4> &RDL)
|
|
: F(F), NewF(nullptr), RCIA(RCIA), EA(EA), Mangler(Mangler),
|
|
AIM(AIM), shouldModifySelfArgument(false), ArgumentDescList(ADL),
|
|
ResultDescList(RDL) {}
|
|
|
|
/// Return the optimized function.
|
|
SILFunction *getOptimizedFunction() { return NewF; }
|
|
|
|
/// Run the optimization.
|
|
bool run(bool hasCaller) {
|
|
bool Changed = false;
|
|
|
|
if (!hasCaller && canBeCalledIndirectly(F->getRepresentation())) {
|
|
DEBUG(llvm::dbgs() << " function has no caller -> abort\n");
|
|
return false;
|
|
}
|
|
|
|
// Run OwnedToGuaranteed optimization.
|
|
if (OwnedToGuaranteedAnalyze()) {
|
|
Changed = true;
|
|
DEBUG(llvm::dbgs() << " transform owned-to-guaranteed\n");
|
|
OwnedToGuaranteedTransform();
|
|
}
|
|
|
|
// Run DeadArgument elimination transformation. We only specialize
|
|
// if this function has a caller inside the current module or we have
|
|
// already created a thunk.
|
|
if ((hasCaller || Changed) && DeadArgumentAnalyzeParameters()) {
|
|
Changed = true;
|
|
DEBUG(llvm::dbgs() << " remove dead arguments\n");
|
|
DeadArgumentTransformFunction();
|
|
}
|
|
|
|
// Run ArgumentExplosion transformation. We only specialize
|
|
// if this function has a caller inside the current module or we have
|
|
// already created a thunk.
|
|
//
|
|
// NOTE: we run argument explosion last because we've already initialized
|
|
// the ArgumentDescList to have unexploded number of arguments. Exploding
|
|
// it without changing the argument count is not going to help with
|
|
// owned-to-guaranteed transformation.
|
|
//
|
|
// In order to not miss any opportunity, we send the optimized function
|
|
// to the passmanager to optimize any opportunities exposed by argument
|
|
// explosion.
|
|
if ((hasCaller || Changed) && ArgumentExplosionAnalyzeParameters()) {
|
|
Changed = true;
|
|
}
|
|
|
|
// Check if generic signature of the function could be changed by
|
|
// removed some unused generic arguments.
|
|
if (F->getLoweredFunctionType()->isPolymorphic() &&
|
|
createOptimizedSILFunctionType() != F->getLoweredFunctionType()) {
|
|
Changed = true;
|
|
}
|
|
|
|
// Create the specialized function and invalidate the old function.
|
|
if (Changed) {
|
|
createFunctionSignatureOptimizedFunction();
|
|
}
|
|
return Changed;
|
|
}
|
|
|
|
/// Run dead argument elimination of partially applied functions.
|
|
/// After this optimization CapturePropagation can replace the partial_apply
|
|
/// by a direct reference to the specialized function.
|
|
bool removeDeadArgs(int minPartialAppliedArgs) {
|
|
if (minPartialAppliedArgs < 1)
|
|
return false;
|
|
|
|
if (!DeadArgumentAnalyzeParameters())
|
|
return false;
|
|
|
|
// Check if at least the minimum number of partially applied arguments
|
|
// are dead. Otherwise no partial_apply can be removed anyway.
|
|
for (unsigned Idx = 0, Num = ArgumentDescList.size(); Idx < Num; ++Idx) {
|
|
if (Idx < Num - minPartialAppliedArgs) {
|
|
// Don't remove arguments other than the partial applied ones, even if
|
|
// they are dead.
|
|
ArgumentDescList[Idx].IsEntirelyDead = false;
|
|
} else {
|
|
// Is the partially applied argument dead?
|
|
if (!ArgumentDescList[Idx].IsEntirelyDead)
|
|
return false;
|
|
|
|
// Currently we require that all dead parameters have trivial types.
|
|
// The reason is that it's very hard to find places where we can release
|
|
// those parameters (as a replacement for the removed partial_apply).
|
|
// TODO: maybe we can skip this restriction when we have semantic ARC.
|
|
if (!ArgumentDescList[Idx].Arg->getType().isTrivial(F->getModule()))
|
|
return false;
|
|
}
|
|
}
|
|
|
|
DEBUG(llvm::dbgs() << " remove dead arguments for partial_apply\n");
|
|
DeadArgumentTransformFunction();
|
|
createFunctionSignatureOptimizedFunction();
|
|
return true;
|
|
}
|
|
};
|
|
|
|
std::string FunctionSignatureTransform::createOptimizedSILFunctionName() {
|
|
// Handle arguments' changes.
|
|
for (unsigned i : indices(ArgumentDescList)) {
|
|
const ArgumentDescriptor &Arg = ArgumentDescList[i];
|
|
if (Arg.IsEntirelyDead) {
|
|
Mangler.setArgumentDead(i);
|
|
// No point setting other attribute if argument is dead.
|
|
continue;
|
|
}
|
|
|
|
// If we have an @owned argument and found a callee release for it,
|
|
// convert the argument to guaranteed.
|
|
if (Arg.OwnedToGuaranteed) {
|
|
Mangler.setArgumentOwnedToGuaranteed(i);
|
|
}
|
|
|
|
// If this argument is not dead and we can explode it, add 's' to the
|
|
// mangling.
|
|
if (Arg.Explode) {
|
|
Mangler.setArgumentSROA(i);
|
|
}
|
|
}
|
|
|
|
// Handle return value's change.
|
|
// FIXME: handle multiple direct results here
|
|
if (ResultDescList.size() == 1 && !ResultDescList[0].CalleeRetain.empty()) {
|
|
Mangler.setReturnValueOwnedToUnowned();
|
|
}
|
|
|
|
SILModule &M = F->getModule();
|
|
int UniqueID = 0;
|
|
std::string MangledName;
|
|
do {
|
|
MangledName = Mangler.mangle(UniqueID);
|
|
++UniqueID;
|
|
} while (M.hasFunction(MangledName));
|
|
|
|
return MangledName;
|
|
}
|
|
|
|
/// Compute what the function interface will look like based on the
|
|
/// optimization we are doing on the given argument descriptor. Default
|
|
/// implementation simply passes it through.
|
|
void
|
|
FunctionSignatureTransform::
|
|
computeOptimizedArgInterface(ArgumentDescriptor &AD, SILParameterInfoList &Out) {
|
|
// If this argument is live, but we cannot optimize it.
|
|
if (!AD.canOptimizeLiveArg()) {
|
|
if (AD.PInfo.hasValue())
|
|
Out.push_back(AD.PInfo.getValue());
|
|
return;
|
|
}
|
|
|
|
// If we have a dead argument, bail.
|
|
if (AD.IsEntirelyDead) {
|
|
++NumDeadArgsEliminated;
|
|
return;
|
|
}
|
|
|
|
// Explode the argument or not ?
|
|
if (AD.Explode) {
|
|
++NumSROAArguments;
|
|
llvm::SmallVector<const ProjectionTreeNode*, 8> LeafNodes;
|
|
AD.ProjTree.getLeafNodes(LeafNodes);
|
|
for (auto Node : LeafNodes) {
|
|
SILType Ty = Node->getType();
|
|
DEBUG(llvm::dbgs() << " " << Ty << "\n");
|
|
// If Ty is trivial, just pass it directly.
|
|
if (Ty.isTrivial(AD.Arg->getModule())) {
|
|
SILParameterInfo NewInfo(Ty.getSwiftRValueType(),
|
|
ParameterConvention::Direct_Unowned);
|
|
Out.push_back(NewInfo);
|
|
continue;
|
|
}
|
|
|
|
// Ty is not trivial, pass it through as the original calling convention.
|
|
auto ParameterConvention = AD.PInfo.getValue().getConvention();
|
|
if (AD.OwnedToGuaranteed) {
|
|
if (ParameterConvention == ParameterConvention::Direct_Owned)
|
|
ParameterConvention = ParameterConvention::Direct_Guaranteed;
|
|
else if (ParameterConvention == ParameterConvention::Indirect_In)
|
|
ParameterConvention = ParameterConvention::Indirect_In_Guaranteed;
|
|
else {
|
|
llvm_unreachable("Unknown parameter convention transformation");
|
|
}
|
|
}
|
|
SILParameterInfo NewInfo(Ty.getSwiftRValueType(), ParameterConvention);
|
|
Out.push_back(NewInfo);
|
|
}
|
|
return;
|
|
}
|
|
|
|
// If we cannot explode this value, handle callee release and return.
|
|
// If we found releases in the callee in the last BB on an @owned
|
|
// parameter, change the parameter to @guaranteed and continue...
|
|
if (AD.OwnedToGuaranteed) {
|
|
++NumOwnedConvertedToGuaranteed;
|
|
auto ParameterConvention = AD.PInfo.getValue().getConvention();
|
|
if (ParameterConvention == ParameterConvention::Direct_Owned)
|
|
ParameterConvention = ParameterConvention::Direct_Guaranteed;
|
|
else if (ParameterConvention == ParameterConvention::Indirect_In)
|
|
ParameterConvention = ParameterConvention::Indirect_In_Guaranteed;
|
|
else {
|
|
llvm_unreachable("Unknown parameter convention transformation");
|
|
}
|
|
|
|
SILParameterInfo NewInfo(AD.PInfo.getValue().getType(),
|
|
ParameterConvention);
|
|
Out.push_back(NewInfo);
|
|
return;
|
|
}
|
|
|
|
// Otherwise just propagate through the parameter info.
|
|
Out.push_back(AD.PInfo.getValue());
|
|
}
|
|
|
|
/// Collect all archetypes used by a function.
|
|
static bool usesGenerics(SILFunction *F,
|
|
ArrayRef<SILParameterInfo> InterfaceParams,
|
|
ArrayRef<SILResultInfo> InterfaceResults) {
|
|
CanSILFunctionType FTy = F->getLoweredFunctionType();
|
|
auto HasGenericSignature = FTy->getGenericSignature() != nullptr;
|
|
if (!HasGenericSignature)
|
|
return false;
|
|
|
|
bool UsesGenerics = false;
|
|
|
|
auto FindArchetypesAndGenericTypes = [&UsesGenerics](Type Ty) {
|
|
if (Ty.findIf([](Type Ty) -> bool {
|
|
return (Ty->hasTypeParameter() || Ty->hasArchetype());
|
|
}))
|
|
UsesGenerics = true;
|
|
};
|
|
|
|
for (auto Param : InterfaceParams) {
|
|
Param.getType().visit(FindArchetypesAndGenericTypes);
|
|
}
|
|
|
|
for (auto Result : InterfaceResults) {
|
|
Result.getType().visit(FindArchetypesAndGenericTypes);
|
|
}
|
|
|
|
if (UsesGenerics)
|
|
return UsesGenerics;
|
|
|
|
for (auto &BB : *F) {
|
|
for (auto &I : BB) {
|
|
for (auto Arg : BB.getArguments()) {
|
|
if (&BB != &*F->begin()) {
|
|
// Scan types of all BB arguments. Ignore the entry BB, because
|
|
// it is handled in a special way.
|
|
Arg->getType().getSwiftRValueType().visit(FindArchetypesAndGenericTypes);
|
|
if (UsesGenerics)
|
|
return UsesGenerics;
|
|
}
|
|
}
|
|
// Scan types of all operands.
|
|
for (auto &Op : I.getAllOperands()) {
|
|
Op.get()->getType().getSwiftRValueType().visit(FindArchetypesAndGenericTypes);
|
|
}
|
|
// Scan all substitutions of apply instructions.
|
|
if (auto AI = ApplySite::isa(&I)) {
|
|
auto Subs = AI.getSubstitutions();
|
|
for (auto Sub : Subs) {
|
|
Sub.getReplacement().visit(FindArchetypesAndGenericTypes);
|
|
}
|
|
}
|
|
// Scan all substitutions of builtin instructions.
|
|
if (auto *BI = dyn_cast<BuiltinInst>(&I)) {
|
|
auto Subs = BI->getSubstitutions();
|
|
for (auto Sub : Subs) {
|
|
Sub.getReplacement().visit(FindArchetypesAndGenericTypes);
|
|
}
|
|
}
|
|
|
|
// Scan the result type of the instruction.
|
|
for (auto V : I.getResults()) {
|
|
V->getType().getSwiftRValueType().visit(FindArchetypesAndGenericTypes);
|
|
}
|
|
|
|
if (UsesGenerics)
|
|
return UsesGenerics;
|
|
}
|
|
}
|
|
return UsesGenerics;
|
|
}
|
|
|
|
// Map the parameter, result and error types out of context to get the interface
|
|
// type.
|
|
static void
|
|
mapInterfaceTypes(SILFunction *F,
|
|
MutableArrayRef<SILParameterInfo> InterfaceParams,
|
|
MutableArrayRef<SILResultInfo> InterfaceResults,
|
|
Optional<SILResultInfo> &InterfaceErrorResult) {
|
|
|
|
for (auto &Param : InterfaceParams) {
|
|
if (!Param.getType()->hasArchetype())
|
|
continue;
|
|
Param = SILParameterInfo(
|
|
F->mapTypeOutOfContext(Param.getType())->getCanonicalType(),
|
|
Param.getConvention());
|
|
}
|
|
|
|
for (auto &Result : InterfaceResults) {
|
|
if (!Result.getType()->hasArchetype())
|
|
continue;
|
|
auto InterfaceResult = Result.getWithType(
|
|
F->mapTypeOutOfContext(Result.getType())->getCanonicalType());
|
|
Result = InterfaceResult;
|
|
}
|
|
|
|
if (InterfaceErrorResult.hasValue()) {
|
|
if (InterfaceErrorResult.getValue().getType()->hasArchetype()) {
|
|
InterfaceErrorResult = SILResultInfo(
|
|
F->mapTypeOutOfContext(InterfaceErrorResult.getValue().getType())
|
|
->getCanonicalType(),
|
|
InterfaceErrorResult.getValue().getConvention());
|
|
}
|
|
}
|
|
}
|
|
|
|
CanSILFunctionType FunctionSignatureTransform::createOptimizedSILFunctionType() {
|
|
CanSILFunctionType FTy = F->getLoweredFunctionType();
|
|
auto ExpectedFTy = F->getLoweredType().castTo<SILFunctionType>();
|
|
auto HasGenericSignature = FTy->getGenericSignature() != nullptr;
|
|
|
|
// The only way that we modify the arity of function parameters is here for
|
|
// dead arguments. Doing anything else is unsafe since by definition non-dead
|
|
// arguments will have SSA uses in the function. We would need to be smarter
|
|
// in our moving to handle such cases.
|
|
llvm::SmallVector<SILParameterInfo, 8> InterfaceParams;
|
|
for (auto &ArgDesc : ArgumentDescList) {
|
|
computeOptimizedArgInterface(ArgDesc, InterfaceParams);
|
|
}
|
|
|
|
// ResultDescs only covers the direct results; we currently can't ever
|
|
// change an indirect result. Piece the modified direct result information
|
|
// back into the all-results list.
|
|
llvm::SmallVector<SILResultInfo, 8> InterfaceResults;
|
|
auto &ResultDescs = ResultDescList;
|
|
for (SILResultInfo InterfaceResult : FTy->getResults()) {
|
|
if (InterfaceResult.isFormalDirect()) {
|
|
auto &RV = ResultDescs[0];
|
|
if (!RV.CalleeRetain.empty()) {
|
|
++NumOwnedConvertedToNotOwnedResult;
|
|
InterfaceResults.push_back(SILResultInfo(InterfaceResult.getType(),
|
|
ResultConvention::Unowned));
|
|
continue;
|
|
}
|
|
}
|
|
|
|
InterfaceResults.push_back(InterfaceResult);
|
|
}
|
|
|
|
bool UsesGenerics = false;
|
|
if (HasGenericSignature) {
|
|
// Not all of the generic type parameters are used by the function
|
|
// parameters.
|
|
// Check which of the generic type parameters are not used and check if they
|
|
// are used anywhere in the function body. If this is not the case, we can
|
|
// remove the unused generic type parameters from the generic signature.
|
|
// This makes the code both smaller and faster, because no implicit
|
|
// parameters for type metadata and conformances need to be passed to the
|
|
// callee at the LLVM IR level.
|
|
// TODO: Implement a more precise analysis, so that we can eliminate only
|
|
// those generic parameters which are not used.
|
|
UsesGenerics = usesGenerics(F, InterfaceParams, InterfaceResults);
|
|
|
|
// The set of used archetypes is complete now.
|
|
if (!UsesGenerics) {
|
|
// None of the generic type parameters are used.
|
|
DEBUG(llvm::dbgs() << "None of generic parameters are used by "
|
|
<< F->getName() << "\n";
|
|
llvm::dbgs() << "Interface params:\n";
|
|
for (auto Param : InterfaceParams) {
|
|
Param.getType().dump();
|
|
}
|
|
|
|
llvm::dbgs()
|
|
<< "Interface results:\n";
|
|
for (auto Result : InterfaceResults) {
|
|
Result.getType().dump();
|
|
});
|
|
}
|
|
}
|
|
|
|
// Don't use a method representation if we modified self.
|
|
auto ExtInfo = FTy->getExtInfo();
|
|
if (shouldModifySelfArgument) {
|
|
ExtInfo = ExtInfo.withRepresentation(SILFunctionTypeRepresentation::Thin);
|
|
}
|
|
|
|
Optional<SILResultInfo> InterfaceErrorResult;
|
|
if (ExpectedFTy->hasErrorResult()) {
|
|
InterfaceErrorResult = ExpectedFTy->getErrorResult();
|
|
}
|
|
|
|
// Map the parameter, result and error types out of context to get the
|
|
// proper interface type. This is required for generic functions.
|
|
mapInterfaceTypes(F, InterfaceParams, InterfaceResults, InterfaceErrorResult);
|
|
|
|
GenericSignature *GenericSig =
|
|
UsesGenerics ? FTy->getGenericSignature() : nullptr;
|
|
|
|
return SILFunctionType::get(GenericSig, ExtInfo,
|
|
FTy->getCalleeConvention(), InterfaceParams,
|
|
InterfaceResults, InterfaceErrorResult,
|
|
F->getModule().getASTContext());
|
|
}
|
|
|
|
void FunctionSignatureTransform::createFunctionSignatureOptimizedFunction() {
|
|
// Create the optimized function !
|
|
SILModule &M = F->getModule();
|
|
std::string Name = createOptimizedSILFunctionName();
|
|
SILLinkage linkage = getSpecializedLinkage(F, F->getLinkage());
|
|
|
|
DEBUG(llvm::dbgs() << " -> create specialized function " << Name << "\n");
|
|
|
|
auto NewFTy = createOptimizedSILFunctionType();
|
|
GenericEnvironment *NewFGenericEnv;
|
|
if (NewFTy->getGenericSignature()) {
|
|
NewFGenericEnv = F->getGenericEnvironment();
|
|
} else {
|
|
NewFGenericEnv = nullptr;
|
|
}
|
|
|
|
NewF = M.createFunction(
|
|
linkage, Name, NewFTy, NewFGenericEnv, F->getLocation(), F->isBare(),
|
|
F->isTransparent(), F->isSerialized(), F->isThunk(),
|
|
F->getClassSubclassScope(), F->getInlineStrategy(), F->getEffectsKind(),
|
|
nullptr, F->getDebugScope());
|
|
if (F->hasUnqualifiedOwnership()) {
|
|
NewF->setUnqualifiedOwnership();
|
|
}
|
|
|
|
// Then we transfer the body of F to NewF.
|
|
NewF->spliceBody(F);
|
|
|
|
// Array semantic clients rely on the signature being as in the original
|
|
// version.
|
|
for (auto &Attr : F->getSemanticsAttrs()) {
|
|
if (!StringRef(Attr).startswith("array."))
|
|
NewF->addSemanticsAttr(Attr);
|
|
}
|
|
|
|
// Do the last bit of work to the newly created optimized function.
|
|
ArgumentExplosionFinalizeOptimizedFunction();
|
|
DeadArgumentFinalizeOptimizedFunction();
|
|
|
|
// Update the ownership kinds of function entry BB arguments.
|
|
|
|
for (auto Arg : NewF->begin()->getFunctionArguments()) {
|
|
SILType MappedTy = Arg->getType();
|
|
auto Ownershipkind =
|
|
ValueOwnershipKind(M, MappedTy, Arg->getArgumentConvention());
|
|
Arg->setOwnershipKind(Ownershipkind);
|
|
}
|
|
|
|
// Create the thunk body !
|
|
F->setThunk(IsThunk);
|
|
// The thunk now carries the information on how the signature is
|
|
// optimized. If we inline the thunk, we will get the benefit of calling
|
|
// the signature optimized function without additional setup on the
|
|
// caller side.
|
|
F->setInlineStrategy(AlwaysInline);
|
|
SILBasicBlock *ThunkBody = F->createBasicBlock();
|
|
for (auto &ArgDesc : ArgumentDescList) {
|
|
ThunkBody->createFunctionArgument(ArgDesc.Arg->getType(), ArgDesc.Decl);
|
|
}
|
|
|
|
SILLocation Loc = ThunkBody->getParent()->getLocation();
|
|
SILBuilder Builder(ThunkBody);
|
|
Builder.setCurrentDebugScope(ThunkBody->getParent()->getDebugScope());
|
|
|
|
FunctionRefInst *FRI = Builder.createFunctionRef(Loc, NewF);
|
|
|
|
// Create the args for the thunk's apply, ignoring any dead arguments.
|
|
llvm::SmallVector<SILValue, 8> ThunkArgs;
|
|
for (auto &ArgDesc : ArgumentDescList) {
|
|
addThunkArgument(ArgDesc, Builder, ThunkBody, ThunkArgs);
|
|
}
|
|
|
|
SILValue ReturnValue;
|
|
SILType LoweredType = NewF->getLoweredType();
|
|
SILType ResultType = NewF->getConventions().getSILResultType();
|
|
auto GenCalleeType = NewF->getLoweredFunctionType();
|
|
auto SubstCalleeSILType = LoweredType;
|
|
ArrayRef<Substitution> Subs;
|
|
// Handle generic functions.
|
|
if (GenCalleeType->isPolymorphic()) {
|
|
// Produce a substitutions list and a set of substituted SIL types
|
|
// required for creating a new SIL function.
|
|
Subs = F->getForwardingSubstitutions();
|
|
auto SubstCalleeType =
|
|
GenCalleeType->substGenericArgs(M, Subs);
|
|
SubstCalleeSILType = SILType::getPrimitiveObjectType(SubstCalleeType);
|
|
SILFunctionConventions Conv(SubstCalleeType, M);
|
|
ResultType = Conv.getSILResultType();
|
|
}
|
|
auto FunctionTy = LoweredType.castTo<SILFunctionType>();
|
|
if (FunctionTy->hasErrorResult()) {
|
|
// We need a try_apply to call a function with an error result.
|
|
SILFunction *Thunk = ThunkBody->getParent();
|
|
SILBasicBlock *NormalBlock = Thunk->createBasicBlock();
|
|
ReturnValue =
|
|
NormalBlock->createPHIArgument(ResultType, ValueOwnershipKind::Owned);
|
|
SILBasicBlock *ErrorBlock = Thunk->createBasicBlock();
|
|
SILType Error =
|
|
SILType::getPrimitiveObjectType(FunctionTy->getErrorResult().getType());
|
|
auto *ErrorArg =
|
|
ErrorBlock->createPHIArgument(Error, ValueOwnershipKind::Owned);
|
|
Builder.createTryApply(Loc, FRI, Subs, ThunkArgs, NormalBlock, ErrorBlock);
|
|
|
|
Builder.setInsertionPoint(ErrorBlock);
|
|
Builder.createThrow(Loc, ErrorArg);
|
|
Builder.setInsertionPoint(NormalBlock);
|
|
} else {
|
|
ReturnValue = Builder.createApply(Loc, FRI, Subs, ThunkArgs, false);
|
|
}
|
|
|
|
// Set up the return results.
|
|
if (NewF->isNoReturnFunction()) {
|
|
Builder.createUnreachable(Loc);
|
|
} else {
|
|
Builder.createReturn(Loc, ReturnValue);
|
|
}
|
|
|
|
// Do the last bit work to finalize the thunk.
|
|
OwnedToGuaranteedFinalizeThunkFunction(Builder, F);
|
|
|
|
assert(F->getDebugScope()->Parent != NewF->getDebugScope()->Parent);
|
|
}
|
|
|
|
/// ----------------------------------------------------------///
|
|
/// Dead argument transformation. ///
|
|
/// ----------------------------------------------------------///
|
|
bool FunctionSignatureTransform::DeadArgumentAnalyzeParameters() {
|
|
// Did we decide we should optimize any parameter?
|
|
bool SignatureOptimize = false;
|
|
auto Args = F->begin()->getFunctionArguments();
|
|
auto OrigShouldModifySelfArgument = shouldModifySelfArgument;
|
|
// Analyze the argument information.
|
|
for (unsigned i = 0, e = Args.size(); i != e; ++i) {
|
|
ArgumentDescriptor &A = ArgumentDescList[i];
|
|
if (!A.PInfo.hasValue()) {
|
|
// It is not an argument. It could be an indirect result.
|
|
continue;
|
|
}
|
|
|
|
if (!A.canOptimizeLiveArg()) {
|
|
continue;
|
|
}
|
|
|
|
// Check whether argument is dead.
|
|
if (!hasNonTrivialNonDebugUse(Args[i])) {
|
|
A.IsEntirelyDead = true;
|
|
SignatureOptimize = true;
|
|
if (Args[i]->isSelf())
|
|
shouldModifySelfArgument = true;
|
|
}
|
|
}
|
|
|
|
if (F->getLoweredFunctionType()->isPolymorphic()) {
|
|
// If the set of dead arguments contains only type arguments,
|
|
// don't remove them, because it would produce a slower code
|
|
// for generic functions.
|
|
bool HasNonTypeDeadArguments = false;
|
|
for (auto &AD : ArgumentDescList) {
|
|
if (AD.IsEntirelyDead &&
|
|
!isa<AnyMetatypeType>(AD.Arg->getType().getSwiftRValueType())) {
|
|
HasNonTypeDeadArguments = true;
|
|
break;
|
|
}
|
|
}
|
|
|
|
if (!HasNonTypeDeadArguments) {
|
|
for (auto &AD : ArgumentDescList) {
|
|
if (AD.IsEntirelyDead) {
|
|
AD.IsEntirelyDead = false;
|
|
break;
|
|
}
|
|
}
|
|
shouldModifySelfArgument = OrigShouldModifySelfArgument;
|
|
SignatureOptimize = false;
|
|
}
|
|
}
|
|
|
|
return SignatureOptimize;
|
|
}
|
|
|
|
void FunctionSignatureTransform::DeadArgumentTransformFunction() {
|
|
SILBasicBlock *BB = &*F->begin();
|
|
for (const ArgumentDescriptor &AD : ArgumentDescList) {
|
|
if (!AD.IsEntirelyDead)
|
|
continue;
|
|
eraseUsesOfValue(BB->getArgument(AD.Index));
|
|
}
|
|
}
|
|
|
|
void FunctionSignatureTransform::DeadArgumentFinalizeOptimizedFunction() {
|
|
auto *BB = &*NewF->begin();
|
|
// Remove any dead argument starting from the last argument to the first.
|
|
for (const ArgumentDescriptor &AD : reverse(ArgumentDescList)) {
|
|
if (!AD.IsEntirelyDead)
|
|
continue;
|
|
BB->eraseArgument(AD.Arg->getIndex());
|
|
}
|
|
}
|
|
|
|
/// ----------------------------------------------------------///
|
|
/// Owned to Guaranteed transformation. ///
|
|
/// ----------------------------------------------------------///
|
|
bool FunctionSignatureTransform::OwnedToGuaranteedAnalyzeParameters() {
|
|
auto Args = F->begin()->getFunctionArguments();
|
|
// A map from consumed SILArguments to the release associated with an
|
|
// argument.
|
|
//
|
|
// TODO: The return block and throw block should really be abstracted away.
|
|
SILArgumentConvention ArgumentConventions[] = {
|
|
SILArgumentConvention::Direct_Owned, SILArgumentConvention::Indirect_In};
|
|
ConsumedArgToEpilogueReleaseMatcher ArgToReturnReleaseMap(
|
|
RCIA->get(F), F, ArgumentConventions);
|
|
ConsumedArgToEpilogueReleaseMatcher ArgToThrowReleaseMap(
|
|
RCIA->get(F), F, ArgumentConventions,
|
|
ConsumedArgToEpilogueReleaseMatcher::ExitKind::Throw);
|
|
|
|
// Did we decide we should optimize any parameter?
|
|
bool SignatureOptimize = false;
|
|
|
|
// Analyze the argument information.
|
|
for (unsigned i = 0, e = Args.size(); i != e; ++i) {
|
|
ArgumentDescriptor &A = ArgumentDescList[i];
|
|
if (!A.canOptimizeLiveArg()) {
|
|
continue;
|
|
}
|
|
|
|
// See if we can find a ref count equivalent strong_release or release_value
|
|
// at the end of this function if our argument is an @owned parameter.
|
|
// See if we can find a destroy_addr at the end of this function if our
|
|
// argument is an @in parameter.
|
|
if (A.hasConvention(SILArgumentConvention::Direct_Owned) ||
|
|
A.hasConvention(SILArgumentConvention::Indirect_In)) {
|
|
auto Releases = ArgToReturnReleaseMap.getReleasesForArgument(A.Arg);
|
|
if (!Releases.empty()) {
|
|
// If the function has a throw block we must also find a matching
|
|
// release in the throw block.
|
|
auto ReleasesInThrow = ArgToThrowReleaseMap.getReleasesForArgument(A.Arg);
|
|
if (!ArgToThrowReleaseMap.hasBlock() || !ReleasesInThrow.empty()) {
|
|
A.CalleeRelease = Releases;
|
|
A.CalleeReleaseInThrowBlock = ReleasesInThrow;
|
|
// We can convert this parameter to a @guaranteed.
|
|
A.OwnedToGuaranteed = true;
|
|
SignatureOptimize = true;
|
|
}
|
|
}
|
|
}
|
|
|
|
// Modified self argument.
|
|
if (A.OwnedToGuaranteed && Args[i]->isSelf()) {
|
|
shouldModifySelfArgument = true;
|
|
}
|
|
}
|
|
return SignatureOptimize;
|
|
}
|
|
|
|
bool FunctionSignatureTransform::OwnedToGuaranteedAnalyzeResults() {
|
|
auto fnConv = F->getConventions();
|
|
// For now, only do anything if there's a single direct result.
|
|
if (fnConv.getNumDirectSILResults() != 1)
|
|
return false;
|
|
if (!fnConv.getIndirectSILResults().empty())
|
|
return false;
|
|
|
|
bool SignatureOptimize = false;
|
|
if (ResultDescList[0].hasConvention(ResultConvention::Owned)) {
|
|
auto RV = findReturnValue(F);
|
|
if (!RV)
|
|
return false;
|
|
auto &RI = ResultDescList[0];
|
|
// We have an @owned return value, find the epilogue retains now.
|
|
auto Retains = EA->get(F)->computeEpilogueARCInstructions(
|
|
EpilogueARCContext::EpilogueARCKind::Retain, RV);
|
|
// We do not need to worry about the throw block, as the return value is only
|
|
// going to be used in the return block/normal block of the try_apply
|
|
// instruction.
|
|
if (!Retains.empty()) {
|
|
RI.CalleeRetain = Retains;
|
|
SignatureOptimize = true;
|
|
RI.OwnedToGuaranteed = true;
|
|
}
|
|
}
|
|
return SignatureOptimize;
|
|
}
|
|
|
|
void FunctionSignatureTransform::OwnedToGuaranteedTransformFunctionParameters() {
|
|
// And remove all Callee releases that we found and made redundant via owned
|
|
// to guaranteed conversion.
|
|
for (const ArgumentDescriptor &AD : ArgumentDescList) {
|
|
if (!AD.OwnedToGuaranteed)
|
|
continue;
|
|
for (auto &X : AD.CalleeRelease) {
|
|
X->eraseFromParent();
|
|
}
|
|
for (auto &X : AD.CalleeReleaseInThrowBlock) {
|
|
X->eraseFromParent();
|
|
}
|
|
|
|
// Now we need to replace the FunctionArgument so that we have the correct
|
|
// ValueOwnershipKind.
|
|
AD.Arg->setOwnershipKind(ValueOwnershipKind::Guaranteed);
|
|
}
|
|
}
|
|
|
|
void FunctionSignatureTransform::OwnedToGuaranteedTransformFunctionResults() {
|
|
// And remove all callee retains that we found and made redundant via owned
|
|
// to unowned conversion.
|
|
for (const ResultDescriptor &RD : ResultDescList) {
|
|
if (!RD.OwnedToGuaranteed)
|
|
continue;
|
|
for (auto &X : RD.CalleeRetain) {
|
|
if (isa<StrongRetainInst>(X) || isa<RetainValueInst>(X)) {
|
|
X->eraseFromParent();
|
|
continue;
|
|
}
|
|
// Create a release to balance it out.
|
|
auto AI = cast<ApplyInst>(X);
|
|
createDecrementBefore(AI, AI->getParent()->getTerminator());
|
|
}
|
|
}
|
|
}
|
|
|
|
void FunctionSignatureTransform::
|
|
OwnedToGuaranteedFinalizeThunkFunction(SILBuilder &Builder, SILFunction *F) {
|
|
// Finish the epilogue work for the argument as well as result.
|
|
for (auto &ArgDesc : ArgumentDescList) {
|
|
OwnedToGuaranteedAddArgumentRelease(ArgDesc, Builder, F);
|
|
}
|
|
for (auto &ResDesc : ResultDescList) {
|
|
OwnedToGuaranteedAddResultRelease(ResDesc, Builder, F);
|
|
}
|
|
}
|
|
|
|
static void createArgumentRelease(SILBuilder &Builder, ArgumentDescriptor &AD) {
|
|
auto &F = Builder.getFunction();
|
|
SILArgument *Arg = F.getArguments()[AD.Index];
|
|
if (Arg->getType().isAddress()) {
|
|
assert(AD.PInfo->getConvention() == ParameterConvention::Indirect_In
|
|
&& F.getConventions().useLoweredAddresses());
|
|
Builder.createDestroyAddr(RegularLocation(SourceLoc()),
|
|
F.getArguments()[AD.Index]);
|
|
return;
|
|
}
|
|
Builder.createReleaseValue(RegularLocation(SourceLoc()),
|
|
F.getArguments()[AD.Index],
|
|
Builder.getDefaultAtomicity());
|
|
}
|
|
|
|
/// Set up epilogue work for the thunk arguments based in the given argument.
|
|
/// Default implementation simply passes it through.
|
|
void
|
|
FunctionSignatureTransform::
|
|
OwnedToGuaranteedAddArgumentRelease(ArgumentDescriptor &AD, SILBuilder &Builder,
|
|
SILFunction *F) {
|
|
// If we have any arguments that were consumed but are now guaranteed,
|
|
// insert a releasing RC instruction.
|
|
if (!AD.OwnedToGuaranteed) {
|
|
return;
|
|
}
|
|
|
|
SILInstruction *Call = findOnlyApply(F);
|
|
if (isa<ApplyInst>(Call)) {
|
|
Builder.setInsertionPoint(&*std::next(SILBasicBlock::iterator(Call)));
|
|
createArgumentRelease(Builder, AD);
|
|
} else {
|
|
SILBasicBlock *NormalBB = dyn_cast<TryApplyInst>(Call)->getNormalBB();
|
|
Builder.setInsertionPoint(&*NormalBB->begin());
|
|
createArgumentRelease(Builder, AD);
|
|
|
|
SILBasicBlock *ErrorBB = dyn_cast<TryApplyInst>(Call)->getErrorBB();
|
|
Builder.setInsertionPoint(&*ErrorBB->begin());
|
|
createArgumentRelease(Builder, AD);
|
|
}
|
|
}
|
|
|
|
void
|
|
FunctionSignatureTransform::
|
|
OwnedToGuaranteedAddResultRelease(ResultDescriptor &RD, SILBuilder &Builder,
|
|
SILFunction *F) {
|
|
// If we have any result that were consumed but are now guaranteed,
|
|
// insert a releasing RC instruction.
|
|
if (!RD.OwnedToGuaranteed) {
|
|
return;
|
|
}
|
|
|
|
SILInstruction *Call = findOnlyApply(F);
|
|
if (auto AI = dyn_cast<ApplyInst>(Call)) {
|
|
Builder.setInsertionPoint(&*std::next(SILBasicBlock::iterator(AI)));
|
|
Builder.createRetainValue(RegularLocation(SourceLoc()), AI,
|
|
Builder.getDefaultAtomicity());
|
|
} else {
|
|
SILBasicBlock *NormalBB = cast<TryApplyInst>(Call)->getNormalBB();
|
|
Builder.setInsertionPoint(&*NormalBB->begin());
|
|
Builder.createRetainValue(RegularLocation(SourceLoc()),
|
|
NormalBB->getArgument(0), Builder.getDefaultAtomicity());
|
|
}
|
|
}
|
|
|
|
/// ----------------------------------------------------------///
|
|
/// Argument Explosion transformation. ///
|
|
/// ----------------------------------------------------------///
|
|
bool FunctionSignatureTransform::ArgumentExplosionAnalyzeParameters() {
|
|
// Did we decide we should optimize any parameter?
|
|
bool SignatureOptimize = false;
|
|
auto Args = F->begin()->getFunctionArguments();
|
|
ConsumedArgToEpilogueReleaseMatcher ArgToReturnReleaseMap(
|
|
RCIA->get(F), F, {SILArgumentConvention::Direct_Owned});
|
|
|
|
// Analyze the argument information.
|
|
for (unsigned i = 0, e = Args.size(); i != e; ++i) {
|
|
ArgumentDescriptor &A = ArgumentDescList[i];
|
|
// Do not optimize argument.
|
|
if (!A.canOptimizeLiveArg()) {
|
|
continue;
|
|
}
|
|
|
|
// Explosion of generic parameters is not supported yet.
|
|
if (A.Arg->getType().getSwiftRValueType()->hasArchetype())
|
|
continue;
|
|
|
|
A.ProjTree.computeUsesAndLiveness(A.Arg);
|
|
A.Explode = A.shouldExplode(ArgToReturnReleaseMap);
|
|
|
|
// Modified self argument.
|
|
if (A.Explode && Args[i]->isSelf()) {
|
|
shouldModifySelfArgument = true;
|
|
}
|
|
|
|
SignatureOptimize |= A.Explode;
|
|
}
|
|
return SignatureOptimize;
|
|
}
|
|
|
|
void FunctionSignatureTransform::ArgumentExplosionFinalizeOptimizedFunction() {
|
|
SILBasicBlock *BB = &*NewF->begin();
|
|
SILBuilder Builder(BB->begin());
|
|
Builder.setCurrentDebugScope(BB->getParent()->getDebugScope());
|
|
unsigned TotalArgIndex = 0;
|
|
for (ArgumentDescriptor &AD : ArgumentDescList) {
|
|
// Simply continue if do not explode.
|
|
if (!AD.Explode) {
|
|
AIM[TotalArgIndex] = AD.Index;
|
|
TotalArgIndex ++;
|
|
continue;
|
|
}
|
|
|
|
// OK, we need to explode this argument.
|
|
unsigned ArgOffset = ++TotalArgIndex;
|
|
unsigned OldArgIndex = ArgOffset - 1;
|
|
llvm::SmallVector<SILValue, 8> LeafValues;
|
|
|
|
// We do this in the same order as leaf types since ProjTree expects that the
|
|
// order of leaf values matches the order of leaf types.
|
|
llvm::SmallVector<const ProjectionTreeNode*, 8> LeafNodes;
|
|
AD.ProjTree.getLeafNodes(LeafNodes);
|
|
|
|
for (auto *Node : LeafNodes) {
|
|
auto OwnershipKind = *AD.getTransformedOwnershipKind(Node->getType());
|
|
LeafValues.push_back(BB->insertFunctionArgument(
|
|
ArgOffset++, Node->getType(), OwnershipKind,
|
|
BB->getArgument(OldArgIndex)->getDecl()));
|
|
AIM[TotalArgIndex - 1] = AD.Index;
|
|
TotalArgIndex ++;
|
|
}
|
|
|
|
// Then go through the projection tree constructing aggregates and replacing
|
|
// uses.
|
|
AD.ProjTree.replaceValueUsesWithLeafUses(Builder, BB->getParent()->getLocation(),
|
|
LeafValues);
|
|
|
|
// We ignored debugvalue uses when we constructed the new arguments, in order
|
|
// to preserve as much information as possible, we construct a new value for
|
|
// OrigArg from the leaf values and use that in place of the OrigArg.
|
|
SILValue NewOrigArgValue = AD.ProjTree.computeExplodedArgumentValue(Builder,
|
|
BB->getParent()->getLocation(),
|
|
LeafValues);
|
|
|
|
// Replace all uses of the original arg with the new value.
|
|
SILArgument *OrigArg = BB->getArgument(OldArgIndex);
|
|
OrigArg->replaceAllUsesWith(NewOrigArgValue);
|
|
|
|
// Now erase the old argument since it does not have any uses. We also
|
|
// decrement ArgOffset since we have one less argument now.
|
|
BB->eraseArgument(OldArgIndex);
|
|
TotalArgIndex --;
|
|
}
|
|
}
|
|
|
|
//===----------------------------------------------------------------------===//
|
|
// Top Level Entry Point
|
|
//===----------------------------------------------------------------------===//
|
|
namespace {
|
|
class FunctionSignatureOpts : public SILFunctionTransform {
|
|
|
|
/// If true, perform a special kind of dead argument elimination to enable
|
|
/// removal of partial_apply instructions where all partially applied
|
|
/// arguments are dead.
|
|
bool OptForPartialApply;
|
|
|
|
public:
|
|
|
|
FunctionSignatureOpts(bool OptForPartialApply) :
|
|
OptForPartialApply(OptForPartialApply) { }
|
|
|
|
void run() override {
|
|
auto *F = getFunction();
|
|
|
|
// Don't run function signature optimizations at -Os.
|
|
if (F->getModule().getOptions().Optimization ==
|
|
SILOptions::SILOptMode::OptimizeForSize)
|
|
return;
|
|
|
|
// Don't optimize callees that should not be optimized.
|
|
if (!F->shouldOptimize())
|
|
return;
|
|
|
|
// This is the function to optimize.
|
|
DEBUG(llvm::dbgs() << "*** FSO on function: " << F->getName() << " ***\n");
|
|
|
|
// Check the signature of F to make sure that it is a function that we
|
|
// can specialize. These are conditions independent of the call graph.
|
|
// No need for CallerAnalysis if we are not optimizing for partial
|
|
// applies.
|
|
if (!OptForPartialApply &&
|
|
!canSpecializeFunction(F, nullptr, OptForPartialApply)) {
|
|
DEBUG(llvm::dbgs() << " cannot specialize function -> abort\n");
|
|
return;
|
|
}
|
|
|
|
CallerAnalysis *CA = PM->getAnalysis<CallerAnalysis>();
|
|
const CallerAnalysis::FunctionInfo &FuncInfo = CA->getCallerInfo(F);
|
|
|
|
// Check the signature of F to make sure that it is a function that we
|
|
// can specialize. These are conditions independent of the call graph.
|
|
if (OptForPartialApply &&
|
|
!canSpecializeFunction(F, &FuncInfo, OptForPartialApply)) {
|
|
DEBUG(llvm::dbgs() << " cannot specialize function -> abort\n");
|
|
return;
|
|
}
|
|
|
|
auto *RCIA = getAnalysis<RCIdentityAnalysis>();
|
|
auto *EA = PM->getAnalysis<EpilogueARCAnalysis>();
|
|
|
|
// As we optimize the function more and more, the name of the function is
|
|
// going to change, make sure the mangler is aware of all the changes done
|
|
// to the function.
|
|
auto P = Demangle::SpecializationPass::FunctionSignatureOpts;
|
|
Mangle::FunctionSignatureSpecializationMangler Mangler(P,
|
|
F->isSerialized(), F);
|
|
|
|
/// Keep a map between the exploded argument index and the original argument
|
|
/// index.
|
|
llvm::SmallDenseMap<int, int> AIM;
|
|
int asize = F->begin()->getArguments().size();
|
|
for (auto i = 0; i < asize; ++i) {
|
|
AIM[i] = i;
|
|
}
|
|
|
|
// Allocate the argument and result descriptors.
|
|
llvm::SmallVector<ArgumentDescriptor, 4> ArgumentDescList;
|
|
llvm::SmallVector<ResultDescriptor, 4> ResultDescList;
|
|
auto Args = F->begin()->getFunctionArguments();
|
|
for (unsigned i = 0, e = Args.size(); i != e; ++i) {
|
|
ArgumentDescList.emplace_back(Args[i]);
|
|
}
|
|
for (SILResultInfo IR : F->getLoweredFunctionType()->getResults()) {
|
|
ResultDescList.emplace_back(IR);
|
|
}
|
|
|
|
// Owned to guaranteed optimization.
|
|
FunctionSignatureTransform FST(F, RCIA, EA, Mangler, AIM,
|
|
ArgumentDescList, ResultDescList);
|
|
|
|
bool Changed = false;
|
|
if (OptForPartialApply) {
|
|
Changed = FST.removeDeadArgs(FuncInfo.getMinPartialAppliedArgs());
|
|
} else {
|
|
Changed = FST.run(FuncInfo.hasCaller());
|
|
}
|
|
if (Changed) {
|
|
++ NumFunctionSignaturesOptimized;
|
|
// The old function must be a thunk now.
|
|
assert(F->isThunk() && "Old function should have been turned into a thunk");
|
|
|
|
invalidateAnalysis(SILAnalysis::InvalidationKind::Everything);
|
|
|
|
// Make sure the PM knows about this function. This will also help us
|
|
// with self-recursion.
|
|
notifyAddFunction(FST.getOptimizedFunction(), F);
|
|
|
|
if (!OptForPartialApply) {
|
|
// We have to restart the pipeline for this thunk in order to run the
|
|
// inliner (and other opts) again. This is important if the new
|
|
// specialized function (which is called from this thunk) is
|
|
// function-signature-optimized again and also becomes an
|
|
// always-inline-thunk.
|
|
restartPassPipeline();
|
|
}
|
|
}
|
|
}
|
|
|
|
};
|
|
|
|
} // end anonymous namespace
|
|
|
|
SILTransform *swift::createFunctionSignatureOpts() {
|
|
return new FunctionSignatureOpts(/* OptForPartialApply */ false);
|
|
}
|
|
|
|
SILTransform *swift::createDeadArgSignatureOpt() {
|
|
return new FunctionSignatureOpts(/* OptForPartialApply */ true);
|
|
}
|